branch_name
stringclasses
22 values
content
stringlengths
18
81.8M
directory_id
stringlengths
40
40
languages
listlengths
1
36
num_files
int64
1
7.38k
repo_language
stringclasses
151 values
repo_name
stringlengths
7
101
revision_id
stringlengths
40
40
snapshot_id
stringlengths
40
40
refs/heads/master
<file_sep><project xmlns="http://maven.apache.org/POM/4.0.0" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" xsi:schemaLocation="http://maven.apache.org/POM/4.0.0 http://maven.apache.org/maven-v4_0_0.xsd"> <modelVersion>4.0.0</modelVersion> <groupId>com.soecode.ssm</groupId> <artifactId>ssm</artifactId> <packaging>war</packaging> <version>0.0.1-SNAPSHOT</version> <name>ssm Maven Webapp</name> <url>http://github.com/liyifeng1994/ssm</url> <dependencies> <!-- SpringMVC包 --> <!-- https://mvnrepository.com/artifact/org.springframework/spring-webmvc --> <dependency> <groupId>org.springframework</groupId> <artifactId>spring-webmvc</artifactId> <version>5.2.2.RELEASE</version> </dependency> <!-- Spring JDBC包 --> <!-- https://mvnrepository.com/artifact/org.springframework/spring-jdbc --> <dependency> <groupId>org.springframework</groupId> <artifactId>spring-jdbc</artifactId> <version>5.2.2.RELEASE</version> </dependency> <!-- Spring事务 --> <!-- https://mvnrepository.com/artifact/org.springframework/spring-aspects --> <dependency> <groupId>org.springframework</groupId> <artifactId>spring-aspects</artifactId> <version>5.1.6.RELEASE</version> </dependency> <!-- Mybatis包 --> <!-- https://mvnrepository.com/artifact/org.mybatis/mybatis --> <dependency> <groupId>org.mybatis</groupId> <artifactId>mybatis</artifactId> <version>3.5.2</version> </dependency> <!-- Mybatis和Spring的整合包 --> <!-- https://mvnrepository.com/artifact/org.mybatis/mybatis-spring --> <dependency> <groupId>org.mybatis</groupId> <artifactId>mybatis-spring</artifactId> <version>2.0.3</version> </dependency> <!-- 连接池包 --> <dependency> <groupId>com.alibaba</groupId> <artifactId>druid</artifactId> <version>1.0.9</version> </dependency> <!-- 数据库驱动包 --> <!-- https://mvnrepository.com/artifact/mysql/mysql-connector-java --> <dependency> <groupId>mysql</groupId> <artifactId>mysql-connector-java</artifactId> <version>5.1.47</version> </dependency> <!--json处理工具包--> <dependency> <groupId>com.fasterxml.jackson.core</groupId> <artifactId>jackson-databind</artifactId> <version>2.9.0</version> </dependency> <!--lombok--> <dependency> <groupId>org.projectlombok</groupId> <artifactId>lombok</artifactId> <version>1.16.18</version> <scope>provided</scope> </dependency> <!--日志文件--> <!-- 添加slf4j依赖 --> <dependency> <groupId>org.slf4j</groupId> <artifactId>slf4j-api</artifactId> <version>1.7.25</version> </dependency> <!-- 添加log4j2依赖 --> <dependency> <groupId>org.apache.logging.log4j</groupId> <artifactId>log4j-core</artifactId> <version>2.12.1</version> </dependency> <dependency> <groupId>org.apache.logging.log4j</groupId> <artifactId>log4j-api</artifactId> <version>2.12.1</version> </dependency> <!-- web容器中需要添加log4j-web --> <dependency> <groupId>org.apache.logging.log4j</groupId> <artifactId>log4j-web</artifactId> <version>2.12.1</version> </dependency> <!-- 桥接slf4j --> <dependency> <groupId>org.apache.logging.log4j</groupId> <artifactId>log4j-slf4j-impl</artifactId> <version>2.12.1</version> </dependency> </dependencies> <build> <finalName>ssm</finalName> <plugins> <plugin> <groupId>org.apache.maven.plugins</groupId> <artifactId>maven-compiler-plugin</artifactId> <configuration> <source>6</source> <target>6</target> </configuration> </plugin> <plugin> <groupId>com.spotify</groupId> <artifactId>docker-maven-plugin</artifactId> <version>1.0.0</version> <!--将插件绑定在某个phase执行--> <executions> <execution> <id>build-image</id> <!--将插件绑定在package这个phase上。也就是说,用户只需执行mvn package ,就会自动执行mvn docker:build--> <phase>package</phase> <goals> <goal>build</goal> </goals> </execution> </executions> <configuration> <!--指定生成的镜像名--> <imageName>wbb/${project.artifactId}</imageName> <!--指定标签--> <imageTags> <imageTag>latest</imageTag> </imageTags> <!-- 指定 Dockerfile 路径 ${project.basedir}:项目根路径下--> <dockerDirectory>${project.basedir}</dockerDirectory> <!--指定远程 docker api地址--> <dockerHost>http://172.16.17.32:2375</dockerHost> <!-- 这里是复制 jar 包到 docker 容器指定目录配置 --> <resources> <resource> <targetPath>/</targetPath> <!--jar 包所在的路径 此处配置的 即对应 target 目录--> <directory>${project.build.directory}</directory> <!-- 需要包含的 jar包 ,这里对应的是 Dockerfile中添加的文件名 --> <include>${project.build.finalName}.jar</include> </resource> </resources> <!-- 以下两行是为了docker push到DockerHub使用的。 --> <!--<serverId>docker-hub</serverId>--> <!--<registryUrl>https://index.docker.io/v1</registryUrl>--> </configuration> </plugin> </plugins> </build> </project> <file_sep>package cn.lc.beans; import lombok.Data; import lombok.ToString; import lombok.extern.slf4j.Slf4j; import org.springframework.beans.factory.InitializingBean; @Data @ToString @Slf4j public class Book implements InitializingBean { //实现InitializingBean进行初始化 public int id; public String title; public double price; public Book() { System.out.println("Book对象创建了"); } public Book(int id, String title, double price) { this.id = id; this.title = title; this.price = price; } @Override public void afterPropertiesSet() throws Exception { title ="西游记"; price = 12; System.out.println("初始化成功"); } } <file_sep>package cn.lc.controller; import cn.lc.beans.Book; import cn.lc.service.BookService; import lombok.extern.slf4j.Slf4j; import org.springframework.beans.factory.annotation.Autowired; import org.springframework.web.bind.annotation.PathVariable; import org.springframework.web.bind.annotation.RequestMapping; import org.springframework.web.bind.annotation.RequestMethod; import org.springframework.web.bind.annotation.RestController; @Slf4j @RestController @RequestMapping("/book") public class BookController { @Autowired private BookService bookService; @RequestMapping(value = "/queryById/{id}", method = RequestMethod.GET) public Book queryById(@PathVariable int id) { Book book = bookService.queryById(id); return book; } public static void main(String[] args) { log.info("============="); } } <file_sep>FROM openjdk:8-jdk-alpine ADD *.war app.war ENTRYPOINT ["java","-Djava.security.egd=file:/dev/./urandom","-war","/app.war"]<file_sep>package cn.lc.dao; import cn.lc.beans.Book; public interface BookDao { /** * 通过ID查询单本图书 * * @param id * @return */ Book queryById(int id); } <file_sep>package cn.lc.service.impl; import cn.lc.beans.Book; import cn.lc.dao.BookDao; import cn.lc.service.BookService; import org.springframework.beans.factory.annotation.Autowired; import org.springframework.stereotype.Service; @Service public class BookServiceImpl implements BookService { @Autowired private BookDao bookDao; @Override public void purchase(int userId, String bookId) { } @Override public Book queryById(int id) { return bookDao.queryById(id); } } <file_sep>package cn.lc.service; import cn.lc.beans.Book; public interface BookService { void purchase(int userId, String bookId); Book queryById(int id); }
5ca17437834e75a3d84666d7c2c6a7078254a970
[ "Java", "Dockerfile", "Maven POM" ]
7
Java
username-lc/SSM
f6aaf6efbe3732881a3c5359faae089272296b3c
ef8478c0964b21f8a91cac28a758fbae984c3c5f
refs/heads/master
<file_sep><?php namespace App; use Illuminate\Database\Eloquent\Model; use Illuminate\Notifications\Notifiable; class Disciplina extends Model { use Notifiable; /** * The attributes that are mass assignable. * * @var array */ protected $fillable = [ 'user_id','nome_disciplina','horario','sala', ]; protected $table = 'disciplinas'; public function user(){ return $this->benlogsTo(User::class); } } <file_sep><!doctype html> <html> <head> <meta charset="utf-8"> <title>eSala</title> <link rel="manifest" href="manifest.json/"> <link rel="stylesheet" href="https://stackpath.bootstrapcdn.com/bootstrap/4.1.3/css/bootstrap.min.css"> <link href="https://fonts.googleapis.com/css?family=Nunito:200,600" rel="stylesheet"> <script src="https://stackpath.bootstrapcdn.com/bootstrap/4.1.3/js/bootstrap.min.js"async></script> <style> html, body{ margin: 10px; color: black; font-family: 'Nunito', sans-serif; } .bt{ float: right; margin-right: 10px; display: inline; } .nome{ color: black; font-family: nunito; } </style> </head> <body> <div class="container"> <div class="bt"> <a href="{{ url('/lista/download')}}" class="bt btn btn-outline-danger">PDF</a> <a href="{{ url('/home')}}" class="bt btn btn-secondary">Voltar</a> </div> @auth <div class="nome"> <b>Professor(a) {{Auth::user()->nome}}</b> </div> <div class="panel-body"> <table class="table"> <tr> <th>Data</th> <th>Início</th> <th>Término</th> <th>Aluno</th> <th>Curso</th> </tr> <tbody> @foreach($atendimentos as $user) <tr> <td><strong>{{ $user->data }}</strong></strong></td> <td><strong>{{ $user->inicio }}</strong></td> <td><strong>{{ $user->termino}}</strong></td> <td><strong>{{ $user->aluno}}</strong></td> <td><strong>{{ $user->curso}}</strong></td> </tr> @endforeach </tbody> </table> </div> @endauth </div> </body> </html><file_sep><?php namespace App\Http\Controllers; use Illuminate\Http\Request; use DB; use App\Dado; class PesquisaController extends Controller { function index(){ $lista = DB::table('pesquisas') ->groupBy('modalidade') ->get(); // $modalidades = $lista->modalidade; // $cursos = $lista->curso; // $turmas = $lista->turma; return view('pesquisa' , ['lista' => $lista]); } function fetch(Request $request){ $select = $request->get('select'); $value = $request->get('value'); $dependent = $request->get('dependent'); $data = DB::table('pesquisas')->where($select, $value)->groupBy($dependent)->get(); $output = '<option value="">Selecione '.ucfirst($dependent).'</option>'; foreach ($data as $row) { $output .= '<option value="'.$row->$dependent.'">'.$row->$dependent.'</option>'; } echo $output; } function create(array $data){ return Dado::create([ 'modalidade' => $data['modalidade'], 'curso' => $data['curso'], 'turma' => $data['turma'], ]); } function salvar(Request $request){ Dado::create($request->all()); return redirect("/logados")->with("mensagem", "Obrigado por participar!!"); } }<file_sep><link rel="manifest" href="manifest.json/"> @extends('layouts.app') @section('content') <div class="container"> <div class="row justify-content-center"> <div class="col-md-8"> <div class="card"> <div class="card-header"><strong>Bem vindo Admin</strong></div> <div class="icones"> <div class="prof"> <a href="{{ url('admin/todos') }}" class="color"><img height="150px"src="imagens\todosProfessores.png"alt="150px"></a> </div> <div class="disci"> <a href="{{ url('admin/disciplina/lista') }}"><img height="159px"src="imagens\disciplinas.png"alt="150px"></a> </div> <div class="graf"> <a href="{{ url('admin/dados') }}"><img height="155px"src="imagens\graficos.png"alt="150px"></a> </div> </div> </div> </div> </div> </div> @endsection <style> .icones{ padding-left:1.5em; padding-bottom: 2em; padding-top: 2em; display: inline; margin: 5px; /*overflow: hidden;*/ /*transform: translateY(-50px);*/ } .prof{ /* transform: translateY(-50px); color:orange; display: inline;*/ /*padding: 5px;*/ display: inline; padding: 2em; } .disci{ /* transform: translateY(-50px); */ display: inline; padding: 2em; } .graf{ border-radius: 5px; display: inline; padding: 3em; } </style><file_sep><?php namespace App\Http\Controllers; use Illuminate\Http\Request; use App\User; use App\Disciplina; use App\Dados; use Auth; use Illuminate\Support\Facades\Hash; use Illuminate\Support\Facades\Validator; use Illuminate\Foundation\Auth\RegistersUsers; use DB; class AdminController extends Controller { /* |-------------------------------------------------------------------------- | Register Controller |-------------------------------------------------------------------------- | | This controller handles the registration of new users as well as their | validation and creation. By default this controller uses a trait to | provide this functionality without requiring any additional code. | */ use RegistersUsers; /** * Where to redirect users after registration. * * @var string */ //protected $redirectTo = '/'; /** * Create a new controller instance. * * @return void */ public function __construct() { $this->middleware('auth:admin'); } /** * Get a validator for an incoming registration request. * * @param array $data * @return \Illuminate\Contracts\Validation\Validator */ public function index() { return view('admin'); } public function pegarProfessores(){ $professores = User::orderBy('nome', 'asc') ->get(); return view('todosProfessores' , ['professores' => $professores]); //return printf("format"); } public function listarDisciplina(){ $lista = Disciplina::all(); return view('auth/lista-disciplina', ['disciplinas' => $lista]); } public function pegaAu(){ $user = auth()->user(); return $user; } public function cadastrarDisciplina(){ return view ('auth/nova-disciplina'); } public function storeDisc(Request $request){ Disciplina::create($request->all()); return redirect("admin/disciplina/lista")->with("mensagem","Disciplina cadastrada com sucesso"); } //====================NOMES E ID's DOS PROFESSORES========================== public function nomeId(){ $professores = DB::table('users') ->orderBy('nome', 'asc') ->get(); return view('auth/nova-disciplina')->with(['professores' => $professores]); } //====================Chama a View de cadastro=============================== public function cadastrarProfessor(){ return view('auth/novo-professor'); } protected function validator(array $data) { return Validator::make($data, [ 'nome' =>['required', 'string', 'max:255'], 'local_permanencia' =>['required', 'string', 'max:80'], 'horario_permanencia' =>['required', 'string', 'max:60'], 'email' =>['required', 'string', 'max:255', 'unique:users'], 'password' =>['<PASSWORD>', 'string', 'min:8', 'confirmed'], ]); } /** * Create a new user instance after a valid registration. * * @param array $data * @return \App\User */ protected function create(array $data) { return User::create([ 'nome' => $data['nome'], 'local_permanencia' => $data['local_permanencia'], 'horario_permanencia' => $data['horario_permanencia'], 'email' => $data['email'], 'password' => <PASSWORD>($data['password']), ]); \Session::flash('mensagem', 'Professor Cadastrado!!!'); return redirect("admin/todos")->with("message", "Professor cadastrado com sucesso"); } public function storeProf(Request $request){ User::create($request->all()); \Session::flash('mensagem', 'Professor Cadastrado!!!'); return redirect("admin/todos")->with("message", "Professor cadastrado com sucesso"); } public function editar($id){ //var_dump($id); $user = User::findOrFail($id); //dd($user); return view('auth/editar-professor')->with(['user' => $user]); } public function editarDisciplina($id){ //var_dump($id); $user = Disciplina::findOrFail($id); //dd($user); return view('auth/editar-disciplina')->with(['user' => $user]); } /////// RECEBE O ID DO PROFESSORE VALIDA OS DADOS E ATUALIZA public function alterar(Request $request, $id){ $data = $request->all(); $dados = Validator::make($data, [ 'nome' => ['required', 'string', 'max:255'], 'local_permanencia' => ['required', 'string', 'max:80'], 'horario_permanencia' => ['required', 'string', 'max:60'], 'email' => ['required', 'string', 'max:255', 'unique:users'], 'password' => ['required', 'string', 'min:8', 'confirmed'], ]); $user = User::findOrFail($id); $user->update([ 'nome' => $data['nome'], 'local_permanencia' => $data['local_permanencia'], 'horario_permanencia' => $data['horario_permanencia'], 'email' => $data['email'], 'password' => <PASSWORD>($data['<PASSWORD>']), ]); if($user){ return redirect("admin/todos")->with("mensagem", "Cadastro alterado com sucesso"); } else { return back()->with("erromsg", "Erro ao alterar cadastro "); } } public function alterarDisc(Request $request, $id){ $data = $request->all(); $dados = Validator::make($data, [ 'nome_disciplina' => ['required', 'string', 'max:255'], 'horario' => ['required', 'string', 'max:60'], 'sala' => ['required', 'string', 'max:255'], ]); $user = Disciplina::findOrFail($id); $user->update([ 'nome_disciplina' => $data['nome_disciplina'], 'horario' => $data['horario'], 'sala' => $data['sala'], ]); if($user){ return redirect("admin/disciplina/lista")->with("mensagem", "Disciplina alterada com sucesso"); } else { return back()->with("erromsg", "Erro ao alterar disciplina "); } } public function excluir(Request $request, $id){ $user = User::findOrFail($id); $user->delete(); return redirect("admin/todos")->with("mensagem", "Cadastro excluído com sucesso"); } public function excluirDisc(Request $request, $id){ $user = Disciplina::findOrFail($id); $user->delete(); return redirect("admin/disciplina/lista")->with("mensagem", "Disciplina excluída com sucesso"); } public function pegarDados(){ $dados = DB::table('dados') ->select('modalidade', 'curso', 'turma') ->get(); $qtdMecanica = DB::table('dados') ->select('curso') ->where('curso', 'LIKE', "Mecânica") ->count(); $qtdEletro = DB::table('dados') ->select('curso') ->where('curso', 'LIKE', "Eletrotécnica") ->count(); $qtdInfo = DB::table('dados') ->select('curso') ->where('curso', 'LIKE', "Informática") ->count(); $qtdSis = DB::table('dados') ->select('curso') ->where('curso', 'LIKE', "Sistemas para Intern") ->count(); return view('dados', ['dados' => $dados, 'qtdMecanica' => $qtdMecanica, 'qtdEletro' => $qtdEletro, 'qtdSis' => $qtdSis, 'qtdInfo' => $qtdInfo]); } } <file_sep><!doctype html> <html lang="{{ str_replace('_', '-', app()->getLocale()) }}"> <head> <meta charset="utf-8"> <meta name="viewport" content="width=device-width, initial-scale=1"> <title>eSala</title> <link rel="manifest" href="manifest.json/"> <link rel="stylesheet" href="https://stackpath.bootstrapcdn.com/bootstrap/4.3.1/css/bootstrap.min.css" integrity="<KEY>" crossorigin="anonymous"> <!-- Fonts --> <script src="https://ajax.googleapis.com/ajax/libs/jquery/3.4.1/jquery.min.js" async></script> <link href="https://fonts.googleapis.com/css?family=Nunito:200,600" rel="stylesheet"> <script src="https://cdnjs.cloudflare.com/ajax/libs/popper.js/1.14.3/umd/popper.min.js"async></script> <link rel="stylesheet" href="https://stackpath.bootstrapcdn.com/bootstrap/4.1.3/css/bootstrap.min.css"> <script src="https://stackpath.bootstrapcdn.com/bootstrap/4.1.3/js/bootstrap.min.js"async></script> <style type="text/css"> .box{ width: 600px; margin:0 auto; border: 1px solid #ccc; border-radius: 10px; line-height: 24px; box-shadow: 5px 3px 2px; margin-top: 100px; background-color: #ccffcc; text-shadow:1px; } .estilos{ font-family: cursive; } .btn-outline-success{ margin-left: 250px; margin-bottom: 10px; } body{ background-color:#e6ffe6; } .roda{ background-color: lightgreen; width:100%; margin-top: 50px; padding: 14px; font: sans-serif; font-size: 1em; text-align: center; grid-row: 5; } a:hover{ opacity: 50px; background-color: lightgrey; } .opt a:hover{ background-color: green; } .center{ font-family: nunito; } /*.bto{ float: right; margin-top: 15px; margin-right: 9px; } */ </style> </head> <body> <!-- <a href="{{url('/logados')}}" class="bto btn btn-secondary" align="right">Voltar</a>--> <br /> <div class="center" align="center"><h3><b>Selecione os dados sobre seu curso</b></h3></div> <form method="POST" action="{{ url('/pesquisa/salvar') }}"> <div class="estilos"> <div class="container box"> <h3 align="center">Modalidade</h3> <br /> <div class="form-group"> <select name="modalidade" id="modalidade"class="form-control input-lg dynamic"data-dependent="curso" required autofocus> <option value="">Modalidade</option> @foreach($lista as $modalidade) <option value="{{$modalidade->modalidade}}"> {{$modalidade->modalidade}} </option> @endforeach </select> </div> <br /> <div class="form-group"> <h3 align="center">Curso</h3><br /> <select name="curso" id="curso"class="form-control input-lg dynamic" data-dependent="turma" required autofocus> <option value="">Curso</option> @foreach($lista as $curso) <option value="{{$curso->curso}}"> {{$curso->curso}} </option> @endforeach </select> </div> <br /> <div class="form-group"> <h3 align="center">Turma</h3><br /> <select name="turma" id="turma"class="form-control input-lg" required autofocus> <option value="">Turma</option> @foreach($lista as $turma) <option value="{{$turma->turma}}"> {{$turma->turma}} </option> @endforeach </select> </div> <div align="center" class="form-group"> <button type="submit" class="btn btn-outline-primary"> {{ __('Enviar') }} </button> </div> <!-- <a href="" class="btn btn-outline-success">Enviar</a> --> {{ csrf_field() }} </div> </div> </form> <br /> <!-- <footer> <div class="roda"> <a href=""></a> </div> </footer> --> </body> </html> <script async> $(document).ready(function(){ $('.dynamic').change(function(){ if ($(this).val() !=''){ var select = $(this).attr('id'); var value = $(this).val(); var dependent = $(this).data('dependent'); var _token = $('input[name="_token"]').val(); $.ajax({ url:"{{route('pesquisa.fetch')}}", method:"POST", data:{select:select, value:value, _token:_token, dependent:dependent}, success:function(result){ $('#'+dependent).html(result); } }) } }); $('#modalidade').change(function(){ $('#curso').val(''); $('#turma').val(''); }); $('#curso').change(function(){ $('#turma').val(''); }); }); </script> <file_sep><?php namespace App\Http\Controllers\Auth; use App\Admin; use Illuminate\Http\Request; use App\Http\Controllers\Controller; use Auth; use Illuminate\Foundation\Auth\AuthenticatesUsers; use App\Exceptions\Listener\UserEventSubscriber; class AdminLoginController extends Controller { // use AuthenticatesUsers; //protected $redirectTo = '/guard'; public function __construct(){ //mudei aqui v $this->middleware('guest'); } public function mostrarLoginForm(){ return view('auth.admin-login'); } public function logar(Request $request){ $this->validate($request, [ 'email' =>'required|email', 'password' => '<PASSWORD>' ]); if (Auth::guard('admin')->attempt(['email' =>$request->email, 'password'=>$request->password],$request->remember)) { return redirect()->intended(route('admin.dashboard')); } return redirect()->back()->withInput($request->only('email', 'remember')); } public function logout(){ // Auth::guard('admin')->logout(); $this->middleware('auth:admin')->logout(); // auth()->user()->logout(); return redirect()->intended('/'); } protected function guard(){ return Auth::guard('admin'); } } <file_sep>// self.addEventListener('install', function(event) { // // Perform install steps // }); var CACHE_NAME = 'esala-v1'; var urlsToCache = [ '/', '/welcome/', '/app/', '/logados/', 'app.css/', 'app.js/', 'lista/professores/', 'styles/main.css/', 'script/main.js/' ]; self.addEventListener('install', function(event) { // Perform install steps event.waitUntil( caches.open(CACHE_NAME) .then(function(cache) { console.log('Opened cache'); return cache.addAll(urlsToCache); }) ); });<file_sep><?php namespace App\Http\Controllers; use Illuminate\Http\Request; use App\Charts\Grafico; use DB; class GraficoController extends Controller { public function index(){ $dados = DB::table('dados') ->select('modalidade', 'curso', 'turma') ->get(); $qtdMecanica = DB::table('dados') ->select('curso') ->where('curso', 'LIKE', "Mecânica") ->count(); $qtdEletro = DB::table('dados') ->select('curso') ->where('curso', 'LIKE', "Eletrotécnica") ->count(); $qtdInfo = DB::table('dados') ->select('curso') ->where('curso', 'LIKE', "Informática") ->count(); $qtdSis = DB::table('dados') ->select('curso') ->where('curso', 'LIKE', "Sistemas para Intern") ->count(); return view('dados', ['dados' => $dados, 'qtdMecanica' => $qtdMecanica, 'qtdEletro' => $qtdEletro, 'qtdSis' => $qtdSis, 'qtdInfo' => $qtdInfo]); } //$grafico = new Grafico; public function contaCurso(){ $qtdMecanica = DB::table('dados') ->select('curso') ->where('curso', 'LIKE', "Mecânica") ->count(); return view('contar', ['qtdMecanica' => $qtdMecanica]); } } <file_sep><!DOCTYPE html> <html> <head> <title>eSALA</title> </head> <body> <a href="{{url('/admin')}}" class="btn btn-secondary" align="right">Voltar</a> </body> </html> <style> .btn{ float: right; margin-top: 15px; margin-right: 9px; } </style> <script src="https://cdn.jsdelivr.net/npm/chart.js@2.8.0"></script> <link rel="stylesheet" href="https://stackpath.bootstrapcdn.com/bootstrap/4.1.0/css/bootstrap.min.css" integrity="<KEY>" crossorigin="anonymous"> <canvas id="myChart"></canvas> <script> var ctx = document.getElementById('myChart').getContext('2d'); var chart = new Chart(ctx, { // The type of chart we want to create type: 'bar', // The data for our dataset data: { labels: ['Fevereiro', 'Março', 'Abril', 'Maio', 'Junho', 'Julho', 'Agosto','Setembro','Outubro','Novembro','Dezembro'], datasets: [{ label: 'Mecanica', backgroundColor: 'blue', borderColor: 'rgb(255, 99, 132)', data: [0,0,0,0,0,{{$qtdMecanica}},0,0,0,0,0] }, { label: 'Informática', backgroundColor: 'green', borderColor: 'rgb(0, 255, 255)', data: [0,0,0,0,0,{{$qtdInfo}},0,0,0,0,0] }, { label: 'Eletrotécnica', backgroundColor: 'orange', borderColor: 'rgb(0, 204, 0)', data: [0,0,0,0,0,{{$qtdEletro}},0,0,0,0,0] }, { label: 'Sistemas para Internet', backgroundColor: 'red', borderColor: 'rgb(60, 59, 10)', data: [0,0,0,0,0,{{$qtdSis}},0,0,0,0,0] }] }, // Configuration options go here options: {} }); </script><file_sep><?php namespace App; use Illuminate\Notifications\Notifiable; use Illuminate\Contracts\Auth\MustVerifyEmail; use Illuminate\Foundation\Auth\User as Authenticatable; use App\Model\Access; use App\Exceptions\Listener\UserEventSubscriber; class User extends Authenticatable { use Notifiable; /** * The attributes that are mass assignable. * * @var array */ protected $fillable = [ 'nome','local_permanencia', 'horario_permanencia','email', 'password', ]; /** * The attributes that should be hidden for arrays. * * @var array */ protected $hidden = [ 'password', 'remember_token', ]; /** * The attributes that should be cast to native types. * * @var array */ protected $casts = [ 'email_verified_at' => 'datetime', ]; public function accesses(){ return $this->hasMany(Access::class); } public function registerAccess(){ return $this->accesses()->create([ 'user_id' => $this->id, 'datetime' => date('YmdHis'), ]); } public function clearAccess(){ return $this->accesses()->delete(); //DELETE FROM `accesses` WHERE `accesses`.`id` = 1 } public function disciplina(){ return $this->hasMany(Disciplina::class); } } <file_sep>@extends('layouts.app') <div class="card-header"><strong>Seus Atendimentos Registrados</strong> </div> <div class="card-body" align="right"> <a href="{{ url('/lista/download')}}" class="btn btn-outline-danger">PDF</a> <div class="panel-body"> <table class="table"> <tr> <th>Professor</th> <th>Data</th> <th>Início</th> <th>Término</th> <th>Aluno</th> <th>Curso</th> </tr> <tbody> @foreach($atendimentos as $user) <tr> <td>{{ $user->professor }}</td> <td>{{ $user->data }}</td> <td>{{ $user->inicio }}</td> <td>{{ $user->termino}}</td> <td>{{ $user->aluno}}</td> <td>{{ $user->curso}}</td> </tr> @endforeach </tbody> </table> </div> </div> </div> <file_sep><style> .centro{ align-items: center; margin-left: 230px; } </style> @extends('layouts.app') @section('content') <div class="container"> <div class="row justify-content-center"> <div class="col-md-8"> <div class="card"> <div class="card-header"><strong>Cadastrar Disciplina</strong></div> <div class="card-body"> <form method="POST" action="{{ url('/admin/disciplina/salvar') }}"> @csrf <div class="form-group row"> <label for="user" class="col-md-4 col-form-label text-md-right">{{ __('Professor') }}</label> <div class="col-md-6" > <select name="id"id="id"class="col-md-10 form-control "required autofocus> <option value="">Professor/Id</option> @foreach($professores as $nome) <option value="{{$nome->id}}"> {{$nome->nome}} {{$nome->id}} </option> <!-- <input type="hidden" name="id" id="id" value="{{$nome->id}}"> --> @endforeach </select> </div> </div> <div class="form-group row"> <label for="user_id" class="col-md-4 col-form-label text-md-right">{{ __('Id Professor') }}</label> <div class="col-md-6" > <select name="user_id"id="user_id"class="col-md-4 form-control "required autofocus> <option value="">Id</option> @foreach($professores as $nome) <option value="{{$nome->id}}"> {{$nome->id}} </option> <!-- <input type="hidden" name="id" id="id" value="{{$nome->id}}"> --> @endforeach </select> </div> <!-- <div class="col-md-6"> <input id="user_id" type="text" class="form-control{{ $errors->has('user_id') ? ' is-invalid' : '' }}" name="user_id" value="{{ old('user_id') }}" required autofocus> @if ($errors->has('user_id')) <span class="invalid-feedback" role="alert"> <strong>{{ $errors->first('user_id') }}</strong> </span> @endif </div> --> </div> <div class="form-group row"> <label for="nome_disciplina" class="col-md-4 col-form-label text-md-right">{{ __('Disciplina') }}</label> <div class="col-md-6"> <input id="nome_disciplina" type="text" class="form-control{{ $errors->has('nome_disciplina') ? ' is-invalid' : '' }}" name="nome_disciplina" value="{{ old('nome_disciplina') }}" required autofocus> @if ($errors->has('nome_disciplina')) <span class="invalid-feedback" role="alert"> <strong>{{ $errors->first('nome_disciplina') }}</strong> </span> @endif </div> </div> <div class="form-group row"> <label for="horario" class="col-md-4 col-form-label text-md-right">{{ __('Horario') }}</label> <div class="col-md-6"> <input id="horario" type="text" class="form-control{{ $errors->has('horario') ? ' is-invalid' : '' }}" name="horario" value="{{ old('horario') }}" required autofocus> @if ($errors->has('horario')) <span class="invalid-feedback" role="alert"> <strong>{{ $errors->first('horario') }}</strong> </span> @endif </div> </div> <div class="form-group row"> <label for="sala" class="col-md-4 col-form-label text-md-right">{{ __('Sala') }}</label> <div class="col-md-6"> <input id="sala" type="text" class="form-control{{ $errors->has('sala') ? ' is-invalid' : '' }}" name="sala" value="{{ old('sala') }}" required> @if ($errors->has('sala')) <span class="invalid-feedback" role="alert"> <strong>{{ $errors->first('sala') }}</strong> </span> @endif </div> </div> <div class="form-group row mb-0"> <div class="col-md-6 offset-md-4"> <button type="submit" class="btn btn-outline-primary"> {{ __('Cadastrar') }} </button> </div> </div> </form> </div> </div> </div> </div> </div> @endsection <file_sep>@extends('layouts.app') <div class="card-header"><strong>Todos professores cadastrados</strong> </div> <div class="card-body" align="right"> <a href="{{ url('download')}}" class="btn btn-outline-danger">PDF</a> <div class="panel-body"> <table class="table"> <tr> <th>Professor </th> <th>Local da Permanência</th> <th>Horário da Permanência</th> <th>Disciplina </th> <th>Horário Disciplina</th> <th>Sala</th> <th>email </th> </tr> <tbody> @foreach($professores as $user) <tr> <td>{{ $user->nome }}</td> <td>{{ $user->local_permanencia}}</td> <td>{{ $user->horario_permanencia}}</td> <td>{{ $user->nome_disciplina }}</td> <td>{{ $user->horario}}</td> <td>{{ $user->sala}}</td> <td>{{ $user->email }}</td> </tr> @endforeach </tbody> </table> </div> </div> </div> <file_sep><?php namespace App\Http\Controllers; use Illuminate\Http\Request; use App\User; use DB; use PDF; use Dado; use Disciplina; class ProfessoresController extends Controller { public function index(){ $professores = DB::table('users') ->join('disciplinas', 'users.id', '=', 'user_id') ->select('nome', 'horario_permanencia','nome_disciplina','horario','sala','email') ->orderBy('nome', 'asc') ->get(); return view('professores', ['professores' => $professores]); } public function pdf() { $professores = DB::table('users') ->join('disciplinas', 'users.id', '=', 'user_id') ->select('nome','local_permanencia', 'horario_permanencia','nome_disciplina','horario','sala','email') ->orderBy('nome', 'asc') ->get(); $pdf = PDF::loadView('professores',['professores'=> $professores])->setPaper('a4', 'landscape'); return $pdf->download(); } public function listaProfessores(){ $professores = DB::table('users') ->select('nome', 'local_permanencia', 'horario_permanencia', 'email') ->orderBy('nome','asc') ->get(); return view('listaProfessores' , ['professores' => $professores]); //return printf("format"); } public function professoresDisciplinas(){ $professores = DB::table('users') ->join('disciplinas', 'users.id', '=', 'user_id') ->select('nome', 'local_permanencia', 'horario_permanencia','nome_disciplina','horario','sala','email') ->orderBy('nome', 'asc') ->get(); return view('professores', ['professores' => $professores]); } /* public function df(){ $pdf = \App::make('dompdf.wrapper'); $pdf->loadHTML($this->convert_dados_to_html()); $pdf->stream(); } public function convert_dados_to_html(){ $dados = $this->get_dados(); $output = ' <h3 align="center">Professores Cadastrados</h3> <table width="100%" style="border-collapse:collapse; border: 0px;"> <tr> <th style="border: 1px solid; padding:12px;" width="20%">Nome</th> <th style="border: 1px solid; padding:12px;" width="20%">Disciplina</th> <th style="border: 1px solid; padding:12px;" width="15%">Horario</th> <th style="border: 1px solid; padding:12px;" width="30%">Sala</th> <th style="border: 1px solid; padding:12px;" width="30%">Permanencia</th> <th style="border: 1px solid; padding:12px;" width="20%">Email</th> </tr> '; foreach ($dados as $dado) { $output.=' <tr> <td style="border: 1px solid; padding:12px;">'.$dado->nome.'</td> <td style="border: 1px solid; padding:12px;">'.$dado->nome_disciplina.'</td> <td style="border: 1px solid; padding:12px;">'.$dado->horario.'</td> <td style="border: 1px solid; padding:12px;">'.$dado->sala.'</td> <td style="border: 1px solid; padding:12px;">'.$dado->horario_permanencia.'</td> <td style="border: 1px solid; padding:12px;">'.$dado->email.'</td> </tr> '; } $output .='</table>'; return $output; } */ }<file_sep><!doctype html> <html lang="{{ str_replace('_', '-', app()->getLocale()) }}"> <head> <link rel="manifest" href="manifest.json/"> <meta name="theme-color" content="#279827"/> <meta charset="utf-8"> <meta name="viewport" content="width=device-width, initial-scale=1"> <title>eSala</title> <!-- Fonts --> <link href="https://fonts.googleapis.com/css?family=Nunito:200,600" rel="stylesheet"> <!-- Styles --> <style> html, body{ background-color: #fff; color: #636b6f; font-family: 'Nunito', sans-serif; font-weight: 200; height: 100vh; margin: 0.5em; } .full-height { height: 50vh; box-shadow: 10px 2px 10px 2px green; } .flex-center { align-items: center; display: flex; justify-content: center; } /* .position-ref { // position: relative; } */ .top-right { position: absolute; right: 10px; top: 35px; } .logo{ margin-left:40px; margin-top: 10px; } .content { text-align: center; margin-top: 0.1em; } .title { font-size: 110px; color: green; margin-top: 0.1em; } .links > a { color: #636b6f; padding: 0 25px; font-size: 20px; font-weight: 600; letter-spacing: .1rem; text-decoration: none; text-transform: uppercase; column-span: 20em; }.e{ color: red; display: inline; } .sala{ color:green; display: inline; } .m-b-md { margin-bottom: 30px; } .color:hover { background:#e6ffe6; } .grow:hover { -webkit-transform: scale(1.3); -ms-transform: scale(1.3); transform: scale(1.3); } </style> </head> <body> @if (session('mensagem')) <div class="alert alert-success" role="alert"> {{ session('mensagem') }} </div> @endif <div class="logo"> <a href="http://www.ifms.edu.br/site"><img height="100px" src="imagens\ifms.png"alt="120px"> </a> <div class="flex-center position-ref full-height"> @if (Route::has('login')) <div class="top-right links"> @auth <a href="{{ url('/home') }}">Home</a> @else (Route::has('register')) <a href="{{ route('login') }}"><img height="73px"src="imagens\professor.png"alt="60px"></a> <a href="{{ url('admin/logar') }}"><img height="65px"src="imagens\admin.png"alt="50px"></a> @endauth @if (Route::has('professores')) <a href="{{ route('logados') }}">Entre</a> @endif @endif </div> <div class="content"> <div class="title m-b-md"> <p class="e">e</p><p class="sala">SALA</p> </div> <div class="links color grow"> <a href="{{ url('/logados') }}">Ver Professores Logados</a> </div> </div> </div> </div> </body> </html> <script > if ('serviceWorker' in navigator) { navigator.serviceWorker.register('sw.js') .then(reg => console.info('registered sw', reg)) .catch(err => console.error('error registering sw', err)); } </script><file_sep> <!doctype html> <html lang="{{ str_replace('_', '-', app()->getLocale()) }}"> <head> <meta charset="utf-8"> <meta name="viewport" content="width=device-width, initial-scale=1"> <title>eSala</title> <link rel="manifest" href="manifest.json/"> <link rel="stylesheet" href="https://stackpath.bootstrapcdn.com/bootstrap/4.3.1/css/bootstrap.min.css" integrity="<KEY>" crossorigin="anonymous"> <!-- Fonts --> <script src="https://ajax.googleapis.com/ajax/libs/jquery/3.4.1/jquery.min.js"></script> <link href="https://fonts.googleapis.com/css?family=Nunito:200,600" rel="stylesheet"> <script src="https://cdnjs.cloudflare.com/ajax/libs/popper.js/1.14.3/umd/popper.min.js"></script> <link rel="stylesheet" href="https://stackpath.bootstrapcdn.com/bootstrap/4.1.3/css/bootstrap.min.css"> <script src="https://stackpath.bootstrapcdn.com/bootstrap/4.1.3/js/bootstrap.min.js"></script> <link rel="stylesheet" href="//code.jquery.com/ui/1.12.1/themes/base/jquery-ui.css"> <!-- <link rel="stylesheet" href="/resources/demos/style.css"> --> <script src="https://code.jquery.com/jquery-1.12.4.js"></script> <script src="https://code.jquery.com/ui/1.12.1/jquery-ui.js"></script> <style type="text/css"> .box{ width: 600px; margin:0 auto; border: 1px solid #ccc; border-radius: 10px; line-height: 24px; box-shadow: 5px 3px 2px; margin-top: 100px; background-color: #ccffcc; text-shadow:1px; } .estilos{ font-family: cursive; } .btn-outline-success{ margin-left: 250px; margin-bottom: 10px; } body{ background-color:#e6ffe6; } .roda{ background-color: lightgreen; width:100%; margin-top: 50px; padding: 14px; font: sans-serif; font-size: 1em; text-align: center; grid-row: 5; } /*.ter , .ini{ width:90px; }*/ #id{ float: right; } a:hover{ opacity: 50px; background-color: lightgrey; } .opt a:hover{ background-color: green; } .titulo{ font-family: cursive; text-shadow: 2px; } h2{ font-family: nunito; } </style> </head> <body><br><p class="titulo"> <h2 align="center">Registre seu atendimento na permanência</h2> </p> <form method="POST" action="{{ url('/atendimento/salvar') }}"> <div class="estilos"> <div class="container box"> <h3 align="center">Professor</h3> <br /> <div class="form-group"> <select name="nome" id="nome"class="form-control input-lg dynamic"data-dependent="id" required autofocus> <option value="">Nome</option> @foreach($lista as $nome) <option value="{{$nome->nome}}"> {{$nome->nome}} {{$nome->id}} </option> @endforeach </select> <br> <!-- </div> <div class="form-group"> <input type="hidden" name="id" id="id" class="form-control dynamic" value=""> </div> --> <div class="form-group"> <select name="user_id" id="id"class="col-sm-2 form-control dynamic"> <option value=""></option> @foreach($lista as $id) <option value="{{$id->id}}"> {{$id->id}} </option> @endforeach </select> </div> <br> <div class="form-group"> <h3 align="center">Data</h3><br> <input name="data" type="date" placeholder="Selecione o dia do atendimento" id="data" class="form-control" required autofocus> </div> <div class="form-group"> <h3 align="center">Início</h3><br> <input name="inicio" type="time" id="inicio" class="form-control" required autofocus> </div> <div class="form-group"> <h3 align="center">Término</h3><br/> <input name="termino"type="time" id="termino" class="form-control" required autofocus> </div> <div class="form-group"> <h3 align="center">Aluno</h3><br/> <input name="aluno" type="text" id="aluno" placeholder="Seu nome"class="form-control"required autofocus> <h3 align="center">Curso</h3> <br /> <div class="form-group"> <select name="curso" id="curso"class="form-control input-lg dynamic"data-dependent="horario_permanencia" required autofocus> <option value="">Curso</option> @foreach($cursos as $curso) <option value="{{$curso->curso}}"> {{$curso->curso}} </option> @endforeach </select> </div> <div align="center" class="form-group"> <button type="submit" class="btn btn-outline-primary"> {{ __('Enviar') }} </button> </div> <!-- <a href="" class="btn btn-outline-success">Enviar</a> --> {{ csrf_field() }} </div> </div> </form> <!-- <footer> <div class="roda"> <a href=""></a> </div> </footer> --> </body> </html> <script> $(document).ready(function(){ $('.dynamic').change(function(){ if ($(this).val() !=''){ var select = $(this).attr('id'); var value = $(this).val(); var dependent = $(this).data('dependent'); var _token = $('input[name="_token"]').val(); $.ajax({ url:"{{route('atendimento.fetch')}}", method:"POST", data:{select:select, value:value, _token:_token, dependent:dependent}, success:function(result){ $('#'+dependent).html(result); } }) } }); $('#nome').change(function(){ $('#id').val(''); }); $('#nome').change(function(){ $('#id').val(''); }); }); // $(function(){ // $.datepicker.regional['pt-BR'] = { // closeText: 'Fechar', // prevText: '&#x3c;Anterior', // nextText: 'Pr&oacute;ximo&#x3e;', // currentText: 'Hoje', // monthNames: ['Janeiro','Fevereiro','Mar&ccedil;o','Abril','Maio','Junho', // 'Julho','Agosto','Setembro','Outubro','Novembro','Dezembro'], // monthNamesShort: ['Jan','Fev','Mar','Abr','Mai','Jun', // 'Jul','Ago','Set','Out','Nov','Dez'], // dayNames: ['Domingo','Segunda-feira','Ter&ccedil;a-feira','Quarta-feira','Quinta-feira','Sexta-feira','Sabado'], // dayNamesShort: ['Dom','Seg','Ter','Qua','Qui','Sex','Sab'], // dayNamesMin: ['Dom','Seg','Ter','Qua','Qui','Sex','Sab'], // weekHeader: 'Sm', // dateFormat: 'dd/mm/yy', // firstDay: 0, // isRTL: false, // showMonthAfterYear: false, // yearSuffix: ''}; // $.datepicker.setDefaults($.datepicker.regional['pt-BR']); // }); // $(function() { // //$.datepicker.regional[ "pt-BR" ] ); // //$( "#datepicker" ).datepicker( $.datepicker.regional[ "pt-BR" ]); // $("#data").datepicker({dateFormat:'dd-mm-yy'}); // }); </script> <file_sep><?php namespace App\Listeners; use Auth; use Illuminate\Database\Eloquent\Model; use App\User; use App\Admin; use App\Model\Access; use Illuminate\Foundation\Auth\User as Authenticatable; class UserEventSubscriber extends Model { public function onUserLogin($event){ $user = auth()->user(); if ($user) { auth()->user()->registerAccess(); }else { return null; } // auth()->admin()->registerAccess(); /* if (auth()->guard('admin')) { return view('admin'); } elseif (auth()->guard('web')) { auth()->user()->registerAccess(); } */ } /** * Handle user logout events. */ public function onUserLogout($event){ $user = auth()->user(); if ($user) { auth()->user()->clearAccess(); }else { return null; } } /* if (auth()->guard('admin')) { return view('home'); } elseif (auth()->guard('web')) { auth()->user()->clearAccess(); } */ /** * Register the listeners for the subscriber. * * @param Illuminate\Events\Dispatcher $events */ public function subscribe($events) { $events->listen( 'Illuminate\Auth\Events\Login', 'App\Listeners\UserEventSubscriber@onUserLogin' ); $events->listen( 'Illuminate\Auth\Events\Logout', 'App\Listeners\UserEventSubscriber@onUserLogout' ); } } <file_sep><?php namespace App\Http\Controllers; use Illuminate\Http\Request; use App\User; use PDF; use App\Atendimento; use DB; class HomeController extends Controller { /** * Create a new controller instance. * * @return void */ public function __construct() { $this->middleware('auth'); } /** * Show the application dashboard. * * @return \Illuminate\Contracts\Support\Renderable */ public function index() { $user = auth()->user(); return view('home' , ['user' => $user]); } public function atendimento(){ $usuarioLogado = auth()->user(); $usuarioId = $usuarioLogado->id; $atendimentos = DB::table('atendimentos') ->select('data', 'inicio', 'termino','aluno','curso') ->where('user_id','=', $usuarioId) ->get(); return view('lista-atendimentos', ['atendimentos' => $atendimentos]); } public function pegarProfessores(){ $userio = auth()->user(); $user = $userios->id; return view('home' , ['user' => $user]); } public function pdf() { $usuarioLogado = auth()->user(); $usuarioId = $usuarioLogado->id; $atendimentos = DB::table('atendimentos') ->select('data', 'inicio', 'termino','aluno','curso') ->where('user_id','=', $usuarioId) ->get(); $pdf = PDF::loadView('lista-atendimentos',['atendimentos'=> $atendimentos])->setPaper('a4', 'landscape'); return $pdf->download(); } } <file_sep>@extends('layouts.app') @section('content') <div class="container"> <div class="row justify-content-center"> <div class="col-md-8"> <div class="card"> <div class="card-header"><strong>Editar Disciplina</strong></div> <div class="card-body"> <form method="POST" action="{{ url('admin/alterar/disciplina',$user->id) }}"> <input name="id"type="hidden"value="{{$user->id}}"> @csrf <div class="form-group row"> <label for="nome_disciplina" class="col-md-4 col-form-label text-md-right">{{ __('Disciplina') }}</label> <div class="col-md-6"> <input id="nome_disciplina" type="text" class="form-control{{ $errors->has('name') ? ' is-invalid' : '' }}" name="nome_disciplina" value="{{ $user->nome_disciplina }}" required autofocus> @if ($errors->has('nome_disciplina')) <span class="invalid-feedback" role="alert"> <strong>{{ $errors->first('nome') }}</strong> </span> @endif </div> </div> <div class="form-group row"> <label for="horario" class="col-md-4 col-form-label text-md-right">{{ __('Horario') }}</label> <div class="col-md-6"> <input id="horario" type="text" class="form-control{{ $errors->has('name') ? ' is-invalid' : '' }}" name="horario" value="{{ $user->horario }}" required autofocus> @if ($errors->has('horario')) <span class="invalid-feedback" role="alert"> <strong>{{ $errors->first('horario') }}</strong> </span> @endif </div> </div> <div class="form-group row"> <label for="sala" class="col-md-4 col-form-label text-md-right">{{ __('Sala') }}</label> <div class="col-md-6"> <input id="sala" type="text" class="form-control{{ $errors->has('name') ? ' is-invalid' : '' }}" name="sala" value="{{ $user->sala }}" required> @if ($errors->has('sala')) <span class="invalid-feedback" role="alert"> <strong>{{ $errors->first('sala') }}</strong> </span> @endif </div> </div> <!-- <div class="form-group row mb-0"> --> <div class="col-md-6 offset-md-4"> <button type="submit"><strong>Alterar</strong></button> </div> <!-- </div> --> </div> </div> </form> </div> </div> </div> </div> </div> @endsection <file_sep><?php /* |-------------------------------------------------------------------------- | Web Routes |-------------------------------------------------------------------------- | | Here is where you can register web routes for your application. These | routes are loaded by the RouteServiceProvider within a group which | contains the "web" middleware group. Now create something great! | */ Route::get('/', function () { return view('welcome'); }); Route::get('/professores', function () { return view('professores'); }); Route::get('/logados', function () { return view('logados'); }); // Route::get('/pesquisa', function () { // return view('pesquisa'); // }); Route::get('/nova/disciplina', function () { return view('disciplinas'); }); // Route::get('/disciplina/lista', function(){ // return view('lista-disciplina'); // }); Route::get('/professores/disciplinas', function(){ return view('professores'); }); //Route::get('/login', 'Auth\LoginController@pegausuario'); Auth::routes(); Route::get('/home', 'HomeController@index')->name('home'); Route::get('/lista/atendimento', 'HomeController@atendimento')->name('lista.atendimento'); //Route::get('/home', 'HomeController@pegarProfessores'); //Route::get('/login', 'Auth\LoginController@showLoginForm')->name('login'); Route::post('/logout', 'Auth\LoginController@logout')->name('logout'); //---------------------------------------------------------------------------------------- //Route::group(['namespace' => 'Admin', 'prefix' => 'admin'], function() //require 'auth/admin.php'; Route::prefix('admin')->group(function(){ Auth::routes(); Route::get('/logar', 'Auth\AdminLoginController@mostrarLoginForm')->name('admin.login'); Route::post('/logar', 'Auth\AdminLoginController@logar')->name('admin.login.submit'); //if (Auth::guest()) return Redirect::guest('admin.login'); Route::middleware(['auth:admin'])->group(function () { Route::get('/', 'AdminController@index')->name('admin.dashboard'); Route::get('/logout', 'Auth\AdminLoginController@logout')->name('admin.logout'); Route::get('/todos', 'AdminController@pegarProfessores'); Route::get('/disciplina/lista', 'AdminController@listarDisciplina'); Route::get('/nova/disciplina', 'AdminController@cadastrarDisciplina')->name('nova-disciplina'); Route::get('/nova/disciplina', 'AdminController@nomeId')->name('nova-disciplina'); Route::post('/disciplina/salvar', 'AdminController@store'); Route::get('/novo/professor', 'AdminController@cadastrarProfessor'); Route::post('/professor/salvar', 'AdminController@storeProf'); Route::post('/alterar/{id}', 'AdminController@alterar'); Route::post('/alterar/disciplina/{id}', 'AdminController@alterarDisc'); Route::get('admin/professor/{id}/editar', 'AdminController@editar'); Route::get('admin/professor/{id}/excluir', 'AdminController@excluir'); Route::get('/disciplina/admin/disciplina/{id}/excluir', 'AdminController@excluirDisc'); Route::get('/disciplina/admin/disciplina/{id}/editar', 'AdminController@editarDisciplina'); Route::post('/disciplina/salvar', 'AdminController@storeDisc'); Route::get('/dados','GraficoController@index')->name('dados'); }); }); //Route::get('login', 'Auth\LoginController@showLoginForm'); //----------------------------------------------------------------------------------------- //Router::get('/professores', 'ProfessoresController@indexo'); Route::get('/download', 'ProfessoresController@pdf'); Route::get('/lista/professores', 'ProfessoresController@listaProfessores'); Route::get('/professores/disciplinas', 'ProfessoresController@professoresDisciplinas'); Route::get('/professores', 'ProfessoresController@index'); Route::get('/logados', 'LogadosController@index'); //Route::get('/disciplina/lista', 'Auth\DisciplinaController@listarDisciplina'); Route::get('/pesquisa', 'PesquisaController@index'); Route::post('/pesquisa/fetch', 'PesquisaController@fetch')->name('pesquisa.fetch'); Route::post('/pesquisa/salvar', 'PesquisaController@salvar')->name('pesquisa.salvar'); Route::get('/atendimento', 'AtendimentoController@index'); Route::post('/atendimento/fetch', 'AtendimentoController@fetch')->name('atendimento.fetch'); Route::post('/atendimento/salvar', 'AtendimentoController@salvar')->name('atendimento.salvar'); Route::post('/vai', 'AtendimentoController@mostra'); Route::get('/contar','GraficoController@contaCurso'); Auth::routes(); Route::get('/home', 'HomeController@index')->name('home'); //Route::post('disciplina', "Auth\DisciplinaController@store") Route::get('/lista/download', 'HomeController@pdf'); <file_sep><?php namespace App\Http\Controllers; use Illuminate\Http\Request; use DB; use App\Dado; use App\User; use App\Atendimento; use Illuminate\Foundation\Auth\RegistersUsers; use App\Pesquisa; class AtendimentoController extends Controller { function index(){ $lista = DB::table('users') ->groupBy('nome') ->get(); $cursos = DB::table('pesquisas') ->groupBy('curso') ->get(); // $modalidades = $lista->modalidade; // $cursos = $lista->curso; // $turmas = $lista->turma; return view('atendimento' , ['lista' => $lista, 'cursos' => $cursos]); } function fetch(Request $request){ $select = $request->get('select'); //$input = $request->get('input'); $value = $request->get('value'); $dependent = $request->get('dependent'); $data = DB::table('users')->where($select, $value)->groupBy($dependent)->get(); $output = '<option value="">Selecione '.ucfirst($dependent).'</option>'; foreach ($data as $row) { $output .= '<option value="'.$row->$dependent.'">'.$row->$dependent.'</option>'; } echo $output; } function create(array $data){ return Atendimento::create([ 'nome' => $data['nome'], 'user_id' => $data['user_id'], 'data' => $data['data'], 'inicio' => $data['inicio'], 'termino' => $data['termino'], 'aluno' => $data['aluno'], 'curso' => $data['curso'], ]); } function salvar(Request $request){ //return view ('atendimento',dd($request)); Atendimento::create($request->all()); return redirect("/logados")->with("mensagem", "Atendimento registrado com sucesso"); } function mostra(Request $request){ $objeto = $request->get('id'); return view ('contar', ['objeto' => $objeto]); } }<file_sep><?php namespace App; use Illuminate\Database\Eloquent\Model; use Illuminate\Notifications\Notifiable; class Dado extends Model { use Notifiable; /** * The attributes that are mass assignable. * * @var array */ protected $fillable = [ 'modalidade', 'curso', 'turma','user_id' ]; protected $table = 'dados'; public function user(){ return $this->benlogsTo(User::class); } }<file_sep><?php namespace App; use Guard; use Illuminate\Notifications\Notifiable; use Illuminate\Contracts\Auth\MustVerifyEmail; use Illuminate\Foundation\Auth\User as Authenticatable; use App\User; use App\Model\Access; use App\Exceptions\Listener\UserEventSubscriber; use Illuminate\Auth\SessionGuard; use Illuminate\Auth; use Illuminate\Queue\SerializesModels; use Illuminate\Support\ServiceProvider; use Illuminate\Contracts\Auth\Factory as AuthFactory; use Illuminate\Support\Facades\Event; use Illuminate\Auth\Events\Registered; use Illuminate\Auth\Listeners\SendEmailVerificationNotification; class Admin extends Authenticatable { use Notifiable; protected $guard = 'admin'; /** * The attributes that are mass assignable. * * @var array */ protected $fillable = [ 'nome','email', 'password', ]; /** * The attributes that should be hidden for arrays. * * @var array */ protected $hidden = [ 'password', 'remember_token', ]; /** * The attributes that should be cast to native types. * * @var array */ protected $casts = [ 'email_verified_at' => 'datetime', ]; public function accesses(){ return $this->hasMany(Access::class); } public function registerAccess(){ return $this->accesses()->create([ //'user_id' => $this->id, 'admin_id' => $this->id, 'datetime' => date('YmdHis'), ]); } public function clearAccess(){ return $this->accesses()->delete(); //DELETE FROM `accesses` WHERE `accesses`.`id` = 1 } } <file_sep><?php namespace App\Http\Controllers; use DB; use Illuminate\Http\Request; use App\User; use App\Model\Access; //use Auth; //use Session; class LogadosController extends Controller { public function index(){ $logados = DB::table('users') ->join('accesses', 'users.id', '=', 'user_id') ->select('nome', 'local_permanencia', 'horario_permanencia', 'email') ->orderBy('nome','asc') ->get(); return view('logados', ['logados' => $logados]); // ->join('contacts', 'users.id', '=', 'contacts.user_id') //$professores = User::get; // $logados = User::select('nome','horario_permanencia', 'email')->where('nome','horario_permanencia', 'email',Auth::user()->nome,Auth::user()->horario_permanencia,Auth::user()->email); //$idlogado = Auth::user()->id; //$logados = Auth::user(); //compact('logados'); //$logados = Session::all(); //$logados=compact(Auth::user()); //$nome = Auth::user()->nome; //$horario_permanencia = Auth::user()->horario_permanencia; //$email = Auth::user()->email; //$logados = [$nome,$horario_permanencia,$email]; //$idlogado = Auth::user()->id; //$logados = User::select('nome','horario_permanencia', 'email')->where('id','$idlogado'); //compact($logados); // return view('logados', ['logados' => $logados]); } } <file_sep>@extends('layouts.app') @section('content') <div class="container"> <div class="row justify-content-center"> <div class="col-md-8"> <div class="card"> <div class="card-header">Disciplinas Cadastradas</div> <div class="card-body" align="right"> @if(Session::has('mensagem')) <div class="alert alert-success">{{Session::get('mensagem')}}</div> @endif @if(Session::has('erromsg')) <div class="alert alert-danger">{{Session::get('erromsg')}}</div> @endif <a href="{{url('/admin/nova/disciplina')}}"class="btn btn-success">Nova Disciplina</a> <a href="{{url('/admin')}}" class="btn btn-secondary">Voltar</a> @if (session('status')) <div class="alert alert-success" role="alert"> {{ session('status') }} </div> @endif <div class="panel-body"> <table class="table"> <th>Nome </th> <th>Horário</th> <th>Sala</th> <tbody> @foreach($disciplinas as $user) <tr> <td>{{ $user->nome_disciplina }}</td> <td>{{ $user->horario }}</td> <td>{{ $user->sala }}</td> <td> <p class="bt"> <a href="admin/disciplina/{{$user->id }}/editar"class="btn btn-outline-warning btn-sm bt"><strong>Alterar</strong></a> <a href="admin/disciplina/{{$user->id }}/excluir"class="btn btn-outline-danger btn-sm bt" onclick=" return confirm('Deseja excluir?')"><strong>Excluir</strong></a> </p> </td> </tr> @endforeach </tbody> </table> </div> </div> </div> </div> </div> </div> @endsection<file_sep>@extends('layouts.app') @section('content') <div class="container"> <div class="row justify-content-center"> <div class="col-md-8" > <div class="card"> <div class="card-header"><strong>Você entrou na eSALA</strong></div> <div class="card-body"> @if (session('status')) <div class="alert alert-success" role="alert"> {{ session('status') }} </div> @endif <div align="center"> <a href="{{ url('/lista/atendimento') }}"><img height="250px"src="imagens\atendimento.png"alt="150px" ></a> <!-- <a href="admin/professor/{{$user->id }}/editar"class="btn btn-outline-warning btn-sm bt"><strong>Alterar</strong></a> --> </div> </div> </div> </div> </div> </div> @endsection <file_sep><!DOCTYPE html> <html> <head> <meta charset="utf-8"> <meta name="viewport" content="width=device-width, initial-scale=1.0"> <meta http-equiv="X-UA-Compatible" content="IE=edge"> <title>eSALA</title> <link rel="manifest" href="manifest.json/"> <!-- Bootstrap CSS CDN --> <link rel="stylesheet" href="https://stackpath.bootstrapcdn.com/bootstrap/4.1.0/css/bootstrap.min.css" integrity="<KEY>" crossorigin="anonymous"> <!-- Our Custom CSS --> <!-- <link rel="stylesheet" href="style5.css"> --> <!-- Font Awesome JS --> <script defer src="https://use.fontawesome.com/releases/v5.0.13/js/solid.js" integrity="<KEY>" crossorigin="anonymous"></script> <script defer src="https://use.fontawesome.com/releases/v5.0.13/js/fontawesome.js" integrity="<KEY>" crossorigin="anonymous"></script> <style> @import "https://fonts.googleapis.com/css?family=Poppins:300,400,500,600,700"; body { font-family: 'Poppins', sans-serif; background: #fafafa; } p { font-family: 'Poppins', sans-serif; font-size: 1.1em; font-weight: 300; line-height: 1.7em; color: #999; } a, a:hover, a:focus { color: inherit; text-decoration: none; transition: all 0.3s; } .navbar { padding: 15px 10px; background: #fff; border: none; border-radius: 0; margin-bottom: 40px; box-shadow: 1px 1px 3px rgba(0, 0, 0, 0.1); } .navbar-btn { box-shadow: none; outline: none !important; border: none; } .line { width: 100%; height: 1px; border-bottom: 1px dashed #ddd; margin: 40px 0; } /* --------------------------------------------------- SIDEBAR STYLE ----------------------------------------------------- */ .wrapper { display: flex; width: 100%; align-items: stretch; perspective: 1500px; } #sidebar { min-width: 250px; max-width: 250px; background:#80ff80;/*#7386D5;*/ color: black; transition: all 0.6s cubic-bezier(0.945, 0.020, 0.270, 0.665); transform-origin: bottom left; /*cor do fundo e letra do sidebar*/ } #sidebar.active { margin-left: -250px; transform: rotateY(100deg); } #sidebar .sidebar-header { color: #006600; padding: 20px; background: #33ff33; /*sejabemvindo*/ } /* ========LINHA============= #sidebar ul.components { padding: 20px 0; border-bottom: 1px solid #47334b; } */ #sidebar ul p { color: black;/*#fff;*/ padding: 10px; /*letra-ao lado os professores...*/ } #sidebar ul li a { padding: 10px; font-size: 1.1em; display: block; } #sidebar ul li a:hover { color: black; background:#ccffcc; /*cor das letras no hover do side bar*/ } #sidebar ul li.active > a, a[aria-expanded="true"] { color: black; background: #80ff80; /*destaque do home*/ /*letra e fundo home*/ } a[data-toggle="collapse"] { position: relative; } .dropdown-toggle::after { display: block; position: absolute; top: 50%; right: 20px; transform: translateY(-50%); } .destaque{ background:#99ff99; } ul ul a { font-size: 1.2em !important; padding-left: 30px !important; background:#33ff33; /*fundo das ul*/ } ul.CTAs { padding: 20px; } ul.CTAs a { text-align: center; font-size: 0.9em !important; display: block; border-radius: 5px; margin-bottom: 5px; } /*a.download { background: #fff; color: #7386D5; }*/ a.article, a.article:hover { background: #6d7fcc !important; color: #fff !important; } /* --------------------------------------------------- CONTENT STYLE ----------------------------------------------------- */ #content { width: 100%; padding: 20px; min-height: 100vh; transition: all 0.3s; } #sidebarCollapse { width: 40px; height: 40px; background: #f5f5f5; cursor: pointer; } #sidebarCollapse span { width: 80%; height: 2px; margin: 0 auto; display: block; background: #555; transition: all 0.8s cubic-bezier(0.810, -0.330, 0.345, 1.375); transition-delay: 0.2s; /*X do sidebar*/ } #sidebarCollapse span:first-of-type { transform: rotate(45deg) translate(2px, 2px); } #sidebarCollapse span:nth-of-type(2) { opacity: 0; } #sidebarCollapse span:last-of-type { transform: rotate(-45deg) translate(1px, -1px); } #sidebarCollapse.active span { transform: none; opacity: 1; margin: 5px auto; } /* --------------------------------------------------- MEDIAQUERIES ----------------------------------------------------- */ @media (max-width: 768px) { #sidebar { margin-left: -250px; transform: rotateY(90deg); } #sidebar.active { margin-left: 0; transform: none; } #sidebarCollapse span:first-of-type, #sidebarCollapse span:nth-of-type(2), #sidebarCollapse span:last-of-type { transform: none; opacity: 1; margin: 5px auto; } #sidebarCollapse.active span { margin: 0 auto; } #sidebarCollapse.active span:first-of-type { transform: rotate(45deg) translate(2px, 2px); } #sidebarCollapse.active span:nth-of-type(2) { opacity: 0; } #sidebarCollapse.active span:last-of-type { transform: rotate(-45deg) translate(1px, -1px); } } </style> </head> <body> @if(Session::has('mensagem')) <div class="alert alert-success">{{Session::get('mensagem')}}</div> @endif @if(Session::has('erromsg')) <div class="alert alert-danger">{{Session::get('erromsg')}}</div> @endif <div class="wrapper"> <!-- Sidebar Holder --> <nav id="sidebar"> <div class="sidebar-header"> <h3>Seja</br>Bem-Vindo</h3> </div> <ul class="list-unstyled components"> <p>Ao logar os professores aparecem ao lado<!-- <img src="seta.png"width=50 height=30> --></p> <li class="active"> <a href="#homeSubmenu" data-toggle="collapse" aria-expanded="false" class="dropdown-toggle">Páginas</a> <ul class="collapse list-unstyled" id="homeSubmenu"> <li> <a href="{{url('/lista/professores')}}">Todos Professores</a> </li> <li> <a href="{{url('/professores/disciplinas')}}">Professores/Disciplinas</a> </li> <li> <a href="{{url('/')}}">Voltar</a> </li> </ul> </li> <li> <!-- <a href="#">About</a> --> <a href="#pageSubmenu" data-toggle="collapse" aria-expanded="false" class="dropdown-toggle destaque">Teria um minuto?</a> <ul class="collapse list-unstyled" id="pageSubmenu"> <li> <a href="{{url('/atendimento')}}">Foi em alguma permanência?</a> </li> <li> <a href="{{url('/pesquisa')}}">Participe da pesquisa</a> </li> <!-- <li> <a href="#">Page 3</a> </li> --> </ul> </li> <li> <a href="http://www.ifms.edu.br/site">IFMS</a> </li> </ul> </nav> <!-- Page Content Holder --> <div id="content"> <nav class="navbar navbar-expand-lg navbar-light bg-light"> <div class="container-fluid"> <button type="button" id="sidebarCollapse" class="navbar-btn"> <span></span> <span></span> <span></span> </button> <button class="btn btn-dark d-inline-block d-lg-none ml-auto" type="button" data-toggle="collapse" data-target="#navbarSupportedContent" aria-controls="navbarSupportedContent" aria-expanded="false" aria-label="Toggle navigation"> <i class="fas fa-align-justify"></i> </button> <div class="collapse navbar-collapse" id="navbarSupportedContent"> <ul class="nav navbar-nav ml-auto"> <li class="nav-item active"> <a class="nav-link" href="{{ route('login') }}">Login</a> </li> <li class="nav-item"> <a class="nav-link" href="{{ url('admin/logar') }}">Admin</a> </li> <!-- <li class="nav-item"> <a class="nav-link" href="#">Page</a> </li> <li class="nav-item"> <a class="nav-link" href="#">Page</a> </li> --> </ul> </div> </div> </nav> <div class="panel-body"> <table class="table"> <th>Nome </th> <th>Local Permanência </th> <th>Horário Permanência</th> <th>email </th> <tbody> @foreach($logados as $user) <tr> <td>{{ $user->nome }}</td> <td>{{ $user->local_permanencia }}</td> <td>{{ $user->horario_permanencia }}</td> <td>{{ $user->email }}</td> </tr> @endforeach </tbody> </table> </div> <!-- jQuery CDN - Slim version (=without AJAX) --> <script src="https://code.jquery.com/jquery-3.3.1.slim.min.js" integrity="<KEY>" crossorigin="anonymous"></script> <!-- Popper.JS --> <script src="https://cdnjs.cloudflare.com/ajax/libs/popper.js/1.14.0/umd/popper.min.js" integrity="<KEY>" crossorigin="anonymous"></script> <!-- Bootstrap JS --> <script src="https://stackpath.bootstrapcdn.com/bootstrap/4.1.0/js/bootstrap.min.js" integrity="<KEY>" crossorigin="anonymous"></script> <script type="text/javascript"> $(document).ready(function () { $('#sidebarCollapse').on('click', function () { $('#sidebar').toggleClass('active'); $(this).toggleClass('active'); }); }); </script> </body> </html>
c12a78e466d8a0097f0191129766194f948a455e
[ "JavaScript", "Blade", "PHP" ]
28
JavaScript
CezarDev/esala
3c907a84b605adb8b21f8d2fe4c9e3908e9ac4b9
2b73c2ec5c719391166505367d21a1c7e2902d5a
refs/heads/master
<file_sep>package com.theoryinpractise.halbuilder; import com.theoryinpractise.halbuilder.impl.ContentType; import org.fest.assertions.api.Assertions; import org.testng.annotations.Test; import static org.fest.assertions.api.Assertions.assertThat; public class ContentTypeTest { @Test public void testContentTypeCreation() { Assertions.assertThat(new ContentType("application/xml").getType()).isEqualTo("application"); assertThat(new ContentType("application/xml").getSubType()).isEqualTo("xml"); } @Test public void testContentTypeMatching() { assertThat(new ContentType("application/xml").matches(new ContentType("application/xml"))).isTrue(); assertThat(new ContentType("application/xml").matches(new ContentType("application/*"))).isTrue(); assertThat(new ContentType("application/xml").matches(new ContentType("*/*"))).isTrue(); assertThat(new ContentType("application/xml").matches(new ContentType("*/xml"))).isTrue(); assertThat(new ContentType("application/xml").matches(new ContentType("*/json"))).isFalse(); assertThat(new ContentType("*/*").matches(new ContentType("application/xml"))).isFalse(); } }
1b27775629c258992fe4392fb1d9dd057907ebb5
[ "Java" ]
1
Java
kleopatra999/halbuilder-core
5d1b339e6811d064be7fb6bd48b8d21308b53fa0
f55e2b2170c79cd9727c7494101654db828ca4da
refs/heads/main
<file_sep>import React, { useContext } from "react"; import { GlobalStyles } from "./styles/global"; import { MainHeader } from "./components/MainHeader"; import { Home } from "./pages/Home"; import { Login } from "./pages/Login"; import { AuthContext } from "./context/authContext"; export function App() { const { isLoggedIn } = useContext(AuthContext); return ( <> <GlobalStyles /> <MainHeader /> <main> {!isLoggedIn && <Login />} {isLoggedIn && <Home />} </main> </> ); } <file_sep>import { createContext, useState, useEffect } from "react"; export const AuthContext = createContext({ isLoggedIn: false, onLogout: () => {}, onLogin: (email, password) => {} }); export function AuthContextProvider({children}){ const [isLoggedIn, setIsLoggedIn] = useState(false); useEffect(() => { const userLogged = localStorage.getItem("isLoggedIn"); if (userLogged === "2") setIsLoggedIn(true); }, []); function handleLogin() { localStorage.setItem("isLoggedIn", "2"); setIsLoggedIn(true); } function handleLogout() { localStorage.removeItem("isLoggedIn"); setIsLoggedIn(false); } return( <AuthContext.Provider value={{isLoggedIn, onLogout: handleLogout, onLogin: handleLogin}}> {children} </AuthContext.Provider> ); }<file_sep>import styled from 'styled-components'; export const Container = styled.header` position: fixed; top: 0; left: 0; width: 100%; height: 5rem; display: flex; justify-content: space-between; align-items: center; background: #741188; padding: 0 2rem; h1 { color: white; } `; <file_sep>import { Container } from './styles'; export function Button({children, ...props}) { return ( <Container type={props.type || 'button'} className={`${props.className}`} onClick={props.onClick} disabled={props.disabled} > {children} </Container> ); };<file_sep>import styled from 'styled-components'; import { Card } from '../../components/UI/Card' export const Container = styled(Card)` width: 90%; max-width: 40rem; margin: 2rem auto; padding: 2rem; `; export const Actions = styled.div` text-align: center; `;<file_sep>import styled from 'styled-components'; export const Container = styled.div` margin: 1rem 0; display: flex; align-items: stretch; flex-direction: column; label, input { display: block; } label { font-weight: bold; flex: 1; color: #464646; margin-bottom: 0.5rem; } input { flex: 3; font: inherit; padding: 0.35rem 0.35rem; border-radius: 6px; border: 1px solid #ccc; &:focus { outline: none; border-color: #4f005f; background: #f6dbfc; } } &.invalid input { border-color: red; background: #fbdada; } @media (min-width: 768px) { align-items: center; flex-direction: row; } `;<file_sep>import { Container } from './styles'; import { Navigation } from './Navigation' export function MainHeader(props) { return ( <Container> <h1>A Typical Page</h1> <Navigation /> </Container> ); };<file_sep>import styled from 'styled-components'; export const Container = styled.div` background: white; box-shadow: 0 2px 8px rgba(0, 0, 0, 0.26); border-radius: 10px; `; <file_sep>import styled from 'styled-components'; export const Container = styled.div` ul { list-style: none; margin: 0; padding: 0; display: flex; align-items: center; } li { margin: 0; margin-left: 2rem; } a { text-decoration: none; color: white; } a:hover, a:active { color: #f3cafb; } button { font: inherit; background: #dd0db0; border: 1px solid #dd0db0; padding: 0.5rem 1.5rem; color: white; cursor: pointer; box-shadow: 0 2px 4px rgba(0, 0, 0, 0.26); border-radius: 20px; } button:focus { outline: none; } button:hover, button:active { color: #f3cafb; box-shadow: 0 2px 10px rgba(0, 0, 0, 0.26); } `; <file_sep>import React, { useRef, useImperativeHandle, forwardRef } from 'react' import { Container } from "./styles"; export const InputField = forwardRef((props, ref) => { const inputRef = useRef(); function active() { inputRef.current.focus(); } useImperativeHandle(ref, () => { return { focus: active } }); return ( <Container className={props.className}> <label htmlFor={props.htmlFor | ''}>E-Mail</label> <input ref={inputRef} type={props.type | 'text'} id={props.id | ''} value={props.value} onChange={props.onChange} onBlur={props.onBlur} /> </Container> ); });
9d3500c5d3ed2dfd47b99775481a3e2aa8991bd3
[ "JavaScript" ]
10
JavaScript
martinsgabriel1956/react-auth_page
d29190f5dcaa87c7f194cfc218958f6e1f6ccd29
7ecb035ff8a9f24db7b45f6439a3e8ec3073995e
refs/heads/main
<file_sep>server: port: 8065 warmup: false logging: level: com: ecsfin: rpp: processor: WARN spring: application: name: rpp-processor data: mongodb: database: rpp-messages auto-index-creation: true cloud.stream: bindings: rpp-messages-out: destination: rpp.messages group: ${spring.application.name} producer: partition-key-expression: headers['traceId'] rpp-messages-in: destination: rpp.messages consumer.concurrency: 8 group: ${spring.application.name} pacs-cct-in: destination: pacs.cct consumer.concurrency: 8 group: ${spring.application.name} pacs-cct-out: destination: pacs.cct group: ${spring.application.name} acc-enq-in: destination: acc.enq consumer.concurrency: 8 group: ${spring.application.name} acc-enq-out: destination: acc.enq group: ${spring.application.name} admn-echo-in: destination: admn.echo consumer.concurrency: 8 group: ${spring.application.name} admn-echo-out: destination: admn.echo group: ${spring.application.name} admn-signin-in: destination: admn.signin consumer.concurrency: 8 group: ${spring.application.name} admn-signin-out: destination: admn.signin group: ${spring.application.name} admn-signout-in: destination: admn.signout consumer.concurrency: 8 group: ${spring.application.name} admn-signout-out: destination: admn.signout group: ${spring.application.name} orch-echo-out: destination: orch.echo group: ${spring.application.name} orch-signin-out: destination: orch.signin group: ${spring.application.name} orch-signout-out: destination: orch.signout group: ${spring.application.name} latency-msg-out: destination: latency.common group: ${spring.application.name} zeebe: bpmn: echo: file: rpp-outbound-echo.bpmn processId: EchoWorkflow signIn: file: sign-in.bpmn processId: SignInWorkflow signOff: file: sign-off.bpmn processId: SignOffWorkflow job.subscribe.timeout: 1L rpp: connector: connections: - id: 1 host: 192.168.45.24 port: 9000 noOfRetries: 3 retryInterval: 10000 connectionName: Primary Connection order: 1 enable: true - id: 2 host: 192.168.45.24 port: 9002 noOfRetries: 3 retryInterval: 10000 connectionName: Secondary Connection order: 2 enable: false loadBalancing: false member: bank.id: ARBKMYKL centralbank.id: RPPEMYKL processor: accEnq: recoTimeout: 5000 cct: recoTimeout: 5000 clearCache: expiryTime: 300 fixed-rate-scheduler: 30000 --- spring: profiles: ofi_qa data: mongodb: host: mongo port: 27017 rpp: connector: connections: - id: 1 host: 172.16.58.3 port: 9000 order: 1 enable: true - id: 2 host: 172.16.58.3 port: 9002 order: 2 enable: false loadBalancing: false --- spring: profiles: rfi_qa data: mongodb: host: mongo port: 27017 rpp: connector: connections: - id: 1 host: 172.16.58.3 port: 9001 order: 1 enable: true - id: 2 host: 172.16.58.3 port: 9003 order: 2 enable: false loadBalancing: false
453791c6f5a9dee77bb6ba503beb29c866baf7a4
[ "YAML" ]
1
YAML
skmidhun09/configuration-1
bf0c2c1c54b7af08acff31a6e783d3cab0f9ceda
af12b88c2924fe60e06719a524971ad158f5fd7a
refs/heads/master
<file_sep><?php namespace Yc\RequestValidationBundle\DataTransformer; interface DataTransformerInterface { public function transformData(mixed $data): array; } <file_sep><?php namespace Yc\RequestValidationBundle\DependencyInjection; use Symfony\Component\Config\FileLocator; use Symfony\Component\DependencyInjection\ContainerBuilder; use Symfony\Component\DependencyInjection\Extension\Extension; use Symfony\Component\DependencyInjection\Loader\YamlFileLoader; use Yc\RequestValidationBundle\RequestValidator\RequestValidatorInterface; class YcRequestValidationExtension extends Extension { public function load(array $configs, ContainerBuilder $container) { $container->registerForAutoconfiguration(RequestValidatorInterface::class) ->addTag('yc_request_validation.request_validator'); $loader = new YamlFileLoader($container, new FileLocator(__DIR__ . '/../Resources/config')); $loader->load('services.yaml'); } } <file_sep><?php namespace Yc\RequestValidationBundle\EventSubscriber; use Symfony\Component\DependencyInjection\ServiceLocator; use Symfony\Component\EventDispatcher\EventSubscriberInterface; use Symfony\Component\HttpFoundation\JsonResponse; use Symfony\Component\HttpKernel\Event\ControllerEvent; use Symfony\Component\HttpKernel\Event\RequestEvent; use Symfony\Component\HttpKernel\KernelEvents; use Symfony\Component\Validator\Validator\ValidatorInterface; use Yc\RequestValidationBundle\Attributes\RequestValidator; use Yc\RequestValidationBundle\DataReceiver\DataReceiverInterface; use Yc\RequestValidationBundle\DataTransformer\DataTransformerInterface; use Yc\RequestValidationBundle\RequestValidator\RequestValidatorInterface; class RequestValidationSubscriber implements EventSubscriberInterface { public function __construct( private ServiceLocator $requestValidators, private ValidatorInterface $validator ) {} public function validateRequest(ControllerEvent $event) { $controller = $event->getController(); if (is_object($controller)) { $controllerClass = new \ReflectionClass($controller); $attributes = $controllerClass->getAttributes(RequestValidator::class); } else if (is_array($controller)) { $controllerClass = new \ReflectionClass($controller[0]); $attributes = $controllerClass->getMethod($controller[1])->getAttributes(RequestValidator::class); } else { return; } if (empty($attributes)) { return; } $request = $event->getRequest(); /** @var RequestValidator $requestValidatorAttribute */ $requestValidatorAttribute = $attributes[0]->newInstance(); if (!$this->requestValidators->has($requestValidatorAttribute->validatorClass)) { throw new \RuntimeException( '"%s" not found or is not a valid request validator class.', $requestValidatorAttribute->validatorClass ); } /** @var RequestValidatorInterface $requestValidator */ $requestValidator = $this->requestValidators->get($requestValidatorAttribute->validatorClass); $data = $requestValidator instanceof DataReceiverInterface ? $requestValidator->getData($request) : $request->getContent(); $errors = $this->validator->validate( $data, $requestValidator->getConstraint($request), $requestValidator->getGroups($request) ); if ($errors->count() > 0) { $event->setController(function () use ($requestValidator, $errors, $request) { return $requestValidator->getInvalidRequestResponse($request, $errors); }); return; } if ($requestValidator instanceof DataTransformerInterface) { $transformedData = $requestValidator->transformData($data); foreach ($transformedData as $key => $value) { $request->attributes->set($key, $value); } } else { $request->attributes->set('data', $data); } } public static function getSubscribedEvents() { return [ KernelEvents::CONTROLLER => 'validateRequest' ]; } } <file_sep>services: Yc\RequestValidationBundle\EventSubscriber\RequestValidationSubscriber: arguments: - !tagged_locator { tag: 'yc_request_validation.request_validator' } - '@validator' tags: [kernel.event_subscriber] <file_sep><?php namespace Yc\RequestValidationBundle\Attributes; #[\Attribute] class RequestValidator { public function __construct( public string $validatorClass ) {} } <file_sep><?php namespace Yc\RequestValidationBundle\DataReceiver; use Symfony\Component\HttpFoundation\Request; interface DataReceiverInterface { public function getData(Request $request): mixed; } <file_sep><?php namespace Yc\RequestValidationBundle\RequestValidator; use Symfony\Component\HttpFoundation\Request; use Symfony\Component\HttpFoundation\Response; use Symfony\Component\Validator\Constraint; use Symfony\Component\Validator\ConstraintViolationListInterface; interface RequestValidatorInterface { public function getConstraint(Request $request): array|Constraint; public function getGroups(Request $request): array; public function getInvalidRequestResponse(Request $request, ConstraintViolationListInterface $errors): Response; } <file_sep><?php namespace Yc\RequestValidationBundle\ErrorsParser; use Symfony\Component\Validator\ConstraintViolationListInterface; class ToArrayErrorsParser { public function __invoke(ConstraintViolationListInterface $errors): array { $errorMessages = []; foreach ($errors as $error) { $path = $error->getPropertyPath(); if (empty($path)) { $errorMessages['__GLOBAL__'][] = $error->getMessage(); } else { $path = trim($path, '[]'); $path = str_replace('][', '.', $path); $errorMessages[$path][] = $error->getMessage(); } } return $errorMessages; } } <file_sep># request-validation-bundle 1. Add validator class implementing `Yc\RequestValidationBundle\RequestValidator\RequestValidatorInterface` * in the `getConstriant` return constraints used by the validator component * in the `getGroups` return validation groups * `getInvalidRequestResponse` must return response that will be used if the validation has failed. 2. Add attribute `Yc\RequestValidationBundle\Attributes\RequestValidator` to your controller ```php #[Route('/some/route', name: 'some_route')] #[RequestValidator(Create::class)] class CreateController extends AbstractController { public function __invoke($data) { // in the data is your validated request content } } ``` (This attribute can be also placed on a method if you have multple controllers in a class.) 3. You probably want to receive data from the request for the validation in your specific way. For this purpose implement `Yc\RequestValidationBundle\DataReceiver\DataReceiverInterface` for example: ```php public function getData(Request $request): mixed { return json_decode($request->getContent(), true); } ``` 4. By default the data will be set in the request attribute `data` if you want to change this, implement `Yc\RequestValidationBundle\DataTransformer\DataTransformerInterface` for example: ```php public function transformData(mixed $data): array { $id = ProjectId::fromString($data['id']); return [ 'project' => new Project($id, $data['name']) ]; } ``` and then you can use it in controller like: ``` public function __invoke(Project $project) {} ``` <file_sep><?php namespace Yc\RequestValidationBundle\DataReceiver; use Symfony\Component\HttpFoundation\Request; class JsonContentDataReceiver implements DataReceiverInterface { public function getData(Request $request): mixed { return json_decode($request->getContent(), true); } }
839aa87db44309e4010b8ee8ad354e988a77e893
[ "Markdown", "YAML", "PHP" ]
10
Markdown
youniverse-center/request-validation-bundle
9f290918ee70712711838c28630cc738c073ddd3
b8ef8b76a434641c81b43aac80bd425e783c3d07
refs/heads/master
<file_sep>### This project shows one application of Word2Vec i.e predicting the realted words like below * Man --> Woman then King --> ?<br> * India --> Delhi then Italy --> ? #### How to reduce dimensions using PCA so that we can visualize the model that we used above <file_sep># Natural Language Processing This repository consists of NLP projects that I have done as part of trainings or self-learning <file_sep>Naive Bayes model built from scratch without using sklearn module to predict sentiment of tweets
636b6292165cc86875748e673a2e78526ff6fbc9
[ "Markdown" ]
3
Markdown
sridivyaposa/NLP-Projects
0cdd9e203570fce4009a1eaace946c9fd6cd3ba7
94166a36a01f317eadded7400f7b5dd4b35ea621
refs/heads/master
<file_sep>import React, { Component } from 'react'; export default class CreateExercises extends Component{ constructor(props){ super(props); this.state = { username : '', description:'', duration:'', date: new Date(), users: [] } } onChangeUsername= (e) => { this.setState({ username: e.target.value }); } onChangeDescription = (e) => { this.setState({ description:e.target.value }) } onChangeDuration = (e) => { this.setState({ duration:e.target.value })} onChangeDate = (date) => { this.setState({ date:date }) } render(){ return( <div> <p>You are on CreateExercises Component!</p> </div> ) } }
716b4591f7a001a8caad795919db95c272dab494
[ "JavaScript" ]
1
JavaScript
waqar41/MERN-STACK
97f2b5d5eb3f25231292d6bb027ee36521279085
5f918339f4788404cf6afd616276a5bcd5f49062
refs/heads/master
<file_sep>package controller; import java.util.ArrayList; import java.util.List; import javax.validation.Valid; import org.springframework.beans.factory.annotation.Autowired; import org.springframework.stereotype.Controller; import org.springframework.ui.Model; import org.springframework.validation.BindingResult; import org.springframework.web.bind.annotation.GetMapping; import org.springframework.web.bind.annotation.ModelAttribute; import org.springframework.web.bind.annotation.PathVariable; import org.springframework.web.bind.annotation.PostMapping; import org.springframework.web.bind.annotation.RequestMapping; import entity.Patiekalas; import service.UserService; @Controller @RequestMapping("/") public class UserController { @Autowired public UserService userService; @GetMapping("/") public String index(Model model) { model.addAttribute("patiekalai",userService.getAll()); return "index"; } @GetMapping("/patiekalas/{id}") public String getById(@PathVariable("id") int id,Model model) { model.addAttribute("patiekalas",userService.getById(id)); return "showPatiekalas"; } @PostMapping("/addPatiekalas") public String addUser(@Valid Patiekalas patiekalas,BindingResult bindingResult,Model model) { if(!bindingResult.hasErrors()) { model.addAttribute("noErrors",true); userService.save(patiekalas); } return "createPatiekalas"; } @GetMapping("/addPatiekalas") public String createUserPage(Model model) { model.addAttribute("patiekalas",new Patiekalas()); return "createPatiekalas"; } @GetMapping("/update/{id}") public String update(@PathVariable("id") int id, Model model) { model.addAttribute("patiekalas",userService.getById(id)); return "editPatiekalas"; } @PostMapping("/updatePatiekalas") public String updateUser(@ModelAttribute("patiekalas") Patiekalas patiekalas) { userService.update(patiekalas); return "redirect:/patiekalas/" + patiekalas.getId(); } @GetMapping("/delete/{id}") public String delete (@PathVariable("id") int id) { userService.delete(id); return "redirect:/"; } } <file_sep>package JunitTest; import org.junit.Test; import org.springframework.beans.factory.annotation.Autowired; import dao.patiekalasDaoImpl; import entity.Patiekalas; import junit.framework.Assert; public class DBTest { @Autowired private patiekalasDaoImpl patiekalasDaoImpl1; @Test public void testRegister() { Patiekalas patiekalas = new Patiekalas(2,"testas","testas",123,123); patiekalasDaoImpl1.save(patiekalas); int id = patiekalas.getId(); Patiekalas newPatiekalas = patiekalasDaoImpl1.getById(id); Assert.assertEquals("testas", newPatiekalas.getPatiekaloGrupe()); Assert.assertEquals("testas", newPatiekalas.getPatiekaloPavadinimas()); Assert.assertEquals("123", newPatiekalas.getKalorijuSkaicius()); Assert.assertEquals("123", newPatiekalas.getKaina()); return; } }<file_sep>package dao; import java.util.List; import entity.Patiekalas; public interface patiekalasDao { List<Patiekalas> getAll(); void save (Patiekalas patiekalas); Patiekalas getById(int id); void update(Patiekalas patiekalas); void delete( int id); } <file_sep> <!DOCTYPE html> <#import "templates/spring.ftl" as spring/> <html lang="en"> <html manifest="cache.manifest"> <head> <link rel="shortcut icon" type="image/x-icon" href="img/mouseicon.ico" /> <title><NAME></title> <meta charset="utf-8"> <meta name="viewport" content="width=device-width, initial-scale=1"> <link rel="stylesheet" href="https://maxcdn.bootstrapcdn.com/bootstrap/3.3.7/css/bootstrap.min.css"> <link rel="stylesheet" href="https://cdnjs.cloudflare.com/ajax/libs/font-awesome/4.7.0/css/font-awesome.min.css"> <script src="https://ajax.googleapis.com/ajax/libs/jquery/3.2.1/jquery.min.js"></script> <script src="https://maxcdn.bootstrapcdn.com/bootstrap/3.3.7/js/bootstrap.min.js"></script> <#include "/resources/css/style.css"> <style> </style> </head> <body> <nav class="navbar navbar-inverse"> <div class="container-fluid"> <div class="navbar-header"> <button type="button" class = "navbar-toggle" data-toggle="collapse" data-target="#myNavbar"> <span class="icon-bar"></span> <span class="icon-bar"></span> <span class="icon-bar"></span> </button> </div> <div class="collapse navbar-collapse" id ="myNavbar"> <ul class="nav navbar-nav navbar-right"> <li><a href="/Patiekalai/"> Home</a></li> <li ><a href="#" class ="scrollto1" type="button"> About</a></li> <li ><a href="#" class ="scrollto2"> Info</a></li> <li ><a href="#" class ="scrollto3"> Contact</a></li> </ul> </div> </div> </nav> <div class="container"> <h1>Patiekalo Informacija</h1> <table class = "table table-striped"> <tr> <td><b>Id:</b></td> <td>${patiekalas.id}</td> </tr> <tr> <td><b><NAME>:</b></td> <td> ${patiekalas.patiekaloGrupe}</td> </tr> <tr> <td><b><NAME>:</b></td> <td> ${patiekalas.patiekaloPavadinimas}</td> </tr> <td><b><NAME>:</b></td> <td> ${patiekalas.kalorijuSkaicius}</td> </tr> <tr> <td><b><NAME>:</b></td> <td> ${patiekalas.kaina}</td> </tr> </table> <br> <a href = "/Patiekalai/"><button class = "btn bt-default">Atgal</button></a> </div> </body> <script src="/resources/js/jquery-3.2.1.min.js"></script> <script src="/resources/js/main.js"></script> </html><file_sep><link rel = "stylesheet" href = "https://maxcdn.bootstrapcdn.com/bootstrap/3.3.7/css/bootstrap.min.css"> <script src = "https://ajax.googleapis.com/ajax/libs/jquery/3.2.1/jquery.min.js"></script> <script src = "https://maxcdn.bootstrapcdn.com/bootstrap/3.3.7/js/bootstrap.min.js"></script> <nav class = "navbar navbar-default"> <div class = "container-fluid"> <div class = "navbar-header"> <a class = "navbar-brand" href = "http://localhost:8085/FirstProject/">Pirmas projektas</a> </div> <ul class = "nav navbar-nav navbar-left"> <li class ="active"><a href= "/FirstProject/users">Vartotojai</a></li> </ul> </div> </nav><file_sep>package service; import java.util.List; import entity.Patiekalas; public interface UserService { List<Patiekalas> getAll(); void save (Patiekalas patiekalas); Patiekalas getById(int id); void update (Patiekalas patiekalas); void delete (int id ); } <file_sep><!DOCTYPE html> <html lang="en"> <html manifest="cache.manifest"> <head> <title>Patiekalo Registracija</title> <meta charset="utf-8"> <meta name="viewport" content="width=device-width, initial-scale=1"> <link rel="stylesheet" href="https://maxcdn.bootstrapcdn.com/bootstrap/3.3.7/css/bootstrap.min.css"> <link rel="stylesheet" href="https://cdnjs.cloudflare.com/ajax/libs/font-awesome/4.7.0/css/font-awesome.min.css"> <script src="https://maxcdn.bootstrapcdn.com/bootstrap/3.3.7/js/bootstrap.min.js"></script> <#include "/resources/css/style.css"> </head> <body> <nav class="navbar navbar-inverse"> <div class="container-fluid"> <div class="navbar-header"> <button type="button" class = "navbar-toggle" data-toggle="collapse" data-target="#myNavbar"> <span class="icon-bar"></span> <span class="icon-bar"></span> <span class="icon-bar"></span> </button> </div> <div class="collapse navbar-collapse" id ="myNavbar"> <ul class="nav navbar-nav navbar-right"> <li><a href="#"> Home</a></li> <li ><a href="#" class ="scrollto1" type="button"> About</a></li> <li ><a href="#" class ="scrollto2"> Info</a></li> <li ><a href="#" class ="scrollto3"> Contact</a></li> </ul> </div> </div> </nav> <div class="container"> <table class="table table-bordered"> <tr> <th>id</th> <th> <NAME></th> <th> <NAME></th> <th> <NAME></th> <th> Kaina</th> </tr> <#list patiekalai as patiekalas> <tr> <td><a href = "/Patiekalai/patiekalas/${patiekalas.id}">${patiekalas.id} </a></td> <td> ${patiekalas.patiekaloGrupe}</td> <td> ${patiekalas.patiekaloPavadinimas}</td> <td> ${patiekalas.kalorijuSkaicius}</td> <td> ${patiekalas.kaina}</td> <td> <a href ="/Patiekalai/delete/${patiekalas.id}"> Trinti</a></td> <td> <a href ="/Patiekalai/update/${patiekalas.id}"> Redaguoti</a></td> </tr> </#list> </table> <p> <a href="/Patiekalai/addPatiekalas"><button class = "btn bt-default">Sukurti</button></a> </div> </body> </html>
79e02d30c30d74a67e679166b61c0ee78f66cdcb
[ "Java", "Fluent", "FreeMarker" ]
7
Java
ArvydasEfisovas/Patiekalai
1ee232a180ce06ae040d81284d7af4659a2db5ef
91e7556e49125a624f9ca5bb22be2f2322f93a79
refs/heads/master
<repo_name>opsoup/zbx-domain-expiration<file_sep>/get-domain-expire.sh #!/bin/bash export http_proxy=http://127.0.0.1:20000 PROGPATH=`echo $0 | /bin/sed -e 's,[\\/][^\\/][^\\/]*$,,'` #. $PROGPATH/utils.sh # Default values (days): critical=30 warning=60 whois="/usr/bin/whois" host="" usage() { echo "check_domain - v1.01p1" echo "Copyright (c) 2005 Tom〓s N〓〓<NAME> <<EMAIL>> under GPL License" echo "Modified by <NAME> <<EMAIL>>" echo "Modified by <NAME> <<EMAIL>>" echo "Modified by Hua https://github.com/plutoid/zbx-domain-expiration " echo "" echo "This plugin checks the expiration date of a domain name." echo "" echo "Usage: $0 -h | -d <domain> [-W <command>] [-H <host>] [-c <critical>] [-w <warning>]" echo "NOTE: -d must be specified" echo "" echo "Options:" echo "-h" echo " Print detailed help" echo "-d DOMAIN" echo " Domain name to check" echo "-H HOST" echo " Connect to server HOST" echo "-W COMMAND" echo " Use COMMAND instead of whois" echo "-w" echo " Response time to result in warning status (days)" echo "-c" echo " Response time to result in critical status (days)" echo "" echo "This plugin will use whois service to get the expiration date for the domain name. " echo "Example:" echo " $0 -d example.org -w 30 -c 10" echo " $0 -d example.jp/e -H whois.jprs.jp -w 30 -c 10" echo " $0 -d example.jp -W /usr/bin/jwhois -w 30 -c 10" echo "" } # Parse arguments args=`getopt -o hd:w:c:W:H: --long help,domain:,warning:,critical:,whois:,host: -u -n $0 -- "$@"` [ $? != 0 ] && echo "$0: Could not parse arguments" && echo "Usage: $0 -h | -d <domain> [-W <comman>] [-c <critical>] [-w <warning>]" && exit set -- $args while true ; do case "$1" in -h|--help) usage;exit;; -d|--domain) domain=$2;shift 2;; -w|--warning) warning=$2;shift 2;; -c|--critical) critical=$2;shift 2;; -W|--whois) whois=$2;shift 2;; -H|--host) host="-h $2";shift 2;; --) shift; break;; *) echo "Internal error!" ; exit 1 ;; esac done [ -z $domain ] && echo "UNKNOWN - There is no domain name to check" && exit $STATE_UNKNOWN # Looking for whois binary if [ ! -x $whois ]; then echo "UNKNOWN - Unable to find whois binary in your path. Is it installed? Please specify path." exit $STATE_UNKNOWN fi # Calculate days until expiration TLDTYPE=`echo ${domain##*.} | tr '[A-Z]' '[a-z]'` #echo "host:$domain" if [ "${TLDTYPE}" == "in" -o "${TLDTYPE}" == "info" ]; then expiration=`$whois $host $domain | awk '/Expiration Date:/ { print $2 }' |cut -d':' -f2` elif [ "${TLDTYPE}" == "net" ]; then expiration=`$whois $host $domain | awk '/Expiration Date:/ { print $5} '|cut -d'T' -f1` elif [ "${TLDTYPE}" == "cc" ]; then expiration=`$whois $host $domain | awk '/Expiration Date/ {print $5,$6}'` elif [ "${TLDTYPE}" == "me" -o \ "${TLDTYPE}" == "org" -o \ "${TLDTYPE}" == "tv" ]; then # whois c8b.me | awk '/Registry Expiry Date:/ {print $4}' |cut -d'T' -f1 expiration=`$whois $host $domain | awk '/Registry Expiry Date:/ {print $4}' |cut -d'T' -f1` elif [ "${TLDTYPE}" == "cn" -o "${TLDTYPE}" == "com.cn" ]; then # whois dm-hub.cn | awk '/Expiration Time:/ {print $3}' |cut -d'T' -f1 # whois dm-hub.com.cn | awk '/Expiration Time:/ {print $3}' expiration=`$whois $host $domain | awk '/Expiration Time:/ {print $3}' |cut -d'T' -f1` elif [ "${TLDTYPE}" == "com" ]; then #whois convertlab.com | awk '/Expiration Date:/ {print $5}'|cut -d'T' -f1 expiration=`$whois $host $domain | awk '/Expiration Date:/ {print $5}' |cut -d'T' -f1 ` elif [ "${TLDTYPE}" == "net" ]; then expiration=`$whois $host $domain | awk '/Expiration Date:/ { print $5 }'|cut -d'T' -f1 ` elif [ "${TLDTYPE}" == "io" ]; then #expiration=`$whois -h whois.nic.io $host $domain | awk '/Expiry :/ {print $3}' |cut -d'T' -f1 ` expiration=`$whois $host $domain | awk '/Expiry :/ {print $3}' |cut -d'T' -f1 ` elif [ "${TLDTYPE}" == "biz" -o \ "${TLDTYPE}" == "co" ]; then expiration=`$whois $host $domain | awk '/Domain Expiration Date:/ { print $6"-"$5"-"$9 }'` elif [ "${TLDTYPE}" == "sc" ]; then expiration=`$whois -h whois2.afilias-grs.net $host $domain | awk '/Expiration Date:/ { print $2 }' | awk -F : '{ print $2 }'` elif [ "${TLDTYPE}" == "jp" -o "${TLDTYPE}" == "jp/e" -o "${TLDTYPE}" == "am" ]; then echo "$whois $host $domain" expiration=`$whois $host $domain | awk '/Expires/ { print $NF }'` if [ -z $expiration ]; then expiration=`$whois $host $domain | awk '/State/ { print $NF }' | tr -d \(\)` fi else expiration=`$whois $host $domain | awk '/Expiration/ { print $NF }'` fi #echo -n $(date +%Y-%m-%d --date="$expiration") if [ "$expiration" == "" ]; then exit; fi expseconds=`date +%s --date="$expiration"` nowseconds=`date +%s` ((diffseconds=expseconds-nowseconds)) expdays=$((diffseconds/86400)) # Trigger alarms if applicable #[ -z "$expiration" ] && echo "UNKNOWN - Domain doesn't exist or no WHOIS server available." && exit #[ $expdays -lt 0 ] && echo "CRITICAL - Domain expired on $expiration" && exit $STATE_CRITICAL #[ $expdays -lt $critical ] && echo "CRITICAL - Domain will expire in $expdays days" && exit $STATE_CRITICAL #[ $expdays -lt $warning ]&& echo "WARNING - Domain will expire in $expdays days" && exit $STATE_WARNING # No alarms? Ok, everything is right. #echo "OK - Domain will expire in $expdays days" #exit $STATE_OK #echo -n "| expiration days: $expdays" echo $expdays #echo 30 exit $STATE_OK <file_sep>/README.md ### use in cmd line ```` # putting all domain names on text file-domainall.txt get-domain-expire.sh -d github.com for i in $( cat domainall.txt ); do echo -n "| $i | expiration days: | "; ./get-domain-expire.sh -d $i; echo "|";sleep 3; done ```` ### use on zbx - import zbx_export_templates_domain_expiration.xml to zbx - install get-domain-expire.sh - put it on /usr/lib/zabbix/externalscripts/ that's define on /etc/zabbix/zabbix_server.conf - ExternalScripts=/usr/lib/zabbix/externalscripts - add domain entry on zbx dashboard
4f8eb8c0472cd886e8169b1ede57b2eb8cccbb63
[ "Markdown", "Shell" ]
2
Markdown
opsoup/zbx-domain-expiration
bab233143860391546319cad17db6ace88ce2841
ca777854f6bd76225cc0e5ed8428978cc0ad1908
refs/heads/master
<repo_name>Vendetta131/iqhouse<file_sep>/model/device.js var mongoose = require('../db'); var Schema = mongoose.Schema; var deviceSchema = new Schema({ _id : String, name : String, type : String, state : {type: Boolean, default: false}, _flat : { type: Schema.Types.ObjectId, ref: 'Flat' }, _values : [{ type: Schema.Types.ObjectId, ref: 'Value' }], }); exports.Device = mongoose.model('Device', deviceSchema); <file_sep>/model/house.js var mongoose = require('../db'); var Schema = mongoose.Schema; var houseSchema = new Schema({ name : String, adress : String, mainimg : { type: String, default: './static/img/2.jpg' }, flats : [{ type: Schema.Types.ObjectId, ref: 'Flat' }] }); var flatSchema = new Schema({ name : String, _house : { type: Schema.Types.ObjectId, ref: 'House' }, devices : [{ type: Schema.Types.String, ref: 'Device' }] }); exports.House = mongoose.model('House', houseSchema); exports.Flat = mongoose.model('Flat', flatSchema);<file_sep>/model/statistic.js let mongoose = require('../db'); let Schema = mongoose.Schema; let daySchema = new Schema({ day : String, _values : [{ type: Schema.Types.ObjectId, ref: 'Value' }], }); let valueSchema = new Schema({ _day : { type: Schema.Types.String, ref: 'Day' }, _device : { type: Schema.Types.String, ref: 'Device' }, val : Number }); exports.Day = mongoose.model('Day', daySchema); exports.Value = mongoose.model('Value', valueSchema);
43f5763b06fb2fb3c2d7d1abfa2183f23d5fdcfe
[ "JavaScript" ]
3
JavaScript
Vendetta131/iqhouse
14378d4f184563fd43f71eac019ac0671f02ce9a
b9a7bbe32b4cd6579ca55eb222d82a7f1972f9c9
refs/heads/master
<repo_name>juanjosevega99/auth-passport<file_sep>/README.md # Auth Passport In this project learn to domain good practice and autentication ### Stack - JavaScript - OAuth - REST APi ### WebToken Domine standars of autentication of users
3280ff6904e2b4fc23e87c0f091b566ad7c4a064
[ "Markdown" ]
1
Markdown
juanjosevega99/auth-passport
1562caefea31bed0613ada789f3eec1774bba455
519c0a71a65ca71b469891aeedfb9e0a7bd52e30
refs/heads/master
<repo_name>dmoa/1hgj_208_Underwater<file_sep>/conf.lua function love.conf(t) t.window.title = "chunky boat" t.window.width = 1000 t.window.height = 500 t.window.icon = "fish.png" end<file_sep>/Player.lua Player = class( Shape, function(self) self.image = love.graphics.newImage("player.png") Shape.init(self, WW / 2 - self.image:getWidth(), 210, self.image:getDimensions()) self.friction = 0.3 self.xv = 0 self.xv_acceleration = 2000 self.yv = 0 self.rotating = false self.rotation = 0 end ) function Player:draw() love.graphics.draw(self.image, self.x, self.y, self.rotation) end function Player:update(dt) if not love.keyboard.isDown("a") and not love.keyboard.isDown("d") then self.xv = self.xv * math.pow(self.friction, dt) if self.xv < 25 and self.xv > - 25 then self.xv = 0 end end if self.xv > 400 then self.xv = 400 end if self.xv < - 400 then self.xv = -400 end if love.keyboard.isDown("a") then self.xv = self.xv - self.xv_acceleration * dt end if love.keyboard.isDown("d") then self.xv = self.xv + self.xv_acceleration * dt end self.x = self.x + self.xv * dt self.y = self.y + self.yv * dt if self.x < 0 then self.x = 0 self.xv = 0 end if self.x + self.width > WW then self.x = WW - self.width self.xv = 0 end for index, enemy in ipairs(enemies) do if self:isCollidingWith(enemy) then self.yv = scrollingSpeed / 1.2 self.rotating = true lost = true loop:stop() end end if self.rotating then self.rotation = self.rotation + dt * 2 end end<file_sep>/main.lua function love.load() WW, WH = love.graphics.getDimensions() love.mouse.setVisible(false) require("Class") require("Shape") require("Player") require("Enemy") player = Player() enemies = {} for i = 1, 25 do table.insert(enemies, Enemy()) end bgY = 0 bgImage = love.graphics.newImage("bg.png") scrollingSpeed = -500 startingImage = love.graphics.newImage("starting.png") playing = false score = 0 font = love.graphics.newFont(75) scoreText = love.graphics.newText(font, score) lost = true loop = love.audio.newSource("loop.wav", "stream") loop:setLooping(true) end function love.draw() if playing then love.graphics.draw(bgImage, 0, bgY) player:draw() for index, fish in ipairs(enemies) do fish:draw() end if lost then love.graphics.print("PRESS SPACE TO TRY AGAIN", 125, 50) end else love.graphics.draw(startingImage, 0, 0) end love.graphics.draw(scoreText, 15, 15) end function love.update(dt) if playing then player:update(dt) for index, fish in ipairs(enemies) do fish:update(dt) end bgY = bgY + scrollingSpeed * dt if bgY < - WH then bgY = 0 end if not lost then score = score + dt scoreText = love.graphics.newText(font, math.floor(score)) end end end function love.keypressed(key) if key == "escape" then love.event.quit() end if key == "space" and lost then playing = true lost = false player = Player() enemies = {} for i = 1, 3 do table.insert(enemies, Enemy()) end bgY = 0 score = 0 font = love.graphics.newFont(75) scoreText = love.graphics.newText(font, score) loop:play() end end<file_sep>/Enemy.lua Enemy = class( Shape, function(self) self.image = love.graphics.newImage("fish.png") Shape.init(self, love.math.random(WW - self.image:getWidth() / 2) , WH + 30, self.image:getDimensions()) self.yv = (love.math.random(400) + 200) * -1 end ) function Enemy:draw() love.graphics.draw(self.image, self.x, self.y) end function Enemy:update(dt) self.y = self.y + self.yv * dt if self.y < -self.height then self.yv = (love.math.random(400) + 200) * -1 self.x = love.math.random(WW - self.image:getWidth()) self.y = WH + 30 end end
c5e53897d41cddfc705be53131f502f7ce92dacf
[ "Lua" ]
4
Lua
dmoa/1hgj_208_Underwater
2d529ae9c7307eb90012ece1da2e24345b871b9a
f963eb73fa481fc898dde1f2afca683dfa3fefbe
refs/heads/master
<file_sep># lifyu.github.io test
1b21ee5790608baa710cc4d34f883a9bf25435ae
[ "Markdown" ]
1
Markdown
lifyu/lifyu.github.io
01cc7765e9fc6cf138df404010bd868a90687cab
5c916de531cbe69a744802f810216ecbce466ed4
refs/heads/master
<repo_name>kendiser5000/Thermal_Printing_Polaroid_Camera<file_sep>/README.md # Thermal_Printing_Polaroid_Camera Polaroid Camera but using thermal printer (receipt printer)
d46182a73168d11716a81aa09d3c9bf967723a78
[ "Markdown" ]
1
Markdown
kendiser5000/Thermal_Printing_Polaroid_Camera
d0a7b3bc85beb3af823bc7a153118213fc255389
e48d8f59440de647ce33ec29052a901b3dbf54f8
refs/heads/master
<file_sep>export const mailerServer = 'https://172.16.58.3:3068'<file_sep>import { lazy, Suspense } from "react"; import { Route, useLocation, Switch} from 'react-router-dom' import Loading from "./components/Loading"; import Menu from "./components/Menu"; const Main = lazy( () => import('./components/Main')) const Oferta = lazy( () => import('./components/Oferta')) const OFirmie = lazy( () => import('./components/OFirmie')) const Kontakt = lazy( () => import('./components/Kontakt')) const InfoProdukt = lazy( () => import('./components/InfoProdukt')) const NieZnaleziono = lazy( () => import('./components/NieZnaleziono')) function App() { const location = useLocation(); const background = location.state && location.state.background; return ( <Suspense fallback='loading' > <Menu/> <div className='page' > <Switch location={location || background} > <Route exact path='/' children={ <Main/> } /> <Route path='/oferta' children={ <Oferta/> } /> <Route path='/o-firmie' children={ <OFirmie/> } /> <Route path='/kontakt' children={ <Kontakt/> } /> <Route path='/produkt/*' children={ <InfoProdukt/> } /> <Route path='*' children={ <NieZnaleziono/> } /> </Switch> </div> </Suspense> ); } export default App; <file_sep>import React from 'react' import {findCategory, findProd} from './../info/produkty' import {Link} from 'react-router-dom' export default function OfertaProdukt() { const link = window.location.href.split( '/' )[4] const prod = findCategory( link ) const products = findProd(link) return ( <div className='oferta-kat' > <img src={ prod.maleZdj } className='small-prod-img' alt='produkt' /> <section id='sec1' > <h1> {prod.nazwa} </h1> <p> {prod.opis} </p> <div id='products' > {products.length > 0 ? products.map((pro, i) => <Link key={i} to={`/produkt/${pro.link}`} > <div className='prod' > <img src={pro.imgs[0]} alt={pro.nazwa} /> <h2> {pro.nazwa} </h2> </div> </Link> ) : <h2> nie odnaleziono produktów! </h2> } </div> </section> <img src={ prod.duzeZdj } id='img' alt='produkt' /> <section id='sec2' > </section> </div> ) } <file_sep>import React, {lazy} from 'react' import {Redirect, Route, useRouteMatch} from 'react-router-dom' import OfertaOferta from '../info/produkty' const OfertaProdukt = lazy( () => import('./OfertaProdukt')) export default function Oferta() { let {path} = useRouteMatch() return ( <div className='oferta' > <Route path={`${path}/:produkt`} children={<OfertaProdukt/>} /> {/* <Redirect to={`${path}/info`} /> */} </div> ) } <file_sep>import React from 'react' import { Link } from 'react-router-dom' import { Fade} from 'react-slideshow-image'; export default function SlideShow({zdjecia}) { // const [kolej, setKolej] = useState( 0 ) // const [styl, setStyl] = useState('none') // useEffect(() => { // setTimeout(() => { // if(kolej + 1 >= zdjecia.length){ // setKolej(0) // }else{ // setKolej(kolej +1) // } // }, 5000) // }, [kolej]) return ( <div className='huhi' > {/* { zdjecia.map( (zdj, i) => <div className='ua' key={i} > <img src={zdj.zdjecie} key={i} /> <div className='text-rog' > <h1>DREAM E<span>X</span>TREME</h1> <p> lorem ipsum text na dole </p> <Link to={`/oferta/${zdj.link}`} ><button> Zobacz Ofertę</button></Link> </div> </div> )} */} <Fade arrows={false} duration={5000} pauseOnHover={false} scale={1.025} > { zdjecia.map( (zdj, i) => <div className='ua' key={i} > <div className='img-wrapper' > <img src={zdj.zdjecie} key={i} style={{zIndex: '-10'}} alt='' /> </div> <div className='text-rog' > <h1>DREAM E<span>X</span>TREME</h1> <p> Kochasz adrenalinę? Pragniesz emocji? <br/> Dream-extreme spełni Twoje pragnienia… </p> <Link to={`/oferta/${zdj.link}`} ><button> Zobacz Ofertę</button></Link> </div> </div> )} {/* <div className='ua' > <img src={zdjecia[0].zdjecie} /> <div className='text-rog' > <h1>DREAM E<span>X</span>TREME</h1> <p> lorem ipsum text na dole </p> <Link to={`/oferta/${zdjecia[0].link}`} ><button> Zobacz Ofertę</button></Link> </div> </div> <div className='ua' > <img src={zdjecia[1].zdjecie} /> <div className='text-rog' > <h1>DREAM E<span>X</span>TREME</h1> <p> lorem ipsum text na dole </p> <Link to={`/oferta/${zdjecia[1].link}`} ><button> Zobacz Ofertę</button></Link> </div> </div> <div className='ua' > <img src={zdjecia[2].zdjecie} /> <div className='text-rog' > <h1>DREAM E<span>X</span>TREME</h1> <p> lorem ipsum text na dole </p> <Link to={`/oferta/${zdjecia[2].link}`} ><button> Zobacz Ofertę</button></Link> </div> </div> */} </Fade> </div> ) } <file_sep>$blue: #2352E2; $gray: #161616; .main{ .aaa{ // z-index: 100; width: 100vw; height: 100vh ; user-select: none; overflow-x: hidden; .img-wrapper{ img{ z-index: -10; min-width: 1400px; max-width: 110vw; position: fixed; left: 50%; min-height: 110vh; // max-height: calc(900vh - 5rem); // animation: animacja 5s infinite; transform: translateX(-50%); top: -10vh; filter: grayscale(20%); } width: 100px; overflow-x: hidden; } h1, p, button{ animation: guziki 1s forwards; opacity: 0; } p{ animation-delay: 0.2s; } button{ animation-delay: 0.5s; } // display: flex; // padding: 1rem; // .img{ // z-index: -10; // min-width: 1400px; // max-width: 110vw; // position: fixed; // // left: 50%; // min-height: 110vh; // // max-height: calc(900vh - 5rem); // animation: animacja 7s infinite; // top: -10vh; // filter: grayscale(20%); // } .text-rog{ text-align: right; position: absolute; top: 65vh; right: 4rem; z-index: 2; h1{ font-size: 4rem; span{ color: $blue; } } button{ background: transparent; border: 3px solid $blue; color: white; font-family: 'Anton', sans-serif; padding: 0.5rem; font-size: 1rem; width: 12rem; margin-top: 0.5rem; position: relative; &::before{ content: ''; position: absolute; bottom: 0; left: 0; width: 0%; height: 100%; transition: all .3s; background: $blue; z-index: -2; } &::after{ content: ''; position: absolute; bottom: 0; left: 0; width: 100%; height: 100%; transition: all .3s; background: transparent; } &:hover{ // background: $blue; &::before{ width: 100%; } } } } // .ua{ // z-index: -10; // min-width: 1400px; // max-width: 110vw; // position: fixed; // min-height: 110vh; // top: -10vh; // filter: grayscale(20%); // animation: animacja 7s infinite; // } // .huhi{ // display: block; // &:nth-child(1){ // display: none; // } // } } .reszta{ width: 100vw; min-height: 100vh; background: $gray; overflow-x: hidden; z-index: 2; position: absolute ; .section{ display: flex; flex-wrap: wrap; justify-content: space-evenly; // padding: 1rem; padding-top:5rem ; padding-bottom:5rem ; z-index: 100; .border-image{ padding: 1rem; position: relative; img{ width: 30vw; min-width: 32rem; max-width: 40rem; z-index: -2; transition: 0.8s; } p{ position: absolute; bottom: 2rem; right: 2rem; font-size: 2.5rem; } &:hover{ img{ filter: blur(3px); } } } user-select: none; } .o-firmie{ border-top: 3px solid $blue; flex-wrap: wrap; position: relative; height: 50vh; img{ max-height: 60vh; min-width: 45vw; z-index: -2; } #textt{ position: absolute; top: 0; left: 45vw; width: 55vw; min-width: 25rem; background: white; height: 55vh; padding: 3rem; color: $gray; } } footer{ position: relative; padding: 2rem; background: $gray; text-align: center; user-select: none; p{ position: absolute; bottom: 0; left: 50%; transform: translateX(-50%); width: 100vw; background: $gray; text-align: center; } ul{ align-items: center; width: calc(100vw - 8rem); text-align: center; justify-content: center; } ul, li{ color: #8a8a8a; display: flex; margin: 1rem; } } } } @media screen and ( max-width: 700px ) { .aaa{ img{ max-width: 120vw !important; } } }<file_sep>import React, { useEffect, useState } from 'react' import {Link} from 'react-router-dom' import logo from './../images/logo.svg' export default function Menu() { const [width, setWidth] = useState( window.innerWidth ) const [meni, setMeni] = useState('transparent') const [showMenu, setShowMenu] = useState(false) const [styl, setStyl] = useState('ham-aktywny') const [anim, setAnim] = useState( 'wejscie' ) useEffect(() => { window.addEventListener('resize', () => { setWidth(window.innerWidth) }) window.addEventListener('scroll', () => { if( window.scrollY > 150){ setMeni('#161616') }else if(window.scrollY < 150){ setMeni('transparent') } }) return() => { setWidth(window.innerWidth) } }, []) return ( <div className='menu' style={{ background: meni, transition: '0.5s'}} > <Link to='/' className='top-logo' onClick={() => { if( width <= 600 && showMenu === true ){ setStyl('ham-aktywny') setAnim('wyjscie') setTimeout( () =>{ setShowMenu(false) }, 1000 ) } }} > <img src={logo} alt='logo' /> <h2>DREAM E<span>X</span>TREME</h2> </Link> { width <= 600 ? <div className="center" onClick={() => { if( styl === 'ham-aktywny' ){ setStyl('ham-nieaktywny') setAnim('wejscie') setShowMenu(true) }else{ setStyl('ham-aktywny') setAnim('wyjscie') setTimeout( () =>{ setShowMenu(false) }, 1000 ) } }} > <div className={styl} > <span className="bar"></span> <span className="bar"></span> <span className="bar"></span> </div> </div> : <div > <div className='right' > <li> <Link to='/o-firmie' >O firmie </Link></li> <li>Oferta <ul> <li><Link to='/oferta/samochody' > Samochody </Link></li> <li><Link to='/oferta/rowery' >Rowery </Link></li> <li><Link to='/oferta/skutery-wodne' > Skutery wodne </Link></li> <li><Link to='/oferta/quady-atv' > Quady atv </Link></li> <li><Link to='/oferta/trojkolowce' > Trójkołowce </Link></li> <li><Link to='/oferta/dodatkowe-atrakcje' > Dodatkowe atrakcje </Link></li> </ul> </li> <li><Link to='/kontakt' >Kontakt</Link></li> </div> </div> } {showMenu ? <div className='smol-menu' style={{animationName: anim}} onClick={() => { setStyl('ham-aktywny') setAnim('wyjscie') setTimeout( () =>{ setShowMenu(false) }, 1000 ) }} > <div className='sect' > <li> <Link to='/o-firmie' >O firmie </Link></li> {/* <li><Link to='/oferta' >Oferta</Link></li> */} <ul > <li><Link to='/oferta/samochody' > Samochody </Link></li> <li><Link to='/oferta/rowery' >Rowery </Link></li> <li><Link to='/oferta/skutery-wodne' > Skutery wodne </Link></li> <li><Link to='/oferta/quady-atv' > Quady atv </Link></li> <li><Link to='/oferta/trojkolowce' > Trójkołowce </Link></li> <li><Link to='/oferta/dodatkowe-atrakcje' > Dodatkowe atrakcje </Link></li> </ul> <li><Link to='/kontakt' >Kontakt</Link></li> </div> </div> : null} </div> ) } <file_sep>@keyframes animacja { 0%{ transform: scale(1); opacity: 0; } 10%{ opacity: 1; } 80%{ opacity: 1; } 100%{ transform: scale(1.025); opacity: 0; } } @keyframes animacja-darker { 0%{ background: $gray; } 10%{ background: transparent; } 90%{ background: transparent; } 100%{ background: $gray; } } @keyframes poka { 0%{ opacity: 0; z-index: 12;} // 10%{ opacity: 0; z-index: 12;} // 90%{ opacity: 1; z-index: 12;} 100%{ opacity: 1; } } @keyframes guziki { 0%{ opacity: 0; right: 3rem; } 100%{ opacity: 1; right: 0rem; } } @keyframes wejscie { 0%{ margin-left: 100vw; } 100%{ margin-left: 0; } } @keyframes wyjscie { 0%{ margin-left: 0; } 100%{ margin-left: 100vw; } }<file_sep>import React from 'react' export default function Alert({text, display}) { return ( <div className='alert' style={{ display: display }} > <div className='small-alert' > <p> {text} </p> </div> </div> ) } <file_sep>import React, { useRef } from 'react' import { exports } from './MainToImport' import { Link } from 'react-router-dom' import SlideShow from './Inne/SlideShow'; import {kategori} from './../info/produkty' class Autko { constructor( link, zdjecie, text ){ this.link= link; this.zdjecie= zdjecie; this.text = text; } } const arr = [ new Autko('rowery', exports.rower), new Autko( 'samochody', exports.auto ),new Autko('skutery-wodne', exports.skuter), new Autko( 'quady-atv', exports.quad ) ] // const ponizej = [ new Autko( 'samochody', exports.m_auto, 'SAMOCHODY' ), new Autko( 'quady-atv', exports.m_quad, 'QUADY-ATV' ), new Autko('skutery-wodne', exports.m_skuter, 'SKUTERY WODNE'), new Autko('rowery', exports.m_rower, 'ROWERY'), new Autko('trojkolowce', exports.m_trojkolowiec, 'TRÓJOKOŁOWCE' ), new Autko( 'dodatkowe', exports.m_dodatkowe, 'DODATKOWE ATRAKCJE' ) ] export default function Main() { const wys = useRef(null) const data = new Date(); return ( <div className='main' > <div className='aaa' > {/* <img src={arr[kolej].zdjecie} /> */} <SlideShow zdjecia={arr} /> </div> {/* <div className='img' style={{ backgroundImage: `url(${arr[kolej].zdjecie})` }} ></div> */} <div className='reszta' ref={wys} > <div className='section' > { kategori.map( ( ele, i ) => <div className='border-image' key={i} > <Link to={`/oferta/${ele.link}`} > <img src={ele.maleZdj} alt='product' /> <p>{ele.nazwa.toUpperCase()}</p> </Link> </div> ) } </div> <div className='o-firmie' > <div style={{width: '100vw', overflow: 'hidden', zIndex:'3'}} className='wrapp' > <img src={exports.skuter} alt='o-firmie' className='about-img' style={{ overflow: 'hidden'}} /> </div> <div id='textt' > <h1> O firmie </h1> Dream-extreme to firma, która powstała dla tych co lubią żyć na krawędzi i nie boja mocnych doznań. Jesteśmy dynamicznie rozwijającą się firmą oferującą między innymi sportowe samochody, rowery i skutery wodne. Posiadamy sprzęt, dzięki któremu możesz doświadczyć świetnej zabawy i mega emocji zarówno na lądzie jak i na wodzie. Ponieważ dbamy o bezpieczeństwo naszych klientów nasz sprzęt jest nowy i niezawodny. Naszą działalność prowadzimy na terenie całego województwa zatem gdziekolwiek jesteś, my jesteśmy w stanie odpowiedzieć na Twoje potrzeby. </div> </div> <footer> <h2> DREAM EXTREME </h2> <br/> <section> <ul> <li>Kontakt</li> <li>Regulamin</li> <li>Autor</li> <li>Oferta</li> </ul> </section> <p> DREAM EXTREME {data.getFullYear()} </p> </footer> </div> </div> ) } <file_sep>$blue: #2352E2; $gray: #161616; .menu{ width: 100vw; display: flex; height: 4.8rem; background: $gray; position: fixed; z-index: 20; top: 0; user-select: none; .top-logo{ display: flex; img{ width: 5rem; filter: invert(25%) sepia(65%) saturate(5974%) hue-rotate(226deg) brightness(93%) contrast(89%); padding: 0.5rem; } h2{ line-height: 4.8rem; font-size: 2.5rem; span{ color: $blue; } } } .smol-menu{ position: fixed; height: 100vh; width: 100vw; background: $gray; z-index: -1; animation-fill-mode: forwards; animation-duration: 1s; .sect{ position: absolute; display: block; top: 50%; left: 50%; width: 60vw; transform: translateY(-50%) translateX(-50%); font-size: 1.5rem; line-height: 2.5rem; ul{ margin-left: 2rem; } } } .center { position: absolute; width: 2.5rem; right: 2.5rem; height: 2rem; top: 1rem; .ham-aktywny { // display: none; .bar { display: block; width: 2.5rem; height: 4px; margin: 6px auto; -webkit-transition: all 0.5s ease-in-out; transition: all 0.3s ease-in-out; background: white; } } .ham-nieaktywny { // display: none; .bar { display: block; width: 2.5rem; height: 4px; margin: 6px auto; -webkit-transition: all 0.5s ease-in-out; transition: all 0.3s ease-in-out; background: white; &:nth-child(1){ transform: translateY(10px) rotate(45deg); } &:nth-child(3){ transform: translateY(-10px) rotate(-45deg); } &:nth-child(2){ opacity: 0; } } } } .right{ display: flex; position: absolute; right: 1rem; justify-content: space-between; li{ z-index: 12; position: relative; float: left; padding: 1rem; transition: all 2s ease; line-height: 2.5rem; ul{ visibility: hidden; z-index: 12; opacity: 0; min-width: 13rem; position: absolute; background: rgba(0, 0, 0, 0.781); left: -3rem; display: none; padding: 1rem; &:hover{ // animation: poka 1s; li{ visibility: visible; opacity: 1; display: block; } } li{ visibility: visible; opacity: 1; display: block; z-index: 12; } } &:hover{ // color: $blue; animation: poka 0.5s; ul{ visibility: visible; opacity: 1; display: block; } } } } }<file_sep>import React, { useEffect, useState } from 'react' import { findProdukt } from '../info/produkty' export default function InfoProdukt() { const link = window.location.href.split('/')[4] const info = findProdukt( link ) const [background, setBackground] = useState('transparent') useEffect(() => { window.addEventListener('scroll', () => { if( window.scrollY > 50){ setBackground('#161616') }else if(window.scrollY < 50){ setBackground('transparent') } }) }, []) return ( <div className='product-info' > { info !== undefined ? <div className='product-success' > <img src={ info.imgs[1] } alt={ info.nazwa } className='background-pic' /> <div className='shadow-menu' style={{ background: background }} ></div> <section className='product-spec' > <h1> {info.nazwa} </h1> <img src={ info.imgs[0] } alt={info.nazwa} className='small-pic' /> <p className='prod-desc' > {info.opis} </p> <div className='product-map' > { info.specyfikacja.map( ( prod, i ) => <section key={i} > <img src={ prod.ico } alt='product icon' className='prod-icons' /> <h3> { prod.title }: {prod.value} </h3> </section> ) } </div> </section> </div> : <h2 style={{textAlign: 'center', marginTop: 'calc(50vh - 6.8rem)'}} > Nie odnaleziono produktu </h2> } </div> ) }
e045f5d3bb7ee60d9427e9f8facff9a81f14755c
[ "SCSS", "JavaScript" ]
12
SCSS
Zyziolez/dream-extreme
82908c0bc33daacfe1da1a0b4418c9898b0d065f
15017338741f27e7d0ea0eaef71d05ee4acf26f2
refs/heads/master
<file_sep>--- title: 用 python 实现 xmind 和 mindjet 格式互转 cover: false date: 2019-09-28 10:34:51 updated: 2019-09-28 10:34:51 categories: - 原创开发 tags: - python - 思维导图 btns: repo: https://github.com/fkxxyz/mmconv feedback: https://github.com/fkxxyz/mmconv/issues --- 一直想找一款跨平台的免费又好用的思维导图软件,可是哪有两全其美的事呢,个人感觉安卓版的 mindjet 相对好用一些,windows 和 linux 版的 xmind 相对好用一些,但是 xmind 和 mindjet 的格式肯定是不兼容的,而探索发现,他们的文档解压之后都是以 xml 方式储存的,压缩也是简单的 zip 压缩,也没有任何加密,于是,故事开始了。 <!--more--> ## 简介 经过大概八小时的开发后,这样一个转换器成功诞生。这是一款用 python3 实现的简单的 xmind 与 mindjet 格式之间的互转工具,只保留树状思维导图以及折叠功能,另外还可以额外可以转化成 txt,用缩进来表示树状图。 后来发现 xmind-zen 保存的文档无法在 xmind8 中打开,所以又添加了 xmind-zen 文档的支持。 项目已放到 github 开源,以便保存和后续随时修改。 https://github.com/fkxxyz/mmconv ## 实现原理 ### 数据结构 利用 python 的列表嵌套列表来储存思维导图的树状结构,例如 ``` o ├── a │ ├── 1 │ ├── 2 │ └── 3 ├── b └── c ``` 以上树状结构在代码中被储存为 ```python ['o', False, [['a', False, [['1', False, []], ['2', False, []], ['3', False, []]]], ['b', False, []], ['c', False, []]]] ``` 其中 `False` 表示未被折叠 ### 各个文档格式的存取 1. xmind 8 xmind 8 保存的格式是 zip 格式,解压后得到若干个文件,树状图数据以 xml 格式保存在 content.xml 里面。 2. xmind-zen xmind-zen 保存的格式是 zip 格式,解压后得到若干个文件,树状图数据以 json 格式保存在 content.json 里面。 3. Mindjet Maps Mindjet Maps 保存的格式是 zip 格式,解压后得到一个文件 Document.xml,树状图数据以 xml 格式保存在其中。 4. txt 这是我自己创建的文本文档格式方便调试储存和转换,用缩进的方式表示树状图,用垂直制表符表示是否被折叠 代码风格易扩展,后续随时可以添加更多格式的支持,可以在 Issues 里面提出,有时间我会补充。 ## 用法 ### 命令格式 ```shell mmconv.py 源文件 [目标文件] [-t 格式] ``` 参数详解 ``` 位置参数: 源文件 表示要转换的文件。 目标文件 目标文件名。转换成功的保存的文件路径。 如果未指定目标文件,则直接打印源文件类型。 可选参数: -h, --help 显示此帮助消息并退出 --type {txt,mmap,xmind,zen}, -t {txt,mmap,xmind,zen} 指定目标文件的类型。目前支持以下类型: xmind - XMind 8 文档 zen - XMind zen 文档 txt - txt 文本文档 mmap - Mindjet maps 文档 ``` 若未指定 --type 类型参数,则默认为 txt。 源文件的格式不用指定,会自己识别,详见 --help ### 用法示例 ```shell # 将 a.xmind 转换成 txt 格式 mmconv.py a.xmind a.txt # 将 a.xmind 转换成 mmap 格式 mmconv.py -t mmap a.xmind a.mmap # 将 a.txt 转换成 xmind 格式 mmconv.py -t xmind a.txt a.xmind # 将 a.xmind 转换成 xmind-zen 格式 mmconv.py -t zen a.xmind b.xmind ``` <file_sep>--- title: 再也不用为中文输入法而烦恼了 cover: false date: 2020-06-10 07:28:01 updated: 2020-07-01 22:31:07 categories: - 原创开发 tags: - rime - fcitx - fcitx5 - 输入法 btns: repo: https://github.com/fkxxyz/rime-cloverpinyin faq: /d/cloverpinyin/#%E5%B8%B8%E8%A7%81%E9%97%AE%E9%A2%98 feedback: https://github.com/fkxxyz/rime-cloverpinyin/issues typora-root-url: ../.. --- 你是否经历过搜狗输入法总是闪退bug的绝望? 你是否经历过 fcitx 自带输入法的词库简陋? 你是否经历过在 linux 中尝试各种输入法都不理想呢? 这里是帮你脱离苦海的地方。 <!--more--> # :four_leaf_clover:四叶草拼音输入方案 目录 ================= * [:four_leaf_clover:四叶草拼音输入方案](#four_leaf_clover四叶草拼音输入方案) * [目录](#目录) * [简介](#简介) * [特色](#特色) * [开始](#开始) * [linux端( fcitx )](#linux端-fcitx-) * [安装 fcitx](#安装-fcitx) * [安装 rime](#安装-rime) * [安装:four_leaf_clover:四叶草输入方案](#安装four_leaf_clover四叶草输入方案) * [切换到:four_leaf_clover:四叶草输入方案](#切换到:four_leaf_clover:四叶草输入方案) * [美观](#美观) * [windows端(小狼毫)](#windows端小狼毫) * [下载安装小狼毫](#下载安装小狼毫) * [下载输入方案](#下载输入方案) * [美观](#美观-1) * [候选横排](#候选横排) * [关于发布页](#关于发布页) * [基本配置](#基本配置) * [候选词个数](#候选词个数) * [模糊音](#模糊音) * [常见问题](#常见问题) * [各种快捷键](#各种快捷键) * [出现候选框时按 Shift 字母不会上屏](#出现候选框时按-shift-字母不会上屏) * [删除一个自造词](#删除一个自造词) * [词序总是错乱](#词序总是错乱) * [emoji 字体呈方块状](#emoji-字体呈方块状) * [导入自定义词库](#导入自定义词库) * [基本步骤](#基本步骤) * [例子详解](#例子详解) * [同步词库](#同步词库) * [其它](#其它) * [构建](#构建) * [写在最后](#写在最后) Created by [gh-md-toc](https://github.com/ekalinin/github-markdown-toc) ## 简介 在linux端,很多拼音输入法有少许 bug 或卡顿,或功能不全,所以接触了 [rime](https://rime.im) ,然而自带的[朙月拼音](https://github.com/rime/rime-luna-pinyin)和[袖珍简化字拼音](https://github.com/rime/rime-pinyin-simp)均不是很不是很理想,但是探索过程中发现很多很好的开源项目提供词库,而 rime 输入法引擎几乎拥有所有的优点(开源、干净无广告、运行流畅、跨平台、...),甚至云同步也能用坚果云之类的服务手动实现,唯一的缺点就是门槛高定制困难,默认配置的不习惯劝退了很多人。 在此方案诞生之前,我没能找到一个比较不错的简体拼音(全拼)的输入方案,多数人用惯了大陆国产的输入法,而以我的动手能力,完全能够按照这些输入法的习惯,自己定制一个方案,共享给更多的人,让更多的人不需要怎么配置也能用上非常类似于搜狗拼音输入法的方案,尽可能开箱即用,降低所有人的使用门槛。所以,为什么不自己做一个呢? **这个项目我会持续更新,因为我一直在用输入法,我会调教到完全合我的口味习惯为止(我过去一直在用搜狗拼音输入法)。所以如果你觉得哪里不好用,或者哪里想改善,一定要及时在 [issues](https://github.com/fkxxyz/rime-cloverpinyin/issues) 提出,我只要看到就会回复。** - 博文地址 https://www.fkxxyz.com/d/cloverpinyin - 项目地址 https://github.com/fkxxyz/rime-cloverpinyin ## 特色 我亲自打造的基于[rime](https://rime.im/)的简体拼音输入方案,有以下几大特点: 1. 完全从零开始制作文字的拼音和基础词库,导入了几个很好用的词库: - 用 [pypinyin](https://github.com/mozillazg/python-pinyin) 项目生成所有字词的拼音 - 合并[结巴中文分词](https://github.com/fxsjy/jieba)项目、[rime八股文](https://github.com/rime/rime-essay)和[袖珍简化字拼音](https://github.com/rime/rime-pinyin-simp)的字的字频 - 由百度搜索到某个人基于大数据做过的[360万中文词库+词性+词频](https://download.csdn.net/download/xmp3x/8621683),该词库是用ansj分词对270G新闻语料进行分词统计词频获得 - [清华大学开源词库](https://github.com/thunlp/THUOCL),统计来自各大主流网站如CSDN博客、新浪新闻、搜狗语料 - 搜狗细胞词库 [网络流行新词【官方推荐】](https://pinyin.sogou.com/dict/detail/index/4) 2. 词库本身基于简体,并且加入繁简切换,包括自定义词库也能切换繁体(朙月拼音输入简体时的需要经过opencc转换,而且自定义词库也得手动转换成繁体才能繁简切换,而袖珍简化字拼音不支持繁体) 3. 默认加入 emoji 表情输入支持 ![](https://www.fkxxyz.com/img/cloverpinyin-1.png) 4. 加入拼音输入特殊符号的支持(如输入 pingfang 即可打出 ²) ![](https://www.fkxxyz.com/img/cloverpinyin-2.png) [rime-symbols](https://github.com/fkxxyz/rime-symbols) 该模块与此项目独立,你也可以把这个模块放到别的方案上用。 5. 修改了几乎所有特殊符号的按键,定制全部快捷键,使之符合搜狗输入法的习惯 不磨蹭了,直接介绍怎么开始使用吧。 ## 开始 rime 是跨平台的,在以下四个平台可用: - **linux** 可以使用 fcitx、fxitx5、ibus - **windows** 使用小狼毫 - **macOS** 可以用鼠须管 - **安卓** 使用同文输入法 这些软件如果你想在这些平台使用,可以具体参照官方的[下载安装说明](https://rime.im/download/) --- 下面介绍在 linux 和 windows 端如何安装。 ### linux端( fcitx ) #### 安装 fcitx 在 archlinux 下: ```shell pacman -S fcitx fcitx-qt5 fcitx-configtool ``` 然后配置 fcitx 的环境变量 在 ~/.xprofile 写入 ```shell export GTK_IM_MODULE=fcitx export QT_IM_MODULE=fcitx export XMODIFIERS="@im=fcitx" export LANG="zh_CN.UTF-8" export LC_CTYPE="zh_CN.UTF-8" ``` 其他发行版的安装参见 [小企鹅官网安装配置方法](https://fcitx-im.org/wiki/Install_and_Configure/zh-hans) 安装和配置完成后,记得重新登录桌面使之生效。 #### 安装 rime 在 archlinux 下,安装 rime: ```shell pacman -S fcitx-rime ``` 其他发行版请用相应的包管理器安装,详见 https://rime.im/download/ #### 安装:four_leaf_clover:四叶草输入方案 在 archlinux 下,可以从 [AUR](https://wiki.archlinux.org/index.php/Arch_User_Repository_(%E7%AE%80%E4%BD%93%E4%B8%AD%E6%96%87)) 直接安装即可: ```shell yay -S fcitx-cloverpinyin ``` 在其它发行版下,来发布页 https://github.com/fkxxyz/rime-cloverpinyin/releases 或 https://fkxxyz.lanzous.com/b00zl958j 下载最新版本的配置文件,如 clover.schema-1.1.0.zip 然后将其解压到 ~/.config/fcitx/rime #### 切换到:four_leaf_clover:四叶草输入方案 创建 ~/.config/fcitx/rime/default.custom.yaml ,内容为 ```yaml patch: "menu/page_size": 8 schema_list: - schema: clover ``` 其中 8 表示打字的时候输入面板的每一页的候选词数目,可以设置成 1~9 任意数字。 写好该文件之后,点击右下角托盘图标右键菜单,点“重新部署”,然后再点右键,在方案列表里面应该就有“ �️四叶草拼音输入法”的选项了。 关于 default.custom.yaml 文件的更多解释,可以参考[官方文档定制指南](https://github.com/rime/home/wiki/CustomizationGuide) #### 美观 关于 fcitx 的皮肤,可以参考这里: [原来 fcitx 也可以这么美 —— 对 fcitx 使用搜狗皮肤的改进](https://www.fkxxyz.com/d/ssfconv/) ### windows端(小狼毫) 下面以 win7 为例截图示范。 #### 下载安装小狼毫 来 [rime下载页](https://rime.im/download/) 下载最新版本的小狼毫(注意 Windows XP 只最高只能下载 0.12.0),然后按照提示进行安装。 > - [小狼毫 0.14.3](https://bintray.com/rime/weasel/release)〔[下载](https://dl.bintray.com/rime/weasel/weasel-0.14.3.0-installer.exe)〕〔[更新日志](https://rime.im/release/weasel/)〕〔[历史版本](https://bintray.com/rime/weasel/release)〕〔[0.9.x 版本](https://bintray.com/lotem/rime/Weasel)〕〔[测试频道](https://bintray.com/rime/weasel/testing)〕 > 适用于 Windows 7, Windows 8/8.1, Windows 10 > - [小狼毫 0.12.0](https://bintray.com/rime/weasel/release/0.12.0)〔[下载](https://dl.bintray.com/rime/weasel/weasel-0.12.0.0-installer.exe)〕 > 适用于 Windows XP SP3 如果上述官网无法访问或者访问较慢,我在蓝奏网盘也上传了一份 https://fkxxyz.lanzous.com/b00zm9j5g #### 下载输入方案 来发布页 https://github.com/fkxxyz/rime-cloverpinyin/releases 或 https://fkxxyz.lanzous.com/b00zl958j 下载最新版本的配置文件,如 clover.schema-1.1.0.zip 切换到小狼毫输入法(默认快捷键 Ctrl+Shift,或直接从托盘图标选择) ![](https://www.fkxxyz.com/img/weasel-1.png) 然后右键托盘图标“中”,选择“用户文件夹” ![](https://www.fkxxyz.com/img/weasel-2.png) 然后将你刚刚下载的压缩包解压到这里即可,解压后的效果如下 ![](https://www.fkxxyz.com/img/weasel-3.png) #### 切换输入方案 接着找到“输入法设定” ![](https://www.fkxxyz.com/img/weasel-4.png) 在方案选单设定中找到“四叶草简体拼音”并勾选,一般你不需要其它方案了,其它选项可以全部去掉。 然后点“中” ![](https://www.fkxxyz.com/img/weasel-5.png) #### 美观 上述点了“中”之后,会出现界面风格设定,选中你喜欢的颜色。 ![](https://www.fkxxyz.com/img/weasel-6.png) 这些设定完成后,会进行自动部署,需要等待半分钟左右,就可以使用了。 更多修改小狼毫的字体、配色方案参考 [官方配置指南--小狼毫](https://github.com/rime/home/wiki/CustomizationGuide#一例定制小狼毫字体字号) > ### 一例、定制【小狼毫】字体字号 > > 虽与输入方案无关,也在此列出以作参考。 > > ``` > # weasel.custom.yaml > > patch: > "style/font_face": "明兰" # 字体名称,从记事本等处的系统字体对话框里能看到 > "style/font_point": 14 # 字号,只认数字的,不认「五号」、「小五」这样的 > ``` > > ### 一例、定制【小狼毫】配色方案 > > 注:这款配色已经在新版本的小狼毫里预设了,做练习时,你可以将文中 `starcraft` 换成自己命名的标识。 > > ``` > # weasel.custom.yaml > > patch: > "style/color_scheme": starcraft # 这项用于选中下面定义的新方案 > "preset_color_schemes/starcraft": # 在配色方案列表里加入标识为 starcraft 的新方案 > name: 星际我争霸/StarCraft > author: Contralisk <<EMAIL>>, original artwork by Blizzard Entertainment > text_color: 0xccaa88 # 编码行文字颜色,24位色值,用十六进制书写方便些,顺序是蓝绿红0xBBGGRR > candidate_text_color: 0x30bb55 # 候选项文字颜色,当与文字颜色不同时指定 > back_color: 0x000000 # 底色 > border_color: 0x1010a0 # 边框颜色,与底色相同则为无边框的效果 > hilited_text_color: 0xfecb96 # 高亮文字,即与当前高亮候选对应的那部份输入码 > hilited_back_color: 0x000000 # 设定高亮文字的底色,可起到凸显高亮部份的作用 > hilited_candidate_text_color: 0x60ffa8 # 高亮候选项的文字颜色,要醒目! > hilited_candidate_back_color: 0x000000 # 高亮候选项的底色,若与背景色不同就会显出光棒 > ``` > > 效果自己看! > > 也可以参照这张比较直观的图: > > ![img](https://camo.githubusercontent.com/95ec5aa3aa10b6f5d62295a3aea8107933881ca5/687474703a2f2f692e696d6775722e636f6d2f685374793663422e706e67) > > 另,此处有现成的配色方案工具供用家调配: > > - ~~http://tieba.baidu.com/p/2491103778~~ > - 小狼毫:https://bennyyip.github.io/Rime-See-Me/ > - 鼠须管:https://gjrobert.github.io/Rime-See-Me-squirrel/ 如果你无法访问上述现成的配色方案工具,本网站也克隆了一份: 小狼毫: [Rime-See-Me](https://www.fkxxyz.com/Rime-See-Me) 鼠须管: [Rime-See-Me-squirrel](https://www.fkxxyz.com/Rime-See-Me-squirrel) 修改配置文件时要格外[注意](#基本配置) #### 候选横排 候选词默认展示是竖排的,如果你习惯于横排展示候选词,请看 [【小狼毫】外观设定](https://github.com/rime/home/wiki/CustomizationGuide#%E5%B0%8F%E7%8B%BC%E6%AF%AB%E5%A4%96%E8%A7%80%E8%A8%AD%E5%AE%9A) > #### 【小狼毫】外观设定 > > 上文已介绍设定字体字号、制作配色方案的方法。 > > 使用横向候选栏、嵌入式编码行: > > ``` > # weasel.custom.yaml > patch: > style/horizontal: true # 候选横排 > style/inline_preedit: true # 内嵌编码(仅支持TSF) > style/display_tray_icon: true # 显示托盘图标 > ``` 只需要将 style/horizontal: true 这一行添加到 patch: 的后一行即可,注意开头有两个空格,冒号和true之间也有一个空格,不能多也不能少,如下图所示 ![](https://www.fkxxyz.com/img/weasel-7.png) 然后重新部署 ![](https://www.fkxxyz.com/img/weasel-8.png) 修改配置文件时要格外[注意](#基本配置) ### 关于发布页 由于 rime 处理词库的原理是提前将词库转换为二进制文件,这个过程成为部署,所以我在[发布页](https://github.com/fkxxyz/rime-cloverpinyin/releases)提供了两个压缩包,一个包含二进制文件,一个不包含二进制文件。 - **clover.schema** 不包含二进制文件,复制到新机器上之后需要重新部署。 - **clover.schema-build** 包含二进制文件目录(build目录),复制到新机器上之后重新部署的时间大量缩短。 由于国内访问 github 较慢,所以我在蓝奏云也上传了一份 https://fkxxyz.lanzous.com/b00zl958j ## 基本配置 所有配置都围绕着用户资料夹展开,参考 [Rime 中的数据文件分布及作用](https://github.com/rime/home/wiki/RimeWithSchemata#rime-%E4%B8%AD%E7%9A%84%E6%95%B8%E6%93%9A%E6%96%87%E4%BB%B6%E5%88%86%E4%BD%88%E5%8F%8A%E4%BD%9C%E7%94%A8) 修改配置文件时需要注意: - 严格遵守 yaml 语法,缩进都是两个空格,不能用 tab 代替,否则配置是无效的 - 只能有一个 patch: 行,如有相同的项目请合并。 > ## Rime 中的数据文件分布及作用 > > 除程序文件以外,Rime 还包括多种数据文件。 这些数据文件存在于以下位置: > > [共享资料夹](https://github.com/rime/home/wiki/SharedData) > > - 【中州韵】 `/usr/share/rime-data/` > - 【小狼毫】 `"安装目录\data"` > - 【鼠须管】 `"/Library/Input Methods/Squirrel.app/Contents/SharedSupport/"` > > [用户资料夹](https://github.com/rime/home/wiki/UserData) > > - 【中州韵】 `~/.config/ibus/rime/` (0.9.1 以下版本为 `~/.ibus/rime/`) > - 【小狼毫】 `"%APPDATA%\Rime"` > - 【鼠须管】 `~/Library/Rime/` > > [共享资料夹](https://github.com/rime/home/wiki/SharedData) 包含预设输入方案的源文件。 这些文件属于 Rime 所发行软件的一部份,在访问权限控制较严格的系统上对用户是只读的,因此谢绝软件版本更新以外的任何修改—— 一旦用户修改这里的文件,很可能影响后续的软件升级或在升级时丢失数据。 > > 在「[部署](https://github.com/rime/home/wiki/CustomizationGuide#重新布署的操作方法)」操作时,将用到这里的输入方案源文件、并结合用户定制的内容来编译预设输入方案。 > > [用户资料夹](https://github.com/rime/home/wiki/UserData) 则包含为用户准备的内容,如: > > - 〔全局设定〕 `default.yaml` > - 〔发行版设定〕 `weasel.yaml` > - 〔预设输入方案副本〕 `<方案标识>.schema.yaml` > - ※〔安装信息〕 `installation.yaml` > - ※〔用户状态信息〕 `user.yaml` > > 编译输入方案所产出的二进制文件: > > - 〔Rime 棱镜〕 `<方案标识>.prism.bin` > - 〔Rime 固态词典〕 `<词典名>.table.bin` > - 〔Rime 反查词典〕 `<词典名>.reverse.bin` > > 记录用户写作习惯的文件: > > - ※〔用户词典〕 `<词典名>.userdb/` 或 `<词典名>.userdb.kct` > - ※〔用户词典快照〕 `<词典名>.userdb.txt`、`<词典名>.userdb.kct.snapshot` 见于同步文件夹 > > 以及用户自己设定的: > > - ※〔用户对全局设定的定制信息〕 `default.custom.yaml` > - ※〔用户对预设输入方案的定制信息〕 `<方案标识>.custom.yaml` > - ※〔用户自制输入方案〕及配套的词典源文件 > > 注:以上标有 ※ 号的文件,包含用户资料,您在清理文件时要注意备份! ### 候选词个数 修改用户资料夹的 default.custom.yaml ,找到 menu/page_size 字段,如果没有则创建,设置该字段的值即可。例如 ```yaml patch: "menu/page_size": 8 schema_list: - schema: clover ``` 详见 [一例、定制每页候选数](https://github.com/rime/home/wiki/CustomizationGuide#%E4%B8%80%E4%BE%8B%E5%AE%9A%E8%A3%BD%E6%AF%8F%E9%A0%81%E5%80%99%E9%81%B8%E6%95%B8) ### 模糊音 对于模糊音的配置,目前还没有方便的图形界面的配置,如果有需要的话照做吧: 在用户资料夹创建 clover.custom.yaml ,内容为 ```yaml patch: speller/algebra: # 模糊音 # 基础 - abbrev/^([a-z]).+$/$1/ - abbrev/^([zcs]h).+$/$1/ # 补全 - derive/([dtngkhrzcs])o(u|ng)$/$1o/ # o = ou; o = ong - derive/ong$/on/ # on = ong - derive/^ding$/din/ # din = ding # 处理 v 和 u - derive/^([nl])ue$/$1ve/ # nve = nue; lve = lue - derive/^([jqxy])u/$1v/ # v = u; v = u # 智能纠错 - derive/ao$/oa/ # oa = ao - derive/([iu])a(o|ng?)$/a$1$2/ # aio = iao; aing = iang; aung = uang - derive/([aeiou])ng$/$1gn/ # gn = ng - derive/un$/uen/ # uen = un - derive/ui$/uei/ # uei = ui - derive/iu$/iou/ # iou = ui - derive/tie$/tei/ # tei = tie - derive/i$/ii/ # ii = i # i 不小心按两下 - derive/u$/uu/ # ui = u # u 不小心按两下 ``` 然后参考官方推荐的模糊音配置 https://gist.github.com/lotem/2320943 找到你想添加的模糊音,在第三行前面加上即可。 再次强调 yaml 的语法,上面每个 derive 前面都是四个空格,不能用 tab 代替。 如,我想把 en 与 eng 和 in 与 ing 模糊,那么修改后就变成了这样: ```yaml patch: speller/algebra: # 模糊音 - derive/([ei])n$/$1ng/ # ing = in; eng = en - derive/([ei])ng$/$1n/ # in = ing; en = eng # 基础 - abbrev/^([a-z]).+$/$1/ - abbrev/^([zcs]h).+$/$1/ # 补全 - derive/([dtngkhrzcs])o(u|ng)$/$1o/ # o = ou; o = ong - derive/ong$/on/ # on = ong - derive/^ding$/din/ # din = ding # 处理 v 和 u - derive/^([nl])ue$/$1ve/ # nve = nue; lve = lue - derive/^([jqxy])u/$1v/ # v = u; v = u # 智能纠错 - derive/ao$/oa/ # oa = ao - derive/([iu])a(o|ng?)$/a$1$2/ # aio = iao; aing = iang; aung = uang - derive/([aeiou])ng$/$1gn/ # gn = ng - derive/un$/uen/ # uen = un - derive/ui$/uei/ # uei = ui - derive/iu$/iou/ # iou = ui - derive/tie$/tei/ # tei = tie - derive/i$/ii/ # ii = i # i 不小心按两下 - derive/u$/uu/ # ui = u # u 不小心按两下 ``` 当然如果你能看懂上面的正则表达式,那么你也可以自己自定义模糊音了。 修改完成后,记得重新部署生效。 ## 常见问题 ### 各种快捷键 该方案的默认快捷键为: - 繁简切换 Ctrl+Shift+2 或 Ctrl+Shift+f 。 - emoji开关 Ctrl+Shift+3 - 符号输入 Ctrl+Shift+4 - ascii标点切换 Ctrl+Shift+5 、 Ctrl+, 或 Ctrl+。 - 全半角切换 Ctrl+Shift+6 、 Shift+Space 由于 rime 的设定,这些切换也可以通过打开方案选单来完成,方案选单默认有个快捷键 F4 ,按 F4,再按 2,即可看到这些设定,选择相应的开关设定即可。 这个快捷键可以修改,详见 [一例、定制唤出方案选单的快捷键](https://github.com/rime/home/wiki/CustomizationGuide#%E4%B8%80%E4%BE%8B%E5%AE%9A%E8%A3%BD%E5%96%9A%E5%87%BA%E6%96%B9%E6%A1%88%E9%81%B8%E5%96%AE%E7%9A%84%E5%BF%AB%E6%8D%B7%E9%8D%B5) 如果你不想用 emoji 或者符号输入的功能,则需要修改配置文件才能永久关闭该功能: 修改 clover.custom.yaml ,添加一个补丁: ```yaml switches: - name: zh_simp_s2t reset: 0 states: [ 简, 繁 ] - name: emoji_suggestion reset: 1 states: [ "�️️\uFE0E", "�️️\uFE0F" ] - name: symbol_support reset: 1 states: [ "无符", "符" ] - name: ascii_punct reset: 0 states: [ 。,, ., ] - name: full_shape reset: 0 states: [ 半, 全 ] - name: ascii_mode reset: 0 states: [ 中, 英 ] ``` 将 emoji_suggestion 或 symbol_support 里面的 reset 改成 0 即可。 这里其实是定制方案选单的选项,reset 表示默认选中 states 的第几个选项,更多请看[一例、定制简化字输出](https://github.com/rime/home/wiki/CustomizationGuide#%E4%B8%80%E4%BE%8B%E5%AE%9A%E8%A3%BD%E7%B0%A1%E5%8C%96%E5%AD%97%E8%BC%B8%E5%87%BA) ### 出现候选框时按 Shift 字母不会上屏 由于 rime 的中英文切换的快捷键和 fcitx 的切换输入法的快捷键都是 shift ,fcitx 的快捷键优先于 rime,所以会导致这种情况。 解决方法:右键托盘图标,配置,打开 fcitx 的配置,点全局配置,额外的激活输入法快捷键,选择禁用。点显示高级选项,在这里的激活输入法可以设置为 shift ### 删除一个自造词 有时候错误的输入了一个词语,这个错误的词语每次会出现在候选框中,看着难过,那么可以删除这个词语。 按上下键高亮选中这个词语,然后按 Ctrl+Del 或 Shift+Del即可删除该词。(鼠须管的快捷键是 Fn + Shift + Delete) ### 词序总是错乱 有时候,发现以为自己最经常打的字候选词里一定排在第一位,但是时间长了发现好像并不是这么回事,似乎自己最近打的词比使用频率最高的词排序还要靠前,这导致大量的输入错误严重降低了打字效率,后来看到这个帖子 [『技术贴』『改进版』小狼毫五笔自动造词、网盘同步](https://tieba.baidu.com/p/5085900915) 原来 rime 的排序特点就是如此,但是这会导致词序经常很乱,也无法固定首位,怎么办呢,我就这个问题向rime作者反馈,得到的[回应](https://github.com/rime/librime/issues/377#issuecomment-644682195)是,这是记忆力算法,刚开始词序可能会变化较大,长期会趋于稳定,那这么看来暂时先这样用着时间长就好了。 ### emoji 字体呈方块状 这是因为没有安装 emoji 字体导致。 在 archlinux 下,可以直接从 aur 安装 apple emoji 的字体: ``` shell yay -S ttf-apple-emoji ``` 在其它 linux 发行版,可以从这个地址下载到 apple emoji 的字体 https://git.synh.me/dmitry/AUR/-/raw/master/files/ttf-apple-emoji/apple-color-emoji.ttc 下载好之后,需要复制到 /usr/share/fonts 的某个子目录下,然后更新字体缓存 ```shell cd /usr/share/fonts sudo fonts.dir sudo mkfontdir ``` 在其它平台,需要自己想办法了。 ### 导入自定义词库 可以借助[深蓝词库转换](https://github.com/studyzy/imewlconverter)这个项目,导入它所能支持的所有细胞词库如搜狗拼音细胞词库等。 #### 基本步骤 首先在用户资料夹下建立 clover.dict.yaml ,内容为 ```yaml name: clover version: "1" sort: by_weight import_tables: - clover.base - clover.phrase - THUOCL_animal - THUOCL_caijing - THUOCL_car - THUOCL_chengyu - THUOCL_diming - THUOCL_food - THUOCL_IT - THUOCL_law - THUOCL_lishimingren - THUOCL_medical - THUOCL_poem - sogou_new_words ``` 建立了这个文件之后,会覆盖默认的词库。 关于这个文件的格式详解: [Dict.yaml 详解](https://github.com/LEOYoon-Tsaw/Rime_collections/blob/master/Rime_description.md#dictyaml-%E8%A9%B3%E8%A7%A3) 在这里,需要说明 import_tables 导入表里的每一项。 - **clover.base** 这是单字的字库,包含所有字的拼音、字频,对应文件 clover.base.dict.yaml - **clover.phrase** 这是词组的词库,包含所有基本词汇的拼音、词频,对应文件 clover.phrase.dict.yaml - **THUOCL_*** 这是清华大学开源词库,对应文件 THUOCL_*.dict.yaml - **sogou_new_words** 这是每周更新的搜狗网络流行新词,对应文件 sogou_new_words.dict.yaml 然后你可以在该文件的后面,按照上述格式(两个空格一个减号一个空格),任意添加你自己创建或导入的词库,当然你也可以删除上述你不想要的词库。 需要注意以下几点: - clover.base 是不可以删除的,否则会失去所有文字的拼音导致导入任何词库都无效。 - 导入的词库也遵循同样的格式,但是导入的词库的 import_tables 项是无效的(也就是不能嵌套) - 导入的词库的 name 字段必须和文件名一致,后缀为 .dict.yaml 例如文件名 “音乐词汇大全.dict.yaml” 的第一行为 ```yaml name: 音乐词汇大全 ``` 否则导入的该词库也会无效 #### 例子详解 下面以导入搜狗音乐词汇大全的细胞词库为例 首先来这里下载该细胞词库 [音乐词汇大全](https://pinyin.sogou.com/dict/detail/index/15145) 然后用深蓝词库转换为 “音乐词汇大全.txt” ,下面是不同平台的使用方法: - Windows端 下载地址 [imewlconverter_Windows.zip](https://github.com/studyzy/imewlconverter/releases/download/v2.8.0/imewlconverter_Windows.zip) 打开深蓝词库转换,指定好要转换的文件、源类型为 “搜狗细胞词库scel”,目标类型为 “Rime中州韵”,点击转换,提示是否保存点“是”,保存为 “音乐词汇大全.txt” - archlinux 在 archlinux 下直接从 AUR 安装深蓝词库转换即可 yay -S imewlconverter-bin 然后执行 ```shell imewlconverter -i:scel 音乐词汇大全.scel -o:rime 音乐词汇大全.txt ``` - 其它 linux 发行版 下载地址 [imewlconverter_Linux_Mac.tar.gz](https://github.com/studyzy/imewlconverter/releases/download/v2.8.0/imewlconverter_Linux_Mac.tar.gz) ,解压得到 ImeWlConverterCmd 然后执行 ```shell ImeWlConverterCmd -i:scel 音乐词汇大全.scel -o:rime 音乐词汇大全.txt ``` - macOS端自测 然后在用户资料夹下创建 “音乐词汇大全.dict.yaml”,内容为 ```yaml name: 音乐词汇大全 version: "1.0" sort: by_weight ... 阿炳 a bing 1 阿甲文 a jia wen 1 阿拉伯风格曲 a la bo feng ge qu 1 阿勒曼舞曲 a le man wu qu 1 ``` 把“音乐词汇大全.txt”里面的词都追加到后面。 然后在用户资料夹下建立 clover.dict.yaml ,内容为 ```yaml name: clover version: "1" sort: by_weight import_tables: - clover.base - clover.phrase - THUOCL_animal - THUOCL_caijing - THUOCL_car - THUOCL_chengyu - THUOCL_diming - THUOCL_food - THUOCL_IT - THUOCL_law - THUOCL_lishimingren - THUOCL_medical - THUOCL_poem - sogou_new_words - 音乐词汇大全 ``` 右键托盘图标,点击“重新部署”,片刻之后,打字测试看看有没有相应的词汇吧。 ### 同步词库 rime 允许不同系统之间进行词库的同步。 该功能详见 [同步用户资料](https://github.com/rime/home/wiki/UserGuide#%E5%90%8C%E6%AD%A5%E7%94%A8%E6%88%B6%E8%B3%87%E6%96%99) 默认同步的文件夹在用户资料夹下 sync ,点击同步时,会生成这个文件夹,你也可以设置 installation.yaml 里面的 sync_dir 来修改同步文件夹。 用户词库词频信息被保存在 同步文件夹下的对应 id 里的 clover.userdb.txt 里,每次点击同步时,会合并所有 id 里的该文件。 所以可以利用云同步服务例如 [坚果云](https://www.jianguoyun.com/) 一类的软件,来实现个人不同电脑之间的词库同步。 ### 其它 其它常见问题看[官方文档的常见问题](https://github.com/rime/home/wiki/CustomizationGuide#diy-%E8%99%95%E6%96%B9%E9%9B%86)吧。 ## 构建 一般情况下,我在发布页提供的是已经生成好的词库和部署好的二进制文件,直接使用即可。 如果你想自己从零开始构建,或者想为别的 linux 发行版打包,那么继续往下看。 该仓库的内容只包含构建四叶草输入法方案的脚本,构建需要以下环境 操作系统: linux python版本: 3 python依赖的库: [jieba](https://github.com/fxsjy/jieba)、[pypinyin](https://github.com/mozillazg/python-pinyin)、[opencc](https://github.com/BYVoid/OpenCC)、requests 下载工具(三者任意一个均可): [aria2](http://aria2.sourceforge.net/)、[wget](https://www.gnu.org/software/wget/wget.html)、[curl](https://curl.haxx.se/) 解压工具(三者任意一个均可): [unzip](https://www.info-zip.org/UnZip.html)、[bsdtar](https://libarchive.org/)、[7z](http://p7zip.sourceforge.net/) rime基础库: [librime](https://github.com/rime/librime) 克隆此仓库,然后直接执行构建即可 ```shell ./build ``` 完成后,会生成 cache 目录和 data 目录 - data 是最终生成的目录 - cache 是生成过程中下载和生成的中间文件 其中,执行 build 时,可以有个参数 ```shell ./build [minfreq] ``` minfreq 代表360万词里面指定的最小词频,频率低于该值的词语会被筛选掉,达到精简词库的目的,默认是100,该值越小,最终生成的词库越大,为 0 表示不精简词库(会生成大约 100 兆左右的词库)。 构建完成后,可以打包,在 data 目录生成发布用的压缩包 ``` ./pack [ver] ``` ver 表示版本号,例如 1.1.2 --- ## 写在最后 此项目完全开源,你可以随意 fork 或修改和定制,如果你觉得好用,可以来[AUR投票](https://aur.archlinux.org/packages/rime-cloverpinyin/)和在[github上star](https://github.com/fkxxyz/rime-cloverpinyin),投票和star的人越多越容易被搜索到,以此更好地传播出去。 再次重复开头说的: **这个项目我会持续更新,因为我一直在用输入法,我会调教到完全合我的口味习惯为止(我过去一直在用搜狗拼音输入法)。所以如果你觉得哪里不好用,或者哪里想改善,一定要及时在 [issues](https://github.com/fkxxyz/rime-cloverpinyin/issues) 提出,我只要看到就会回复。** 当然你也可以直接[联系我](https://www.fkxxyz.com/about/#%E5%85%B3%E4%BA%8E%E6%88%91)本人。 <file_sep>--- title: fcitx 也可以这么美 —— 对 fcitx 使用搜狗皮肤的改进 cover: false date: 2020-05-25 12:46:51 updated: 2020-05-25 12:46:51 categories: - 原创开发 tags: - fcitx - 输入法 - 皮肤 btns: repo: https://github.com/fkxxyz/ssfconv feedback: https://github.com/fkxxyz/ssfconv/issues typora-root-url: ../.. --- fcitx输入法框架能够自定义皮肤,然后有个很nb的作者开发了个搜狗皮肤转换成fcitx皮肤的,这是原项目地址https://github.com/VOID001/ssf2fcitx 然后我亲自试了几个我喜欢的皮肤,居然真的可以转换,跟搜狗差不多了,不过一段时间后,发现一些bug:设置了皮肤之后,输入法菜单隔空而且透明,字都看不清。部分皮肤文字位置很奇怪。于是,我看了他的源码,发现逻辑还挺简单,然后看了下fcitx的自定义皮肤的各种格式,打算亲自研究研究这是怎么回事。 最终打算参考这个项目,自己用python写个,不仅解决了zip压缩格式,还实现了图片自动裁剪(不愧是胶水语言) ![](/img/ssfskin-5.png) <!--more--> 最终两个函数实现,取名为转换器ssfconv,放到 github 托管 https://github.com/fkxxyz/ssfconv 在原作者的基础上进行了下面几方面改进: 1. 部分皮肤文字位置重新计算,摆放更合理 2. 将菜单的背景也设置成皮肤的主题色,文字大小和颜色均计算到合理 3. 字体单位改成像素,和搜狗一致,完美还原 4. 调整了翻页指示器的位置,自动生成指示器的图像 直接上图吧(我自己都没想到linux的输入法也可以这么美) ![](/img/ssfskin-1.png) ![](/img/ssfskin-2.png) ![](/img/ssfskin-3.png) ![](/img/ssfskin-4.png) ![](/img/ssfskin-6.png) ![](/img/ssfskin-7.png) ## 开始使用 下面直接举例吧。 ### 下载此仓库 ```shell git clone https://github.com/fkxxyz/ssfconv.git cd ssfconv ``` ### 下载皮肤 先从[搜狗输入法的皮肤官网](https://pinyin.sogou.com/skins/)下载自己喜欢的皮肤,得到ssf格式的文件,例如 【雨欣】蒲公英的思念.ssf ### 转换皮肤 ```shell ./ssfconv 【雨欣】蒲公英的思念.ssf 【雨欣】蒲公英的思念 ``` ### 复制到用户皮肤目录 ```shell mkdir -p ~/.config/fcitx/skin/ cp 【雨欣】蒲公英的思念 ~/.config/fcitx/skin/ ``` ### 使用该皮肤 右键输入法托盘图表,选中皮肤,这款皮肤是不是出现在列表里了呢,尽情享用吧。 ## 详细介绍 使用方法被封装得非常简单,像个转换器,可以在下面四种格式之间任意转换: 1. ssf格式(加密) 2. ssf格式(未加密,本质是zip) 3. 文件夹(解密或解压ssf格式得到) 4. fcitx格式(在文件夹的基础上多了fcitx_skin.conf,可用于fcitx) 命令行参数 ```shell ssfconv <src> <dest> [-t type] ``` 源文件和目标文件是必选参数,转换的目标类型 -t 是可选参数,type值是下面四个值之一: ``` fcitx 可直接用于fcitx的文件夹 dir 解包后的文件夹 encrypted 加密的ssf皮肤 zip 未加密的ssf皮肤(zip) ``` 默认是转换为 fcitx 格式。 注意,源文件的格式可以是以上任意四个格式之一,不需要指定,程序已经可以智能识别格式。 ## 已知缺陷 因为fcitx的限制,输入框里只能对文字的外边距进行设置,无法像搜狗拼音输入法一样任意调整坐标,导致部分皮肤只能在图片拉升和文件位置靠右来二选一的取舍。不过大多数皮肤都能挺不错的转换,只有少数皮肤实在是没办法了,只好用图片拉升代替(原作者是将文字调整到靠右,留了很多空白)。 <file_sep>--- title: NetworkManager 网络配置速查 cover: false date: 2019-04-15 03:06:10 updated: 2019-04-15 03:06:10 categories: - 教程 tags: - archlinux - linux --- 一般普通用户上网的方式无非就三种:有线以太网、无线网络、宽带PPPOE拨号。而 NetworkManager 这个软件将以上三种方式集成一体,而且配置方便。 <!--more--> NetworkManager 是 gnome 桌面环境自带的网络管理服务,在 tty 的命令行中也可以运行,刚装完的系统,想要网络,只需要装这一个包就够! 因此写这篇文章作为一个速查备忘和新手入门,更高级的用法可以自己查看 nmcli 自带的 --help 。 ## 服务管理 启动网络管理器服务 ```shell systemctl start NetworkManager ``` 将此服务设为自动启动 ```shell systemctl enable NetworkManager ``` ## 全局管理 查看网络概况 ```shell nmcli nmcli -overview ``` 打开关闭总网络开关 ```shell nmcli n on/off nmcli network on/off ``` ## 设备管理 查看网络设备状态 ```shell nmcli d nmcli device nmcli device status ``` 查看网络设备详细信息 ```shell nmcli d sh nmcli device show nmcli device show eth0 ``` 连接/断开设备 ```shell mncli d conn/dis eth0 mncli device connect/disconnect eth0 ``` 删除软件设备 ```shell nmcli d del ``` 监控某个设备的连接过程 ```shell nmcli d mon eth0 nmcli d monitor eth0 ``` 设置某个设备自动连接 ```shell nmcli d set eth0 auto yes/no ``` 设置某个设备是否本程序管理 ```shell nmcli d set eth0 man yes/no ``` 配置某个设备(暂时的,重启失效) ```shell nmcli d mod eth0 ?? ``` 让某个设备重新应用 ```shell mncli d re eth0 ``` 查询wifi ```shell nmcli d wifi nmcli d wifi list nmcli d wifi list ifname wlp3s0 ``` 刷新wifi ```shell nmcli d wifi rescan nmcli d wifi rescan ifname wlp3s0 ``` 连接wifi ```shell nmcli d wifi connect <SSID> password <password> nmcli d wifi connect <SSID> password <password> ifname wlp3s0 ``` ## 配置管理 查看所有配置 所有配置文件保存在 /etc/NetworkManager/system-connections ```shell nmcli c nmcli c show ``` 删除某个配置 ```shell nmcli c del <name> ``` 复制某个配置 ```shell nmcli c clone <name> <new_name> ``` 连接/断开某个配置 ```shell nmcli c up/down <name> ``` 重新载入配置文件 ```shell nmcli c reload ``` 导入/导出配置文件 ```shell nmcli ?? ``` 监视某个配置 ```shell nmcli c mon <name> ``` 修改某个配置的某一行 ```shell nmcli c mod <name> <配置>.<属性> <值> ``` 启动编辑某个配置 ```shell nmcli c edit <name> ``` 创建配置 ```shell nmcli c add con-name <name> type ??? ... ``` 创建pppoe拨号配置 ```shell nmcli c add con-name <name> type pppoe ifname <设备> username <username> password <<PASSWORD>> ``` <file_sep>#!/bin/bash workdir="$(cd "$(dirname "$0")" && pwd)" default_hexo_home=~/hexo default_repository_dir=~/github.com/fkxxyz/hexo-theme-volantis depends=( # Volantis 的基本依赖 # https://volantis.js.org/v2/getting-started/#%E4%B8%8B%E8%BD%BD%E4%B8%8E%E5%AE%89%E8%A3%85 hexo-generator-search hexo-generator-json-content hexo-renderer-stylus ) cnpm(){ # https://developer.aliyun.com/mirror/NPM npm --registry=https://registry.npm.taobao.org \ --cache=$HOME/.npm/.cache/cnpm \ --disturl=https://npm.taobao.org/dist \ --userconfig=$HOME/.cnpmrc "$@" } main(){ # 安装 Volantis 及其所需的依赖 # $1 指定 hexo 目录,若不指定,则为默认值 # $2 指定 volantis 的 git 仓库目录,若不指定,则为默认值 local hexo_home="$1" local repository_dir="$2" [ "$hexo_home" ] || hexo_home="$default_hexo_home" [ "$repository_dir" ] || repository_dir="$default_repository_dir" # 安装依赖 cd "$hexo_home" || exit 1 cnpm install ${depends[*]} --save || exit 1 # 链接仓库目录 theme_dir="$hexo_home/themes/volantis" ln -s "$repository_dir/"* "$theme_dir" || exit 1 } main <file_sep>--- title: sed 命令从入门到精通 cover: false date: 2019-11-29 16:03:38 updated: 2019-11-29 16:03:38 categories: - 教程 tags: - linux - shell - sed --- 作为 Linux 三剑客之一的 sed,shell 编程中掌握它是很有必要的。 本文用实验的方式循序渐进地学习 sed,可谓最科学的学习方式,一点一点遍历 sed 所有知识,实现真正的精通,同时还能作为速查。 快来动手跟着一起做吧! <!--more--> ## 入门实践 边实践边学习是真正掌握技能的唯一途径,下面从易到难来实验 sed 的各个命令。 ### 实验准备 为了更好的实验,在临时目录建立一个文本文件以便测试。 ```shell cd /tmp mkdir a cd a ``` 创建一个文本文件 a.txt ,并写入十行 ```shell for a in $(seq 1 1 10); do echo line$a; done > a.txt cat a.txt ``` 以下是 a.txt 的内容 ``` line1 line2 line3 line4 line5 line6 line7 line8 line9 line10 ``` ### 开始实验 #### a 命令 —— 添加新行 在第 4 行的下面添加一行 newline ```shell sed '4anewline' a.txt # 4 表示第 4 行 # a 表示添加 # newline 表示要添加的行 # 为了方便代码阅读,也可以加个'\'或空格,写成如下等价形式 sed '4a\newline' a.txt sed '4a newline' a.txt ``` 输出结果 ``` line1 line2 line3 line4 newline line5 line6 line7 line8 line9 line10 ``` 也可以一次性添加多行 ```shell sed '4anewline1\nnewline2' a.txt ``` 输出结果 ``` line1 line2 line3 line4 newline1 newline2 line5 line6 line7 line8 line9 line10 ``` #### 指定地址范围 ##### , —— 范围分隔符 从第 4 行到第 8 行的所有行的下面分别添加一行 newline ```shell sed '4,8anewline' a.txt # 4,8 表示从第4行到第8行,用逗号隔开地址 ``` 输出结果 ``` line1 line2 line3 line4 newline line5 newline line6 newline line7 newline line8 newline line9 line10 ``` ##### + —— 到接下来几行 从第 4 行到其后两行的每一行分别添加一行 newline ```shell sed '4,+2anewline' a.txt # 4,+2 表示从第4行到第4+2行,等同于 4,6 ``` 输出结果 ``` line1 line2 line3 line4 newline line5 newline line6 newline line7 line8 line9 line10 ``` ##### ~ —— 倍数匹配 从第 5 行到第一次遇到的 4 的倍数行的每一行分别添加一行 newline ```shell sed '5,~4anewline' a.txt # 5,~4 相当于第 5 行到从第 5 行开始,遇到行号为 4 的倍数的行为止,等价于 5,8 ``` 输出结果 ``` line1 line2 line3 line4 line5 newline line6 newline line7 newline line8 newline line9 line10 ``` ##### ~ —— 步进 从第 5 行起,所有行号为 2 的倍数的行后面添加一行 newline ```shell sed '5~2anewline' a.txt # 5~2 表示从第 5 行起,所有行号为 2 的倍数的行 ``` 输出结果 ``` line1 line2 line3 line4 line5 newline line6 line7 newline line8 line9 newline line10 ``` ##### $ —— 最后一行 从第 4 行到最后一行的每一行分别添加一行 newline ```shell sed '4,$anewline' a.txt # $ 表示最后一行 # 4,$ 表示从第 4 行到最后一行 ``` 输出结果 ``` line1 line2 line3 line4 newline line5 newline line6 newline line7 newline line8 newline line9 newline line10 newline ``` ##### ! —— 范围取反 从第 4 行到第 8 行之外的所有行后面添加一行 newline ```shell sed '4,8!anewline' a.txt # ! 表示地址取反 # 4,8! 表示从第 4 行到第 8 行之外的所有行 ``` 输出结果 ``` line1 newline line2 newline line3 newline line4 line5 line6 line7 line8 line9 newline line10 newline ``` ##### // —— 正则表达式范围 在匹配到 line4 的行后面添加一行 newline ```shell sed '/line4/anewline' a.txt # /line4/ 表示匹配到 line4 的行 # 等价于 sed '\?line4?anewline' a.txt # 其中 ? 可以替换成任意字符 ``` 输出结果 ``` line1 line2 line3 line4 newline line5 line6 line7 line8 line9 line10 ``` 在匹配到 line4 到第 6 行的行后面添加一行 newline ```shell sed '/line4/,6anewline' a.txt # /line4/,6 表示匹配到 line4 到第 6 行的行 ``` 输出结果 ``` line1 line2 line3 line4 newline line5 line6 line7 line8 line9 line10 ``` #### i 命令 —— 插入新行 在第 4 行前插入一行 newline ```shell sed '4inewline' a.txt ``` 输出结果 ``` line1 line2 line3 newline line4 line5 line6 line7 line8 line9 line10 ``` #### d 命令 —— 删除 删除 4 到 8 行 ```shell sed '4,8d' a.txt # d 表示删除 ``` 输出结果 ``` line1 line2 line3 line9 line10 ``` #### c 命令 —— 行替换 将 4 到 8 行替换成 newline ```shell sed '4,8cnewline' a.txt # c 表示替换 ``` 输出结果 ``` line1 line2 line3 newline line9 line10 ``` #### p 命令 —— 打印 打印一遍 4 到 8 行 ```shell sed '4,8p' a.txt # p 表示打印 ``` 输出结果 ``` line1 line2 line3 line4 line4 line5 line5 line6 line6 line7 line7 line8 line8 line9 line10 ``` 只打印 4 到 8 行 ```shell sed -n '4,8p' a.txt # -n 表示不打印原文 ``` 输出结果 ``` line4 line5 line6 line7 line8 ``` 从匹配到 “line4” 的行打印到匹配到 “ne6” 的行 ```shell sed -n '/line4/,/e6/p' a.txt # 本例配合地址可灵活运用 ``` 输出结果 ``` line4 line5 line6 ``` #### = 命令 —— 打印行号 从匹配到 “line4” 的行打印到匹配到 “ne6” 的行号 ```shell sed -n '/line4/,/e6/=' a.txt # = 表示打印那一行的行号 ``` 输出结果 ``` 4 5 6 ``` #### s 命令 —— 正则替换 将第 4 行到第 8 行的 ne 替换成 on ```shell sed '4,8s/ne/on/' a.txt # s 表示替换 # 格式为: s/正则表达式/要替换的内容/ ``` 输出结果 ``` line1 line2 line3 lion4 lion5 lion6 lion7 lion8 line9 line10 ``` s 命令最后跟个 g 表示替换该行所有匹配 ```shell echo 'abcdabcd\nbcdebcde' | sed 's/b/x/g' ``` 输出结果为 ``` axcdaxcd xcdexcde ``` 而不加 g 的 s 只能替换每一行匹配到的第一个 ```shell echo 'abcdabcd\nbcdebcde' | sed 's/b/x/' ``` 输出结果为 ``` axcdabcd xcdebcde ``` 正则表达式的实例 ```shell sed '4,8s/\(line\)\([[:digit:]]\+\)/\2 - \1/' a.txt # 4,8 表示从第 4 行到第 8 行 # \(line\)\([[:digit:]]\+\) 是正则表达式 # \1 表示正则表达式中第一个括号匹配的结果 # \2 表示正则表达式中第二个括号匹配的结果 # 可以加 -r 参数开启扩展正则表达式,写成等价形式 sed -r '4,8s/(line)([[:digit:]]+)/\2 - \1/' a.txt ``` 输出结果为 ``` line1 line2 line3 4 - line 5 - line 6 - line 7 - line 8 - line line9 line10 ``` #### y 命令 —— 字符映射替换 将第 4 行到第 5 行按照字符映射 {e,i,l,n} -> {o,c,e,h} 进行替换 ```shell sed '4,5y/eiln/oceh/' a.txt ``` 输出结果 ``` line1 line2 line3 echo4 echo5 line6 line7 line8 line9 line10 ``` #### r 命令 —— 行替换为文件内容 ```shell # 先写入一个 b.txt 文件作为测试文件 echo 'aaa\nbbb' > b.txt sed '4,5rb.txt' a.txt # r 表示以后面作为文件名读取文件内容进行替换 ``` 输出结果 ``` line1 line2 line3 line4 aaa bbb line5 aaa bbb line6 line7 line8 line9 line10 ``` #### {} —— 脚本块 在大括号内用分号隔开命令,可以实现执行多个命令 打印 3 到 4 行和 7 到 8 行 ```shell sed -n '{3,4p;7,8p}' a.txt # 最外层大括号可省略 sed -n '3,4p;7,8p' a.txt ``` 输出结果 ``` line3 line4 line7 line8 ``` 如果每个命令的地址相同,那么也可以类似于像分配律一样的语法 ```shell sed -n '4{p;=}' a.txt # 等价于 sed -n '{4p;4=}' a.txt ``` 输出结果 ``` line4 4 ``` 连 s 命令都能包含,体会到替换前和替换后的不同 ```shell sed -n '4{p;s/ne/on/;p;=}' a.txt ``` 输出结果 ``` line4 lion4 4 ``` 大括号可以嵌套 ```shell sed -n '{4{p;=};8{=;p}}' a.txt ``` 输出结果 ``` line4 4 8 line8 ``` 如果嵌套时,地址不同,则会取交集 1. ```shell sed -n '3,7{4,5p}' a.txt ``` 输出结果 ``` line4 line5 ``` 2. ```shell sed -n '4,7{3,6p}' a.txt ``` 输出结果 ``` line4 line5 line6 ``` #### h,H,g,G,x —— 空间交换相关 首先需要弄懂两个概念:模式空间、保持空间。 **模式空间:**sed 命令默认是一行一行处理的,每读取到一行,会放到模式空间里,然后执行脚本来处理模式空间的内容,处理完后会清空模式空间,并且读取下一行继续处理,如此循环直到行尾。模式空间相当于专门用于 sed 处理的字符串缓冲区。 **保持空间:**默认的 sed 是不会操作保持空间的,保持空间是专门为用户提供的空间,这几个命令可以操作保持空间,来实现更复杂的功能。 > **h:**把模式空间内容覆盖到保持空间中 > **H:**把模式空间内容追加到保持空间中 > **g:**把保持空间内容覆盖到模式空间中 > **G:**把保持空间内容追加到模式空间中 > **x:**交换模式空间与保持空间的内容 将第 4 行和第 6 行复制到第 8 行后面。 ```shell sed '{4h;6H;8G}' a.txt # 4h 表示将第 4 行放入保持空间 # 6H 表示将第 6 行加入保持空间 # 8G 表示将保持空间内容追加到模式空间 ``` 输出结果 ``` line1 line2 line3 line4 line5 line6 line7 line8 line4 line6 line9 line10 ``` #### n,N,P,D —— 模式空间操作 有了模式空间的概念后,可以重新理解一下前面 p、d、n 等命令的本质。 > **p:**打印当前模式空间所有内容,追加到默认输出之后。 > > **P:**打印当前模式空间开端至\n的内容,并追加到默认输出之前。Sed并不对每行末尾\n进行处理,但是对N命令追加的行间\n进行处理,因为此时sed将两行看做一行。 > > **n:**命令简单来说就是提前读取下一行,覆盖模型空间前一行,然后执行后续命令。然后再读取新行,对新读取的内容重头执行sed。 > > **N:**命令简单来说就是追加下一行到模式空间,同时将两行看做一行,但是两行之间依然含有\n换行符,然后执行后续命令。然后再读取新行,对新读取的内容重头执行sed。此时,新读取的行会覆盖之前的行(之前的两行已经合并为一行)。 > > **d:**命令是删除当前模式空间内容(不再传至标准输出), 并放弃之后的命令,并对新读取的内容,重头执行sed。 > > **D:**命令是删除当前模式空间开端至\n的内容(不在传至标准输出), 放弃之后的命令,但是对剩余模式空间重新执行sed。 删除匹配 line4 行的下一行 ```shell sed '/line4/{n;d}' a.txt # 操作到第 4 行时,提前读取第 5 行并删掉。 ``` 输出结果 ``` line1 line2 line3 line4 line6 line7 line8 line9 line10 ``` 打印偶数行 ```shell sed -n '{n;p}' a.txt # n 命令表示操作每一行时,读取下一行,覆盖掉已经读取的这一行 # p 表示打印出来 # 每次循环时,模式空间中,奇数行全部被偶数行覆盖 # 打印偶数行也可以用步进地址实现 sed -n '2~2p' a.txt ``` 输出结果 ``` line2 line4 line6 line8 line10 ``` 删除匹配到 line4 行和下一行 ```shell sed '/line4/{N;d}' a.txt # 操作到第 4 行时,提前读取第 5 行追加到模式空间,然后两行一起删掉。 ``` 输出结果 ``` line1 line2 line3 line6 line7 line8 line9 line10 ``` 打印奇数行 ```shell sed –n '$!N;P' a.txt # 除了最后一行之外所有行,都提前读取下一行追加到模式空间,然后打印追加前的第一行,最后一行单独输出 # 打印奇数行也可以用步进地址实现 sed -n '1~2p' a.txt ``` 输出结果 ``` line1 line3 line5 line7 line9 ``` 每次提前读取三行,输出第一行 ```shell sed -n '{N;N;P}' a.txt ``` 输出结果 ``` line1 line4 line7 ``` #### b —— 标签跳转 **b:**跳转到用冒号开头表示的标签 用标签跳转的方式实现:将除了匹配 line4 的行其它行的 ne 换成 on ```shell sed '/line4/bend;s/ne/on/;:end' a.txt # 匹配到 line4 时,会执行 b 命令,跳转到最后的 :end 标签,也就相当于跳过了替换命令 # 如果标签在前可能造成死循环,需要注意指定行 # 当标签在最后时,可以省略,而且当 b 命令指定的标签不存在时,会自动跳转到最后 # 所以可简写成 sed '/line4/b;s/ne/on/' a.txt # 当然,可以用前面的地址范围取反来实现 sed '/line4/!s/ne/on/' a.txt ``` 输出结果 ``` lion1 lion2 lion3 line4 lion5 lion6 lion7 lion8 lion9 lion10 ``` #### t —— 条件标签跳转 **t:**如果前一条命令执行成功,则跳转到用冒号开头表示的标签。 用条件标签跳转的方式实现:将除了匹配 line4 的行其它行的 ne 换成 on,4换成 F ```shell sed 's/4/F/;tend;s/ne/on/;:end' a.txt # 当标签在最后时,可以省略,而且当 b 命令指定的标签不存在时,会自动跳转到最后 # 所以可简写成 sed 's/4/F/;t;s/ne/on/' a.txt # 当然,可以用前面的地址范围取反来实现 sed '/4/!s/ne/on/;/4/s/4/F/' a.txt ``` 输出结果 ``` lion1 lion2 lion3 lineF lion5 lion6 lion7 lion8 lion9 lion10 ``` ## 速查 *以下内容使用谷歌翻译自 [sed(1) - Linux man page](https://linux.die.net/man/1/sed)* 以及 sed --help,可供参考。 ### 名称 sed - 流编辑器,用于过滤和转换文本 ### 语法 sed [可选参数]... {脚本} [输入文件]... 如果未提供-e,-expression,-f或--file选项,则将第一个非可选参数用作要解释的sed脚本。 其余所有参数均为输入文件的名称; 如果未指定输入文件,那么将读取标准输入。 ### 描述 Sed是流编辑器。 流编辑器用于对输入流(文件或来自管道的输入)执行基本的文本转换。 尽管在某种程度上类似于允许脚本编辑(例如ed)的编辑器,但sed通过仅对输入进行一次传递来工作,因此效率更高。 但是sed能够过滤管道中的文本,这使其与其他类型的编辑器特别有区别。 #### -n, --quiet, --silent 禁止自动打印模式空间 #### -e 脚本, --expression=脚本 添加“脚本”到程序的运行列表 #### -f 脚本文件, --file=脚本文件 添加“脚本文件”到程序的运行列表 #### --follow-symlinks 直接修改文件时跟随符号链接; 硬链接仍然会断开。 #### -i[扩展名], --in-place[=扩展名] 直接修改文件(如果指定扩展名则备份文件) #### -c, --copy 在 -i 模式下直接修改文件且备份时,使用复制操作而不是重命名。 尽管这样做可以避免断开链接(符号链接或硬链接),但最终的编辑操作不是原子的。 这很少是理想的模式。 --follow-symlinks通常就足够了,并且更快,更安全。 #### -l N, --line-length=N 指定“l”命令的换行期望长度 #### --posix 关闭所有 GNU 扩展 #### -E, -r, --regexp-extended 在脚本中使用扩展正则表达式(为保证可移植性使用 POSIX -E)。 #### -s, --separate 将输入文件视为各个独立的文件而不是单个长的连续输入流 #### -u, --unbuffered 从输入文件读取最少的数据,更频繁的刷新输出 #### --help 打印帮助并退出 #### --version 输出版本信息并退出 ### 命令语法 这只是sed命令的简要提要,以提示那些已经知道sed的人。 必须参考其他文档(例如texinfo文档)以获取更完整的描述。 #### : 标签 **b** 和 **t** 命令的标签 #### # 注释 注释会一直延伸到下一个换行符(或**-e **脚本片段的末尾)。 #### } 关闭 {}块 的括号的右半括号 #### = 打印当前行号 #### a 文本 在模式空间后追加文本,该文本的每个嵌入换行符前都有一个反斜杠。 #### i 文本 在模式空间前插入文本,该文本的每个嵌入换行符前都有一个反斜杠。 #### q [退出代码] 立即退出 sed 脚本而不处理任何其他输入,除非如果未禁用自动打印,将打印当前图案空间。 退出代码参数是GNU扩展。 #### Q [退出代码] 立即退出 sed 脚本,而不处理更多输入。 这是一个GNU扩展。 #### r 文件名 从文件中读取的文本追加到模式空间中。 #### R 文件名 从文件中读取的文本追加到模式空间中。 每次调用该命令都会从文件中读取一行。这是一个GNU扩展。 #### { 启动 {}块 的括号的左半括号 #### b [标签] 跳转到标签; 如果省略了标签参数,则跳转到脚本结尾。 #### t [标签] 如果上一条读取的输入行被 s/// 命令替换成功,则跳转至标签 ; 如果省略标签,则跳转到脚本结尾。 #### T [标签] 如果上一条读取的输入行没有被 s/// 命令替换成功,则跳转至标签 ; 如果省略标签,则跳转到脚本结尾。这是一个GNU扩展。 #### c 文本 将所选行替换为文本,该文本的每个嵌入换行符前都有一个反斜杠。 #### d 删除模式空间。 开始下一个循环。 #### D 删除模式空间中的第一个嵌入的行。 从下一个循环开始,但是如果模式空间中仍有数据,则跳过从输入中读取的操作。 #### h H 复制/追加模式空间到保持空间。 #### g G 复制/追加保持空间到模式空间。 #### x 交换保持空间和模式空间的内容。 #### l 以“视觉清晰”的形式列出当前行。 #### l 宽度 以“视觉清晰”的形式列出当前行,并以根据指定宽度的字符将其断开。 这是一个GNU扩展。 #### n N 将输入的下一行读取/追加到模式空间。 #### p 打印当前模式空间 #### P 打印当前模式空间直到第一个嵌入式换行符。 #### s/正则表达式/替代串/ 尝试将正则表达式与模式空间进行匹配。 如果成功,则用替代串/替换该部分。替代串可以包含特殊字符 “&” 来表示匹配的模式空间部分,而特殊转义 \1 到 \9 则表示正则表达式中的相应匹配子表达式。 #### w 文件名 将当前模式空间写入文件。 #### W 文件名 将当前模式空间的第一行写入文件。 这是一个GNU扩展。 #### y/源串/目标串/ 将模式空间中出现在源串中的字符翻译成目标串中的相应字符。 ### 地址 sed命令可以不带地址,在这种情况下,将对所有输入行执行该命令。 具有一个地址,在这种情况下,该命令仅对与该地址匹配的输入行执行; 或使用两个地址,在这种情况下,将对所有输入行执行命令,这些输入行与从第一个地址开始一直延伸到第二个地址的所有行包括在内。 有关地址范围的三点注意事项:语法为“地址1,地址2”(即地址用逗号分隔); 即使地址2选择了较早的行,也将始终接受与地址匹配的行; 如果地址2是正则表达式,则不会针对地址1匹配的行进行测试。 在地址(或地址范围)之后,在命令之前,! 可以插入,它指定仅当地址(或地址范围)不匹配时才执行命令。 #### 数字 仅匹配指定的数字行。 #### 首行~步进 匹配从首行开始的每个相隔步进的行。 例如,“ sed -n 1~2p”将打印输入流中的所有奇数行,并且地址2~5将与第二行开始的每第五行匹配。首行可以为零; 在这种情况下,sed 的操作就好像等于步进。 (这是一个扩展。) #### $ 表示最后一行。 #### /正则表达式/ 匹配正则表达式的行。 #### \c正则表达式c 匹配正则表达式的行。c 可以是任何字符。 ### GNU sed 还支持一些特殊的2地址形式 #### 0,地址2 从“匹配的第一个地址”状态开始,直到找到地址2。 这类似于“1,地址2”,不同之处在于,如果地址2与输入的第一行匹配,则“0,地址2”形式将在其范围的末尾,而“1,地址2”形式仍为在其范围的开始。仅当地址2为正则表达式时有效。 #### 地址1,+N 将匹配地址1和地址1之后的 N 行。 #### 地址1,~N 将匹配地址1和地址1之后的行,直到输入行号是 N 的倍数的下一行。 ### 正则表达式 本来应该支持POSIX.2 BRE,但是由于性能问题,它们并不完全支持。 正则表达式中的 \n 序列与换行符匹配,对于 \a,\t 和其他序列也是如此。 ## 参考文献 1. [sed(1) - Linux man page](https://linux.die.net/man/1/sed) 2. [菜鸟教程 —— Linux sed 命令](https://www.runoob.com/linux/linux-comm-sed.html) 3. [肖邦linux —— sed入门详解教程](https://www.cnblogs.com/liwei0526vip/p/5644163.html) 4. [DataCareer —— Sed命令n,N,d,D,p,P,h,H,g,G,x解析](https://www.cnblogs.com/irockcode/p/8018575.html)<file_sep>--- title: 记一次 excel 文档的密码破解的探索 cover: false date: 2019-11-26 16:11:08 updated: 2019-11-26 16:11:08 categories: - 探究学习 tags: - 信息安全 - python --- 周末的时候,有个以前的同学说自己的 excel 密码忘记,所以找我帮忙看有没有办法破解开来。 由于之前从来没接触过这样的实战,对加密解密仅仅只是了解的概念,基本都是理论知识,于是开始了实战探索之路。 <!--more--> ## 探索之路 ### 已有知识 在印象中,几年前下载过这样的破解 office 密码的软件,名字是 Advanced Office Password Recovery,还接触过很多压缩包密码破解,听说过 wifi 密码破解等等。 根据所学过的知识,我将密码破解分为三类: 1. **暴力破解:**这种方式是利用计算机高计算速度的特性,让程序按一定的规律或规则,一个一个试密码,直到试出来为止。 2. **逆向算法以及哈希碰撞:**一般的加密算法是不可能那么轻易可逆的,也没那么容易碰撞,一般只有顶尖的数学家密码学家牛人才能探索出这种算法,当今普遍采用的算法一般都是还没被探索出碰撞的。 3. **伪加密直接清除密码**:确切的说只对没有加密的文档管用,可以说是伪加密,仅仅是软件让你输入密码数对了才能访问到真正数据,而真正数据并未加密,严格说不算一种破解方法,局限性很大。 由于她用的是 excel 2013 的加密文档,然后去网上搜索 excel 2013 的解密,无一例外都是暴力破解的方式,和我想的一样,微软不可能傻到伪加密,也不可能用一些已经被破解了的不安全的算法,基本能确定只有暴力破解这一种方法。 ### 软件尝试 这次破解密码,我首先尝试的是 Advanced Office Password Recovery,由于用的 archlinux 系统,直接使用 wine 来安装运行,启动成功。 先看看这款软件能否行的通吧,首先,我打开我电脑里已装好的 excel 2007,然后里面随便写点东西,然后加密保存,密码设为 <PASSWORD>,然后新建一个字典,随便输几行,并且把真实密码也放进去,打开这软件,加载字典,开始搜索,果然,秒出结果。证明了这软件还是行的通的。 ### 字典构造 再搜集线索,这样可以缩小搜索范围,得知她设的是一句类似于“工作让我想死”的每个字的首字母组合,长度在 6~9 位,那么接下来让她想尽可能多的词语。比如“让人”、“令人”、“心烦”等等类似的词,首字母记下来。 然后再仔细想想其中的规律,”gz“肯定是开头两位,中间的词语不确定,有几个备选词语,结尾词语也不确定,同样几个备选,我设想这句话可以分为几个部分,每个部分都是一个词语,把每一部分写成一行,每一行里用逗号隔开词语的所有可能性,然后写了如下 txt 文档。 ``` gz ,zs,zd l,s,r w,r xf,xs ``` 其中第二行逗号开头表示可缺省,那么一共有 1\*3\*3\*2\*2=36 种情况,虽然手动一个一个试是可以试完的,但是设想到万一都不对肯定要考虑别的词语,倒不如编个程序,根据上述 txt 文档来生成一个包含所有情况的字典,然后就可以放到破解软件里去跑,然后就可以随时加词语再生成字典再去跑。 说动手就动手,十分钟后,一个简易的 python 程序诞生。 ```python #!/bin/python with open('a.txt') as f: r=f.read().strip() lines=r.split('\n') words=[] for line in lines: words.append(line.split(',')) l=len(words) def rec(s,i): if i==l: print(s) return for j in words[i]: rec(s+j,i+1) rec('',0) ``` 思路也很清晰,固定读取 a.txt,用一个递归函数,一行一行的遍历,达到最深(最后一行)时打印出来此情况并且回溯。 ### 开始破解 把程序生成的字典放到软件里去跑,立马出结果,说密码未找到,说明 36 种情况都不是。 于是把思路和规则告诉她,让她加词语,加情况。通过实验得知,我的电脑每秒钟能试 400 次密码。 然后加了几个词语继续试。 120种情况: ``` gz ,zs,zd,ztm l,s,r w,r xs,xf,fs,ns,ty ``` 400种情况: ``` gz ,z,t,y,u,I,o,p,g,h,j,k,l,v,b,n,m l,s,r w,r xs,xf,fs, ``` 153900种情况(约6分钟) ``` gz ,z,t,y,u,I,o,p,g,h,j,k,l,v,b,n,m, ,d,s,h,x z,t,y,u,I,o,p,g,h,j,k,l,v,b,n,m,l,s,r z,t,y,u,I,o,p,g,h,j,k,l,v,b,n,m,w,r xs,xf,fs,xyqs,xqs ``` 均未果。 再后来,她觉得,大周末的也挺麻烦的,而且反正也不是什么重要的东西,文档也可以慢慢补回来,就决定放弃了。 尽管没能解决问题,也不重要了,给她带来的陪伴价值是很珍贵的,同时也让我有了一些破解经验。 ## 后续探索 在闲暇之余,我开始去网上搜相关的文章博客论坛等等,看看别人的破解经验,在浏览了 20+ 篇的文章之后,发现了这么一个软件:[hashcat](https://www.hashcat.net),自称是世界上最快的最先进的密码恢复工具,而且还开源免费,支持包括 MS Office 2013 在内的上百种类型的 hash 破解。 看了介绍就觉得是神器,我必须试试了。 ### 尝试用 hashcat 破解 linux 用户登录密码 在 CSDN上 [hashcat的学习和使用记录](https://blog.csdn.net/qq_37865996/article/details/83863075) 这篇博客的引导下,我开始了第一次尝试,尝试实验破解 linux 的用户登录密码。 #### 建立测试用户 首先,建立一个新用户 qwer,密码为 <PASSWORD> ```shell sudo useradd -m qwer sudo passwd qwer # 然后输入两次 123456 ``` 尝试登录 ```shell su - qwer # 然后输入密码 <PASSWORD> ``` 登录成功。 #### 提取哈希 我知道,用户的密码是哈希加密之后,放在了 /etc/shadow 里,这个文件对普通用户是没有读取权限的,只有 root 用户能访问,直接查看这文件,取得哈希。 ```shell sudo cat /etc/shadow | grep qwer ``` 输出结果为 ``` qwer:$6$teTb/7A1JUDBJ3Ea$oU8XOGYd.nN96vi7x0yzFdrhQVk5IcK4AHn/gKPcBFHuXtFtFsF64628pPQBI0yEeJH47E5jqLdgTZkYUR7Rs1:18225:0:99999:7::: ``` 保留 hashcat 所需要的值,去掉不需要的之后 ``` $6$teTb/7A1JUDBJ3Ea$oU8XOGYd.nN96vi7x0yzFdrhQVk5IcK4AHn/gKPcBFHuXtFtFsF64628pPQBI0yEeJH47E5jqLdgTZkYUR7Rs1 ``` 把这串值写到一个文本文件里,建个工作目录放进去吧 ```shell cd mkdir hashcat cd hashcat echo '$6$teTb/7A1JUDBJ3Ea$oU8XOGYd.nN96vi7x0yzFdrhQVk5IcK4AHn/gKPcBFHuXtFtFsF64628pPQBI0yEeJH47E5jqLdgTZkYUR7Rs1' > hash.txt ``` 这样,哈希文件就准备好了。 #### 构造字典 总得要构造个字典才能实验,虽然能直接指定掩码暴力的方式,但我更钟爱字典。 继续写个简易的 python 程序来构造一个字典吧 ```python #!/bin/bash import itertools it = itertools.product('1234567890', repeat=6) for a in it: print(''.join(a)) ``` 然后运行这个程序 ```shell chmod +x gendict ./gendict > dict.txt ``` 然后看看正确密码在哪一行 ```shell cat dict.txt | grep -n 123456 ``` 得知在第 987655 行,要搜索这么多次,正好可以看看 hashcat 有多快。 #### 开始破解 直接执行 ```shell hashcat -m 1800 -a 0 -o output.txt hash.txt dict.txt ``` 各参数解释 1. **-m 1800** 指定 hash 的类型的 id ,这里是破解 linux 密码所以 id 是 1800,通过 hashcat --help 可以看到解密不同类型 hash 的 id。 2. **-a 0** 指定攻击模式, 0代表字典,3代表掩码暴力等等,这里直接指定字典。 3. **-o output.txt** 指定破解出来之后,输出结果保存的文件。 4. **hash.txt** 指定要破解的 hash 文件。 5. **dict.txt** 指定字典。 ok,按回车之后,提示失败,输出结果 ``` hashcat (v5.1.0) starting... clGetPlatformIDs(): CL_PLATFORM_NOT_FOUND_KHR Started: Wed Nov 25 22:20:45 2019 Stopped: Wed Nov 25 22:20:45 2019 ``` 这是为什么呢,百度了一下 clGetPlatformIDs 这个函数,查到应该是个 opencl 相关的函数,这个函数顾名思义,这是在寻找平台吗,也就是 hashcat 默认是要用 GPU 来破解计算的,哈哈,难怪堪称世界第一。那好嘛,我的 nvidia 显卡肯定是被大黄蜂禁用的状态,你会 not found 很正常咯,我直接启用。 ``` optirun hashcat -m 1800 -a 0 -o output.txt hash.txt dict.txt ``` 这下好像成功了,开始破解了,虽然看到一些警告。 最后一行是 ``` [s]tatus [p]ause [b]ypass [c]heckpoint [q]uit => ``` 可以看出是几个选项,可以输首字母来操控,输入个 s 提示了以下信息 ``` Session..........: hashcat Status...........: Running Hash.Type........: sha512crypt $6$, SHA512 (Unix) Hash.Target......: $6$teTb/7A1JUDBJ3Ea$oU8XOGYd.nN96vi7x0yzFdrhQVk5IcK...UR7Rs1 Time.Started.....: Wed Nov 25 22:42:10 2019 (36 secs) Time.Estimated...: Wed Nov 25 23:10:08 2019 (27 mins, 22 secs) Guess.Base.......: File (dict.txt) Guess.Queue......: 1/1 (100.00%) Speed.#1.........: 596 H/s (10.19ms) @ Accel:32 Loops:16 Thr:32 Vec:1 Recovered........: 0/1 (0.00%) Digests, 0/1 (0.00%) Salts Progress.........: 20480/1000000 (2.05%) Rejected.........: 0/20480 (0.00%) Restore.Point....: 20480/1000000 (2.05%) Restore.Sub.#1...: Salt:0 Amplifier:0-1 Iteration:1968-1984 Candidates.#1....: 080620 -> 088583 Hardware.Mon.#1..: Temp: 64c ``` 很容易读懂这些信息,我最关心的是速度,速度是 596 次每秒,那么....正确密码在 987655 行,算一算需要 27 分钟才能找到密码。 我只是想尝试一下而已,不想费那么久时间还烧显卡。直接输入 q 退出。然后手动打开字典改一改,把 123456 放到大概一万行的位置吧,然后再执行破解。 很快,执行结束了,出结果了。 ``` Session..........: hashcat Status...........: Cracked Hash.Type........: sha512crypt $6$, SHA512 (Unix) Hash.Target......: $6$teTb/7A1JUDBJ3Ea$oU8XOGYd.nN96vi7x0yzFdrhQVk5IcK...UR7Rs1 Time.Started.....: Wed Nov 25 22:50:57 2019 (21 secs) Time.Estimated...: Wed Nov 25 22:51:18 2019 (0 secs) Guess.Base.......: File (dict.txt) Guess.Queue......: 1/1 (100.00%) Speed.#1.........: 602 H/s (10.22ms) @ Accel:32 Loops:16 Thr:32 Vec:1 Recovered........: 1/1 (100.00%) Digests, 1/1 (100.00%) Salts Progress.........: 12288/1000000 (1.23%) Rejected.........: 0/12288 (0.00%) Restore.Point....: 10240/1000000 (1.02%) Restore.Sub.#1...: Salt:0 Amplifier:0-1 Iteration:4992-5000 Candidates.#1....: 090860 -> 098823 Hardware.Mon.#1..: Temp: 67c Started: Wed Nov 25 22:50:37 2019 Stopped: Wed Nov 25 22:51:19 2019 ``` 在第二行 Status...........: Cracked ,可以得知已经破解了。然后 ls 一下发现果然有个 output.txt,执行 ``` cat output.txt ``` 看看结果 ``` $6$teTb/7A1JUDBJ3Ea$oU8XOGYd.nN96vi7x0yzFdrhQVk5IcK4AHn/gKPcBFHuXtFtFsF64628pPQBI0yEeJH47E5jqLdgTZkYUR7Rs1:123456 ``` 好的,这次尝试很顺利,123456 被破解出来了。 ### 尝试用 hashcat 破解 excel 密码 已经熟悉了 hashcat 的基本使用了,该用它试试满足我的需求了。 得知提取 office 文档的 hash 用的是开源的 office2john,可以直接下载 ``` wget https://github.com/magnumripper/JohnTheRipper/raw/bleeding-jumbo/run/office2john.py ``` 然后执行它,指定要破解的 xlsx 文件。 ```shell python office2john.py 2.xlsx > 2.hash ``` 然后看看 2.hash 的内容,把开头的 2.xlsx 和冒号去掉。 用 hashcat --help 查询得知 office 2013 的加密方式 id 是 9600,那我可以用原来 python 生成的字典开始了。 ```shell optirun hashcat -m 9600 -a 0 -o output.txt 2.hash dict.txt ``` 很快,又跑起来了。看到,速度,只有?158 H/s ??还没有 Advanced Office Password Recovery? 说好的世界第一呢? ### 严重失误的发现 抱着好奇的态度,我再次打开 Advanced Office Password Recovery,然后打开 2.xlsx ,加载字典,然后开始,发现速度只有 16 H/s ?? 那么我前面那个实验得出的 400 次每秒是怎么回事,难道是我刚刚把电脑烧烫了,速度就慢了?那也不该慢这么多,我重复着之前的动作,发现,我之前一直加载的根本不是 2.xlsx ,而是用的我自己最开始实验的时候,用 excel 2007 加密的文档!我再次打开我那用来实验加密的 excel 2007 的文档,发现速度又是 400次每秒了。 也就是说,我后来帮她破解的时候,根本没有选对文件,我一直破解的是我自己加密的文档,这是一个严重的失误,导致我后续的暴力破解全都是无效的破解。 然后后续继续实验,作出对比总结 1. 用 Advanced Office Password Recovery : 1. 破解 office 2007 速度为 400 H/s 2. 破解 office 2013 速度为 16 H/s 2. 用 hashcat : 1. 破解 office 2007 速度为 2221 H/s 2. 破解 office 2013 速度为 158 H/s 用 GPU 计算确实速度快了不少,虽然我这是几年前的垃圾卡。 对于失误,我后来又重新用 hashcat 跑了一遍,之前生成的字典,那个15万次的用了半小时。然后发现 hashcat 有个细节很贴心 ``` Watchdog: Temperature abort trigger set to 90c ``` 温度超过 90 度时自动停止,休息一会,然后可以运行 hashcat --restore 来接着上次的破解,能很好的保护机器,后续探索发现会话保存在 ~/.hashcat/session 里面,也可以用命令行参数来指定会话的位置,看来,hashcat 是一个很成熟考虑周全的软件了,有时间的话,我会总结出它所有的功能用法,列出来以便以后使用。 发现失误后,用 hashcat 加载以前的字典,跑了半小时还是没跑出来,不过这次经历让我收获很多。 ## 总结 hashcat 能破解上百种类型的 hash,而且支持 GPU 运算,对高性能的显卡来说速度会更快。那么破解 hashcat 支持的 hash 类型,我把步骤程序化,以后遇到要破解的问题都按这个思路了。 1. **提取要破解的 hash** 每种文档或者密码,提取 hash 的方式不同,以后遇到什么样的密码,可以现查资料。 2. **尽可能搜集多的关于密码的情报** 这一步主要是为了生成字典,尽可能了解多的信息,来缩小搜索范围。 3. **生成字典** 生成字典可以自己写 python 程序来实现,可以妙用迭代器来快速生成,也可以利用 crunch 等软件来生成字典。 4. **用 hashcat 开始破解** 破解的过程中可能出现温度过高的情况,那么可以用计划任务的方式尽情发挥想象力破解。 <file_sep>--- title: 我的阿里云服务器中毒了,把这有趣的事情记录下来。 cover: false date: 2019-12-09 18:24:19 updated: 2019-12-09 18:24:19 categories: - 记录 tags: - 信息安全 typora-root-url: ../.. --- 自从用了 linux,由于 linux 用户量小又开源代码审查人多的特点,从而从来没为 linux 的安全担心过,这次算是第一次遭遇到病毒,值得记录下来。 <!--more--> ## 病毒的发现 ### 发现 偶然情况进了一下阿里云控制台,看了一眼监控,眼前的景象惊呆了。 ![](/img/ali-cpu.png) 连续,一个月,CPU占用100%?我阿里云平时基本空闲,也只有我访问,也没什么复杂的计算,都是挂挂反向代理和做普通网站用,怎么也不可能出现这种现象。所以到这里基本确定,是有什么问题了,但是还没联想到病毒。 ### 怀疑 直接登录阿里云,用 top 命令看了下,确实有个进程占 100% 的CPU,进程名是 .dhpcd 我还给看错了,第一反应看成 dhcpd ,以为是 dhcp 客户端出了什么故障,但前面为什么有个 点?而且 dhcp 客户端也没必要一直开着啊,就获取地址的时候用一下,难道是出了bug,陷入死循环? 又仔细看了下 top,用户名为 user ?????更奇怪了,这个用户是我以前临时建立的,用来给一朋友登录玩 gcc 的,平时从来没用过。 ### 定位 用 ps 看下这用户的所有进程信息 ```shell ps -ef | grep user ``` ![](/img/vir-proc.png) 在家目录的隐藏文件。直接去看看这个文件。 ```shell ls -al ``` ![](/img/vir-file.png) 这文件还挺大,大到 3 兆,看看它的类型。 ```shell file .dhpcd ``` ![](/img/vir-type.png) 这是编译好的二进制文件,排除了是我那朋友捣鬼。 把这文件上传到 [virscan](https://www.virscan.org/) 扫描一下吧。几分钟后看到[扫描结果](http://r.virscan.org/language/zh-cn/report/f17b54910531cf6e2d98a963acadab48)。 ![](/img/vir-scan-result.png) ![](/img/vir-scan-result-1.png) ![](/img/vir-scan-result-2.png) ![](/img/vir-scan-result-3.png) ![](/img/vir-scan-result-4.png) ![](/img/vir-scan-result-5.png) 可以看到,出现 BitCoinMiner 的字样,让我几乎确定是比特币挖矿病毒。而且现象也符合,狂烧 CPU,就是在挖矿嘛。 ## 处理 先 kill 掉它,然后设置它的权限为 000。把 user 这个用户也给删了。 ```shell chmod 000 .dhpcd ``` ![](/img/vir-000.png) 删除它吗?不删了,放那吧,等哪天想研究了再研究研究,把这小可爱留着做纪念。 但是是时候考虑安全问题了,为什么会中毒。再仔细想想,病毒只是感染了这一个用户,我这个用户的密码设置的 <PASSWORD>,所以很随意的就进来了,虽然没有 root 权限,没加入到 sudo 组,但是这种挖矿会占很大的资源,它可能已经挖了几个月了,而我今天才察觉到。 以后设置密码,无论是再简单的用户,再也不设这么简单的密码了,我密码最后头随便加个符号,都要好很多。<file_sep>## 四叶草的博客 这是我的博客主页仓库,欢迎访问 www.fkxxyz.com <file_sep>--- cover: false --- <file_sep>--- title: 标签 cover: false index: true layout: tag --- <file_sep>#!/bin/bash default_hexo_home=~/hexo depends=( # hexo 的基本组件 # https://github.com/hexojs/hexo-starter/blob/master/package.json#L14 hexo hexo-generator-archive hexo-generator-category hexo-generator-index hexo-generator-tag hexo-renderer-ejs hexo-renderer-stylus hexo-server # 其它 markdown 渲染支持(如 emoji) # https://github.com/CHENXCHEN/hexo-renderer-markdown-it-plus#install hexo-renderer-markdown-it-plus # git 一键部署支持 # https://hexo.io/zh-cn/docs/one-command-deployment#Git hexo-deployer-git ) cnpm(){ # https://developer.aliyun.com/mirror/NPM npm --registry=https://registry.npm.taobao.org \ --cache=$HOME/.npm/.cache/cnpm \ --disturl=https://npm.taobao.org/dist \ --userconfig=$HOME/.cnpmrc "$@" } main(){ # 安装 hexo 所需的依赖 # $1 指定hexo 目录,若不指定,则为默认值 [ "$hexo_home" ] || hexo_home="$default_hexo_home" cd "$hexo_home" || exit 1 cnpm install ${depends[*]} --save || exit 1 } main <file_sep>#!/bin/bash workdir="$(cd "$(dirname "$0")" && pwd)" default_hexo_home=~/hexo default_public_branch=~/e.coding.net/fkxxyz main(){ # $1 指定hexo 目录,若不指定,则为默认值 # $2 指定网站的本地仓库目录,若不指定,则为默认值 local hexo_home="$1" local public_branch="$2" [ "$hexo_home" ] || hexo_home="$default_hexo_home" [ "$public_branch" ] || public_branch="$default_public_branch" # 若目标已存在,则要确保当前存在的是已经链接过的博客目录,再删除 if [ -d "$hexo_home" ]; then if [ ! -h "$hexo_home/source" ]; then echo "目标目录 $hexo_home 无法识别!请确保此目录无用,手动删除后重试。" >&2 exit 1 fi rm -rf "$hexo_home" || exit 1 fi echo "开始构建 hexo 目录..." mkdir "$hexo_home" cd "$hexo_home" "$workdir/install_depends" "$hexo_home" echo "修补 hexo 目录..." ln -s "$workdir/_config.yml" "$hexo_home/_config.yml" || exit 1 ln -s "$workdir/source" "$hexo_home/source" || exit 1 ln -s "$public_branch" "$hexo_home/.deploy_git" || exit 1 ln -s "$workdir/package.json" "$hexo_home/package.json" || exit 1 # 获取所用的主题 theme_name="$(sed -n 's/^theme: \+\([[:alnum:]_]\+\)/\1/p' _config.yml)" || exit 1 echo "开始构建主题目录..." theme_dir="$hexo_home/themes/$theme_name" mkdir -p "$hexo_home/themes" || exit 1 mkdir "$theme_dir" || exit 1 cd "$theme_dir" || exit 1 "$workdir/themes/$theme_name/.install_depends" "$hexo_home" || exit 1 echo "修补主题目录..." ln -sf "$workdir/themes/$theme_name/"* "$theme_dir" || exit 1 } main "$@" <file_sep>--- title: 在 Archlinux 下从 AUR 装的 xmind 启动报错的问题探究 cover: false date: 2019-04-18 13:22:25 updated: 2019-04-18 13:22:25 categories: - 探究学习 tags: - archlinux - 思维导图 typora-root-url: ../.. --- 电脑版的思维导图软件,我还是最钟爱 xmind,然而在 archlinux 下从 AUR 构建 xmind 直接启动之后报错。 <!--more--> ## 问题描述 1. 安装完之后,直接点击图标直接启动,弹出以下对话框。 ![xmind-error](/img/xmind-error.png) 2. 在安装 XMind 时,输出的结果 ``` 正在加载软件包... 正在解析依赖关系... 正在查找软件包冲突... 软件包 (1) xmind-3.7.8+8update8-1 全部安装大小: 125.02 MiB :: 进行安装吗? [Y/n] (1/1) 正在检查密钥环里的密钥 [###########################] 100% (1/1) 正在检查软件包完整性 [###########################] 100% (1/1) 正在加载软件包文件 [###########################] 100% (1/1) 正在检查文件冲突 [###########################] 100% (1/1) 正在检查可用存储空间 [###########################] 100% :: 正在处理软件包的变化... (1/1) 正在安装 xmind [###########################] 100% If XMind crashed on start, trying delete ~/.xmind If you want to change gtk version or java version, please edit PKGBUILD and rebuild the package. Or edit /usr/share/xmind/XMind/XMind.ini, change number to your gtk version after "--launcher.GTK_version", and add/delete "--add-modules=java.se.ee" at the end of file if you use java 10/8. xmind 的可选依赖 gtk2: gtk2 or gtk3 must install one [已安装] gtk3: gtk2 or gtk3 must install one [已安装] lame: needed for the feature audio notes [已安装] :: 正在运行事务后钩子函数... (1/6) Arming ConditionNeedsUpdate... (2/6) Updating fontconfig cache... (3/6) Updating 32-bit fontconfig cache... (4/6) Updating the desktop file MIME type cache... (5/6) Updating the MIME type database... (6/6) Updating X fontdir indices... ``` ## 问题探究 ### 常规思考 由打包者提示的信息,基本可以猜测,是 java 运行环境的问题,以及启动参数 --add-modules=java.se.ee 的问题。 那么尝试从命令行启动,看看有没有报错信息吧,先找到对应的命令 ```shell pacman -Ql xmind | grep desktop # 输出 xmind /usr/share/applications/xmind.desktop cat /usr/share/applications/xmind.desktop | grep Exec # 输出 Exec=XMind %F ``` 得知启动命令是 XMind,那么直接执行 XMind 试试之后,得到如下报错,同时弹出上面那错误对话框。 ``` Unrecognized option: --add-modules=java.se.ee Error: Could not create the Java Virtual Machine. Error: A fatal exception has occurred. Program will exit. ``` 提示很明显,不识别的参数 --add-modules=java.se.ee,结合上面安装的时候给的信息,去编辑 /usr/share/xmind/XMind/XMind.ini,发现里面有 --add-modules=java.se.ee 这一行,把这一行删掉。 然后再输入 XMind ,发现启动成功! ### 深入探究 抱着追根究低的态度继续思考,--add-modules=java.se.ee 有什么意义呢为什么会被加上?再细细读打包者给出的信息的最后一句话 ``` and add/delete "--add-modules=java.se.ee" at the end of file if you use java 10/8. ``` 很容易猜出,java 10 可能支持 --add-modules=java.se.ee,而 java 8 不支持。 看看当前的系统中的 java 版本吧 ``` java -version ``` 果然是 1.8 版本。 那么我们装个 java 10 试试。 ``` sudo pacman -S java-runtime=10 ``` 然后用 java 切换脚本(详见 [java的archwiki](https://wiki.archlinux.org/index.php/Java_(%E7%AE%80%E4%BD%93%E4%B8%AD%E6%96%87))),切换成 java 10 ``` # 列出系统中所有 java 环境 archlinux-java status # 切换 java 10 为默认环境 sudo archlinux-java set java-10-openjdk # 查看切换结果 archlinux-java status java -version ``` 然后再试试启动 XMind,发现启动不了了,如下弹窗报错 ![xmind-error1](/img/xmind-error1.png) 去看这个日志,发现一大堆,因为没学过太多 java,所以看不懂也并不想看。 直接把 --add-modules=java.se.ee 加回 /usr/share/xmind/XMind/XMind.ini 再试试启动,发现启动成功。 也就是验证了前面猜测是正确的: 1. 在 java 8 的环境下,不能有 --add-modules=java.se.ee 2. 在 java 10 的环境下,必须有 --add-modules=java.se.ee ## 修改 PKGBUILD 重新打包 我再打开这个包的 PKGBUILD 一看,发现有 JAVA_VERSION=10 语句,然后 package 函数里有 if [[ "$JAVA_VERSION" != "8" ]]; then 来决定是否往里写 --add-modules=java.se.ee 但是就算在这里改了 JAVA_VERSION 这个变量,那谁知道用户的机子里默认的是 java8 还是 java10 呢?这里 JAVA_VERSION 设置的是 10 ,而大多数用户默认肯定是 8,这么一来,岂不是对新手很不友好? 有没有更好的打包方案呢,有,我觉得可以这样做: 1. 将依赖行为 depends=('java-runtime>=8') 改成 depends=(“java-runtime=$JAVA_VERSION”) 2. 将启动脚本里面加上一行对应的 PATH 变量来显式指定 java 环境。 即在最后一行 cp ${srcdir}/XMind ${pkgdir}/usr/bin/ 后面加 ``` sed -i '/exec/iPATH=/usr/lib/jvm/java-'"$JAVA_VERSION"'-openjdk/bin:$PATH' ${pkgdir}/usr/bin/XMind ``` 至此,观察到里面选择 gtk2 还是 gtk3 也是同样的道理。 最终给出我修改后完整的 PKGBUILD ```shell # $Id: PKGBUILD 184754 2016-08-01 15:30:30Z felixonmars $ # Maintainer: RemiliaForever <remilia AT koumakan DOT cc> # Contributor: <NAME> <<EMAIL>> # Contributor: <NAME> <chrdr at gmx dot at> # Contributor: <NAME> <<EMAIL>> # GTK_VERSION 2/3 GTK_VERSION=3 # JAVA_VERSION 8/10 JAVA_VERSION=10 pkgname=xmind pkgver=3.7.8+8update8 _filename=$pkgname-8-update8-linux pkgrel=1 pkgdesc="Brainstorming and Mind Mapping Software" arch=('i686' 'x86_64') url="http://www.xmind.net" license=('EPL' 'LGPL') depends=("java-runtime=$JAVA_VERSION" "gtk$GTK_VERSION") optdepends=('lame: needed for the feature audio notes') install=xmind.install source=("http://www.xmind.net/xmind/downloads/${_filename}.zip" 'XMind' 'xmind.desktop' 'xmind.xml' 'xmind.png' 'xmind_file.png') sha512sums=('77c5c05801f3ad3c0bf5550fa20c406f64f3f5fa31321a53786ac1939053f5c4f0d0fb8ab1af0a9b574e3950342325b9c32cf2e9a11bf00a1d74d2be1df75768' 'SKIP' 'SKIP' 'SKIP' 'SKIP' 'SKIP') package() { mkdir -p ${pkgdir}/usr/share/${pkgname} cp -r ${srcdir}/configuration ${pkgdir}/usr/share/${pkgname}/ cp -r ${srcdir}/features ${pkgdir}/usr/share/${pkgname}/ cp -r ${srcdir}/plugins ${pkgdir}/usr/share/${pkgname}/ cp ${srcdir}/*.xml ${pkgdir}/usr/share/${pkgname}/ mkdir -p ${pkgdir}/usr/share/licenses/${pkgname} cp ${srcdir}/{epl-v10,lgpl-3.0}.html ${pkgdir}/usr/share/licenses/${pkgname}/ cp ${srcdir}/xpla.txt ${pkgdir}/usr/share/licenses/${pkgname}/ if [[ "$CARCH" == "i686" ]]; then cp -r ${srcdir}/XMind_i386 ${pkgdir}/usr/share/${pkgname}/XMind else cp -r ${srcdir}/XMind_amd64 ${pkgdir}/usr/share/${pkgname}/XMind fi mkdir -p ${pkgdir}/usr/share/fonts/${pkgname} cp -r ${srcdir}/fonts ${pkgdir}/usr/share/fonts/${pkgname}/ mkdir -p ${pkgdir}/usr/share/applications cp ${srcdir}/xmind.desktop ${pkgdir}/usr/share/applications/ mkdir -p ${pkgdir}/usr/share/mime/packages cp ${srcdir}/xmind.xml ${pkgdir}/usr/share/mime/packages/ mkdir -p ${pkgdir}/usr/share/pixmaps cp ${srcdir}/*.png ${pkgdir}/usr/share/pixmaps/ # fix configuration sed -i "s|^./configuration$|@user.home/.xmind/configuration|" ${pkgdir}/usr/share/${pkgname}/XMind/XMind.ini sed -i "s|^../workspace$|@user.home/.xmind/workspace|" ${pkgdir}/usr/share/${pkgname}/XMind/XMind.ini if [[ "$GTK_VERSION" != "2" ]]; then sed -i "s|^2$|3|" ${pkgdir}/usr/share/${pkgname}/XMind/XMind.ini fi if [[ "$JAVA_VERSION" != "8" ]]; then echo "--add-modules=java.se.ee" >> ${pkgdir}/usr/share/${pkgname}/XMind/XMind.ini fi mkdir -p ${pkgdir}/usr/bin cp ${srcdir}/XMind ${pkgdir}/usr/bin/ sed -i '/exec/iPATH=/usr/lib/jvm/java-'"$JAVA_VERSION"'-openjdk/bin:$PATH' ${pkgdir}/usr/bin/XMind } ``` 然后可以随意修改 GTK_VERSION 和 JAVA_VERSION 来达到目的,并且还不用额外修改任何东西,无论如何切换默认 java 版本,都不会再影响启动了。 重新打包测试,成功。 <file_sep>--- title: 探索在 Archlinux 下使用 wine 时偶尔提示未找到 wine-mono 的完美解决方案 cover: false date: 2020-05-12 17:23:52 updated: 2020-05-12 17:23:52 categories: - 探究学习 tags: - archlinux - wine typora-root-url: ../.. --- 使用 archlinux 有一段日子了,发现有时候在使用 wine 的过程中,明明已经装了 wine-mono 这个包,但依然时常出现这个对话框,很恼火,是时候把这问题探究彻底了。 ![no-mono](/img/no-mono.png) <!--more--> ## 问题描述 我们知道,wine 的 mono 组件是.NET Framework的开源和跨平台实现,能够让 Wine 顺利运行很多 .NET应用程序。 出现上述对话框后,点击安装,虽然会自动从 wine 官网把 mono 组件下到 $WINEPREFIX 里面,也是可以用,但是下的很慢,耗费很多时间,而且用 .NET 程序用的少,有时候仅仅想测试一个 exe 程序,点取消的话,每次要 wine 一个程序的时候都会弹出这个,实在讨厌。 后来,我觉得最新版的 wine 没有 wine-stable 稳定,我自己从 aur 编译了 wine-stable 之后,开始次次出现以上对话框了,经过百度谷歌,搜到的全是解决别的问题,无奈之下只能自己动手丰衣足食。 ## 问题探究 先看看 wine-mono 这个包包含什么。 ```shell pacman -Ql wine-mono ``` 根据输出结果看出,原来只包含一个文件,还带版本号 /usr/share/wine/mono/wine-mono-4.9.3.msi emmmm,什么?带版本号?我想起这问题偶然出现,什么时候出现呢,就是升级系统的时候会偶尔出现。那么 wine 是如何找到这个文件,以确认 mono 存在性呢?难道是扫描 /usr/share/wine/mono/ 整个目录?那可以找到的啊。 根据这些线索,我猜测,wine 是根据绝对路径和带版本号的文件名寻找 mono 的,一旦所需要的 mono 版本,和系统中存在的 mono 版本不一样,就会出现那找不到的对话框。 如何验证这个猜想呢,我想到 grep -rn 这个在所有子目录里面查找匹配的功能,开始行动。 先查看 wine-stable 包含哪些文件 ```shell pacman -Ql wine-stable ``` 根据输出结果,大概知道 wine 的文件集中在以下几个目录 ``` /usr/lib/wine /usr/lib32/wine /usr/share/wine ``` 还有很多细小的目录,直接搜会很麻烦。我想到一个方案,把以前编译好的 wine-stable 安装包解压到一个目录里面,集中搜索。说干就干! ```shell mkdir /tmp/wine cd /tmp/wine tar xf ~/.cache/yay/wine-stable/wine-stable-4.0.2-1-x86_64.pkg.tar.xz ls ``` 然后开始搜索 ```shell grep -rn wine-mono ``` 几秒钟后,输出结果只有三行 ``` 匹配到二进制文件 usr/lib32/wine/appwiz.cpl.so 匹配到二进制文件 usr/lib/wine/appwiz.cpl.so .BUILDINFO:1138:installed = wine-mono-4.9.2-1-any ``` 最后一行保存的是软件包的信息,wine 启动的过程中肯定是不会用的。那.........重点研究下 usr/lib/wine/appwiz.cpl.so 这个文件好了 ```shell grep -a wine-mono usr/lib/wine/appwiz.cpl.so ``` 输出结果 ``` 2.47wine_gecko-2.47-x86_64.msigeckoMSHTMLGeckoUrlGeckoCabDir4.7.5wine-mono-4.7.5.msimonoDotnetMonoUrlMonoCabDir%s does not exist and could not be created: %s ``` 果然,包含了字符串 wine-mono-4.7.5.msi,也就是说,wine-stable 是依赖于 4.7.5 版本 wine-mono,而我系统里存在的是 wine-mono-4.9.3.msi,找不到很正常。 好的,现在做个实验,把 wine-mono-4.9.3.msi 复制为 wine-mono-4.7.5.msi,问题是不是解决了。 ```shell cd /usr/share/wine/mono mv wine-mono-4.9.3.msi wine-mono-4.7.5.msi rm -rf ~/.wine winecfg ``` 发现,确实没再弹出那个对话框了,猜想成立! 终于找到原因了,接下来想想怎么完美解决这个问题吧。 ## 解决方案 我想到几个方案来解决这个问题: 1. 安装旧版本的 wine-mono 的包。 2. 更新 wine 到最新版本,确保所需的 mono 版本与官方仓库最新的 mono 的版本一致。 3. 对 appwiz.cpl.so 这个文件进行二进制编辑,修改里面的版本号字符串。 4. 把系统里的 wine-mono-4.9.3.msi 重命名 wine-mono-4.7.5.msi 5. 创建符号链接解决这个问题。 想出了这么多办法,逐一分析这些办法的利弊: 1. **安装旧版本的 wine-mono 包**:这需要降级软件包,需要用 downgrade,然后可以把 wine-mono 这个软件包设为忽略更新的包写到 pacman.conf 里,这样做的话,每次升级 wine-stable 都需要检查版本号手动装合适的 wine-mono,有些麻烦。 2. **更新 wine 到最新版本**:我大量实践过程中,感觉 wine-stable 确实要稳定一些,最新版的虽然有新特性但是免不了很多 bug。而且,就算更新到最新,也会偶尔出现版本不匹配的问题。 3. **对 appwiz.cpl.so 这个文件进行二进制编辑**:这个操作很骚,但是万一以后版本号长度不一样了,怎么办呢,而且每次更新都得改也很麻烦。 4. **重命名系统里的 wine-mono**:这个操作会影响到系统里包含的文件,而每次升级之后,旧的 wine-mono 文件就不会被删掉,然后装上了新的,白白占用空间,每次来处理,也很麻烦。 5. **创建符号链接**:创建符号链接,可谓是 linux 解决这类问题最妙的办法,直接将 wine-mono-4.9.3.msi 链接到 wine-mono-4.7.5.msi,非常方便,但是每次更新还是要过来处理,还是很麻烦。 可见创建符号链接是目前最低成本的解决方法,那,有没有完美的解决方法呢? ## 完美解决(已失效) 通过以上思考,我最需要的就是,更新后不需要手动去创建符号链接,用脚本自动实现更新后的解决版本不一致的问题。 每次更新后,更新什么?更新 wine-stable 或 wine-mono 的时候。 如何在每次更新这两个包,触发调用脚本呢?利用包管理器的 [hook](https://wiki.archlinux.org/index.php/Pacman_(%E7%AE%80%E4%BD%93%E4%B8%AD%E6%96%87)#Hooks) 功能。 看来完美的解决方案是存在的,下面来列出,需要解决的几个子问题: 1. 脚本如何读取 appwiz.cpl.so 这个文件来获取所需的版本号呢? 2. 脚本如何确定当前系统存在的 wine-mono 的版本号对应的文件呢? 3. 升级后旧版本留下的符号链接会多余存在很多垃圾要怎么办呢? 然后这些问题逐一得到解决: 1. 直接利用正则表达式匹配 ```shell sed -n 's/.*\(wine-mono-[[:digit:].]\+.msi\).*/\1/p' /usr/lib/wine/appwiz.cpl.so ``` 输出结果为 wine-mono-4.7.5.msi 2. 直接用包管理器查询包含的文件,然后正则匹配到具体文件名 ```shell pacman -Qlq wine-mono | grep -o 'wine-mono-\([[:digit:].]\+\).msi' ``` 输出结果为 wine-mono-4.9.3.msi 3. 每次更新后,先将 /usr/share/wine/mono 里的符号链接全删了,再建立即可。 将以上思路进行具体实施,写成 [hook](https://wiki.archlinux.org/index.php/Pacman_(%E7%AE%80%E4%BD%93%E4%B8%AD%E6%96%87)#Hooks) 脚本,得到完美解决。具体 hook 的写法参见 [alpm-hooks文档](https://jlk.fjfi.cvut.cz/arch/manpages/man/alpm-hooks.5) 。 在 /etc/pacman.d/hooks 里面新建一个文件 wine-mono-version-fix.hook 里面写入 ```ini [Trigger] Type = File Operation = Install Operation = Upgrade Target = usr/lib/wine/appwiz.cpl.so Target = usr/share/wine/mono/* [Action] Description = Fixing the version of wine-mono file. When = PostTransaction Exec = /usr/bin/sh -c 'find /usr/share/wine/mono -type l -exec unlink {} \; ; ln -sf "$(pacman -Qlq wine-mono | grep "wine-mono-\\([[:digit:].]\\+\\).msi")" "/usr/share/wine/mono/$(sed -n "s/.*\\(wine-mono-[[:digit:].]\\+.msi\\).*/\\1/p" /usr/lib/wine/appwiz.cpl.so)" 2>/dev/null ; true' ``` 至此,完美解决,以后无论如何更新 wine 或 wine-mono,或者无论如何更换 wine 的版本,总是能找到对应的 wine-mono,也再也不会弹出那个对话框了。 后来发现 wine-gecko 也出了类似的情况,那么同理。 在 /etc/pacman.d/hooks 里面新建一个文件 wine-gecko-version-fix.hook 里面写入 ```ini [Trigger] Type = File Operation = Install Operation = Upgrade Target = usr/lib/wine/appwiz.cpl.so Target = usr/share/wine/gecko/* [Action] Description = Fixing the version of wine-gecko file. When = PostTransaction Exec = /usr/bin/sh -c 'find /usr/share/wine/gecko -type l -exec unlink {} \; ; ln -sf "$(pacman -Qlq wine-gecko | grep "wine.gecko-\\([-.[:digit:]]\\+\\)-x86_64.msi")" "/usr/share/wine/gecko/$(sed -n "s/.*\\(wine.gecko-[-.[:digit:]]\+-x86_64.msi\\).*/\\1/p" /usr/lib/wine/appwiz.cpl.so)" 2>/dev/null ; ln -sf "$(pacman -Qlq wine-gecko | grep "wine.gecko-\\([-.[:digit:]]\\+\\)-x86.msi")" "/usr/share/wine/gecko/$(sed -n "s/.*\\(wine.gecko-[-.[:digit:]]\+-x86.msi\\).*/\\1/p" /usr/lib32/wine/appwiz.cpl.so)" 2>/dev/null ; true' ``` ## 后续完美解决 上述方法成功维持了一段时间,但最近发现又蹦出那个对话框,上述方法失效了?经过探索发现,/usr/lib/wine/appwiz.cpl.so 这个文件已经被改动,里面的相关字符串已经成了 unicode 字符串,并且文件名多了个 -x86,例如: ``` wine-mono-5.0.0-x86.msi ``` 那么,根据这种情况改进一下即可解决。 1. 利用正则表达式匹配 ```shell strings -eb /usr/lib/wine/appwiz.cpl.so | sed -n 's/.*\(wine-mono-[-x[:digit:].]\+.msi\).*/\1/p' ``` 输出结果为 wine-mono-5.0.0-x86.msi 2. 用包管理器查询包含的文件,然后正则匹配到具体文件名 ```shell pacman -Qlq wine-mono | grep -o 'wine-mono-\([-x[:digit:].]\+\).msi' ``` 输出结果为 wine-mono-5.0.0.msi 写成 hook 脚本 wine-mono-version-fix.hook ```ini [Trigger] Type = File Operation = Install Operation = Upgrade Target = usr/lib/wine/appwiz.cpl.so Target = usr/share/wine/mono/* [Action] Description = Fixing the version of wine-mono file. When = PostTransaction Exec = /usr/bin/sh -c 'find /usr/share/wine/mono -type l -exec unlink {} \; ; ln -sf "$(pacman -Qlq wine-mono | grep "wine-mono-\\([-x[:digit:].]\\+\\).msi")" "/usr/share/wine/mono/$(strings -eb /usr/lib/wine/appwiz.cpl.so | sed -n "s/.*\\(wine-mono-[-x[:digit:].]\\+.msi\\).*/\\1/p")" 2>/dev/null ; true' ``` 同理,gecko 也这样解决。 ```ini [Trigger] Type = File Operation = Install Operation = Upgrade Target = usr/lib/wine/appwiz.cpl.so Target = usr/share/wine/gecko/* [Action] Description = Fixing the version of wine-gecko file. When = PostTransaction Exec = /usr/bin/sh -c 'find /usr/share/wine/gecko -type l -exec unlink {} \; ; ln -sf "$(pacman -Qlq wine-gecko | grep "wine.gecko-\\([-.[:digit:]]\\+\\)-x86_64.msi")" "/usr/share/wine/gecko/$(strings -eb /usr/lib/wine/appwiz.cpl.so | sed -n "s/.*\\(wine.gecko-[-.[:digit:]]\+-x86_64.msi\\).*/\\1/p")" 2>/dev/null ; ln -sf "$(pacman -Qlq wine-gecko | grep "wine.gecko-\\([-.[:digit:]]\\+\\)-x86.msi")" "/usr/share/wine/gecko/$(strings -eb /usr/lib32/wine/appwiz.cpl.so | sed -n "s/.*\\(wine.gecko-[-.[:digit:]]\+-x86.msi\\).*/\\1/p")" 2>/dev/null ; true' ``` 最后,我将上述两个文件用 PKDBUILD 打包上传到 AUR,方便后续使用,包名为 [wine-mono-gecko-version-fix](https://aur.archlinux.org/packages/wine-mono-gecko-version-fix/) <file_sep>--- title: 分类 cover: false index: true layout: category --- <file_sep>#!/bin/bash workdir="$(cd "$(dirname "$0")" && pwd)" default_hexo_home=~/hexo main(){ # 生成并测试博客 # $1 指定hexo 目录,若不指定,则为默认值 [ "$hexo_home" ] || hexo_home="$default_hexo_home" cd "$hexo_home" npx hexo clean && \ npx hexo generate && \ npx hexo server } main <file_sep>--- title: 探索如何更方便的管理和部署 hexo 博客 cover: false date: 2019-11-23 01:09:15 updated: 2020-06-20 07:08:43 categories: - 探究学习 tags: - archlinux - hexo --- 在学会使用 hexo 的基本操作后,发现使用和部署的过程中,遇到几个问题,在此罗列出来逐一解决。 <!--more--> ## 遇到的不便之处 1. 由于使用很多主题的过程中,需要对 _config.yml、模块目录 node_modules 进行大量修改,当想要换主题时,得重新用新的 _config.yml ,如果模块不重装,则可能会有大量不需要的模块留下来。因此,要更换主题,不得不重新初始化建立博客目录,但是博客的源文件保存在 source 里面,重新 hexo init 初始化后,需要又需要保留原来的 source,同样,hexo deploy 部署用的是 .deploy_git 目录,需要备份。 2. 每次 hexo init 时会克隆 hexo-starter 和 hexo-theme-landscape 仓库,而 landscape 主题很大,国内克隆这个大仓库耗费时间,而这个仓库是默认主题,通常是不需要的。 3. 每次 hexo init 后都需要 npm install 来安装模块。 4. 在使用的过程中,如果 source 放到本机,要是本机故障或者突发情况导致 source 目录没了,那么损失会惨重。 ## 解决思路 对于以上问题,想出一些一劳永逸的解决思路。 1. 对所有需要保存的重要的东西,托管到 github。 2. 改用 npm 来直接从淘宝镜像站自动安装 hexo,并且安装其依赖,写成一个脚本,大幅度提升效率。 3. 本地存一份保存重要的东西的仓库,包括 source 目录,将 source 目录用符号链接的方式链接到博客的主目录。 4. 将 .deploy_git 放到自己的本地 github 仓库目录 ,同样用符号链接的方式链接到博客的主目录。 5. 将主题目录的改动也记录到此仓库,用符号链接的方式对应过去,这里来可以妙用 cp 的 -s 参数。 6. 以上一切可以使用 shell 脚本来自动化,快速快速更换主题,同时 shell 脚本本身也可以算作重要的东西托管到 github。 ## 解决方案 ### 建立重要的仓库 在 github 上建立一个仓库名为 fkxxyz-blog-src 的仓库,用来保存重要的信息,如配置好的初始 _config.yml 、source 目录、自动化脚本,其中, _config.yml 保存两份,一份是由默认的 _config.yml 模板修改成自己的信息得到,取名为 _config-fkxxyz.yml,一份是由 _config-fkxxyz.yml 修改成当前使用的主题相关的配置。 ```shell # 克隆刚建好的空仓库 cd ~/github.com/fkxxyz git clone https://github.com/fkxxyz/fkxxyz-blog-src.git ls # 保存重要信息到这个仓库 cd fkxxyz-blog-src cp -r ~/myblog/source . cp ~/myblog/_config.yml _config-fkxxyz.yml cp ~/myblog/_config.yml . touch README.md # 提交上传仓库 git add -A git commit -m 'first commit' git push ``` ### 编写一键脚本 首先设计这个脚本,这个脚本放在 fkxxyz-blog-src 仓库目录中运行,功能是解压指定的博客目录模板压缩包到特定位置,脚本名为 setup。 ```shell cd ~/github.com/fkxxyz/fkxxyz-blog-src touch setup chmod +x setup ``` 然后编写 setup,由于以后随时会更新完善,实时内容详见 https://github.com/fkxxyz/fkxxyz-blog-src/blob/master/setup 为了方便起见再编写两个脚本 gen 和 push, gen 用于复制修改过主题到目标目录,并且一键 hexo clean、hexo generate;push 用于一键 hexo deploy 。 最后,不忘把此仓库复制到服务器。 ```shell git add -A git commit -m update git push ``` ## 测试解决效果 现在,所有的一切工作都可以在 ~/github.com/fkxxyz/fkxxyz-blog-src 目录里进行了,首先切换到此目录。 ```shell cd ~/github.com/fkxxyz/fkxxyz-blog-src ``` 下面开始逐一测试效果。 ### 更换主题 ```shell ./setup # 然后下载 jacman 主题,放到 ~/hexo/themes/jacman ``` ### 生成网站 ```shell ./gen # 然后根据提示打开浏览器,进入地址 http://localhost:4000 进行测试。 ``` ### 上传改动 ```shell ./push # 然后打开浏览器,输入自己域名 www.fkxxyz.com 查看效果。 ``` ### 写博客 一切写博客的操作都在当前目录的 source 里,手动复制模板来完成,写完之后,可以 ./gen 生成然后测试,然后 ./push 上传。 ## 尾声 这下可算是大功告成了,以后再也不怕换主题了,也不会怕丢失什么了,以后终于能够把一切精里放在写博客上了,达到了一劳永逸的效果。 接下来,我打算把我以前写的 md 文档,一个一个格式化,放到此博客上。 <file_sep>--- title: 探究在 archlinux 上用 hexo 建立个人的博客 cover: false date: 2019-11-22 17:49:44 updated: 2019-11-22 17:49:44 categories: - 探究学习 tags: - archlinux - hexo --- archlinux 的官方仓库里面没有 hexo 这个包,而 aur 里有个,但是装了之后发现一些问题导致一头雾水,目录也很乱,不得不自己想办法探究探究原理,要明白彻底一点问题才能解决。 <!--more--> ## 探究 hexo 如何在 archlinux 上运行 首先看看[官方文档](https://hexo.io/zh-cn/docs/)得知 *Hexo*是一个用 node.js 实现的博客框架,然后看了 [node.js的archwiki](https://wiki.archlinux.org/index.php/Node.js_(%E7%AE%80%E4%BD%93%E4%B8%AD%E6%96%87)) 得知,npm 是 node.js 的包管理器 。 然后根据 wiki 上描述装上 nodejs 和 npm ```shell pacman -S nodejs npm ``` 然后习惯性查看他们的信息和目录结构 ```shell pacman -Qi nodejs pacman -Qi npm pacman -Ql nodejs pacman -Ql npm ``` 根据输出结果,发现一个庞大的目录 /usr/lib/node_modules,进去瞧瞧 ```shell cd /usr/lib/node_modules ls find ``` 显而易见的是,安装的 node.js 模块都被放在 /usr/lib/node_modules 里,里面每个子目录对应一个 node.js 模块,一开始有三个模块 node-gyp、npm、semver。 再看看这个 /usr/lib/node_modules 目录都有那些 archlinux 的软件包包含 ```shell pacman -Qo . ``` 更加确定了模块都是装在这个目录里,而且一个 archlinux 的软件包对应一个 node.js 模块,正如 python3.8 的模块都是装在 /usr/lib/python3.8/site-packages 里一样。 那么 npm 和 node.js 的关系,正如 pip 和 python 的关系一样。 类比一下可知,要装 hexo ,就得把 hexo 也打成 archlinux 的包,hexo 模块应该被放在 /usr/lib/node_modules/hexo 里。 首先看看 aur 里面有没有这样一个包 ```shell yay hexo ``` 发现已经有了,包名是 nodejs-hexo,直接安装。装完后看看结果 ```shell pacman -Ql hexo ls -l /usr/lib/node_modules hexo ``` 虽然能用,但是发现问题很大,/usr/lib/node_modules/hexo 的所有者是当前用户,而不是 root,可能打包的人的失误,也可能是使用的过程中需要修改这个目录?我觉得打包的人的失误可能性要大一些,毕竟这是模块目录怎么会被用户随便改。于是打算以后再解决这个问题,自己写 PKGBUILD,先能用了,建成了博客再说。 ## 安装 hexo 暂时这么安装 ```shell yay -S nodejs-hexo ``` ## 建站 根据 [hexo的官方建站文档](https://hexo.io/zh-cn/docs/setup) ,由于第一次建,没经验,先测试,建立到 /tmp 目录下 ```shell mkdir /tmp/a cd /tmp/a hexo init myfolder ``` 等了很久之后,才结束,根据提示信息得知,hexo init 命令干了两件事: 1. 将 https://github.com/hexojs/hexo-starter.git 克隆到 /tmp/a/myfolder 2. 将 https://github.com/hexojs/hexo-theme-landscape.git 克隆到 /tmp/a/myfolder/themes/landscape ```shell cd myfolder ls find npm install find ``` 前后对比发现,npm install 这条命令可能是补充了所有 node.js 模块到 /tmp/a/myfolder/node_modules 里。 然后通过官网介绍,加上自己百度,大概得知了这里面大概各个目录的作用: 1. config.yml 网站相关的配置文件 2. package.json 一开始不知道干嘛的,不过看内容可以猜测出,这整个目录是个应用程序,需要依赖很多模块,而这些所要依赖的模块放在 node_modules 里。 3. node_modules 整个应用程序所有依赖的模块,由 npm 管理。 4. scaffold 模板,大概是新建文章的时候要用。 5. source 应该是个人写的所有东西都在这里面,平时写东西都在这写 md 格式的文章,图片也往这放。 6. themes 顾名思义主题。 7. public 可能是将 source 的东西翻译建成网站之后的结果,一系列 html 文件,最终要发布的结果。 大概了解后进入下一章。 ## 配置 根据 [官方文档-配置](https://hexo.io/zh-cn/docs/configuration) ,编辑 _config.yml,里面的数据随便填写。通过这个页面,我得知: 1. 所有自定义配置围绕着这个文件修改。 2. 可以配合域名,设置网站主页地址 3. 原来 source、public 的目录位置都可以改,非常灵活。 4. 连配置文件本身都能用参数额外指定。 ## 尝试各种命令 根据 [官方文档-命令](https://hexo.io/zh-cn/docs/commands) ,开始一条一条尝试里面的命令。 ### init 上面已经试过。 ### new 新建一篇文章,文章名为“第一篇文章” ```shell hexo new 第一篇文章 ``` 看看效果 ```shell find | grep 第一篇文章 ``` 果然,在 source 里面找到了 第一篇文章.md 这个文件。 接下来实验各种参数 ```shell hexo new 第二篇文章 -s wwwwwwwwwwwww hexo new 33333 -p aaa/bbb ``` 然后检查所有的变化 ```shell grep -rn wwwwwwwwwwwww find | grep wwwwwwwwwwwww grep -rn 33333 find | grep aaa/bbb grep -rn aaa/bbb ``` 发现所有改动全在 source 这个目录里。 那么得出结论,hexo new 这条命令本质是在 source/_posts 里面创建相应的 md 文件,我完全可以自己手动创建这些文件,和 hexo new 命令达到同样的效果。 查看这些文件内容 ```shell cat source/_posts/第一篇文章.md ``` 发现是不是和前面模板文件内容类似呢 ```shell cat scaffolds/post.md ``` ### generate 直接执行试试 ```shell hexo generate ``` 生成静态文件,顾名思义是把 sources 里面所有的东西,处理成了 html 文件放在了 public 目录里,检验猜想 ```shell find public ``` 恩?有 index.html ,好奇用浏览器打开试一下 ```shell chromium public/index.html ``` 哈啊,看到一个简陋的架子,也许是没把主题加上。继续往后看吧。 ### server 直接执行试试 ```shell hexo server ``` 然后浏览器里面输入网址 > http://localhost:4000 这下看到主题了,也能看到自己刚刚创建的 第一篇文章、第二篇文章、33333,还有最初始的 Hello World 联想到 github 提供的仓库可以建成网站,那我现在是不是就可以把 public 这个目录上传上去了呢,但是静态网站会不会加上主题呢?说试试就试试: 打开 github 网站登录自己的帐号 fkxxyz,根据要求创建一个仓库名是 fkxxyz.github.io 的仓库,然后找个地方开始动手 ```shell mkdir /tmp/b cd /tmp/b git clone https://github.com/fkxxyz/fkxxyz.github.io.git cp -r /tmp/a/myfolder/public/* . git add -A git commit -m update git push ``` 一顿操作之后,打开 https://fkxxyz.github.io/ 果然,出现了网站。 那么我把自己的域名 www.fkxxyz.com 解析到这个网址,博客等于已经建成了。 ### deploy 直接执行 ```shell hexo deploy ``` 好像没什么用,查资料据之后,发现这条命令是代替上述一顿操作,能自动把 public 上传到 github 中自己的仓库,何乐而不为?直接看相应的官方介绍 [github-pages](https://hexo.io/zh-cn/docs/github-pages) 和 [one-command-deployment](https://hexo.io/docs/one-command-deployment) ```shell cd /tmp/a/myfolder ## 安装模块 npm install hexo-deployer-git --save ``` 修改 _config.yml ,将最后改成 ```yaml deploy: type: git repository: https://github.com/fkxxyz/fkxxyz.github.io.git branch: master ``` 然后再执行 ```shell hexo deploy ``` 这下有反应了,大功告成。 下篇文章准备写个教程总结,整理一下,今天探索到的一切。 <file_sep>--- title: 基于 debian 系的发行版常用包管理命令速查 cover: false date: 2020-07-28 10:05:20 updated: 2020-07-28 10:05:20 categories: - 教程 tags: - debian - linux --- <!--more--> 安装一个包 ```shell apt install <pkg> ``` 查看某个文件属于哪个包 ```shell dpkg -S <file> ``` 查看一个包包含哪些文件 ```shell dpkg -L <pkg> ``` 查询本地包的信息 ```shell apt-cache show live-build ``` 查询远程数据库中哪个包里包含这个文件(需要安装 apt-file) ```shell apt-file search <file> ``` <file_sep>## 博客源仓库 此仓库是我个人博客的源仓库,里面存放有 1. 博客的源文档 (*.md),均放在 source 目录里。 2. 各主题的配置或修改,均放在 themes 目录里。 3. 一键脚本 setup、gen、push。 要了解此仓库的用途,参考: [探索如何更方便的管理和部署 hexo 博客](https://www.fkxxyz.com/learn/hexo/management/) <file_sep>--- title: 页面未找到 cover: false layout: page body: [article, comments] meta: header: false footer: false sidebar: false valine: path: /404.html placeholder: 请留言告诉我您要访问哪个页面找不到了 --- **很抱歉,您要访问的页面不存在** 可能是输入地址有误或该地址已被删除 您可以 [回到主页](/) <file_sep>--- title: archlinux 下 nvidia 双显卡配置--大黄蜂方案 cover: false date: 2019-04-18 20:45:08 updated: 2019-04-18 20:45:08 categories: - 教程 tags: - archlinux - 双显卡切换 --- 双显卡切换的问题是难倒很多新手的问题,我也是那么折腾过来的,[大黄蜂的wiki](https://wiki.archlinux.org/index.php/Bumblebee_(%E7%AE%80%E4%BD%93%E4%B8%AD%E6%96%87)) 也有详细的介绍,本文做一个速记总结。 <!--more--> ## 安装 nvidia 内核模块 ### 安装 用包管理器安装英伟达显卡驱动(如果显卡较老加载不成功则可尝试nvidia-390xx,更老则可搜索aur里的驱动安装 nvidia-340xx ,注意后面加了 -390xx 之后,后面所有带 nvidia 的包名都得加 -390xx,其它以此类推) ```shell pacman -S nvidia nvidia-utils # 若是 390xx 的,则包名为 nvidia-390xx nvidia-390xx-utils ``` 32位程序程序使用英伟达显卡驱动支持(记得需要[开启 multilib 仓库](https://wiki.archlinux.org/index.php/Official_repositories_(%E7%AE%80%E4%BD%93%E4%B8%AD%E6%96%87)#multilib)) ```shell pacman -S lib32-nvidia-utils # 若是 390xx 的,则包名为 lib32-nvidia-390xx-utils ``` 尝试加载驱动 ```shell modprobe nvidia nvidia_uvm nvidia_drm nvidia_modeset # 如果这一步报错,则卸载刚刚装的所有,回到第一步,尝试其它驱动。 ``` ### 测试 查看驱动是否在运行(有输出代表成功运行) ```shell lsmod | grep nvidia nvidia-smi ``` 查看显卡所有信息 ```shell nvidia-smi -q ``` ## 安装 bbswitch ### 安装 安装显卡驱动开关 ```shell pacman -S bbswitch ``` ### 启动 加载显卡驱动开关 ``` modprobe bbswitch ``` ### 测试 把开关打开 ```shell tee /proc/acpi/bbswitch <<< ON ``` 把开关关闭 ```shell tee /proc/acpi/bbswitch <<< OFF ``` 查看开关状态 ```shell cat /proc/acpi/bbswitch ``` ## 安装大黄蜂 ### 安装 安装配置双显卡切换器 ```shell pacman -S bumblebee ``` ### 配置 将自己用户加入到 bumblebee 组(注销重新登录后生效) ```shell sudo usermod -a -G bumblebee <用户名> ``` 修改 /etc/bumblebee/bumblebee.conf : ```ini Driver=nvidia [driver-nvidia] PMMethod=bbswitch ``` ### 启动 启动服务 ```shell systemctl start bumblebeed ``` 设置服务自动启动 ```shell systemctl enable bumblebeed ``` ### 测试 测试英伟达显卡驱动(不加optirun为测试集显,终端输出了显卡型号,以后用optirun运行程序则表示使用英伟达显卡) ```shell optirun glxspheres64 optirun glxspheres32 ``` <file_sep>--- title: archlinux 的基本配置 cover: false date: 2019-04-15 00:04:54 updated: 2019-04-15 00:04:54 categories: - 教程 tags: - archlinux --- 本文速记一些刚装完 archlinux 之后所需的必要配置,以便以后速查。 <!--more--> ## 基本配置 ### 设置键盘布局 列出所有可用的键盘布局 ```shell ls /usr/share/kbd/keymaps/**/*.map.gz ``` 设置想要的键盘布局(默认 us,只需指定文件名即可,无需拓展名) loadkeys us 设置键盘布局 写入文件 /etc/vconsole.conf ``` KEYMAP=us ``` ### 设置时区 设置为上海时区 ```shell ln -sf /usr/share/zoneinfo/Asia/Shanghai /etc/localtime ``` ### 设置系统时间 (以下两个二选一) 将硬件时间设置为系统的本地时间(与windows默认相同) ``` hwclock -s -l ``` 将硬件时间设置为系统的UTC时间(与mac系统默认相同) ``` hwclock -s -u ``` 启用 ntp 服务,获取网络时间并设置为当前系统时间 ``` timedatectl set-ntp true ``` 生成时间偏差(/etc/adjtime) ``` hwclock -w ``` ### 设置本地语言 修改 /etc/locale.gen,去除en_US.UTF-8和zh_CN.UTF-8前面的井号 ``` locale-gen echo LANG=en_US.UTF-8 >/etc/locale.conf ``` ### 修改主机名 ``` hostnamectl set-hostname ??? ``` 在 /etc/hosts 里添加(设置网络主机名) ``` 127.0.0.1 localhost ::1 localhost 127.0.1.1 ???.localdomain ??? ``` ### 用户管理 设置 root 用户的密码 ``` passwd root ``` 创建新用户 ``` useradd -m ??? ``` ### sudo 将 /etc/sudoers 中 %wheel 前面的 去掉 将某用户设成管理员(能够用sudo) ``` usermod -a -G wheel ??? ``` ### 配置软件源 参见: 1. [Arch Linux 软件仓库镜像使用帮助](https://mirrors.tuna.tsinghua.edu.cn/help/archlinux/) 2. [ArchlinuxCN 镜像使用帮助](https://mirrors.tuna.tsinghua.edu.cn/help/archlinuxcn/) 更新软件数据库 ``` pacman -Syy ``` 更新系统 ``` pacman -Syu ``` 开启别的仓库只需要取消注释 /etc/pacman.conf 相应的项,参见 [archwiki-官方仓库](https://wiki.archlinux.org/index.php/Official_repositories_(%E7%AE%80%E4%BD%93%E4%B8%AD%E6%96%87)) ## 高级配置 ### 禁用 beep 响铃 在 tty 下敲命令会时不时的发出 beep 声音,超级大声很烦,必须禁掉。 暂时生效 ``` rmmod pcspkr ``` 永久生效 ``` echo blacklist pcspkr>>/etc/modprobe.d/nobeep.conf ``` ### 禁用 nouveau 驱动 此驱动bug过多,可能导致死机,花屏,卡顿等未知故障。 在 /etc/modprobe.d/no-nouveau.conf 中写入: ``` blacklist nouveau options nouveau modeset=0 ``` ### 禁用蓝牙 如果蓝牙没怎么用过,禁了会省电些 ``` find /lib/modules/`uname -r`/kernel -name bluetooth|xargs find|grep \.xz$|awk -F'/' '{print $NF}'|awk -F'.' '{print "blacklist " $1}' >>/etc/modprobe.d/no-bluetooth.conf ``` ### 解开 rf 锁 用查看 wifi 的 rf锁 ``` rfkill list ``` 解除 rf 锁 ``` rfkill unblock all ``` ### 开启 sysrq ```shell echo kernel.sysrq = 1 > /etc/sysctl.d/sysrq.conf ``` 该功能默认关闭,开启后对于死机时候防止硬盘损坏尤其管用。参见 [官方文档sysrq](https://www.kernel.org/doc/html/latest/admin-guide/sysrq.html) <file_sep>--- title: 关于我 cover: false layout: "page" date: 2019-11-22 18:53:49 updated: 2019-11-22 18:53:49 body: [article, grid, comments] valine: placeholder: 有什么想对我说的呢? sidebar: false --- ## 关于此博客 此博客建立于 2019-11-22,基于 [hexo](https://hexo.io/) 框架,主题是 [Volantis](https://volantis.js.org/),页面在 [coding](https://coding.net/) 上托管。 项目地址 https://fkxxyz.coding.net/p/fkxxyz/git 文章源地址 https://github.com/fkxxyz/fkxxyz-blog-src 专门用来分享技术,记录成长之路,便于大家更好的了解我,还可以作为很多知识的速查备忘。 ## 关于我 喜欢钻研技术的技术宅一枚,日常使用archliux,爱好开源社区,感兴趣的小伙伴可以联系我。 github: [fkxxyz](https://github.com/fkxxyz) Email:[<EMAIL>](mailto:<EMAIL>) [<EMAIL>](mailto:<EMAIL>) QQ:[396519827](tencent://message/?Menu=yes&uin=396519827&Site=&Service=201&sigT=ea6900e4512ad8b58da878037641291ed697bb55cec2278659d82fe191f63a4d7af5f0fcc717dd16c6679bc9244eafee&sigU=ec4e4c7844eb99e785d57bef70ca0<KEY>) 微信号: fkxxyz ### 在 [AUR](https://aur.archlinux.org/) 的主要贡献 [提交的软件包](https://aur.archlinux.org/packages/?K=fkxxyz&SeB=m) | 时间 | 包名 | 软件名 | 官网 | 描述 | | ---------- | ------------------------------------------------------------ | ----------------- | -------------------------------------- | ---------------------------------------------------- | | 2019-02-19 | [feem](https://aur.archlinux.org/packages/feem/) | feem | https://www.feem.io/ | 跨平台局域网分享软件(传输文字图片文件等) | | 2019-04-11 | [arctime](https://aur.archlinux.org/packages/arctime/) | arctime | https://arctime.org/ | 简单、强大、高效的跨平台字幕制作软件 | | 2019-04-14 | [treehole-ocr](https://aur.archlinux.org/packages/treehole-ocr/) | 树洞 OCR 文字识别 | https://github.com/AnyListen/tools-ocr | 一款跨平台的 OCR 小工具 | | 2019-04-19 | [thunder-mini](https://aur.archlinux.org/pkgbase/thunder-mini/) | 迅雷精简版 | 暂无 | 很久以前的迅雷精简版 | | 2019-12-31 | [xqwizard](https://aur.archlinux.org/packages/xqwizard/) | 象棋巫师 | https://www.xqbase.com/ | 一款功能超强的中国象棋教学、电脑对弈和棋谱编辑软件。 | <file_sep>--- title: 猜猜我最终选择了什么桌面环境 cover: false date: 2019-12-18 23:15:51 updated: 2019-12-18 23:15:51 categories: - 教程 tags: - archlinux - 桌面环境 typora-root-url: ../.. --- 接触archlinux也有两年多了,桌面环境到底应该选哪个,我也纠结过这个问题,而且桌面环境各有各的优点。 gnome和kde虽然完善但过于庞大,性能不好时常卡顿。deepin的桌面环境虽然漂亮但是bug多时常也假死,lxde、lxqt这些轻量桌面环境虽然小巧但是界面美观性堪忧,xfce4美观比不上庞大桌面环境,性能不如lxde都不占优,用平铺式的如i3、dwm等也不太容易适应,还有fvwm?那配置复杂度了根本没时间搞那玩意好嘛。桌面环境的选择简直难上加难啊,哈哈。 <!--more--> ![](/img/myde.png) ## 我的探索历程 ### 体验各个桌面环境 由于包的数量众多,要实验各个软件,就会留下很多包,尤其是桌面环境涉及到的包更多依赖更复杂,很难找到这些包名,卸载的话会漏很多,强迫症的我不想留一些不必要的软件,一开始比较蠢,把每次装了什么都记录下来,然后之后要卸载的时候,一条一条的 pacman -Rsc 。由于有着重复的工作都能用编程代替的思想,就开始思考,为何不自己编个脚本来代替这个重复的过程呢?我能不能把我需要的软件记录到一起,然后脚本自动为我卸载不必要的包呢? 于是,一个伟大的白名单列表机制管理软件包的脚本诞生了。[详见spacman](/d/spacman/) 只需要手动记录一下我所有需要的顶层包到一个文本文档,然后脚本读取文本文档,和系统里的所有包进行对比,按照一系列依赖计算,算出多余了哪些包,一下子卸载得没有残留。 这下,可以放心的实验各种桌面环境了,我列表定好,然后随便装什么包,不用关心装了多少东西,然后一条 spacman -a 命令直接把系统打回原样,这感觉就和虚拟机的快照一样。 秒切换桌面环境的梦实现了,实验效率能达到十分钟之内能体验五个桌面环境,而且迅速卸载无残留。 接下来开始先后体验了这些桌面环境。 #### xfce4 这是我一开始的主力桌面环境,用了很久,启动速度有时候感觉慢了一点,虽然比windows快,美观也感觉差一些,虽然比lxde好些,基本功能挺全。 #### lxde 追求轻量一般选择这个,lxqt也是类似,速度很快,就是功能少了点,美观也都没考虑,openbox能换换主题就不错了。 #### kde 然后开始再次实验这个kde在archlinux下运行速度咋样。这经历不提了,我i3的cpu和机械硬盘,简直伤不起,进个桌面活活用了一分钟才稳定下来,不知道后台在干嘛,硬盘疯狂转,我的天哪,我好怕硬盘坏掉。。。。。赶紧注销执行 spacman -a,拜拜。 #### gnome 这个桌面总的来说还行,但是不方便的一点就是通知栏显示QQ的问题,还有应用列表也没有很好的分类,或许可以配置但是没深究,流畅度还可以,没有像kde卡得那么夸张。不过还是不喜欢这么庞大的东西,不过我觉得对于很多人来说这个桌面环境是个不错的选择。 #### mate 这是我后来才听说的桌面,各种组件也挺简约,但是面板自定制程度不高,还是不喜欢,也就没用多久。 ### 组件拆开的探索 试了好几个桌面,发现还是xfce4最合我的口味,但是速度不理想而且美观程度一般。那我能不能把桌面组件全部拆开呢,自己来选择用什么面板用什么窗口管理器用什么文件管理器呢? 答案是可以的!linux正适合这样高度定制,尤其是 archlinux,而且我还发现了这个 [打造自己的桌面环境的官方wiki](https://wiki.archlinux.org/index.php/Desktop_environment_(%E7%AE%80%E4%BD%93%E4%B8%AD%E6%96%87)#%E8%87%AA%E5%B7%B1%E6%89%93%E9%80%A0%E6%A1%8C%E9%9D%A2%E7%8E%AF%E5%A2%83) 。 可以配合 startx 来读取 ~/.xinitrc 文件配置,来实现自定制桌面环境,参见 [archwiki-xinit](https://wiki.archlinux.org/index.php/Xinit_(%E7%AE%80%E4%BD%93%E4%B8%AD%E6%96%87)),当然这需要一定的 shell 脚本编写能力和实验探索精神。 思维打开之后,开始一个一个组件的研究,鉴于窗口管理器是一个桌面环境的基本组件,那先从窗口管理器开始试吧。 #### 选择窗口管理器 xfwm是xfce自带,然后又试了openbox,然后了解到compiz,一开始对compiz不熟,但是用过之后,发现这窗口管理器太漂亮了,而且自定制程度简直秒杀所有窗口管理器。 #### 选择面板 然后找面板,一共预选出三个面板: 1. xfce4-panel 论面板,感觉 xfce4 的还是老大,电源管理的托盘、声音调整的图标,应用列表菜单,都很对胃口。 2. lxpanel lxpanel 虽然也有 xfce4面板的基本功能,但是美观度差了点。 3. mate-panel mate的面板定制程度不高,连顺序都不能自由调整,不嫌弃的话可以用。 所以面板决定用 xfce4-panel 了。 #### 尝试 startx 首先卸载所有桌面环境,然后安装 openbox,确保 xorg-server 和 xorg-xinit 也装上了才能 startx。 ```shell pacman -S xorg-xinit pacman -S openbox ``` 然后编辑文件 ~/.xinitrc 写入几行 ```shell openbox ``` 然后执行 startx ```shell startx ``` 可以发现进入了 openbox 的界面,启动也很快。由于缺个终端,可以在 tty下装个终端,然后可以从 openbox 的右键打开,然后输入 xfce4-panel ,居然真的启动了面板,这样就很不错。 总结出,拆开组件的装,是完全可行的,那么把 xfce4-panel 也写入 .xinitrc 呢? ```shell xfce4-panel & openbox ``` 后面加了个 & 符号是为了让它后台运行接着执行下一条命令,不至于卡住这等着面板被结束。 那怎么注销呢,只能用结束 openbox的命令代替注销了 ```shell killall openbox ``` 然后,killall openbox ,再次 startx ,发现面板和窗口管理器都启动成功了。 上述要是哪里卡住,可以按 ctrl + alt + 1~6 来回到 tty,然后管理进程 killall 结束掉一些进程。 #### 会话管理器 再后来的探索,发现,会话管理器也是一个桌面环境的组件之一,它的功能大概有管理启动项,掌控用户登录注销和开关机功能等。 启动项分为两类,一类是系统启动项,一类是用户启动项 ##### 系统启动项 启动项都是放在 /etc/xdg/autostart 里面的,可以看看哪些软件把自己加入了启动项 ``` pacman -Qo /etc/xdg/autostart ``` ##### 用户启动项 用户启动项放在 ~/.config/autostart 里面,通常由各个软件加入进去。 而我刚刚的 startx,只启动了 openbox 和 xfce4-panel 那么我可以不要会话管理器了,把一切启动项都交给 .xinitrc 管理怎么样?是不是好办法。 在 .xinitrc 里面写入(需要安装 exo) ```shell if [ -d /etc/xdg/autostart ] ; then for f in /etc/xdg/autostart/*.desktop ; do exo-open "$f" & done unset f fi ``` 然后 killall openbox 再 startx ,发现启动项也全启动了,同理,用户启动项也可以这样干 ```shell if [ -d ~/.config/autostart ] ; then for f in ~/.config/autostart/*.desktop ; do [ -x "$f" ] && exo-open "$f" & done unset f fi ``` 加了一层判断,用 [ -x "$f" ] 来判断文件是否可执行,可执行才启动它,然后我可以去 ~/.config/autostart 用标记文件是否可执行的方式来管理用户启动项了。 例如开机启动 conky,创建一个 conky.desktop 到 ~/.config/autostart 里面,然后写入 ```ini [Desktop Entry] Exec="conky" Type=Application ``` 然后将其设为可执行 ```shell chmod +x ~/.config/autostart/conky.desktop ``` 然后再 killall openbox在 startx,可见 conky也启动了,类似的,所有自己想自定义让什么开机启动的,都可以这么设置 #### 完整的编写 .xinitrc 对于自定制桌面环境组件来说,自己编写 .xinitrc 至关重要,在这里总结出它的功能,然后完整的编写 1. 管理会话,startx会启动此脚本,此脚本运行完意味着 startx 的结束,会回到 tty。 2. 启动面板、窗口管理器等组件 3. 管理系统启动项、用户启动项 由于每次 killall openbox 很麻烦,而且万一 openbox 出bug崩溃岂不是所有进程都会强制退出,要是没保存什么文档岂不是悲剧,想个什么办法才能维持 startx 的运行呢? 可以想到办法,用 sleep 代替 ```shell sleep 3650000d ``` 这条语句的意思是等待一万年,放到 .xinitrc 的最后,怎么样,不怕 openbox 崩溃了吧。但是引发另一个问题,如何注销?killall sleep 吗?万一我某些别的脚本正在 sleep 怎么办,岂不是一起结束了?改名吧。最终方案是把 sleep 这个二进制文件复制到 /tmp/ 里面的某个地方改成别的名字,然后启动它,这样进程名就不是 sleep了,可以指定 pid 杀死进程,把 pid 也保存到 /tmp/目录吧,最终代码如下 ```shell # deamon process daemon_dir=/tmp/xinitrc_deamon_$USER mkdir -p $daemon_dir cp -f /usr/bin/sleep $daemon_dir/xinitrc_deamon_$USER $daemon_dir/xinitrc_deamon_$USER 3650000d & main_pid=$! echo $main_pid > $daemon_dir/pid #### 各个启动项(注意每个启动项后面都要加 & ,防止停住) ... wait $main_pid ``` #### 输入法问题 装 fcitx 的中文输入法(如搜狗拼音)要配置环境变量,网上很多都是说配置到 ~/.xprofile 里面,而自己组件拆开是默认不会读取这个文件的。所以,在 .xinitrc 开头加上读取,兼容这一特点。 ```shell [ -f ~/.xprofile ] && . ~/.xprofile ``` 用 startx 启动的时候,为了让中文输入法正常工作,需要五个环境变量,这是我的 .xprofile ```shell export GTK_IM_MODULE=fcitx export QT_IM_MODULE=fcitx export XMODIFIERS="@im=fcitx" export LANG="zh_CN.UTF-8" export LC_CTYPE="zh_CN.UTF-8" ``` 当然 LANG 和 LC_CTYPE 这两个环境变量可能在桌面管理器的配置里面配置好了,但是 startx 的时候是没配置的,所以这两个再在这里面写一遍,兼容所有。 ## 各个组件的选择 下面列出我几个桌面环境组件目前的选择 ### 窗口管理器 窗口管理器我选择 compiz,原因很简单,超级美观,堪比 vista,而且所有颜色自定义,所有动画自定义,所有快捷键功能自定义,设置多的研究不过来,找不到比它更爽是桌面管理器了。 ![](/img/ccsm-1.png) ![](/img/ccsm-2.png) ![](/img/ccsm-3.png) ![](/img/emerald-1.png) ![](/img/emerald-2.png) ![](/img/emerald-3.png) ![](/img/emerald-4.png) 安装方法也很简单,在 AUR 里面安装compiz-core、ccsm、emerald 即可 ```shell yay -S ccsm compiz-core emerald ``` 装完后,启动也很简单,直接 compiz 就可以,将它写入 .xinitrc,替换掉 openbox 定制: 1. 运行 ccsm,就可以打开 compiz 的设置,可以进行快捷键、窗口动画等等设置。 还有更多设置扩展,觉得定制不过瘾的,都可以选择性的安装如下 ```shell yay -S compiz-fusion-plugins-main yay -S compiz-fusion-plugins-extra yay -S compiz-fusion-plugins-experimental ``` 2. 运行 emerald-theme-manager 就可以进行装饰器的主题定制,还可以装一些已经有的主题 ```shell yay -S emerald-themes ``` 我基于其中一个主题定制成了高仿 wista 和win7的主题,也上传到了aur包名是 emerald-theme-qaz-blue-vista ```shell yay -S emerald-theme-qaz-blue-vista ``` 以上的定制,只是对窗口管理器的定制,边框等等,至于窗口内元素颜色等等,可以用 gtk主题去设置(后面有讲到)。 当然,最后必须说明的是,在 archlinux 里选择 compiz 还是有一些缺点的: 1. 由于没进入官方仓库,每次更新安装都得从 aur 编译,编译需要时间,还有就是,当arch官方仓库的一些底层库(如 protobuf)版本大更新的时候,compiz 就会出现问题,会找不到库,需要重新从 aur 编译。 2. 有时候开机会小概率的出现装饰器启动不了 bug,也就是窗口没有边框都关闭之类的没有,我也不知道是怎么回事,出现这个bug的时候,可以打开终端运行 nohup emerald --replace >/dev/null & 暂时解决。 ### 面板 面板我选 xfce4-panel,因为以下组件很容易配合 xfce4-panel 来添加托盘图标运行 ```shell pacman -S xfce4-pulseaudio-plugin # pulseaudio 音量管理插件(仅支持 xfce4 面板) pacman -S xfce4-power-manager # xfce4 的电源管理器 pacman -S xfce4-whiskermenu-plugin # 美化的 xfce4 菜单 ``` 另外,还需要解决两个问题 1. xfce4-panel 配合 compiz 会有些bug,工作区切换会有问题,不过有大神修改了 xfce4-panel的源码修复这些 bug,上传到了 aur,可以直接用,替换掉 xfce4-panel ```shell yay -S xfce4-panel-compiz ``` 但是有一次,xfce4-panel 来了一次大更新,而 aur 上的 xfce4-panel-compiz 迟迟没有更新,我没办法就用了一段时间的 lxpanel 2. 无会话时 whiskermenu 菜单的注销按钮和锁定屏幕的按钮是不管用的。 我研究过这个问题,单击这俩按钮时,会分别执行 /usr/bin/xflock4 和 /usr/bin/xfce4-session-logout ,那么,这两个可执行程序,我可以自己写 shell 脚本代替。为了方便的解决这个问题,我打包上传到了 aur,符号链接的方式到 /etc/xdg/xfce4/whiskermenu/,方便配合包管理器解决这个问题。 ```shell yay -S xfce4-whiskermenu-plugin-button ``` 然后自己编写 /etc/xdg/xfce4/whiskermenu/xfce4-session-logout 和 /etc/xdg/xfce4/whiskermenu/xflock4 ,就可以定义这两个按钮的行为了。 ### 会话管理器 前面说过,自己编写的 .xinitrc 脚本来定制启动项,另外,根据 archwiki 的推荐,[oblogout](https://wiki.archlinux.org/index.php/Oblogout) 是不错的选择 ```shell pacman -S oblogout ``` 然后执行 oblogout 即可弹出几个按钮,可以实现注销关机等等。里面每个按钮都可以自定义行为,修改 /etc/oblogout.conf 以下是我的配置 ```ini [settings] usehal = false [looks] opacity = 70 bgcolor = black buttontheme = oxygen buttons = logout, restart, shutdown, suspend, lock, cancel [shortcuts] cancel = Escape shutdown = S restart = R suspend = U logout = L hibernate = H lock = K [commands] shutdown = systemctl poweroff restart = systemctl reboot suspend = systemctl suspend hibernate = systemctl hibernate logout = xlogout lock = dm-tool switch-to-greeter #safesuspend = safesuspend ``` 其中呢,logout = xlogout 注销是我自己配合 .xinitrc 写的,在 /usr/local/bin/xlogout 里面,就一行代码 ```shell #!/bin/bash daemon_dir=/tmp/xinitrc_deamon_$USER kill "$(cat $daemon_dir/pid)" ``` 还有 lock = dm-tool switch-to-greeter 这一行,dm-tool 是 lightdm 的组件,如果没用 lightdm,那这条命令是无效的可以删掉。 如果要用 lightdm 或者其它桌面管理器,那么可以从 aur 装这个包,把自己编写的 .xinitrc 作为会话管理器,来让桌面管理器操控 ```shell yay -S xinit-xsession ``` ### 终端 我一直使用的是不用配置的 xfce4 终端,可以根据自己喜好选择别的终端。 ```shell pacman -S xfce4-terminal ``` ### polkit 身份认证组件 这个组件几乎每个桌面环境都带个,也就是当执行 systemctl 修改系统配置的时候或者其它地方申请权限的时候,会弹出一个对话框申请权限,让你输入密码,大概有这些。 ```ini # polkit 身份认证组件 polkit-gnome # gnome 默认简易的身份认证 #lxqt-policykit # lxqt 的身份认证 #mate-polkit # mate 的身份认证 #deepin-polkit-agent # deepin 的身份认证 ``` 在都试了的情况下,对于颜色简约等等,我选择的是 polkit-gnome ``` yay -S polkit-gnome ``` 这个服务也需要开机自启,将以下行写入 .xinitrc ```shell # polkit /usr/lib/polkit-gnome/polkit-gnome-authentication-agent-1 & ``` ### 通知服务 通知服务也是一个比较重要的组件之一,当某些软件想发送通知时,右上角会弹出一个漂浮的窗口来提醒用户,也可以 shell 执行来主动发送通知,参见 [archwiki用bash发送通知](https://wiki.archlinux.org/index.php/Desktop_notifications#Bash) ```shell notify-send 'Hello world!' 'This is an example notification.' --icon=dialog-information ``` ![](/img/nodify.png) 它需要一个后台的通知服务程序才能生效,有以下通知服务程序(摘取自[我的软件列表](https://github.com/fkxxyz/archlinux-config/blob/master/spacman/spacman.conf)) ```shell # 通知服务 #lxqt-notificationd # lxqt 的简易通知服务 xfce4-notifyd # xfce4 通知服务 #mate-notification-daemon # mate 的通知服务 #notification-daemon # gnome 最原始的通知服务 #notify-osd # unity 的通知服务 #statnot # 使用python2实现的简易通知脚本 ``` 也是颜色字体等等各有各的特点,我最终选择的是 xfce4-notifyd。 ```shell yay -S xfce4-notifyd ``` 当然,要让他开机自启,将以下行写入 .xinitrc ```shell /usr/lib/xfce4/notifyd/xfce4-notifyd & ``` ### 文件管理器与桌面 上面没有提到过桌面背景,用 compiz 的时候桌面背景是黑的怎么办呢。得装上一个文件管理器,把文件管理器设为自动启动才可以,有以下文件管理器。 ```ini # 文件管理器与桌面 #thunar #xfdesktop # xfce 桌面 #thunar-volman # 可移动设备管理 #thunar-archive-plugin # 压缩解压插件 #thunar-media-tags-plugin # 媒体文件标签插件 #tumbler # 访问文件的缩略图支持 #pcmanfm # lxde 的文件管理器和桌面 feh # 命令行图片查看器(可用来显示壁纸) #pcmanfm-qt # lxqt 的文件管理器 #deepin-file-manager # deepin 的文件管理器 #nemo # Cinnamon 的文件管理器 #nautilus # gnome 的文件管理器 #caja # mate 的文件管理器 ``` 这个可以根据自己的喜好选择,我曾经用过一段时间的 thunar ,后来换成了 feh 来显示壁纸,不需要文件管理器了,因为对我来说,用shell命令行管理文件比图形界面个管理器要高效的多。 用文件管理器,也需要将它加入 .xinitrc 开机启动。 下面以 pcmanfm 为例 ```shell pcmanfm --desktop & ``` 其它文件管理器如何显示桌面,看其 --help 即可 我用的是 feh 显示壁纸 ```shell feh --bg-scale <壁纸路径> ``` 用 feh 的好处是,没有后台进程。设置了壁纸了之后,会在家目录生成一个脚本文件 cat ~/.fehbg ```shell #!/bin/sh feh --no-fehbg --bg-scale '/usr/share/wallpapers/deepin/Scenery_in_Plateau_by_Arto_Marttinen.jpg' ``` 所以很方便的将 feh加入到 .xinitrc ```shell # wallpaper ~/.fehbg & ``` 壁纸的安装也有很多包提供,也可以自己到网上找图片。 ```shell # 壁纸 mate-backgrounds gnome-backgrounds deepin-community-wallpapers archlinux-wallpaper deepin-wallpapers xfce4-artwork deepin-wallpapers-plasma ``` 另外,配合 feh 我还遍了两个脚本,可以实现一键切换并设置到下一个或上一个壁纸,自定义壁纸路径,自行体会吧 cat ~/.config/wallpaper-path.conf ``` /usr/share/backgrounds /usr/share/wallpapers ``` cat wallpaper-next ```shell #!/bin/bash path_conf=~/.config/wallpaper-path.conf p_now="$(tail -1 ~/.fehbg | cut -d"'" -f2)" p_all="$(find $(cat "$path_conf") -path \*.jpg -type f)" p_next="$(echo "$p_all" | sed -n '/'${p_now//\//\\/}'/{n;p}')" [ "${#p_next}" == "0" ] && p_next="$(echo "$p_all" | head -1)" feh --bg-scale "$p_next" ``` cat wallpaper-prev ```shell #!/bin/bash path_conf=~/.config/wallpaper-path.conf p_now="$(tail -1 ~/.fehbg | cut -d"'" -f2)" p_all="$(find $(cat "$path_conf") -path \*.jpg -type f)" p_next="$(echo "$p_all" | sed -n '/'${p_now//\//\\/}'/{x;p};h')" [ "${#p_next}" == "0" ] && p_next="$(echo "$p_all" | tail -1)" feh --bg-scale "$p_next" ``` 将这两个脚本设为 compiz 的快捷键,直接按键就能切换壁纸。 ### 设置 我发现还缺少个设置程序,我目前用的 xfce4-setting ,而且正好 deepin-wine 的QQ是依赖这个组件的。 ```shell pacman -S xfce4-setting ``` 也可以选择 lxde 的一些设置程序 ```conf #lxinput # lxde 鼠标键盘偏好设置 #lxrandr # lxde 显示器设置 #lxappearance # lxde 自定义外观和体验 ``` 包括 gtk 主题也是在这里设置,可以设置样式、图标等等,这些有区别于 compiz 的窗口外观设置。 ![](/img/gtk-style.png) 这些主题在这些软件包里面包含,可以都装上,然后自己慢慢选择。 ```ini # 主题和图标 gnome-icon-theme lxde-icon-theme mate-themes mate-icon-theme gtk-engine-murrine papirus-icon-theme arc-gtk-theme arc-icon-theme deepin-icon-theme deepin-gtk-theme adapta-gtk-theme numix-icon-theme-git numix-circle-icon-theme-git vertex-themes ``` 为了方便的预览主题,可以从 aur 安装 awf-git 这个包,切换主题可以实时预览各种控件元素的样式。 ### 网络连接管理器 管理网络一般我用的是命令行版的 networkmanager 的 nmcli 命令。图形界面的话,network-manager-applet 就是 nmcli 的前端,它也是 gnome 默认的网络连接管理器,暂时找不到替代 ```shell pacman -S network-manager-applet ``` 设置网络连接和连接 wifi 都很方便,tty 里面也可以用 nmcli 管理网络 ### 其它软件 其它还有很多很多组件,如计算器、截图工具、图片查看器、归档管理器、浏览器、音乐播放器、文本编辑器、pdf阅读器、录音工具、录屏工具、计时器等等,大多数桌面环境都是自带这些,都可以去尝试,如果喜欢别的哪个桌面环境的某个组件,都可以直接装到自己这里,出了 kde 的组件之外,别的桌面环境的组件依赖都很少,喜欢的话可以直接拿过来用。 可以继续参见[我的试过的所有软件列表](https://github.com/fkxxyz/archlinux-config/blob/master/spacman/spacman.conf),看看我装过的所有软件,同时也希望大家推荐给我一些更好用的软件。 ## 我的完整 .xinitrc 配置 贴上我完整的 .xinitrc 配置,当你看到这篇博客的时候可能很旧了,最新的配置在[我的github的xorg-xinit设置](https://github.com/fkxxyz/archlinux-config/blob/master/xorg-xinit/.xinitrc) ```shell [ -f ~/.xprofile ] && . ~/.xprofile # deamon process daemon_dir=/tmp/xinitrc_deamon_$USER mkdir -p $daemon_dir cp -f /usr/bin/sleep $daemon_dir/xinitrc_deamon_$USER $daemon_dir/xinitrc_deamon_$USER 3650000d & main_pid=$! echo $main_pid > $daemon_dir/pid export > $daemon_dir/xrun echo 'exec "$@"' >> $daemon_dir/xrun chmod +x $daemon_dir/xrun # wallpaper ~/.fehbg & # window manager compiz & # nodify /usr/lib/xfce4/notifyd/xfce4-notifyd & # polkit /usr/lib/polkit-gnome/polkit-gnome-authentication-agent-1 & if [ -d /etc/xdg/autostart ] ; then for f in /etc/xdg/autostart/*.desktop ; do exo-open "$f" & done unset f fi # panel xfce4-panel & if [ -d ~/.config/autostart ] ; then for f in ~/.config/autostart/*.desktop ; do [ -x "$f" ] && exo-open "$f" & done unset f fi wait $main_pid ``` <file_sep>--- title: 在 linux 发行版中,python 多版本共存并自由切换 cover: false date: 2019-12-13 18:41:24 updated: 2019-12-13 18:41:24 categories: - 教程 tags: - python - linux --- 最近有多个 python 版本共存的需求,在 archlinux 下只能 python3.8,而阿里云的 python 是 3.6,而且环境和库各不相同。包管理器也影响其存在。然后搜到了 pyenv 这个神器,这个项目直接解决了我所有遇到的 python 不同版本共存和切换的问题,不解释了,直接看[官方介绍](https://github.com/pyenv/pyenv#simple-python-version-management-pyenv)。 <!--more--> ## pyenv 的原理 ### 选择Python版本 这里直接引用官方的[原文](https://github.com/pyenv/pyenv#choosing-the-python-version) > 执行填充程序时,pyenv通过从以下来源按以下顺序读取来确定要使用的Python版本: > > 1. 在`PYENV_VERSION`环境变量(如果指定)。您可以使用该[`pyenv shell`](https://github.com/pyenv/pyenv/blob/master/COMMANDS.md#pyenv-shell)命令在当前的Shell会话中设置此环境变量。 > 2. `.python-version`当前目录中的特定于应用程序的文件(如果存在)。您可以`.python-version`使用以下[`pyenv local`](https://github.com/pyenv/pyenv/blob/master/COMMANDS.md#pyenv-local) 命令修改当前目录的 文件。 > 3. `.python-version`通过搜索每个父目录找到第一个文件(如果有),直到到达文件系统的根目录为止。 > 4. 全局`$(pyenv root)/version`文件。您可以使用[`pyenv global`](https://github.com/pyenv/pyenv/blob/master/COMMANDS.md#pyenv-global)命令修改此文件。如果不存在全局版本文件,则pyenv假定您要使用“系统” Python。(换句话说,如果您没有pyenv,则可以运行任何版本 `PATH`。) ## pyenv 的使用速查 我把这一章放到最开头,作为速查命令 ### 安装 python 列出所有可以安装的版本 ```shell pyenv install --list # 或 pyenv install -l ``` 只列出 python 的版本 ```shell pyenv install -l | grep '^ *[0-9]' ``` 安装一个版本(例如 3.6.9) ```shell pyenv install 3.6.9 # 如果卡在下载源码上,可以手动下载源码,放到 ~/.pyenv/cache 里。 # 如果源码已经被放在了 ~/.pyenv/cache/Python-3.6.9.tar.xz 那么就不会下载了,直接解压编译。 ``` ### 查询版本 #### 查看当前选择的 python 版本 该命令会提示当前环境如果执行 python 的话,会启动的 python 版本,以及如何选择的 python 版本 ```shell pyenv version ``` #### 查看所有可选择的 python 版本 ```shell pyenv versions ``` ### 切换选择 python 版本 #### 以全局方式选择 python 版本 这种方式全局生效,在任意的 shell 调用 python 时,都会以设置的 python 版本启动。 查看全局 python 版本 ```shell pyenv global ``` 设置全局 python 版本 ```shell pyenv global 3.6.9 ``` #### 以目录模式选择 python 版本 此方式可以把某个目录设为特定版本的 python,设置时会在这个目录里写入 .python_version 文件 查看当前目录的 python 版本 ```shell pyenv local ``` 设置当前目录的 python 版本 ```shell pyenv local 3.6.9 ``` #### 以 shell 环境模式选择 python 版本 此方式可以把当前 shell 环境设置为特定版本的 python,设置时会改变 PYENV_VERSION 这个环境变量 查看当前 shell 的 python 版本 ```sbell pyenv shell ``` 设置当前 shell 的 python 版本 ```shell pyenv shell 3.6.9 ``` ## pyenv 的安装 ### 安装 pyenv 在 archlinux 发行版中,由于官方仓库自带 pyenv ,直接安装即可 ```shell sudo pacman -S pyenv ``` 在其它不带 pyenv 的 linux 的发行版中,pyenv的github文档给出了详细的[安装过程](https://github.com/pyenv/pyenv#installation),可以按照官方给出的[安装器](https://github.com/pyenv/pyenv-installer#installation--update--uninstallation)这样安装(如果没有 git 需要先装 git) ``` curl https://pyenv.run | bash ``` 此命令克隆仓库到 ~/.pyenv 下,可执行文件在 ~/.pyenv/bin 可以看到里面只有一个 pyenv 符号链接指向 ../libexec/pyenv ### pyenv 的环境配置 官方给出了详细的[配置](https://github.com/pyenv/pyenv#basic-github-checkout)过程,那么就搬运官方给的原命令 1. 如果用的 bash ,则修改 ~/.bash_profile ```shell echo 'export PYENV_ROOT="$HOME/.pyenv"' >> ~/.bash_profile echo 'export PATH="$PYENV_ROOT/bin:$PATH"' >> ~/.bash_profile ``` 2. 如果用的 zsh, 则修改 ~/.zshenv ```shell echo 'export PYENV_ROOT="$HOME/.pyenv"' >> ~/.zshenv echo 'export PATH="$PYENV_ROOT/bin:$PATH"' >> ~/.zshenv ``` 然后重启 shell ,使配置生效 ```shell exec $SHELL ``` 现在,可以执行 pyenv 了,试试吧 ```shell pyenv ``` 若输出一大堆 pyenv 的帮助,则代表配置生效啦。 ### python 环境配置 先执行 ```shell pyenv init ``` 可以看到提示,将这个提示加入到他所说的文件中吧 ```shell # bash 下执行 pyenv init 2>> ~/.bashrc # zsh 下执行 pyenv init 2>> ~/.zshrc ``` 然后执行 exec $SHELL 生效 ```shell exec $SHELL ``` 查看是否成功 ```shell echo $PATH ``` 如果看到开头为 /home/用户名/.pyenv/shims 则配置算生效啦。 ## 安装不同版本的 python ### 准备编译环境 这一步可谓是至关重要,由于忽略这个问题而直接编译 python,在 centos 上,默认很多所需的包没装,那么编译的时候就会没有把相应的功能编译进去,造成后续使用的时候出现一些问题。 按照[python官方的开发者文档安装依赖](https://devguide.python.org/setup/#linux)这一章,可以快速补上需要的依赖。 在 yum 包管理器管理的系统中: ```shell sudo yum install yum-utils sudo yum-builddep python3 ``` 在 dnf 包管理器管理的系统中: ```shell sudo dnf install dnf-plugins-core # install this to use 'dnf builddep' sudo dnf builddep python3 ``` 在 debian 系的发行版中,看官方说明吧,等我要用到的时候再总结到这里。 > 在**Debian**,**Ubuntu**和其他`apt`基于系统的系统上,尝试通过使用`apt`命令获取正在使用的Python的依赖关系。 > > 首先,请确保已在“来源”列表中启用了源软件包。您可以通过将源码包的位置(包括URL,发行名称和组件名称)添加到中来实现`/etc/apt/sources.list`。以Ubuntu Bionic为例: > > ``` > deb-src http://archive.ubuntu.com/ubuntu/ bionic main > ``` > > 对于其他发行版,例如Debian,请更改URL和名称以与特定发行版相对应。 > > 然后,您应该更新软件包索引: > > ``` > $ sudo apt-get update > ``` > > 现在,您可以通过`apt`以下方式安装构建依赖项: > > ``` > $ sudo apt-get build-dep python3.6 > ``` ### 下载 python 源码 虽然 pyenv 可以自动从 python 的官网下载源码,但是尝试过之后,发现一直卡住速度较慢。 可以从国内任意含有 gentoo 仓库的镜像站来下载一部分 python 源码。 > 3.8.0 版本 > > https://mirrors.tuna.tsinghua.edu.cn/gentoo/distfiles/Python-3.8.0.tar.xz > > 3.7.5 版本 > > https://mirrors.tuna.tsinghua.edu.cn/gentoo/distfiles/Python-3.7.5.tar.xz > > 3.6.9 版本 > > https://mirrors.tuna.tsinghua.edu.cn/gentoo/distfiles/Python-3.6.9.tar.xz > > 3.5.9 版本 > > https://mirrors.tuna.tsinghua.edu.cn/gentoo/distfiles/Python-3.5.9.tar.xz > > 2.7.17 版本 > > https://mirrors.tuna.tsinghua.edu.cn/gentoo/distfiles/Python-2.7.17.tar.xz 不一定有所有的版本,但包含很多常用的版本了,大概是够用了。 将他们下载到 ~/.pyenv/cache 下,先创建这个目录吧 ```shell cd cd .pyenv mkdir cache cd cache ``` 然后开始下载,例如 ```shell wget https://mirrors.tuna.tsinghua.edu.cn/gentoo/distfiles/Python-3.6.9.tar.xz ``` ### 用 pyenv 安装 python 如果源码已经被放在 ~/.pyenv/cache 里了,那么在执行安装就很快了。 列出所有可安装的版本 ```shell pyenv install --list ``` 安装指定版本 ```shell pyenv install 3.6.9 # 如果上一步,源码已经被放在了 ~/.pyenv/cache/Python-3.6.9.tar.xz 那么这一步就不会下载了,直接解压编译。 ``` 等到输出如下信息时,代表安装成功了。 > Installed Python-3.6.9 to /home/用户名/.pyenv/versions/3.6.9 然后可以愉快的安装不同版本 python 和随意切换啦。<file_sep>function exConvert(name,color){ a=color.toString(); a= a[4]+a[5]+a[2]+a[3]+a[0]+a[1]; color=a.toUpperCase(); document.getElementById(name+'_color').innerHTML='0x'+color;} function writeIn(name, value){ document.getElementById(name).innerHTML=value;} function changeNumber(value) { var a= parseInt(value);b=a+1; for(var i=a;i>=1;i--) document.getElementById('n'+i).style.display='inherit';for(var j=b;j<=9;j++)document.getElementById('n'+j).style.display='none';} function changeColor(element,mode,name,color){ var BG = "bg", BD = "bd"; switch(mode){ case BG: document.getElementById(element).style.backgroundColor = '#'+color;break; case BD: document.getElementById(element).style.borderColor = '#'+color;break; default: document.getElementById(element).style.color = '#'+color;} color=exConvert(name,color);} function exMode(origin,direction,color){ a=color.toString(); if(a.length!=6){alert("Error!");} else{ b= a[4]+a[5]+a[2]+a[3]+a[0]+a[1]; a=a.toUpperCase(); b=b.toUpperCase(); if(origin=="rgb"){ document.getElementById(origin).style.backgroundColor = '#'+a; document.getElementById(direction).style.backgroundColor = '#'+a; document.getElementById(origin).value=a; document.getElementById(direction).value=b;} else if(origin=="bgr"){ document.getElementById(origin).style.backgroundColor = '#'+b; document.getElementById(origin).value=a; document.getElementById(direction).style.backgroundColor = '#'+b; document.getElementById(direction).value=b;} }}<file_sep>--- title: 用 python 自制需求列表来进行包管理,从此再也不用重装系统 cover: false date: 2019-04-13 03:25:44 updated: 2019-04-13 03:25:44 categories: - 原创开发 tags: - archlinux - python btns: repo: https://github.com/fkxxyz/spacman feedback: https://github.com/fkxxyz/spacman/issues --- ## 问题背景 archlinux 是个可高度定制的 linux 发行版,在使用的过程中,需要反复测试很多软件包的功能,以达到自己想要的效果,效果不好的卸载,用得好的留下,但由于依赖是复杂的树状结构,时间长了,容易忘记自己测试过哪些包,以至于有些包只是临时安装的后来忘了卸载,随着积累容易导致在系统里留下大量不必要的包。 pacman 的功能之一是可以查询安装原因,安装原因有两种“单独指定安装”和“作为其他软件包的依赖关系安装”,也可以通过 pacman -Qdt 找出所有没必要的依赖包,pacman -Qe 可以列出所有自己显式指定安装过的包,还可以通过 pacman -Rscn 卸载某个软件来将其不必要的依赖也同时卸载。 虽然 pacman 功能强大,但依然没法满足以上需求,因为很多包都是自己指定安装,但是后来忘了自己只是临时测试这个包,测试过应当卸载,然而这类包显然留在系统中,这些包还不容易被找到,要是数量庞大,基本只能重装系统才能完全干净。 强迫症患者们当然希望自己的系统是干干净净,只有自己需要的包,没有其它任何垃圾包。 于是有了新的脚本需求........... <!--more--> ## 需求设计 需要这样一个脚本,这个脚本能实现: 1. 能够从一个文本文档里面读取软件列表(不包含“作为其他软件包的依赖关系安装”的包,只需要指定**顶层包**),根据此列表与系统已安装的包进行对比,进行依赖计算,列出所有多余的包,列出所有指定了却未安装的包。 2. 软件列表可以有以井号开头的注释,可以忽略空行,每行包含一个软件包。这样可以方便测试注释。 3. 设计命令行参数,在必要时可以指定不同的配置文件,也可以指定自己喜欢的包管理器命令如 yay ,让脚本自动调用包管理器来同步软件列表和系统。 ### 能满足的需求 要是真的实现了这样一个脚本,用处非常大,我在此罗列几点,充分发挥想象力的话,能带来无尽的乐趣。 1. **能根据自己的需要完全掌控系统的包:**把自己所有需要的软件做成列表(不需要考虑底层依赖),而且能对每一行的包名后面用井号注释一些自己想写的,让自己一目了然,也让系统里面出了这些包及其依赖的包之外不存在其它任何包,轻而易举地掌控系统的所有包,实现随心所欲高度定制。 2. **大幅度方便增删测试:**想测试一批软件时,只需要编辑这个软件列表,在里面添加若干行想要测试的软件,然后应用到系统,然后开始随便玩,等当不想用这些软件了,就注释或删掉那些行,再应用到系统,这些软件无影无踪,依赖也一个不留。 比如我想测试 deepin 的桌面环境,先执行 pacman -Sqg deepin 看看有哪些包,直接把这些包名复制到列表里,然后应用到系统......测完了从列表里删去,再应用到系统,完美回到没测试之前的样子。 3. **当成系统还原点:**只要我改变列表不变,那么我可以随意安装测试任何软件包,比如装 deepin 组,装任意多的包哪怕装了几十G碎碎的包,玩够了之后,直接应用列表,刚刚装的几十G直接在一分钟之内无影无踪一个不漏,完全回到测试以前的样子,此方法就是将一个列表看作是一个还原点,甚至可以设置多个还原点(多个列表)进行任意测试,配合 pacman 的装卸极速特性,基本可以随便玩了。 ## 项目实现 ### 实现思路 选择用 python来实现,因为 python的列表和字典非常好用,先从系统中读取所有软件包的信息,放到一个巨大的列表里,然后将每个软件包名作为字典的键,构建出一个大字典,然后对依赖进行整合,然后同样对列表里所有包进行这样处理,算出一个所需的包的集合,将系统里所有包也弄成一个集合,将两个集合直接相减,也就算出了所有多余的包了。 以下难点一个一个被攻破: 1. **难点:** 读取所有软件包信息,转换成 python 列表。 **解决:** 模拟执行 LANG=C pacman -Qi ,然后字符串处理。 2. **难点:** 某些包的依赖(Depends On)是一些包的提供字段(Provides)。 **解决:**利用字典的索引特性,把每个 Depends On 的内容转换成具体包名。 3. **难点:** 某些包的依赖(Depends On)是版本号的对比,比如 java-runtime>=8,而版本由好几个段组成,比较算法可能过于复杂。 **解决:**查询 libalpm 的开发文档得知,里面有个 C 库函数 alpm_pkg_vercmp 被封装在 libalpm.so 中,直接模拟调用,版本比较问题解决。 本项目已经用 python3 实现,我将它取名为超级包管理器,脚本名称为 [spacman](https://github.com/fkxxyz/spacman) ,放在 github 上开源托管。方便以后直接调用,已经自己打包上传到了 aur,可以用 yay 直接安装。 ```shell yay -S spacman ``` 所有强迫症患者的福音! ## 用法 ### 命令语法 ``` 用法: spacman [-h] [--config 列表文件] [--pacman 包管理器] [--apply] [--query] 可选参数: -h, --help 显示帮助信息 --config 列表文件, -c 列表文件 指定列表文件(默认为 ~/.config/spacman/default.conf) --pacman 包管理器, -p 包管理器 指定包管理器(例如 yay,默认为 pacman) --apply, -a 自动调用包管理器,将列表应用到系统 --query, -q 查询一个列表中所有的包 ``` 以上用法可能已经过时没有更新,详见 spacman --help 用法举例 ```shell # 将 ~/.config/spacman/default.conf 列表与系统已安装的包进行对比,输出结果 spacman # 将 ~/spacman1.conf 作为列表进行对比,输出结果 spacman -c ~/spacman1.conf # 将 ~/.config/spacman/default.conf 列表应用到系统 spacman -a # 警告,万万不可将空列表应用到系统,否则会卸载所有软件包 # 将 ~/.config/spacman/default.conf 列表应用到系统,并用 yay 作为包管理器 spacman -a -p yay # 列出 ~/.config/spacman/default.conf 列表中所有软件包并排序 spacman -q | sort ``` ### 如何写配置 到底该如何写配置文件呢,首先要自己总结出自己所有需要的包列表,写到一个文本文档里,只需要写你需要的包,不需要操心任何依赖,一行一个,格式如下: ```shell linux linux-firmware base grub dhcpcd iw wpa_supplicant archlinuxcn-keyring yay ``` 当然为了你的方便,你可以把配置文件当成笔记,顺便记录linux软件包名和功能,井号开头注释即可,也可以在包名后面跟井号注释,空行随意 ```shell # 内核 linux linux-firmware # 固件 # 基本 base # 引导器 grub # 网络 dhcpcd # dhcp客户端 iw # 无线管理 wpa_supplicant # 无线加密 # 源 archlinuxcn-keyring # aur helper yay ``` 如果嫌麻烦,可以用 pacman -Qe 快速生成一个列表,这命令表示列出所有自己用pacman主动安装的包名。 ```shell pacman -Qe > a.conf ``` 但是不建议这样做,因为生成的列表是按字母排序,而且自己整理注释起来麻烦,还不如自己从头写个。 我的日常列表也托管到 github 了,可以随时参考 [spacman.conf](https://github.com/fkxxyz/archlinux-config/blob/master/spacman/spacman.conf) ### 使用逻辑 我暂时想出以下使用方法,大家可以尽情的发挥想象发挥更多的潜力。 1. 当成个人做的笔记记录,用linux用久了自己也记不清自己需要哪些包,配置文件可以刚好帮你记录。 2. 配置列表中,自己想删去哪个包了,可以井号注释掉,而不必删掉一行,然后 spacman -a 即可,以后想反悔直接去掉井号注释,再次 spacman -a 3. 可以把所有自己可能需要的同类软件包都记录下来,然后都用井号注释掉,然后想用哪个直接去掉哪个的井号。 4. 实验各个软件,而不加进列表,只把满意的软件加进列表,不满意的由于没加进列表,直接 spacman -a 会删掉所有没进列表的软件包括其依赖,而不必一个一个 pacman -Rsc 卸载,省心又高效。例如实验各个桌面环境,一个gnome桌面环境有多少个顶层包咱们也知道。<file_sep>--- title: 关于手机和电脑之间文字快速互通 cover: false date: 2019-12-06 21:53:30 updated: 2019-12-06 21:53:30 categories: - 探究学习 tags: - 前端 - php typora-root-url: ../.. --- 有时候在手机上搜到什么好代码好网址,想立刻转到电脑上用,发现有时候不怎么方便。有这几个方案: 1. 用通信软件,手机电脑同时启动QQ或微信,发送到电脑上。 2. 用百度网盘或者github等服务互通。 3. 用局域网软件,如feem、ftp等等。 4. 用数据线,adb工具,访问手机储存。 发现都有一定的不方便之处,要启动这么庞大的QQ,要同一局域网,要数据线。 既然咱们是做技术的,技术改变生活,让生活变得更方便。现在,是时候解决这个问题了。 <!--more--> ## 思路 由于我有个租的阿里云服务器,如果有这样一个轻量集软件,甚至不需要软件,只用浏览器,用一个网页就能实现电脑和手机互通,岂不是会非常迅速,对工作效率也会提升很多。 先找找有没有这方面的软件,闭源的商业软件要么有广告要么要登录很慢很复杂,不喜欢这样的。开源的软件也暂时找不到很方便的,希望有推荐。 应对自己这样的需求,我打算自己实现一个。 怎样的方案实现呢?想出几个备选方案: 1. 用 python 网络编程,tcp协议,服务端放服务器,客户端在任意终端。 麻烦之处在于在tcp协议之上得自己设计自己的协议,而且手机用python并不方便,显然实现起来比较麻烦成本比较高,不做这种重复造轮子的事情。 2. 看来浏览器是个好东西,哪个终端设备都有浏览器,那么,用前端技术实现是不是最好的选择呢。 看起来是,用php编个后端在服务器上运行,打开浏览器就能记住笔记,然后后端把笔记记录到服务器中的某个文件里,任何浏览器访问的时候,后端读取这个文件前端处理显示出来。 看来php这个方案是最方便的,就选它了。虽然前端开发经验比较少,仅限于知道http的get和post的请求,前端的html5的语法,css的基础知识,还有js基本怎么作用,后端大概怎么处理请求返回html页面的逻辑。 ## 设计 既然是网页实现,那么在脑海里浮现了这样一个画面: 1. 一个多行文本框,有滚动条,可以输入任意长的文本。 2. 两个按钮,一个按钮是提交,一个按钮是清空文本。 3. 单击提交按钮后,会把文本框的内容通过post请求发送到服务器。 4. 每次打开页面事,文本框内会自动显示服务器记录的文本。 ## 预备的php知识 由于没有php开发经验,只是知道php是个什么东西,只会php的hello world。没关系,先想想我需要什么,百度搜就是了。 1. 需要用php读写文件 百度一搜,搜到了 file_get_contents、fopen、fwrite、fclose 几个函数的语法,这不和众多编程语言一模一样的语法和参数嘛,这问题解决了。 2. 变量的用法 编程免不了使用变量,哪怕再简单的程序。查了下,发现 php 的数据类型有字符串、整数、浮点数、逻辑、数组、对象,还是挺少的。这里主要用字符串。语法也很简单,不需要声明变量,每个变量前面都要加 $ ,无论是初始化赋值还是使用。 3. 处理post请求 这个是重点,思路是前端的文本框用post发送到后端,后端得能收到内容并且存到文件。查了下,发现这个特殊变量 $_POST ,有点类似于python的字典用法,只需要指定前端传过来的键值,那么我就用 $_POST["content"]。 4. 编码解码 信息传递的过程中,由于我域名没有备案,用不了https,是http方式明文传输,中途被过滤关键字什么可能会降低传输速度,我想加密或者加一层编码,哪怕只用base64状况会好很多,那就选base64吧。 查到了这些函数: 1. base64_encode 和 base64_decode 2. urlencode 和 urldecode 3. rawurlencode 和 rawurldecode 5. 语法 关于语法,在实验的过程中踩了很多坑,服务器总是返回 500 的错误码,检查发现都是漏分号。那么和 C++ 以及 java 的编程习惯一样,每个语句最后加分号。 差不多就需要这么点东西了,前端如何处理编码解码呢,html实现不了,恐怕需要js,那么还得搜集一点js的函数和知识。 ## 预备的前端知识 在前端的js和html,有需要实现编码解码,需要解码之后改变文本框的内容,post之前也得编码。 1. 多行文本框,随着窗口变化改变尺寸 用 textarea 标签,设置它及其 form 的样式 width ```css form { width:90%; } textarea { width:90%; overflow:auto; word-break:break-all; } ``` 2. post 请求 设置 form 的 method 属性为 post 3. post 之后页面自动跳转回去 搜索查到这样的办法,在 head 标签里面加个 meta,表示一秒钟之后刷新到 / ```html <meta http-equiv="refresh" content="1;url=/" /> ``` 4. 编码解码 查到了这些函数: 1. encodeURI 和 decodeURI 2. encodeURIComponent 和 decodeURIComponent 3. window.btoa 和 window.atob 在查询百度和反复用浏览器的控制台实验,终于弄清了他们的区别。 1. 改变文本框内容 1. 改变 textarea 的内容 document.getElementById(textarea的ID).value = 内容 2. 改变 html 结构的内容 document.getElementById(标签的ID).innerText = 内容 5. 适应手机端 搜索轻易查到在 head 标签里面加个 meta ```html <meta name="viewport" content="width=device-width, initial-scale=1.0, minimum-scale=0.5, maximum-scale=2.0, user-scalable=yes" /> ``` ## 逻辑设计 ### 前端 1. 在打开页面之后,立刻执行js代码,把后端传输过来的编码过的字符串解码,然后把html内容设置成解码后的内容 2. 在 post 请求之前,利用 input 标签的 onclick 属性提前执行一段js代码,把内容编码然后再 post ### 后端 需要两个页面,一个是读取和编辑页面的 php,一个是处理 post 请求的页面 php,分别取名为 index.php 和 submit.php 1. **index.php** 先读取文件,再编码文件,再显示到 testarea 的值里。 2. **submit.php** 先解码得到的内容,再把内容写入文件。 ## 代码实现 在经过一段时间的实验和调试后,index.php 和 submit.php 的代码基本完工,以下是简易的初始版本,后续可以随时改进。项目地址在 https://github.com/fkxxyz/qnote ### index.php ```html <!DOCTYPE HTML> <html> <head> <title>fkxxyz</title> <meta http-equiv="Content-Type" content="text/html; charset=utf-8" /> <meta name="viewport" content="width=device-width, initial-scale=1.0, minimum-scale=0.5, maximum-scale=2.0, user-scalable=yes" /> <style type="text/css"> form { width:90%; } textarea { width:90%; overflow:auto; word-break:break-all; } input { width:120px; height:60px; font-size:20px; } </style> </head> <body> <form class="form" name="editform" method="post" action="submit.php"> <input type="submit" onclick="encode_texta()" value="提交" /> <input type="button" onclick="clear_texta()" value="清空"> <p> <textarea id="texta" rows="20" name="content"><?php $file="/srv/ftp/note.txt"; echo base64_encode(rawurlencode(base64_decode(file_get_contents($file)))); ?></textarea> </p> </form> <script> function t_encode(s){ return window.btoa(encodeURIComponent(s)); } function t_decode(s){ return decodeURIComponent(window.atob(s)); } function clear_texta(){ document.getElementById("texta").value = ""; } function encode_texta(){ texta = document.getElementById("texta"); texta.value = t_encode(texta.value); } function decode_texta(){ texta = document.getElementById("texta"); texta.value = t_decode(texta.value); } decode_texta(); </script> </body> </html> ``` ### submit.php ```html <!DOCTYPE HTML> <html> <head> <title>提交</title> <meta name="viewport" content="width=device-width, initial-scale=1.0, minimum-scale=0.5, maximum-scale=2.0, user-scalable=yes" /> <meta http-equiv="Content-Type" content="text/html; charset=utf-8" /> <meta http-equiv="refresh" content="1;url=/" /> </head> </head> <body> <?php $file="/srv/ftp/note.txt"; $f = fopen($file, "w") or die("服务器出错!无法打开文件。"); fwrite($f, base64_encode(rawurldecode(base64_decode($_POST["content"])))); fclose($f); echo "<h1>提交成功</h1>"; echo "<div id=\"textd\">"; echo $_POST["content"]; echo "</div>" ?> </body> <script> function t_decode(s){ return decodeURIComponent(window.atob(s)); } function decode_textd(){ textd = document.getElementById("textd"); textd.innerText = t_decode(textd.innerText); } decode_textd(); </script> </html> ``` ## 效果展示 ### 电脑端 <img src="/img/qnote-1.png" alt="qnote-1" /><img src="/img/qnote-2.png" alt="qnote-2" /> ### 手机端 <img src="/img/qnote-3.png" style="zoom: 50%;" /> ## 电脑端更快速的处理 在服务器端,我没有直接把内容直接放到文件里,而是加了层 base64 编码放进去。 因为考虑到,在 linux 端,我服务器开了 ftp,我可以不用打开浏览器也能快速连接到服务器获取内容,由于传输也没有加密,为了不以明文传输所以也 base64 一下。 以下命令快速获取服务器的笔记内容 ```shell curl -s ftp://地址/note.txt | base64 -d ``` 把它保存为脚本,一执行,就能在控制台里面看到内容,美滋滋。 同样的思路,能不能不打开浏览器也能 post 呢,一查果真容易实现,curl 就能发送 post 请求,连 pyhon 都免了! 以下命令快速记录笔记上传到服务器,返回错误代码 ```shell curl -d "content=$(cat | base64)" http://地址/submit.php ``` 写成脚本吧,获取状态码,返回是否成功 ```shell #!/bin/bash code="$(curl -d "content=$(cat | base64)" -o /dev/null -w %{http_code} -s http://地址/submit.php)" echo if [ "$code" == "200" ]; then echo "提交成功" else echo "出错,http 状态码: $code" fi ``` 脚本执行后,可以输入任意文字,按 Ctrl + D 结束输入开始提交。 至此,大功告成。 再也不用启动 QQ微信什么的了,也不需要局域网软件了。只要能联网,任意地方都能快速笔记互通了。 ## 手机端 手机端就更简单了,用的按卓手机,加上 chromium 浏览器,把我的服务器地址添加到桌面快捷方式,桌面上随时点开粘贴,然后提交。 ## 后续可能的改进 1. 由于传输过程只是 base64 ,未加密,中途被拦截篡改或者泄露。 这个问题目前不需要解决,因为我个人不是什么重要机构信息没那么大的价值,也没有人恶意盯着陷害我,等以后有了安全需求再说。 2. 谁都可以打开浏览器通过 http 协议访问我的服务器,只要知道我的服务器地址。 这个问题目前也不需要解决,因为我服务器私人用,也不会有谁故意捣乱。等到有这个需求再说,可以加个验证什么的。 3. 有时候会有图片传输的需求,甚至文件传输的需求,一般都 ftp 或者在线私人网盘了,暂时也不需要。 4. 美观。 <file_sep># Rime 鼠鬚管配色主題產生器 ## 使用 ☞ [Rime 西米 for Squirrel](https://gjrobert.github.io/Rime-See-Me-squirrel/),單頁式應用程式 都設定好後,將最右欄「產生設定碼」下方全部複製起來,再放到 squirrel.custom.yaml 中。 ### 【新功能】讀入現有主題設定檔 若已有如下列格式的 YAML 主題單檔: ```yaml #Rime theme ← 此行非必要 color_scheme_uji_kintoki_light: #檔內只能有這個頂層物件。但此行也不一定要依這個格式命名 #以下每行前面均須空 2 格 name: 宇治金時(淡) author: <NAME> <<EMAIL>> back_color: '0xECE2F2' #★重要!限於目前程式功能,以下每項色碼前後務必均須加上 ' ' 才能順利以字串格式讀入處理,此與常見 Rime YAML 設定格式較不同。 border_color: '0x573270' text_color: '0x32705A' hilited_text_color: '0x705432' hilited_back_color: '0x7DC4AB' hilited_candidate_text_color: '0xF1EBF6' hilited_candidate_back_color: '0x573270' hilited_candidate_label_color: '0x7DC4AB' hilited_comment_text_color: '0xF6F1EB' candidate_text_color: '0x327051' comment_text_color: '0x705432' label_color: '0x000201' ``` 則可使用網頁最下方的按鈕,選取檔案並讀入,該檔中的配色方案名稱、作者資訊、各處色碼設定均可載入「輸入欄位」及右欄「設定碼」區,並套用到最左欄「預覽區」中。也就是說,可以讀取現有主題,再進一步修改,產生新的主題。 ## 銘謝 fork 自 https://github.com/bennyyip/Rime-See-Me<br> (因為有了「Rime 西米」,讓我很快做出我的第一個配色方案:[rime-theme-uji_kintoki 宇治金時](https://github.com/GJRobert/rime-theme-uji_kintoki/)。**謝謝 bennyyip !** 我順便偷打一下廣告 QQ) "All credit goes to http://tieba.baidu.com/p/2491103778 and https://github.com/bennyyip/Rime-See-Me" --- 讀檔功能感謝: * js-yaml * CDNJS.com * Stack Overflow、MDN、W3School 等教學網站
ef4d7087c0cca6f0e8dc2b07d0669190ec61c06e
[ "Markdown", "Shell", "JavaScript" ]
31
Markdown
fkxxyz/fkxxyz-blog-src
fa14fa27875065a9ab374adae087ca72704b8ac0
67a1c6e0982a1ff8f98c161c4c16d2c430eea4f0
refs/heads/master
<file_sep>#!/usr/bin/env python # -*- coding: utf-8 -*- """ test_requests_guard ---------------------------------- Tests for `requests-guard` module. """ import requests import time import unittest from requests_guard import guard, guard_iter class TestRequestsGuard(unittest.TestCase): def test_guard(self): r = requests.get("https://www.google.com/", stream=True, timeout=30) guard(r) def test_guard_iter(self): r = requests.get("https://www.google.com/", stream=True, timeout=30) for chunk in guard_iter(r): pass def test_size_limit(self): r = requests.get("https://www.google.com/", stream=True, timeout=1) with self.assertRaises(ValueError): for chunk in guard_iter(r, max_size=10): chunk def test_sleeping(self): r = requests.get("https://www.google.com/", stream=True, timeout=1) with self.assertRaises(ValueError): for chunk in guard_iter(r, timeout=1): time.sleep(2) if __name__ == '__main__': unittest.main() <file_sep>=============================== Requests Guard =============================== .. image:: https://img.shields.io/travis/skorokithakis/requests-guard.svg :target: https://travis-ci.org/skorokithakis/requests-guard .. image:: https://img.shields.io/pypi/v/requests-guard.svg :target: https://pypi.python.org/pypi/requests-guard .. image:: https://readthedocs.org/projects/requests-guard/badge/?version=latest :target: https://readthedocs.org/projects/requests-guard/?badge=latest :alt: Documentation Status requests-guard is a small library that allows you to impose size and time limits on your HTTP requests. * Free software: BSD license * Documentation: https://requests-guard.readthedocs.org. Features -------- * Timeout limits * Size limits * Much more! Installation ------------ Just use ``pip`` to install it:: pip install requests-guard and you're done. Usage ----- .. code-block:: python import requests from requests_guard import guard r = requests.get("https://www.google.com/", stream=True, timeout=30) content = guard(r, max_size=3000, timeout=10) ``requests-guard`` will raise a ``ValueError`` if it receives more than ``max_size`` data in total, or if the *entire* request takes more than ``timeout`` seconds to be completed. That means that the call will always return after (roughly, see below for details) ``timeout`` seconds. *Note:* You *must* call requests in the manner above, with ``stream=True`` and ``timeout``. ``stream=True`` allows the size and time limits to be set, and the ``timeout`` parameter to ``requests`` instructs it to close the connection if no data has been received for that number of seconds. *Note:* ``requests-guard`` works by looking at the data as it receives it, so the ``timeout`` parameter to ``requests-guard`` will apply to the *entire* connection, not just the latest chunk. The ``timeout`` parameter to ``requests`` means "quit if we haven't received any data for that long", which means that a response may take an arbitrary amount of time, as long as it always returns *something* every ``timeout`` seconds. This means that a request may potentially take up to the sum of the timeout specified to ``requests`` and to ``requests-guard``, if the server stops replying completely just before the timeout in ``requests-guard`` elapses. <file_sep># Requests Guard requests-guard is a small library that allows you to impose size and time limits on your HTTP requests. ## Installation Just use `pip` to install it: ``` pip install requests-guard ``` and you're done. ## Usage ``` import requests from requests_guard import guard r = requests.get("https://www.google.com/", stream=True, timeout=30) content = guard(r, max_size=3000, timeout=10) ``` `requests-guard` will raise a `ValueError` if it receives more than `max_size` data in total, or if the *entire* request takes more than `timeout` seconds to be completed. That means that the call will always return after (roughly, see below for details) `timeout` seconds. **Note:** You *must* call requests in the manner above, with `stream=True` and `timeout`. `stream=True` allows the size and time limits to be set, and the `timeout` parameter to `requests` instructs it to close the connection if no data has been received for that number of seconds. **Another note:** `requests-guard` works by looking at the data as it receives it, so the `timeout` parameter to `requests-guard` will apply to the *entire* connection, not just the latest chunk. The `timeout` parameter to `requests` means "quit if we haven't received any data for that long", which means that a response may take an arbitrary amount of time, as long as it always returns *something* every `timeout` seconds. This means that a request may potentially take up to the sum of the timeout specified to `requests` and to `requests-guard`, if the server stops replying completely just before the timeout in `requests-guard` elapses. <file_sep>site_name: requests-guard theme: readthedocs repo_url: https://github.com/skorokithakis/requests-guard/ <file_sep># -*- coding: utf-8 -*- import time def guard_iter(response, max_size=1 * 1024 ** 2, timeout=30): response.raise_for_status() if int(response.headers.get('Content-Length', "0")) > max_size: response.close() raise ValueError('Response too large.') size = 0 start = time.time() for chunk in response.iter_content(1024): size += len(chunk) if size > max_size: response.close() raise ValueError('Response too large.') if time.time() - start > timeout: response.close() raise ValueError("Timeout reached.") yield chunk def guard(response, max_size=1 * 1024 ** 2, timeout=30): b"".join(guard_iter(response, max_size, timeout)) <file_sep>requests wheel==0.23.0
69ddedf7a3497429eb3273fa7675732fc2202577
[ "reStructuredText", "Markdown", "YAML", "Python", "Text" ]
6
reStructuredText
skorokithakis/requests-guard
3990c06cc2bc8c19029ec2b00756862a25aad7c9
ffb86900ce3e10e6ace53e7af98c5513479e105c
refs/heads/master
<file_sep>import axios from "axios"; export default async function getJson(url) { return (await axios.get(url)).data; } <file_sep>:root // change for dark/light themes --tertiary hsl( 325, 96%, 59%) --secondary hsl( 277, 92%, 58%) --primary hsl( 233, 88%, 57%) --link hsl( 217, 100%, 70%) --hover hsl( 217, 100%, 55%) --bright hsl( 0, 100%, 100%) --txt hsla( 0, 100%, 100%, 0.8) --dim hsla( 0, 100%, 100%, 0.667) --bc hsla(233, 24%, 75%, 0.175) --bc-dim hsla(233, 24%, 75%, 0.0875) --app-fg hsl( 233, 30%, 22%) --app-bg hsl( 233, 36%, 18%) --app-nav hsl( 233, 38%, 14%) // deprecated --input-bc hsla(233,36%,36%,0.12) --input-bc-hover hsl(233, 100%, 70%) --input-bg hsl(233, 36%, 18%) // don't change --success hsl(120,58%,55%) --success-bc hsl(120,58%,41%) --warning hsl(35,100%,50%) --warning-bc hsl(35,75%,38%) --danger hsl(0,100%,55%) --danger-bc hsl(0,100%,41%) --tendermint #5EAD37 flex-version = flex support-for-ie = false vendor-prefixes = official @import '../../node_modules/nib/index.styl' // @import './print.styl' print @require './variables.styl' // @require './vendor/*' global-reset() reset-html5() * box-sizing border-box body background var(--app-bg) -webkit-text-size-adjust 100% a color var(--link) text-decoration none cursor pointer &:hover color var(--hover) body, input, button, textarea df() strong font-weight 500 em font-style italic h1, .h1, h2, .h2, h3, .h3, h4, .h4, h5, .h5, h6, .h6 line-height 1.25 color var(--bright) font-weight 500 &.material-icons font-family "Material Icons" &:first-child margin-top 0 &:last-child margin-bottom 0 h1, .h1 font-size h1 * 0.875 h2, .h2 font-size h2 * 0.875 h3, .h3 font-size h3 h4, .h4 font-size h4 h5, .h5 font-size h5 h6, .h6 font-size h6 color var(--dim) text-transform uppercase letter-spacing 0.0625em @media screen and (min-width: 1024px) h1, .h1 font-size h1 h2, .h2 font-size h2 h3, .h3 font-size h3 .mobile-only display none .anim-spin -webkit-animation: keyframes-spin 2s infinite linear animation: keyframes-spin 2s infinite linear .anim-pulse -webkit-animation: keyframes-spin 1s infinite steps(8) animation: keyframes-spin 1s infinite steps(8) @keyframes keyframes-spin 0% -webkit-transform: rotate(0deg) transform: rotate(0deg) 100% -webkit-transform: rotate(359deg) transform: rotate(359deg) .mobile visibility visible .desktop visibility collapse .desktop-inline .desktop-block .desktop-flex display none @media screen and (min-width: 768px) .mobile visibility collapse .desktop visibility visible .desktop-inline display inline .desktop-block display block .desktop-flex display flex <file_sep><template> <div id="app"> <nav> <router-link to="/">Voyager</router-link> <router-link to="/tendermint">Tendermint Core</router-link> </nav> <router-view/> </div> </template> <style src="./styles/app.styl" lang="stylus"></style> <style> nav { position: fixed; top: 0; right: 0; padding: 0.25rem; background: var(--app-nav); } nav a { display: inline-block; border: 2px solid var(--bc); padding: 0 0.5rem; line-height: 2rem; color: var(--bright); margin: 0.25rem; } nav a.router-link-exact-active { background: var(--secondary); } .chart-container { background: var(--app-fg); width: 100vw; height: 200px; } .pie-chart-container { width: 400px; height: 400px; } </style> <file_sep><template> <div id="releases"> <h1>Voyager Downloads</h1> <h2>{{ overallHeading }}</h2> <div class="pie-chart-container"> <canvas id="overall-chart" width="400" height="400"></canvas> </div> <h2>Linux</h2> <div class="chart-container"> <canvas id="linux-chart" width="400" height="400"></canvas> </div> <h2>Mac</h2> <div class="chart-container"> <canvas id="mac-chart" width="400" height="400"></canvas> </div> <h2>Windows</h2> <div class="chart-container"> <canvas id="win-chart" width="400" height="400"></canvas> </div> </div> </template> <script> import { max, maxBy, orderBy, reverse, sumBy } from "lodash"; import getJson from "../scripts/getJson"; import moment from "moment"; import Chart from "chart.js"; export default { name: "home", computed: { downloads() { if (this.releases.length === 0) { return []; } else { return this.releases; } }, yAxisMax() { if (this.releases.length === 0) { return []; } else { let linuxMax = maxBy(this.linuxReleases, "downloads").downloads; let macMax = maxBy(this.macReleases, "downloads").downloads; let winMax = maxBy(this.winReleases, "downloads").downloads; let maxDownloads = max([linuxMax, macMax, winMax]); return maxDownloads; } }, linuxReleases() { return this.getReleases(this.isLinux); }, macReleases() { return this.getReleases(this.isMacOS); }, winReleases() { return this.getReleases(this.isWindows); }, overallHeading() { if (this.releases.length === 0) { return "Latest Version Breakdown"; } else { return `${ this.linuxReleases[this.linuxReleases.length - 1].version } - Download Breakdown`; } } }, data: () => ({ releases: [] }), methods: { fromNow(datetime) { return moment(datetime).fromNow(); }, isMacOS(asset) { return asset.name.includes("darwin") || asset.name.includes("mac"); }, isWindows(asset) { return asset.name.includes("win") || asset.name.includes("indows"); }, isLinux(asset) { return ( asset.name.includes("linux") || asset.name.includes("Linux") || asset.name.includes("deb") ); }, fixVersion(tagName) { if (tagName.startsWith("0")) { return "v" + tagName; } else { return tagName; } }, getReleases(osFilter) { let releases = this.downloads.filter(r => r.assets.find(a => osFilter(a)) ); releases = releases.map(r => { let assets = r.assets.filter(a => osFilter(a)); let downloads = sumBy(assets, "download_count"); return { version: this.fixVersion(r.tag_name), date: r.published_at, downloads: downloads }; }); return reverse(orderBy(releases, "id")); }, getOS(asset) { if (this.isMacOS(asset)) { return "macOS"; } if (this.isWindows(asset)) { return "Windows"; } if (this.isLinux(asset)) { return "Linux"; } }, drawOverallChart() { let ctx = this.$el.querySelector("#overall-chart").getContext("2d"); let data = { datasets: [ { data: [ this.linuxReleases[this.linuxReleases.length - 1].downloads, this.macReleases[this.macReleases.length - 1].downloads, this.winReleases[this.winReleases.length - 1].downloads ], backgroundColor: ["yellow", "#dddddd", "#2d89ef"] } ], labels: ["Linux", "MacOS", "Windows"] }; let options = {}; // eslint-disable-next-line let myDoughnutChart = new Chart(ctx, { type: "doughnut", data: data, options: options }); }, drawChart(chartId, data) { let ctx = this.$el.querySelector(chartId).getContext("2d"); // eslint-disable-next-line let myChart = new Chart(ctx, { type: "bar", data: { labels: data.map(d => d.version), datasets: [ { label: "Downloads", data: data.map(d => d.downloads), backgroundColor: "hsl( 233, 88%, 57%)" } ] }, options: { responsive: true, maintainAspectRatio: false, legend: { display: false }, layout: { padding: { left: 16, right: 16, top: 16, bottom: 8 } }, scales: { xAxes: [ { fontColor: "#ffffff", gridLines: { color: "hsla(233, 24%, 75%, 0.0875)" } } ], yAxes: [ { gridLines: { color: "hsla(233, 24%, 75%, 0.0875)" }, ticks: { max: this.yAxisMax, beginAtZero: true } } ] } } }); } }, async mounted() { Chart.defaults.global.defaultFontColor = "hsla( 0, 100%, 100%, 0.667)"; let url = "https://api.github.com/repos/cosmos/voyager/releases"; this.releases = await getJson(url); this.drawChart("#linux-chart", this.linuxReleases); this.drawChart("#mac-chart", this.macReleases); this.drawChart("#win-chart", this.winReleases); this.drawOverallChart(); } }; </script>
c6f61bfa4769586b51948dbbd1de1a5b967c95b8
[ "Stylus", "Vue", "JavaScript" ]
4
Stylus
nylira/tm-dashboard
55049f44f8b1be1825ba62908887c2a8608a51cf
8ad2a726e2f3c7d5fa657ec89bb1c06c3fdda017
refs/heads/master
<file_sep><?php require_once dirname(__FILE__).'/../lib/clientsGeneratorConfiguration.class.php'; require_once dirname(__FILE__).'/../lib/clientsGeneratorHelper.class.php'; /** * clients actions. * * @package site-develope * @subpackage clients * @author Your name here * @version SVN: $Id: actions.class.php 23810 2009-11-12 11:07:44Z Kris.Wallsmith $ */ class clientsActions extends autoClientsActions { } <file_sep><?if ($sf_user->hasFlash('notice')) {?> <div id="close_button"> <p class="ok-message"><?=$sf_user->getFlash('notice') ?></p> <a class="b-btn" href="javascript: return void(0);" onClick="parent.$.fn.colorbox.close();"> <span class="b-btn__title">Закрыть окно</span> </a> </div> <?} else {?> <div class="form-order" style="margin: 0 auto; width: 440px; height: 300px;"> <?include_partial('default/client_form', array('clientForm' => $clientForm, 'router' => 'getform'));?> </div> <?}?><file_sep>[symfony] name=site-develope author=<NAME> orm=Doctrine <file_sep><?php class FrontendClientsForm extends ClientsForm { public function configure() { parent::configure(); $this->validatorSchema['name'] = new sfValidatorString( array('required' => true), array('required' => 'Обязательно для заполнения') ); $this->widgetSchema['phone'] = new sfWidgetFormInput( array(), array('class' => 'phone-input') ); $this->validatorSchema['phone'] = new sfValidatorString( array('required' => true), array('required' => 'Обязательно для заполнения') ); $this->validatorSchema['email'] = new sfValidatorEmail( array('required' => true), array( 'invalid' => 'Некорректно введен E-mail', 'required' => 'Обязательно для заполнения' ) ); $this->useFields( array( 'name', 'phone', 'email' ) ); } public function doBind(array $values) { if($values['phone'] != '') { $this->validatorSchema['email']->setOption('required', false); } if($values['email'] != '') { $this->validatorSchema['phone']->setOption('required', false); } parent::doBind($values); } }<file_sep>site-develope =============<file_sep><?php /** * default actions. * * @package site-develope * @subpackage default * @author Your name here * @version SVN: $Id: actions.class.php 23810 2009-11-12 11:07:44Z Kris.Wallsmith $ */ class defaultActions extends sfActions { var $_flash_message = 'Ваши контакты сохранены. Скоро мы с Вами свяжемся.'; var $_flash_message_error = 'Вы допустили ошибку при заполнении полей формы. Попробуйте еще раз.'; /** * Executes index action * * @param sfRequest $request A request object */ public function executeIndex(sfWebRequest $request) { $this->clientForm = new FrontendClientsForm(); $this->oBenefits = BenefitsTable::getInstance()->findAll(); $this->oServices = ServicesTable::getInstance()->findAll(); if($request->getPostParameter($this->clientForm->getName())) { if(!$this->processFormClient($this->clientForm, $request->getPostParameter($this->clientForm->getName()), 'homepage')) { $this->getUser()->setFlash('notice', sprintf($this->_flash_message_error)); } } } public function executeGetform(sfWebRequest $request) { $this->clientForm = new FrontendClientsForm(); if($request->getPostParameter($this->clientForm->getName())) { $this->processFormClient($this->clientForm, $request->getPostParameter($this->clientForm->getName()), 'getform'); } $this->setLayout('time_form_layout'); } private function processFormClient($oForm, $oData, $redirectRouter = '') { $oForm->bind($oData); if($oForm->isValid()) { $obClient = $oForm->save(); mailHelper::send( sfConfig::get('app_mail_moderator'), 'Новая заявка. Site-develope.ru', 'client_apply', array( 'obClient' => $obClient ) ); $obClient->setIpAddress($_SERVER['REMOTE_ADDR']); $obClient->save(); $this->getUser()->setFlash('notice', sprintf($this->_flash_message)); if($redirectRouter != '') $this->redirect($redirectRouter); } else { return false; } } } <file_sep><h2>Заполните заявку прямо сейчас.</h2> <?if (!$sf_user->hasFlash('notice')) {?> <p>Мы обязательно свяжемся с Вами и дадим бесплатную консультацию</p> <?} else {?> <p class="ok-message"><?=$sf_user->getFlash('notice');?></p> <?}?> <form action="<?=url_for($router);?>" method="post"> <div> <span>Имя:</span><?=$clientForm['name']->renderError();?> <br/> <?=$clientForm['name'];?> </div> <div> <span>Телефон:</span><?=$clientForm['phone']->renderError();?> <br/> <?=$clientForm['phone'];?> </div> <div> <span>или E-mail:</span><?=$clientForm['email']->renderError();?> <br/> <?=$clientForm['email'];?> </div> <a class="b-btn" href="javascript: return void(0);"> <span class="b-btn__title">Оставить заявку</span> </a> <?=$clientForm->renderHiddenFields();?> </form><file_sep><?php /** * clients module helper. * * @package site-develope * @subpackage clients * @author Your name here * @version SVN: $Id: helper.php 23810 2009-11-12 11:07:44Z Kris.Wallsmith $ */ class clientsGeneratorHelper extends BaseClientsGeneratorHelper { } <file_sep><?php /** * BenefitsTable * * This class has been auto-generated by the Doctrine ORM Framework */ class BenefitsTable extends Doctrine_Table { /** * Returns an instance of this class. * * @return object BenefitsTable */ public static function getInstance() { return Doctrine_Core::getTable('Benefits'); } }<file_sep><i>Подача заявки.</i> <br/> <br/> <b>Имя:</b> <?=$obClient->getName();?> <br/> <b>E-mail:</b> <?=$obClient->getEmail() ? $obClient->getEmail() : 'Не указан' ;?> <br/> <b>Номер телефона:</b> <?=$obClient->getPhone() ? $obClient->getPhone() : 'Не указан' ;?> <br/><file_sep><!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN" "http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd"> <html xmlns="http://www.w3.org/1999/xhtml" xml:lang="en" lang="en"> <head> <title>Разработка сайтов - от визиток до корпоративных порталов</title> <meta http-equiv="Content-Type" content="text/html; charset=utf-8"> <meta name="keywords" content="разработка сайта дешево, сайт под ключ, заказать интернет сайт, разработка сайта визитки, разработка сайта под ключ, заказать сайт под ключ, заказ сайта недорого, изготовление интернет сайтов, изготовление сайтов под ключ"> <meta name="description" content="Разработка сайтов - от визиток до корпоративных порталов"> <?//php include_http_metas() ?> <?//php include_metas() ?> <?//php include_title() ?> <link rel="shortcut icon" href="/favicon.ico" /> <?//php include_stylesheets() ?> <?//php include_javascripts() ?> <meta http-equiv="Content-Type" content="text/html; charset=utf-8"> <link href="/css/old/common.css" rel="stylesheet"> <link href="/css/old/main.css" rel="stylesheet"> <link href="/css/old/colorbox.css" rel="stylesheet"> <link href="/css/old/flexslider.css" rel="stylesheet"> <link href="/css/old/screen.css" rel="stylesheet" type="text/css" media="screen" /> <script src="/js/old/jquery.min.js"></script> <script src="/js/old/jquery.colorbox.js"></script> <script src="/js/old/masked_input.js"></script> <script src="/js/old/easySlider1.7.js"></script> <script src="/js/old/jquery.flexslider.js"></script> <script type="text/javascript"> $(document).ready(function(){ $("#slider").easySlider({ auto: false, continuous: true }); $('.flexslider').flexslider({ animation: "slide", slideshow: false, animationSpeed: 1000 }); $(".phone-input").mask("+7 (999) 999-99-99"); $('.b-btn').click(function () { $(this).parent('form').submit(); }); $("a[rel='cb_link']").colorbox({width:"600", height:"400", iframe:true, transition:"fade"}); $("a[rel='cb_link_footer']").colorbox({width:"600", height:"400", iframe:true, transition:"fade"}); <?if ($sf_user->hasFlash('notice')) {?> alert('<?=$sf_user->getFlash('notice');?>'); <?}?> }); </script> </head> <body> <div id="wrapper"> <div id="header-top"> <div class="logo"> <img src="/uploads/old/696471df36f919c4bbcceac5ca0d6316.png" title="Разработка сайтов - от визиток до корпоративных порталов" alt="Разработка сайтов - от визиток до корпоративных порталов"/> </div> <div class="phone"> <div class="phone-text"> <p class="phone-number"> +7 (989) 726-0465 </p> <p class="phone-slogan"> закажите звонок<br/> по любому вопросу </p> </div> <a href="<?=url_for('getform')?>" rel="cb_link" title="Заказать звонок"> <img src="/uploads/old/514b3ddd0b547cbf55edbf3bcb514bb4.png" title="Заказать звонок" alt="Заказать звонок"/> </a> </div> </div> <?php echo $sf_content ?> <div id="footer-bottom"> <div style="width: 100%; height: 10px;"></div> <div class="footer-bottom-image"> <img src="/uploads/old/sdfgiouuhw34itgi8osw34.jpg" /> </div> <div style="width: 100%; height: 15px;"></div> <div class="logo"> <img src="/uploads/old/696471df36f919c4bbcceac5ca0d6316.png" title="Разработка сайтов - от визиток до корпоративных порталов" alt="Разработка сайтов - от визиток до корпоративных порталов"/> </div> <div class="phone"> <div class="phone-text"> <p class="phone-number"> +7 (989) 726-0465 </p> <p class="phone-slogan"> закажите звонок<br/> по любому вопросу </p> </div> <a href="<?=url_for('getform')?>" rel="cb_link_footer" title="Заказать звонок"> <img src="/uploads/old/514b3ddd0b547cbf55edbf3bcb514bb4.png" title="Заказать звонок" alt="Заказать звонок"/> </a> </div> </div> </div> <!-- Yandex.Metrika counter --> <script type="text/javascript"> (function (d, w, c) { (w[c] = w[c] || []).push(function() { try { w.yaCounter20671219 = new Ya.Metrika({id:20671219, webvisor:true, clickmap:true, trackLinks:true, accurateTrackBounce:true}); } catch(e) { } }); var n = d.getElementsByTagName("script")[0], s = d.createElement("script"), f = function () { n.parentNode.insertBefore(s, n); }; s.type = "text/javascript"; s.async = true; s.src = (d.location.protocol == "https:" ? "https:" : "http:") + "//mc.yandex.ru/metrika/watch.js"; if (w.opera == "[object Opera]") { d.addEventListener("DOMContentLoaded", f, false); } else { f(); } })(document, window, "yandex_metrika_callbacks"); </script> <noscript><div><img src="//mc.yandex.ru/watch/20671219" style="position:absolute; left:-9999px;" alt="" /></div></noscript> <!-- /Yandex.Metrika counter --> </body> </html> <file_sep>generator: class: sfDoctrineGenerator param: model_class: clients theme: admin non_verbose_templates: true with_show: false singular: ~ plural: ~ route_prefix: clients with_doctrine_route: true actions_base_class: sfActions config: actions: ~ fields: id: { label: "ID" } name: { label: "Имя" } phone: { label: "Телефон" } email: { label: "E-mail" } price: { label: "Цена" } ip_address: { label: "IP адрес" } what_next: { label: "На чем остановились" } description: { label: "Описание проекта" } start_dev_date: { label: "Дата начала разработки" } stop_dev_date: { label: "Дата начала разработки" } created_at: { label: "Дата обращения" } updated_at: { label: "Дата обновления информации" } list: title: 'Список клиентов' display: [id, =name, phone, email, start_dev_date, stop_dev_date, created_at] filter: display: [id, =name, phone, email] form: class: BackendClientsForm edit: title: 'Редактирование клиента' new: title: 'Новый клиент' <file_sep><?php class BackendClientsForm extends ClientsForm { public function configure() { parent::configure(); $this->widgetSchema['email'] = new sfWidgetFormInput(); $this->validatorSchema['email'] = new sfValidatorEmail(); $this->widgetSchema['start_dev_date'] = new sfWidgetFormDateJQueryUI( array( "change_month" => true, "change_year" => true ) ); $this->widgetSchema['stop_dev_date'] = new sfWidgetFormDateJQueryUI( array( "change_month" => true, "change_year" => true ) ); unset( $this['created_at'], $this['updated_at'] ); } }<file_sep><?php /** * benefits module helper. * * @package sitemaster * @subpackage benefits * @author Your name here * @version SVN: $Id: helper.php 23810 2009-11-12 11:07:44Z Kris.Wallsmith $ */ class benefitsGeneratorHelper extends BaseBenefitsGeneratorHelper { } <file_sep><!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN" "http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd"> <html xmlns="http://www.w3.org/1999/xhtml" xml:lang="en" lang="en"> <head> <?//php include_http_metas() ?> <?//php include_metas() ?> <?//php include_title() ?> <link rel="shortcut icon" href="/favicon.ico" /> <?//php include_stylesheets() ?> <?//php include_javascripts() ?> <meta http-equiv="Content-Type" content="text/html; charset=utf-8"> <link href="/css/old/common.css" rel="stylesheet"> <link href="/css/old/main.css" rel="stylesheet"> <script src="/js/old/jquery.min.js"></script> <script src="/js/old/masked_input.js"></script> <script src="/js/old/jquery.flexslider.js"></script> <script type="text/javascript"> $(document).ready(function(){ $(".phone-input").mask("+7 (999) 999-99-99"); $('.b-btn').click(function () { $(this).parent('form').submit(); }); }); </script> </head> <body> <?php echo $sf_content ?> </body> </html> <file_sep><?php require_once dirname(__FILE__).'/../lib/benefitsGeneratorConfiguration.class.php'; require_once dirname(__FILE__).'/../lib/benefitsGeneratorHelper.class.php'; /** * benefits actions. * * @package sitemaster * @subpackage benefits * @author Your name here * @version SVN: $Id: actions.class.php 23810 2009-11-12 11:07:44Z Kris.Wallsmith $ */ class benefitsActions extends autoBenefitsActions { } <file_sep><?php /** * BaseClients * * This class has been auto-generated by the Doctrine ORM Framework * * @property string $name * @property string $phone * @property string $email * @property string $what_next * @property string $description * @property string $price * @property timestamp $start_dev_date * @property timestamp $stop_dev_date * @property string $ip_address * * @method string getName() Returns the current record's "name" value * @method string getPhone() Returns the current record's "phone" value * @method string getEmail() Returns the current record's "email" value * @method string getWhatNext() Returns the current record's "what_next" value * @method string getDescription() Returns the current record's "description" value * @method string getPrice() Returns the current record's "price" value * @method timestamp getStartDevDate() Returns the current record's "start_dev_date" value * @method timestamp getStopDevDate() Returns the current record's "stop_dev_date" value * @method string getIpAddress() Returns the current record's "ip_address" value * @method Clients setName() Sets the current record's "name" value * @method Clients setPhone() Sets the current record's "phone" value * @method Clients setEmail() Sets the current record's "email" value * @method Clients setWhatNext() Sets the current record's "what_next" value * @method Clients setDescription() Sets the current record's "description" value * @method Clients setPrice() Sets the current record's "price" value * @method Clients setStartDevDate() Sets the current record's "start_dev_date" value * @method Clients setStopDevDate() Sets the current record's "stop_dev_date" value * @method Clients setIpAddress() Sets the current record's "ip_address" value * * @package site-develope * @subpackage model * @author Your name here * @version SVN: $Id: Builder.php 7490 2010-03-29 19:53:27Z jwage $ */ abstract class BaseClients extends sfDoctrineRecord { public function setTableDefinition() { $this->setTableName('clients'); $this->hasColumn('name', 'string', 255, array( 'type' => 'string', 'notnull' => true, 'comment' => 'Имя', 'length' => 255, )); $this->hasColumn('phone', 'string', 255, array( 'type' => 'string', 'notnull' => false, 'comment' => 'Телефон', 'length' => 255, )); $this->hasColumn('email', 'string', 255, array( 'type' => 'string', 'notnull' => false, 'comment' => 'E-mail', 'length' => 255, )); $this->hasColumn('what_next', 'string', null, array( 'type' => 'string', 'fixed' => 0, 'unsigned' => false, 'primary' => false, 'notnull' => false, 'autoincrement' => false, 'comment' => 'На чем остановились с клиентом', 'length' => '', )); $this->hasColumn('description', 'string', null, array( 'type' => 'string', 'fixed' => 0, 'unsigned' => false, 'primary' => false, 'notnull' => false, 'autoincrement' => false, 'comment' => 'Описание проекта', 'length' => '', )); $this->hasColumn('price', 'string', 255, array( 'type' => 'string', 'notnull' => false, 'comment' => 'Цена проекта', 'length' => 255, )); $this->hasColumn('start_dev_date', 'timestamp', null, array( 'type' => 'timestamp', 'notnull' => false, 'comment' => 'Дата начала работы', )); $this->hasColumn('stop_dev_date', 'timestamp', null, array( 'type' => 'timestamp', 'notnull' => false, 'comment' => 'Дата окончания работы', )); $this->hasColumn('ip_address', 'string', 100, array( 'type' => 'string', 'notnull' => false, 'comment' => 'IP адрес', 'length' => 100, )); } public function setUp() { parent::setUp(); $timestampable0 = new Doctrine_Template_Timestampable(); $this->actAs($timestampable0); } }<file_sep><?php /** * BaseBenefits * * This class has been auto-generated by the Doctrine ORM Framework * * @property string $title * @property string $text * @property string $image * * @method string getTitle() Returns the current record's "title" value * @method string getText() Returns the current record's "text" value * @method string getImage() Returns the current record's "image" value * @method Benefits setTitle() Sets the current record's "title" value * @method Benefits setText() Sets the current record's "text" value * @method Benefits setImage() Sets the current record's "image" value * * @package site-develope * @subpackage model * @author Your name here * @version SVN: $Id: Builder.php 7490 2010-03-29 19:53:27Z jwage $ */ abstract class BaseBenefits extends sfDoctrineRecord { public function setTableDefinition() { $this->setTableName('benefits'); $this->hasColumn('title', 'string', 255, array( 'type' => 'string', 'notnull' => true, 'length' => 255, )); $this->hasColumn('text', 'string', null, array( 'type' => 'string', 'fixed' => 0, 'unsigned' => false, 'primary' => false, 'notnull' => false, 'autoincrement' => false, 'length' => '', )); $this->hasColumn('image', 'string', 50, array( 'type' => 'string', 'fixed' => 0, 'unsigned' => false, 'primary' => false, 'notnull' => false, 'autoincrement' => false, 'length' => 50, )); } public function setUp() { parent::setUp(); $timestampable0 = new Doctrine_Template_Timestampable(); $this->actAs($timestampable0); } }<file_sep><?php class BackendBenefitsForm extends BenefitsForm { public function configure() { parent::configure(); $this->widgetSchema['image'] = new sfWidgetFormInputFileEditable(array( 'file_src' => '/uploads/benefits/'.$this->getObject()->getImage(), 'is_image' => true, 'edit_mode' => !$this->isNew(), 'template' => '<div>'.($this->getObject()->getImage() ? '%file%' : '') .'<br />%input%<br />%delete% %delete_label%</div>', )); $this->validatorSchema['image'] = new sfValidatorFile( array( 'max_size' => '2000000', 'mime_types' => 'web_images', 'path' => sfConfig::get('sf_upload_dir') . DIRECTORY_SEPARATOR . 'benefits', 'required' => false ) ); $this->validatorSchema['image_delete'] = new sfValidatorPass(); $this->useFields( array( 'title', 'text', 'image' ) ); } }<file_sep># config/doctrine/schema.yml Benefits: #наши преимущества actAs: { Timestampable: ~ } columns: title: type: string(255) notnull: true text: type: string() fixed: false unsigned: false primary: false notnull: false autoincrement: false image: type: string(50) fixed: false unsigned: false primary: false notnull: false autoincrement: false Services: #наши услуги actAs: { Timestampable: ~ } columns: title: type: string(255) notnull: true text: type: string() fixed: false unsigned: false primary: false notnull: false autoincrement: false image: type: string(50) fixed: false unsigned: false primary: false notnull: false autoincrement: false Clients: #обратившиеся клиенты actAs: { Timestampable: ~ } columns: name: type: string(255) notnull: true comment: "Имя" phone: type: string(255) notnull: false comment: "Телефон" email: type: string(255) notnull: false comment: "E-mail" what_next: type: string() fixed: false unsigned: false primary: false notnull: false autoincrement: false comment: "На чем остановились с клиентом" description: type: string() fixed: false unsigned: false primary: false notnull: false autoincrement: false comment: "Описание проекта" price: type: string(255) notnull: false comment: "Цена проекта" start_dev_date: type: timestamp notnull: false comment: 'Дата начала работы' stop_dev_date: type: timestamp notnull: false comment: 'Дата окончания работы' ip_address: type: string(100) notnull: false comment: "IP адрес"<file_sep><div id="header-bottom"> <div class="seporator-top"></div> <div id="connecting_people"></div> <div class="clear"></div> <ul class="header-middle-counter"> <li class="item-edge"> <img src="/uploads/old/19cfa5fd330fb75f5d81148a578f5340.png" title="Наша команда разрабатывает сайты с 2008г" alt="Наша команда разрабатывает сайты с 2008г"/> </li> <li> <img class="image2head-middle" src="/uploads/old/2ab57fd95965ceff227d45c5efdaa6d5.png" title="Разработка сайта от 5 дней" alt="Разработка сайта от 5 дней"/> </li> <li> <img class="image2head-middle" src="/uploads/old/fefe9c91d4e0c8263b49c9e7d9818410.png" title="Стоимость работы от 12 000 руб" alt="Стоимость работы от 12 000 руб"/> </li> <li class="item-edge"> <img src="/uploads/old/264356ce9296037c6ecdaf863d40007e.png" title="Гарантия качества 100%" alt="Гарантия качества 100%"/> </li> </ul> <div class="slider-bloc"> <div class="slider" id="slider"> <ul> <li> <div class="slider-image-item"> <img src="/uploads/old/234lhjf4hf5j23h4kjdl243k5.jpg"/> </div> </li> <li> <div class="slider-image-item"> <img src="/uploads/old/asd4565fa5sdfkj4235.jpg"/></div> </li> <li> <div class="slider-image-item"> <img src="/uploads/old/lkjh2345lkjhlk3h6.jpg"/> </div> </li> </ul> </div> <div class="form-order"> <?/*if($this->session->flashdata('message_no_send')) {?> <p class="error"><?=$this->session->flashdata('message_no_send')?></p> <?}?> <?if($this->session->flashdata('message_send')) {?> <p class="ok-message"><?=$this->session->flashdata('message_send')?></p> <?}*/?> <?include_partial('default/client_form', array('clientForm' => $clientForm, 'router' => 'homepage'));?> </div> </div> <div class="seporator-bottom"></div> </div> <div id="content"> <div style="width: 100%; height: 10px;"></div> <?if($oBenefits->count()) {?> <div class="news_list"> <div class="body_text">5 ключевых проблем, с которыми сталкиваются большинство клиентов</div> <?foreach($oBenefits as $benefit) {?> <div class="news_line"> <div class="news_image"> <?if($benefit->getImage() != '' && file_exists($_SERVER['DOCUMENT_ROOT'].'/uploads/benefits/'.$benefit->getImage())) {?> <img src="/uploads/benefits/<?=$benefit->getImage();?>" title="<?=$benefit->getTitle();?>" alt="<?=$benefit->getTitle();?>"/> <?}?> </div> <h3><?=$benefit->getTitle();?></h3> <span><?=$benefit->getText();?></span> <div class="clear"></div> </div> <div class="clear"></div> <? }?> </div> <?}?> <?if($oServices->count()) {?> <div class="news_list"> <div class="body_text">Почему клиенты довольны нашей работой и рекомендуют нас своим партнерам</div> <?foreach($oServices as $service) {?> <div class="news_line"> <div class="news_image"> <?if($service->getImage() != '' && file_exists($_SERVER['DOCUMENT_ROOT'].'/uploads/services/'.$service->getImage())) {?> <img src="/uploads/services/<?=$service->getImage();?>" title="<?=$service->getTitle();?>" alt="<?=$service->getTitle();?>"/> <?}?> </div> <h3><?=$service->getTitle();?></h3> <span><?=$service->getText();?></span> <div class="clear"></div> </div> <div class="clear"></div> <?}?> </div> <?}?> <div style="width: 100%; height: 10px;"></div> </div> <div id="footer-top"> <div class="seporator-top"></div> <div style="width: 100%; height: 40px;"></div> <div class="slider-bloc"> <div class="flexslider"> <ul class="slides"> <li> <div> <img src="/uploads/old/lkjh2345lkjhlk3h6.jpg"/> </div> </li> <li> <div> <img src="/uploads/old/234lhjf4hf5j23h4kjdl243k5.jpg"/> </div> </li> <li> <div> <img src="/uploads/old/asd4565fa5sdfkj4235.jpg"/> </div> </li> </ul> </div> <div class="form-order"> <?/*if($this->session->flashdata('message_no_send')) {?> <p class="error"><?=$this->session->flashdata('message_no_send')?></p> <?}?> <?if($this->session->flashdata('message_send')) {?> <p class="ok-message"><?=$this->session->flashdata('message_send')?></p> <?}*/?> <?include_partial('default/client_form', array('clientForm' => $clientForm, 'router' => 'homepage'));?> </div> </div> <div class="seporator-bottom"></div> </div><file_sep><?if($benefits->getImage()) { echo image_tag('/uploads/benefits/' . $benefits->getImage(), array( 'absolute' => true, 'size' => '100px', 'alt' => $benefits->getTitle(), 'title' => $benefits->getTitle() )); }?> <file_sep><?php /** * benefits module configuration. * * @package sitemaster * @subpackage benefits * @author Your name here * @version SVN: $Id: configuration.php 23810 2009-11-12 11:07:44Z Kris.Wallsmith $ */ class benefitsGeneratorConfiguration extends BaseBenefitsGeneratorConfiguration { }
d8f95f1d46eb44bdf7c215b2b9535f89bd5f2c78
[ "Markdown", "YAML", "INI", "PHP" ]
23
Markdown
myshev/site-develope
bc999de4901a86f879afcc2c6cf464923f3f2549
d9cd0a40fcba6a32883ea5e1055eee7e50aa9564
refs/heads/main
<repo_name>reymooy27/codeigniter4app<file_sep>/Procfile web: vendor/bin/heroku-php-apache2 web: vendor/bin/heroku-php-apache2 public/<file_sep>/app/Views/Profile.php <div class="profile"> <div class='profile-wraper'> <div class="profile-wrp"> <div class='about'> <h1>Profile</h1> <p>Lorem ipsum dolor sit amet consectetur adipisicing elit. Quam quas sunt minus suscipit expedita sapiente mollitia, consequatur tenetur id iure eligendi laboriosam non eos qui nihil dolorum, quaerat ullam porro.</p> <br> <p>Lorem ipsum dolor sit amet consectetur adipisicing elit. Magnam laudantium aperiam enim architecto quasi assumenda nam error facere distinctio aliquam. Rerum praesentium ipsam magni porro nesciunt iure necessitatibus fugit beatae.</p> </div> <img src="./00Bubba-Profile-03-articleLarge.jpg" alt="pp"> </div> </div> <div class='education'> <div class='about a2'> <h1>Education</h1> <p>Lorem ipsum dolor sit amet consectetur adipisicing elit. Quam quas sunt minus suscipit expedita sapiente mollitia, consequatur tenetur id iure eligendi laboriosam non eos qui nihil dolorum, quaerat ullam porro.</p> <br> <p>Lorem ipsum dolor sit amet consectetur adipisicing elit. Magnam laudantium aperiam enim architecto quasi assumenda nam error facere distinctio aliquam. Rerum praesentium ipsam magni porro nesciunt iure necessitatibus fugit beatae.</p> </div> </div> <div class='skills'> <h1>Skills</h1> <div class='card-wraper'> <div class="card c1"> <h3>Dev</h3> <p>Lorem ipsum dolor sit amet, consectetur adipisicing elit. Ipsa officiis, aperiam labore numquam deserunt totam harum porro mollitia adipisci vel!</p> </div> <div class="card c2"> <h3>Dev</h3> <p>Lorem ipsum dolor sit amet, consectetur adipisicing elit. Ipsa officiis, aperiam labore numquam deserunt totam harum porro mollitia adipisci vel!</p> </div> <div class="card c3"> <h3>Dev</h3> <p>Lorem ipsum dolor sit amet, consectetur adipisicing elit. Ipsa officiis, aperiam labore numquam deserunt totam harum porro mollitia adipisci vel!</p> </div> </div> </div> </div> <script> document.title = 'Profile' </script><file_sep>/app/Controllers/Home.php <?php namespace App\Controllers; class Home extends BaseController { public function index() { echo view('layout/header'); echo view('Home'); echo view('layout/footer'); } } <file_sep>/app/Views/layout/header.php <!DOCTYPE html> <html lang="en"> <head> <meta charset="UTF-8"> <meta http-equiv="X-UA-Compatible" content="IE=edge"> <meta name="viewport" content="width=device-width, initial-scale=1.0"> <link rel="stylesheet" href="./home.css"> <title>Home</title> </head> <body> <div class='wraper'> <div class='logo'> <span>reymooy</span> </div> <nav id='nav'> <div class='navigation'> <a href='/'>home</a> <a href='/profile'>profile</a> <a href='/contact'>contact</a> </div> </nav> <div id='btn' class='menu'> <img src="./iconmonstr-menu-thin-240.png" alt=""> </div> </div><file_sep>/app/Views/layout/footer.php <script src="./home.js"></script> </body> </html><file_sep>/app/Views/Contact.php <div class="contact"> <div class="contact-left"> <h1>Contact</h1> <div class="contact-param"> <p>Lorem ipsum, dolor sit amet consectetur adipisicing elit. Quasi officia expedita sapiente ipsum repellendus vel mollitia, unde ullam distinctio architecto veniam non sunt totam, dolores velit numquam sit perspiciatis enim?</p> </div> <div class="contact-detail"> <h3>Address</h3> <p>Lorem ipsum dolor sit amet, consectetur adipisicing.</p> </div> <div class="contact-detail"> <h3>Phone</h3> <p>0822372389</p> </div> <div class="contact-detail"> <h3>Email</h3> <p>dwdiowd@ondwnd</p> </div> </div> <div class="contact-right"> <form action=""> <h1>Contact Form</h1> <input type="text" placeholder="Your Name"> <input type="text" placeholder="Your Phone"> <input type="text" placeholder="Your Email"> <input type="text" placeholder="Message"> <button>Send Message</button> </form> </div> </div> <script> document.title = 'Contact' </script><file_sep>/app/Views/Home.php <div class="main"> <h1>Create & Inovate</h1> <h6>bla bla bla bla bla bla bla bla</h6> <div class="social"> <a href="https://www.facebook.com/profile.php?id=100007913565099"> <img src="./iconmonstr-facebook-4-240.png" alt=""> </a> <a href="https://www.instagram.com/reyartem/"> <img src="./iconmonstr-instagram-14-240.png" alt=""> </a> </div> <div class="fade"></div> </div> <div class="main2"> <h1>Projects</h1> <div class='projects'> <div class='projects-1 p1'> <button class='show-project'>Show More</button> </div> <div class='projects-1 p2'> <button class='show-project'>Show More</button> </div> <div class='projects-1 p3'> <button class='show-project'>Show More</button> </div> </div> </div><file_sep>/app/Controllers/Profile.php <?php namespace App\Controllers; class Profile extends BaseController { public function index() { echo view('layout/header'); echo view('Profile'); echo view('layout/footer'); } }
d28fa4c15beb5bf456ccc7a7be47ab77e309708c
[ "Hack", "Procfile", "PHP" ]
8
Hack
reymooy27/codeigniter4app
7c7044f942a8878832c7dc1973c9361cce7c35d3
198bfea890c1ade82fcda60938932a42be754488
refs/heads/master
<repo_name>jeffreymt1/hashtag-wanderlust<file_sep>/js/article.js /* Hiding initial Pictures to prevent jumping on pageload */ if (screen.width > 768) { $('#roamText2, #roamText3').hide(); $('#roamDesktopPic2, #roamDesktopPic3').hide(); $('#relaxText2, #relaxText3').hide(); $('#relaxDesktopPic2, #relaxDesktopPic3').hide(); $('#rageText2, #rageText3').hide(); $('#rageDesktopPic2, #rageDesktopPic3').hide(); $('#randomText2, #randomText3').hide(); $('#randomDesktopPic2, #randomDesktopPic3').hide(); } /* Doc Ready on Page Load */ $(document).ready(function() { if (screen.width > 768) { /* CLICK HANDLERS*/ $('#roamTitle1').click(roam1); $('#roamTitle2').click(roam2); $('#roamTitle3').click(roam3); $('#relaxTitle1').click(relax1); $('#relaxTitle2').click(relax2); $('#relaxTitle3').click(relax3); $('#rageTitle1').click(rage1); $('#rageTitle2').click(rage2); $('#rageTitle3').click(rage3); $('#randomTitle1').click(random1); $('#randomTitle2').click(random2); $('#randomTitle3').click(random3); /* ROAM JQUERY*/ function roamReset() { $('#roamText1, #roamText2, #roamText3').slideUp(); $('#roamDesktopPic1, #roamDesktopPic2, #roamDesktopPic3').hide(); } function roam1() { roamReset(); $('#roamText1').slideDown(); $('#roamDesktopPic1').fadeIn(900); } function roam2() { roamReset(); $('#roamText2').slideDown(); $('#roamDesktopPic2').fadeIn(900); } function roam3() { roamReset(); $('#roamText3').slideDown(); $('#roamDesktopPic3').fadeIn(900); } /* RELAX JQUERY*/ function relaxReset() { $('#relaxText1, #relaxText2, #relaxText3').slideUp(); $('#relaxDesktopPic1, #relaxDesktopPic2, #relaxDesktopPic3').hide(); } function relax1() { relaxReset(); $('#relaxText1').slideDown(); $('#relaxDesktopPic1').fadeIn(900); } function relax2() { relaxReset(); $('#relaxText2').slideDown(); $('#relaxDesktopPic2').fadeIn(900); } function relax3() { relaxReset(); $('#relaxText3').slideDown(); $('#relaxDesktopPic3').fadeIn(900); } /* RAGE JQUERY*/ function rageReset() { $('#rageText1, #rageText2, #rageText3').slideUp(); $('#rageDesktopPic1, #rageDesktopPic2, #rageDesktopPic3').hide(); } function rage1() { rageReset(); $('#rageText1').slideDown(); $('#rageDesktopPic1').fadeIn(900); } function rage2() { rageReset(); $('#rageText2').slideDown(); $('#rageDesktopPic2').fadeIn(900); } function rage3() { rageReset(); $('#rageText3').slideDown(); $('#rageDesktopPic3').fadeIn(900); } /* JQUERY FOR SECTION NAMED RANDOM */ function randomReset() { $('#randomText1, #randomText2, #randomText3').slideUp(); $('#randomDesktopPic1, #randomDesktopPic2, #randomDesktopPic3').hide(); } function random1() { randomReset(); $('#randomText1').slideDown(); $('#randomDesktopPic1').fadeIn(900); } function random2() { randomReset(); $('#randomText2').slideDown(); $('#randomDesktopPic2').fadeIn(900); } function random3() { randomReset(); $('#randomText3').slideDown(); $('#randomDesktopPic3').fadeIn(900); } } }); /* NAVIGATION BAR */ $('#amalfiNav').mouseenter(comingSoonNavOn); function comingSoonNavOn() { event.preventDefault(); $('#amalfiNav').html(''); $('#amalfiNav').html('Coming Soon!'); } $('#amalfiNav').mouseleave(comingSoonNavOff); function comingSoonNavOff() { event.preventDefault(); $('#amalfiNav').html(''); $('#amalfiNav').html('Amalfi'); } /* MOBILE HAMBURGER */ $(document).ready(function() { // hide topnav initially if (screen.width < 769) { $('#locationUL').hide(); } else { $('#locationUL').show(); } $('#hamburger').click(show); function show() { //console.log('got to click') event.preventDefault(); if (screen.width < 769) { $('#locationUL').toggle(); } else { $('#locationUL').show(); } } });
8b09924eacfa5a3f04999b2cc59c2ddc9b3d7bb8
[ "JavaScript" ]
1
JavaScript
jeffreymt1/hashtag-wanderlust
9e699762ae3c4c3b64d0258c59236625d88ef442
a619f00cd3cf11befcbad55122da51b7f978b43a
refs/heads/master
<repo_name>vnt-github/pyiot<file_sep>/README.md run pip install -r requirements.txt # for client simulations run ```sh $ python simulations.py ``` descriptions client.py: mqtt client handler for the device to be simulated config.json: all the configurations redisstore.py: redis handler testClient.json: client specific configurations topic: the topic which a client should publish to simulation_fn: the function which should be used to generate the pseudo data values simulation_args: the arguments for simulation_fn flow_fn: the fuction which defines the behaviour of the device/sensor flow_args: flow_fn's arguments simulation_fns.py: this file should contain the functions to be used to generate the data value for various devices/sensors simulations.py: this initializes the device/sensor and executes acc to flow_fn(if present else single run) #for monitoring run ```sh $ python monitoring.py.py ``` monitoring.py: subscribes to the cilent topic and fetches the data from db/store to perform any desired operations<file_sep>/client.py import json, time, random import utils from datetime import datetime import paho.mqtt.client as mqttClient from config import config, testClient from redisstore import Redis Connected = False broker_config = config["mqttBroker"] def on_connect_cb(client, userdata, flags, rc): global Connected print "on_connect_cb rc", rc if rc == 0: Connected = True else: print("connection failed") def on_subscribe_cb(client, userdata, mid, granted_qos): print "on_subscribe_cb", client, userdata, mid, granted_qos def on_message_cb(client, userdata, message): print "message topic", message.topic print "message payload", message.payload print "message qos", message.qos print "message retain", message.retain Redis.zadd(message.topic, utils.datetime_to_epochtime(), message.payload) client = mqttClient.Client(transport="websockets") client.on_connect = on_connect_cb client.on_message = on_message_cb def connect_client(): client.connect(str(broker_config["host"]), port=broker_config["port"]) client.loop_start() while not Connected: print 'retrying client connection every: ', broker_config["retryDelay"], 'seconds' time.sleep(broker_config["retryDelay"]) def publish(message, qos=1): while not Connected: connect_client() return_code, message_id = client.publish(testClient["topic"], message, qos) return (return_code, message_id) def subscribe(): while not Connected: connect_client() client.subscribe(testClient["topic"]) # client.loop_forever() if __name__ == "__main__": print publish('sensor_data', 1) # print subscribe() print "this is the mqtt handler"<file_sep>/requirements.txt paho-mqtt==1.4.0 redis==2.10.6 <file_sep>/utils.py import threading import random from datetime import datetime def setIterations(iterations=1): print("iterations", iterations) def wrap(f): def wrapped_f(*args, **kwargs): times = iterations while times: times-=1 f(*args, **kwargs) return wrapped_f return wrap def setInterval(interval=0): print("interval:", interval) def wrap(f): def wrapped_f(*args, **kwargs): e = threading.Event() while not e.wait(interval): f(*args, **kwargs) return wrapped_f return wrap def datetime_to_epochtime(arg_time=None): if not arg_time: arg_time = datetime.utcnow() if isinstance(arg_time, datetime): time_list = list(arg_time.timetuple()) arg_time = datetime(*time_list[:6]) return int(round((arg_time - datetime(1970,1,1,0,0,0)).total_seconds()*1000)) else: return None if __name__ == "__main__": # @setIterations(1) @setInterval(1) def printD(*args, **kwargs): print args, kwargs printD(1,2,3, a=1, b=3)<file_sep>/simulations.py import random, json import simulation_fns import utils from config import config, testClient from client import subscribe def simulate(): simulation_fn_name = testClient.get("simulation_fn") if not simulation_fn_name: return 'please provide simulation_fn' simulation_fn = getattr(simulation_fns, simulation_fn_name, False) if not simulation_fn: return 'simulation_fn not found' simulation_args = testClient.get('simulation_args', []) if testClient.get("flow_fn", False): flow_fn = getattr(utils, testClient["flow_fn"], False) if not flow_fn: return 'flow_fn not found' flow_args = testClient.get("flow_args", None) @flow_fn(*flow_args) def fn(): simulation_fn(*simulation_args) fn() else: simulation_fn(*simulation_args) return 'simulation done' print simulate() <file_sep>/simulation_fns.py import random import json from client import publish from uuid import uuid4 def randomInRange(low=22, high=28): value = random.randint(low, high) msg = { "id": uuid4().hex, "value": value } rc, msgId = publish(json.dumps(msg)) print "publish results rc:", rc, "msgId:", msgId<file_sep>/monitoring.py import utils, time, json, smtplib from client import subscribe from config import testClient, config from datetime import datetime from redisstore import Redis from datetime import timedelta monitoring = config["monitoring"] def toRaiseAlert(values): print values if not values: return False avg = sum(values)/len(values) print "avg", avg return avg > testClient["threshold"] def raiseAlert(emailAddresses): # sender = "<EMAIL>" # receivers = emailAddresses # message = """ # warning! sensort is operating in threshold range # """ # try: # smtpObj = smtplib.SMTP('localhost') # smtpObj.sendmail(sender, receivers, message) # print "Successfully sent email" # except Exception as err: # print "Error: unable to send email", err # NOTE: need to configure an actual smtp server print "raising alert" return True def monitor(range=timedelta(seconds=300)): subscribe() now = datetime.utcnow() previous = now - range print "data till now ", previous, now stored_values = Redis.zrangebyscore(testClient['topic'], utils.datetime_to_epochtime(previous), utils.datetime_to_epochtime(now)) parsed_values = [json.loads(value) for (value, score) in stored_values ] values = [each["value"] for each in parsed_values] raiseAlert = toRaiseAlert(values) if raiseAlert: raiseAlert(monitoring["emailAddresses"]) return raiseAlert if __name__ == "__main__": while True: monitor(timedelta(seconds=int(monitoring.get("rangeInSeconds", "500")))) time.sleep(int(monitoring.get("checkIntervalInSeconds", "10")))<file_sep>/config.py import json with open('./config.json') as configF: config = json.load(configF) with open('./testClient.json') as testClientF: testClient = json.load(testClientF)<file_sep>/redisstore.py """redis store.""" import redis import json import os from config import config redis_config = config["redis"] class _Redis(object): def __init__(self): # Note: use remote self.host = redis_config["host"] self.port = redis_config["port"] self.db = redis_config["db"] self.threshold = redis_config["threshold"] self.prefix = redis_config["prefix"] self._factory = None self._redis = None self._rpid = None self._fpid = None @property def __redis__(self): # different process if self._rpid != os.getpid(): self.__redis__ = redis.StrictRedis(self.host,self.port,self.db) # logic to check if connection is alive try: self._redis.get(None) # getting None returns None or throws an exception except (redis.exceptions.RedisError): self.__redis__ = redis.StrictRedis(self.host,self.port,self.db) return self._redis @__redis__.setter def __redis__(self,value): self._rpid = os.getpid() self._redis = value def get(self,key): key = self.getKey(key) value = self.__redis__.get(key) if value: value = json.loads(value) else: value = {} return value # multi threaded def set(self,key,value): key = self.getKey(key) old_value = self.__redis__.get(key) if old_value: old_value = json.loads(old_value) else: old_value = {} old_value.update(value) new_value = json.dumps(old_value) self.__redis__.set(key,new_value) ''' cutom pop function ''' def c_pop(self, key): key = self.getKey(key) old_value = self.__redis__.get(key) if old_value: old_value = json.loads(old_value) else: old_value = {} new_value = '{}' self.__redis__.set(key, new_value) return old_value def expire(self, key, time=10): key = self.getKey(key) self.__redis__.expire(key, time) def rpush(self, key, value): key = self.getKey(key) value = json.dumps(value) reply = self.__redis__.rpush(key, value) return reply def lpush(self, key, value): key = self.getKey(key) value = json.dumps(value) reply = self.__redis__.lpush(key, value) return reply def lpop(self, key): key = self.getKey(key) value = self.__redis__.lpop(key) value = json.dumps(value) return value def blpop(self, key, timeout=1): key = self.getKey(key) value = self.__redis__.blpop(key, timeout=timeout) if value: value = json.dumps(value) return value def sadd(self, key, value): key = self.getKey(key) self.__redis__.sadd(key,value) def smembers(self, key): key = self.getKey(key) values = self.__redis__.smembers(key) values = json.dumps(values) return values def zadd(self, key, score, value): print('zadd', key, score, value) key = self.getKey(key) self.__redis__.zadd(key, score, value) def zrange(self, key, start, stop, withscores=True): print('zrange', key, start, stop) key = self.getKey(key) values = self.__redis__.zrange(key, start, stop, withscores) return values def zrangebyscore(self, key, start, stop, withscore=True): print('zrangebyscore', key, start, stop) key = self.getKey(key) value = self.__redis__.zrangebyscore(key, min=start, max=stop, withscores=withscore) return value def getKey(self, key): # print "Redis.getKey():",key return self.prefix + str(key) def getExecutionThreshold(self): return int(float(self.threshold)) Redis = _Redis()
ddbdd3453d6a6c87bd04a0e56ae7cc5e2f0d2e72
[ "Markdown", "Text", "Python" ]
9
Markdown
vnt-github/pyiot
a65f44e4e95376aab98779526c2b6bca970d99a9
42c3ab38478e136d6d36572e8af9abbea07e00ea
refs/heads/master
<repo_name>aweijnitz/RESTServiceBlueprint<file_sep>/README.md # REST Service Blueprint Personal accelerator to speed up home project creation. This is a generic webservice that is in intended as a blueprint to save time on those precious Saturday mornings and late evenings when dad gets some personal time to work on fun side projects. #### What's in the box? - Basic SpringBoot REST webservice scaffold, including tests - Docker Image build using Maven - Kubernetes deployment in dedicated namespace, accessed via Ingress Controller from the outside ## Prerequisites - Java/JDK installed (project developed using openjdk v13.0.2) - Docker - Minikube (should work with any Kubernetes implementation, including k3s) ## Use Running locally, without Docker or Minikube. $ java -jar target/application.jar $ curl http://localhost:9090/message ## Build and Build and Run **NOTE!** To reduce the amount of configuration and adaptation that has to be done, it always builds an artifact named `target/application.jar`. This is not really best practice, but simplifies scripting. Just edit the pom.xml and get rid of `<finalName>application</finalName>` to revert back to normal behavior. $ mvn clean package $ mvn clean package spring-boot:run ## Build Docker Image This project makes use of the new built-in docker buildpack in Spring Boot. See https://spring.io/blog/2020/01/27/creating-docker-images-with-spring-boot-2-3-0-m1 $ mvn spring-boot:build-image # Validate $ docker images REPOSITORY TAG IMAGE ID ... echoservice 1.0-SNAPSHOT 231e3123 ... docker run -it -p8080:9090 echoservice:1.0-SNAPSHOT ## Run tests $ mvn test ## With Kubernetes on localhost Remember, the local state can always be inspected using minikube dashboard # and (separate installation) k9s ### SETUP | Prerequisite Change docker repositiory to Minikube and rebuild and push the image. $ eval $(minikube -p minikube docker-env) $ mvn spring-boot:build-image ### Installation Convenience scrip: cd ./k8s installInMinikube.sh Step by step below ### Installing the application without the script These same steps also works for updating the different resources $ kubectl apply -f echoservice-namespace.yml --> namespace/echoservice-ns created $ kubectl apply -f echoservice-deployment.yml --> deployment.apps/echoservice created $ kubectl apply -f echoservice-ingress.yml --> ingress.networking.k8s.io/echoservice-ingress created ### Exposing the application | Enable the backing Ingress Controller (only needed once) The Loadbalancer service type is not available on localhost, so therefore we use an local Ingress controller. See https://kubernetes.io/docs/tasks/access-application-cluster/ingress-minikube/ # Enable ingress $ minikube addons enable ingress ## Verify $ minikube addons list ### Setting up the ingress service and mapping to the application # Expose the deployment $ kubectl expose deployment echoservice --type=NodePort --port=9090 --namespace=echoservice-ns # Get the exposed URL $ minikube service echoservice --url --namespace=echoservice-ns ## --> http://192.168.64.3:31732 # Verify $ curl http://192.168.64.3:31732/message ## --> {"id":1,"content":"Hello, World!"} # Apply service definition $ kubectl apply -f ./k8s/echoservice-ingress.yaml # Verify $ kubectl get ingress --namespace=echoservice-ns ## --> NAME CLASS HOSTS ADDRESS PORTS AGE echoservice-ingress <none> * 192.168.64.3 80 43m # Verify using ADDRESS from previous command $ curl http://192.168.64.3/message ## --> {"id":2,"content":"Hello, World!"} <file_sep>/enableMinikubeDockerDeamon.sh eval $(minikube -p minikube docker-env) <file_sep>/k8s/installInMinikube.sh #!/bin/bash echo "SETTING UP APPLICATION IN MINIKUBE" echo "--" echo "Step 1/3 - Enable the ingress controller (might take a while to activate)" minikube addons enable ingress echo "Step 2/3 - Deploying application" kubectl apply -f echoservice-namespace.yml kubectl apply -f echoservice-deployment.yml echo "Step 3/3 - Exposing applicaiton via ingress" kubectl expose deployment echoservice --type=NodePort --port=9090 --namespace=echoservice-ns kubectl apply -f echoservice-ingress.yml echo "ALL DONE!" echo "Wait for everything to start then verify with ./verify.sh"<file_sep>/k8s/verify.sh #!/bin/bash echo "Verifying" HOST=`kubectl get ingress --namespace=echoservice-ns | grep echoservice | awk '{print $4}'` echo "Public Cluster IP is $HOST" RESULT=`curl -k http://$HOST/message | grep -o Hello` echo "$RESULT" [ -z "$RESULT" ] && echo "TEST FAILED" || echo "TEST PASSED" echo "Service expected available on http://$HOST/message" <file_sep>/undoMinikubeDockerDeamon.sh eval $(minikube -p minikube docker-env -u)
4af36a7f17aa4ed0758796d8f33917e67a592ef0
[ "Markdown", "Shell" ]
5
Markdown
aweijnitz/RESTServiceBlueprint
843adf7a7c1188e942da33aae1db4fcfe2444632
dfb1e8a560fbe97211fa2d68066dd59e1b854fd0
refs/heads/main
<file_sep># ImageQualityAngular Config files for my GitHub profile.
c04c40e1a7888f6960337c55aa81c7a4ff237624
[ "Markdown" ]
1
Markdown
vjmsai/ImageQualityAngular
544ba9499fc009c618dbb0a12c6e9cc5bc08e1f9
ec95540d8c2fe164edad80ea39bf5bab31195fe0
refs/heads/master
<repo_name>hacker6284/supersecretsanta<file_sep>/ifttt.py #!/usr/bin/env python # Function which makes IFTTT requests for the webhooks applet import requests def ifttt(name, value1, value2, value3, key): """Make an ifttt webhooks call on hook *name* with value payloads. Pass secret key as last argument """ payload = {'value1': value1, 'value2': value2, 'value3': value3} requests.post("https://maker.ifttt.com/trigger/{}/with/key/{}".format( name, key), data=payload) <file_sep>/v3.py #!/usr/bin/env python # Secret Santa Version 3 # Author: <NAME> import urllib.request as requests import urllib.parse as parse import itertools from openpyxl import Workbook, load_workbook from random import shuffle import random import math from ifttt import ifttt import argparse parser = argparse.ArgumentParser() group = parser.add_mutually_exclusive_group() group.add_argument("-p", "--print", help="prints only, does not ifttt", action="store_true") group.add_argument("-t", "--test", help="Just Emergency Test", action="store_true") parser.add_argument("-c", "--constraints", help="use constraints.txt", action="store_true") parser.add_argument("-v", "--verbose", help="print helpful info", action="store_true") parser.add_argument("-f", "--file", help="Provide filename for excel") parser.add_argument("-n", "--nicknames", help="Use dictionary of nicknames", action="store_true") args = parser.parse_args() if args.constraints: try: c_file = open("constraints.txt", "r") except FileNotFoundError: print("Constraints file could not be found") exit(1) if c_file.mode != 'r': raise NameError("constraint file couldn't be read") bak_file = open("constraints.bak", "w") bak_file.write(c_file.read()) c_file.close() bak_file.close() if args.nicknames: try: d_file = open("nicknames.txt", "r") except FileNotFoundError: print("Nicknames file could not be found") exit(1) if d_file.mode != 'r': raise NameError("nickname file couldn't be read") bak_file = open("nicknames.bak", "w") bak_file.write(d_file.read()) d_file.close() bak_file.close() def perm_given_index(alist, apermindex): """Finds the permutation of alist that would be the apermindexth permutation if you were to find them all. """ alist = alist[:] for i in range(len(alist) - 1): apermindex, j = divmod(apermindex, len(alist) - i) alist[i], alist[i + j] = alist[i + j], alist[i] return alist # file with IFTTT key file_name = "IFTTT_key.txt" key_file = open(file_name, "r") if key_file.mode == 'r': key = key_file.readline().strip() else: raise NameError("file {} not found").format(file_name) key_file.close() # input from spreadsheet if args.file is None: wb = load_workbook('santa_old.xlsx') else: wb = load_workbook(args.file) ws = wb.active people = [] real_names = {} person_info = {} if args.nicknames: f = open('nicknames.txt','r') data=f.read() f.close() nicknames = eval(data) else: nicknames = {} i = 2 while (name := ws[i][1].value) is not None: nickname = None if name in nicknames.keys(): nickname = nicknames[name] else: while nickname is None or nickname in people: nickname = input(f"What is {name}'s ifttt trigger? ") nickname = nickname.strip('\n') people.append(nickname) person_info[nickname] = [] real_names[nickname] = name nicknames[name] = nickname row = ws[i] for cell in row: person_info[nickname].append(str(cell.value)) i = i + 1 if not args.constraints: # constraints as of 10/23/18 constraints = {} for name in people: constraints[name] = [name] # Fill out constraints by user input for person in people: for other in [p for p in people if p != person]: name = real_names[person] other_name = real_names[other] if input(f"Can {name} buy for {other_name}?").lower() == 'n': constraints[person].append(other) f = open("constraints.txt", "w") f.write(str(constraints)) f.close() else: f = open('constraints.txt','r') data=f.read() f.close() constraints = eval(data) f = open("nicknames.txt", "w") f.write(str(nicknames)) f.close() if args.verbose: print(people) print(constraints) shuffle(people) # perm_list = list(itertools.permutations(people)) # print(len(perm_list)) # shuffle(perm_list) valid = False assignments = {} while not valid: random_index = random.randint(0, math.factorial(len(people))) current_perm = perm_given_index(people, random_index) if valid: break for i in range(len(current_perm)): person_is_good = True new_assign = current_perm[((i + 1) % len(current_perm))] assignments[current_perm[i]] = new_assign if (current_perm[((i + 1) % len(current_perm))] in constraints[current_perm[i]]): person_is_good = False break if person_is_good: valid = True print("Found a proper permutation:") if args.print: for assignment in assignments.keys(): print(f"{assignment} -> {assignments[assignment]}") if args.test: # Emergency Test for i in range(0, len(people)): ifttt(people[i], '''This is a test of the Super Secret Santa Service System You are {} If this were not a drill, you would need to buy a gift for {}. If this information is incorrect or undesireable, please call or text Zach '''.format(person_info[people[i]][1], person_info[assignments[people[i]]][1]), "nothing", "nothing", key) quit() # Almost final for real thing for i in range(0, len(people)): receiver = assignments[people[i]] message = '''You bring the joy of Christmas to {} this year! Suggested gift: {} Is clothing a bad idea: {} SIZES: T-Shirt: {} Hoodie: {} Pants: {} Socks: {} Keep in mind: {} The price limit is $20! Good luck and have fun! '''.format(person_info[receiver][1], person_info[receiver][4], person_info[receiver][7], person_info[receiver][8], person_info[receiver][9], person_info[receiver][10], person_info[receiver][11], person_info[receiver][12]) if args.print and args.verbose: print(message) elif not args.print: # ifttt(people[i], message, "nothing", "nothing", key) print("This would totally send") <file_sep>/README.md # Secret Santa Program Just a little Secret Santa algorithm which suits my needs well I would say
2679d95b22d0541b9c05411847dd57cedd08a512
[ "Markdown", "Python" ]
3
Markdown
hacker6284/supersecretsanta
f1715efe4a4ebfe9ac7640bb0372973c0f316573
e4f057a0c893c7aafa3fa0e9d594e05b6bffb427
refs/heads/master
<file_sep>import java.sql.*; public class College { public static void main(String[] args) { try { Class.forName("com.mysql.cj.jdbc.Driver"); Connection con=DriverManager.getConnection("jdbc:mysql://localhost:3306/student","root","root"); // PreparedStatement pst=con.prepareStatement("insert into college values(?,?,?)"); String query = " insert into college values (?, ?, ?)"; // create the mysql insert preparedstatement PreparedStatement preparedStmt = con.prepareStatement(query); preparedStmt.setInt (1, 3); preparedStmt.setString (2, "Swati"); preparedStmt.setInt (3, 820); // execute the preparedstatement preparedStmt.execute(); System.out.println("Saved SUCCESSFULLY!!!!!!"); con.close(); } catch (Exception ex) { ex.printStackTrace(); } } } <file_sep>package com.niit.webappl; import org.springframework.core.SpringVersion; public class VersionChecker { public static void main(String [] args) { System.out.println("version: " + SpringVersion.getVersion()); } }<file_sep>package com.niit.inventory.repository; import org.springframework.data.jpa.repository.JpaRepository; import com.niit.inventory.model.Order1; public interface OrderRepository extends JpaRepository<Order1, Long> { } <file_sep>package co.niit.myblog.model; import java.util.List; import java.util.Map; import java.util.Optional; import org.springframework.beans.factory.annotation.Autowired; import org.springframework.web.bind.annotation.DeleteMapping; import org.springframework.web.bind.annotation.GetMapping; import org.springframework.web.bind.annotation.PathVariable; import org.springframework.web.bind.annotation.PostMapping; import org.springframework.web.bind.annotation.PutMapping; import org.springframework.web.bind.annotation.RequestBody; import org.springframework.web.bind.annotation.RestController; import co.niit.myblog.repository.BlogReository; @RestController public class BlogDataController { @Autowired BlogReository blogRepository; @PostMapping("/blogdata") public Blog create(@RequestBody Map<String,String>body) { String title=body.get("title"); String content=body.get("content"); return blogRepository.save(new Blog(title,content)); } @GetMapping("/blogdata") public List<Blog>index(){ return blogRepository.findAll(); } @GetMapping("/blogdata/{id}") public Optional<Blog> show(@PathVariable String id){ int blogId = Integer.parseInt(id); return blogRepository.findById(blogId); } @PutMapping("/blogdata/{id}") public Blog update(@PathVariable String id, @RequestBody Map<String, String> body){ int blogId = Integer.parseInt(id); // getting blog Blog blog = blogRepository.findById(blogId).get(); blog.setTitle(body.get("title")); blog.setContent(body.get("content")); return blogRepository.save(blog); } @PostMapping("/blogdata/search") public List<Blog> search(@RequestBody Map<String, String> body){ String searchTerm = body.get("text"); return blogRepository.findByTitleContainingOrContentContaining(searchTerm, searchTerm); } @DeleteMapping("blogdata/{id}") public boolean delete(@PathVariable String id){ int blogId = Integer.parseInt(id); blogRepository.deleteById(blogId); return true; } } <file_sep>package com.niit.inventory.controller; import java.nio.charset.StandardCharsets; import java.util.Base64; import java.util.List; import java.util.StringTokenizer; import javax.servlet.http.HttpServletRequest; import org.springframework.beans.factory.annotation.Autowired; import org.springframework.stereotype.Controller; import org.springframework.ui.Model; import org.springframework.web.bind.annotation.GetMapping; import org.springframework.web.bind.annotation.ModelAttribute; import org.springframework.web.bind.annotation.PostMapping; import org.springframework.web.bind.annotation.RequestMapping; import org.springframework.web.bind.annotation.RequestParam; import org.springframework.web.servlet.ModelAndView; //import com.niit.inventory.model.Address; import com.niit.inventory.model.Customer; import com.niit.inventory.model.Product; import com.niit.inventory.service.LoginService; @Controller public class LoginController { @Autowired private LoginService lservice; //@Autowired //private ProductService service; @RequestMapping("/") public String viewHomePage() { return "index"; } @RequestMapping("/register") public String viewRegisterPage(Model model) { Customer customer = new Customer(); model.addAttribute("customer", customer); return "register"; } @PostMapping("/saveCustomer") public String saveCusomer(HttpServletRequest req,@ModelAttribute("customer") Customer customer) { lservice.saveCustomer(customer); return "index"; } @GetMapping("/login") public String showLoginForm(Model theModel) { //Dealer d = new Dealer(); //theModel.addAttribute("dealer", d); return "login"; } @PostMapping("/loginCustomer") public ModelAndView loginDealer(HttpServletRequest req,@ModelAttribute("customer") Customer customer) { String email=req.getParameter("email"); String pass=req.getParameter("password"); String pass2=encryptPass(pass); StringTokenizer st = new StringTokenizer(email, "@"); String s2 = st.nextToken(); ModelAndView mav=null; Customer c = lservice.findByEmail(email); if(c==null) { mav= new ModelAndView("login"); mav.addObject("error", "User Doesn't Exists"); } else if(email.equals(c.getEmail()) && pass2.equals(c.getPassword())) { req.getSession().setAttribute("user", s2); mav = new ModelAndView("customer-dash"); mav.addObject("customer", c); } else {mav= new ModelAndView("login"); mav.addObject("error", "Invalid Username or Password"); } return mav; } private String encryptPass(String pass) { Base64.Encoder encoder = Base64.getEncoder(); String normalString = pass; String encodedString = encoder.encodeToString( normalString.getBytes(StandardCharsets.UTF_8) ); return encodedString; } @GetMapping("/login-admin") public String showLoginAdminForm(Model theModel) { //Dealer d = new Dealer(); //theModel.addAttribute("dealer", d); return "login-admin"; } @PostMapping("/loginAdmindash") public String loginAdmin(HttpServletRequest req) { String email=req.getParameter("email"); String pass=req.getParameter("password"); if(email.equals("<EMAIL>")&&pass.equals("<PASSWORD>")) { return "admin-dash"; } else { return "login-admin"; } } //view Customer to admin @RequestMapping("/view-cust") public String viewCustomer(Model model) { List<Customer> listCustomer=lservice.listAll(); model.addAttribute("listCustomer",listCustomer); return "view-cust"; } @GetMapping("/logout-admin") public String logoutAdmin(HttpServletRequest req) { req.getSession().invalidate(); return "index"; } @GetMapping("/logout-cust") public String logoutCustomer(HttpServletRequest req) { req.getSession().invalidate(); return "index"; } /* //view and edit Customer profile @RequestMapping("/profile-cust") public ModelAndView showCustomerProfile(@RequestParam("id") int id) { ModelAndView mav = new ModelAndView("profile-cust"); Customer customer = lservice.get(id); mav.addObject("customer", customer); return mav; }*/ }<file_sep> package com.niit.techno.crm.controller; import javax.servlet.http.HttpServletRequest; import org.springframework.beans.factory.annotation.Autowired; import org.springframework.stereotype.Controller; import org.springframework.ui.Model; import org.springframework.ui.ModelMap; import org.springframework.web.bind.annotation.GetMapping; import org.springframework.web.bind.annotation.ModelAttribute; import org.springframework.web.bind.annotation.PostMapping; import org.springframework.web.bind.annotation.RequestMapping; import org.springframework.web.bind.annotation.RequestMethod; import org.springframework.web.servlet.ModelAndView; import com.niit.techno.crm.model.Address; import com.niit.techno.crm.model.Elite; import com.niit.techno.crm.model.EliteUser; import com.niit.techno.crm.service.EliteService; @Controller @RequestMapping("/elite") public class EliteController { @Autowired private EliteService eliteService; @GetMapping("/regForm") public String showFormForAdd(ModelMap theModel) { Elite theCustomer=new Elite(); theModel.addAttribute("elite",theCustomer); return "elite-form"; } @PostMapping("/saveECustomer") public String saveEliteCustomer(HttpServletRequest req,@ModelAttribute("ecustomer") Elite theElite) { String s=req.getParameter("street"); String c=req.getParameter("city"); int p=Integer.parseInt(req.getParameter("pincode")); Address a=new Address(); a.setStreet(s); a.setCity(c); a.setPincode(p); a.setElite(theElite); eliteService.saveECustomer(a); return "login-elite"; } @GetMapping("/eloginForm") public String showLoginForm(Model theModel) { EliteUser theUser=new EliteUser(); theModel.addAttribute("euser",theUser); return "login-elite"; } @RequestMapping(value = "/loginECustomer", method = {RequestMethod.POST, RequestMethod.GET}) public ModelAndView processLogin(@ModelAttribute EliteUser theEUser) { EliteUser eusr = eliteService.checkUser(theEUser); ModelAndView model = null; if (eusr == null) { model = new ModelAndView("login-elite"); model.addObject("error", "Invalid Username or Password"); } else { model = new ModelAndView("welcome-elite"); model.addObject("eusr", eusr); //model.addObject("usr", usr.getEmail()); } return model; } }<file_sep>package com.niit.techno.crm.dao; import javax.persistence.Query; import javax.persistence.criteria.CriteriaBuilder; import javax.persistence.criteria.CriteriaQuery; import javax.persistence.criteria.Root; import org.hibernate.Session; import org.hibernate.SessionFactory; import org.springframework.beans.factory.annotation.Autowired; import org.springframework.stereotype.Repository; import com.niit.techno.crm.model.Address; import com.niit.techno.crm.model.EliteUser; @Repository public class EliteDAOImpl implements EliteDAO{ @Autowired private SessionFactory sessionFactory; @Override public void saveECustomer(Address add) { // TODO Auto-generated method stub Session currentSession=sessionFactory.getCurrentSession(); currentSession.saveOrUpdate(add); } @Override public EliteUser checkUser(EliteUser theEUser) { EliteUser eusr=null; Session session=null; try { session = sessionFactory.getCurrentSession(); CriteriaBuilder cb = session.getCriteriaBuilder(); CriteriaQuery<EliteUser> cq = cb.createQuery(EliteUser.class); Root<EliteUser> root = cq.from(EliteUser.class); //cq.select(root.get("id")); cq.select(root).where(cb.and( cb.equal(root.get("phoneNo"), theEUser.getPhoneNo()), cb.equal(root.get("password"),theEUser.getPassword()) )); Query query = session.createQuery(cq); query.setMaxResults(1); eusr=(EliteUser) query.getSingleResult(); } catch (Exception e) { e.printStackTrace(); } finally { if (session != null) { //session.close(); } } return eusr; } } <file_sep><%@ page language="java" contentType="text/html; charset=ISO-8859-1" pageEncoding="ISO-8859-1"%> <!DOCTYPE html> <html> <head> <meta charset="ISO-8859-1"> <title>Inventory Management Index Page</title> <link rel="stylesheet" type="text/css" href="/resources/static/css/indexcss.css"> </head> <body background="/resources/static/images/back4.jpg"> <header> <div class="main"> <div class="logo"> <img src="logo.png"> </div> <ul> <li class="active"><a href="/resources/webapp/views/index.jsp">Home</a></li> <li><a href="login">Login</a></li> <li><a href="#">About Us</a></li> <li><a href="#">Contact Us</a></li> <li><a href="register">Register</a></li> <li><a href="login-admin">Admin</a></li> </ul> </div> <div class="title"> <h1>Inventory Management System</h1> </div> </body> </html><file_sep>package com.niit.inventory.service; import java.util.List; import org.springframework.beans.factory.annotation.Autowired; import org.springframework.stereotype.Service; import org.springframework.transaction.annotation.Transactional; import com.niit.inventory.model.Order1; import com.niit.inventory.repository.OrderRepository; @Service @Transactional public class OrderService { @Autowired private OrderRepository orepo; public List<Order1> listAll(){ return orepo.findAll(); } public void save(Order1 order) { orepo.save(order); } public Order1 get(long id) { return orepo.findById(id).get(); } public void delete(long id) { orepo.deleteById(id); } } <file_sep>package com.niit.inventory.repository; import org.springframework.data.jpa.repository.JpaRepository; import com.niit.inventory.model.Customer; public interface CustomerRepository extends JpaRepository<Customer,Long> { } <file_sep>package com.niit.inventory.service; import java.util.List; import org.springframework.beans.factory.annotation.Autowired; import org.springframework.stereotype.Service; import org.springframework.transaction.annotation.Transactional; import com.niit.inventory.model.Customer; import com.niit.inventory.model.Product; import com.niit.inventory.repository.CustomerRepository; import com.niit.inventory.repository.UserRepository; @Service @Transactional public class LoginService { @Autowired private CustomerRepository crepo; public void saveCustomer(Customer customer) { crepo.save(customer); } public List<Customer> listAll(){ return crepo.findAll(); } @Autowired private UserRepository urepo; public Customer findByEmail(String email) { return urepo.findByEmail(email); } public Customer get(long id) { return crepo.findById(id).get(); } } <file_sep>package com.niit.webappl; import java.io.IOException; import java.io.PrintWriter; import javax.servlet.http.HttpServlet; import javax.servlet.http.HttpServletRequest; import javax.servlet.http.HttpServletResponse; public class SquareServlet extends HttpServlet { public void doGet(HttpServletRequest req,HttpServletResponse res) { PrintWriter out = null; try { out = res.getWriter(); } catch (IOException e) { // TODO Auto-generated catch block e.printStackTrace(); } out.println("HELLO TO SQUARE SERVLET"); int k=Integer.parseInt(req.getParameter("k")); k=k*k; out.println("result is: "+k); System.out.println("square called"); } }
a9b3c32226124711a5fd404ead62eee1c7eba3aa
[ "Java", "Java Server Pages" ]
12
Java
Arti108/springboot
89af4c4edb974e09d295e7d9c48dd3437944b54b
b13ff2d554b243dec68a7526c344baa975f71c5c
refs/heads/master
<repo_name>Martins3/JavaFxHospitalRegSys<file_sep>/Amazing/src/com/hibernate/data/eRegistrationTypeEntity.java package com.hibernate.data; import javax.persistence.*; import java.util.Objects; @Entity @Table(name = "Registration_Type", schema = "Hospital", catalog = "") public class eRegistrationTypeEntity { private String num; private String name; private String abbr; private byte isExpert; private int numLimitaion; private byte money; private String departmentNum; @Id @Column(name = "num", nullable = false, length = 6) public String getNum() { return num; } public void setNum(String num) { this.num = num; } @Basic @Column(name = "name", nullable = false, length = 12) public String getName() { return name; } public void setName(String name) { this.name = name; } @Basic @Column(name = "abbr", nullable = false, length = 4) public String getAbbr() { return abbr; } public void setAbbr(String abbr) { this.abbr = abbr; } @Basic @Column(name = "is_expert", nullable = false) public byte getIsExpert() { return isExpert; } public void setIsExpert(byte isExpert) { this.isExpert = isExpert; } @Basic @Column(name = "num_limitaion", nullable = false) public int getNumLimitaion() { return numLimitaion; } public void setNumLimitaion(int numLimitaion) { this.numLimitaion = numLimitaion; } @Basic @Column(name = "money", nullable = false) public byte getMoney() { return money; } public void setMoney(byte money) { this.money = money; } @Override public boolean equals(Object o) { if (this == o) return true; if (o == null || getClass() != o.getClass()) return false; eRegistrationTypeEntity that = (eRegistrationTypeEntity) o; return isExpert == that.isExpert && numLimitaion == that.numLimitaion && money == that.money && Objects.equals(num, that.num) && Objects.equals(name, that.name) && Objects.equals(abbr, that.abbr); } @Override public int hashCode() { return Objects.hash(num, name, abbr, isExpert, numLimitaion, money); } @Basic @Column(name = "Department_num", nullable = false) public String getDepartmentNum() { return departmentNum; } @Basic @Column(name = "Department_num", nullable = false) public void setDepartmentNum(String departmentNum) { this.departmentNum = departmentNum; } } <file_sep>/Incredible/src/Queue.java import java.util.NoSuchElementException; import java.util.Stack; public class Queue<E> extends Stack<E>{ private Stack<E> stk; private final int capacity = 100; public Queue(){ stk = new Stack<>(); } public boolean add(E e) throws IllegalStateException, ClassCastException, NullPointerException, IllegalArgumentException{ // check capacity ! if(this.full()) throw new IllegalStateException("Queue is full !"); if (super.size() == 0) { int size = stk.size(); for (int i = 0; i < size; ++i) { super.push(stk.pop()); } } else if (super.size() == capacity) { int size=super.size(); for (int i = 0; i < size; ++i) { E t=super.remove(super.size()-1); stk.push(t); } } super.push(e); return true; } public boolean offer(E e) throws ClassCastException, NullPointerException, IllegalArgumentException{ if(this.full()) return false; if(super.size()==0){ int size = stk.size(); for (int i = 0; i < size; ++i) { super.push(stk.pop()); } } else if (super.size()==capacity){ int size = super.size(); for (int i = 0; i < size; ++i) { stk.push(super.remove(super.size()-1)); } } super.push(e); return true; } public E remove( ) throws NoSuchElementException { if(super.size() == 0 && stk.size()==0){ throw new NoSuchElementException(); } if (super.size()>0 && stk.size() > 0){ return stk.pop(); } int size=super.size(); for (int i = 0; i < size; ++i) { stk.push(super.remove(super.size()-1)); } return stk.pop(); } public E poll( ) { if(super.size() == 0 && stk.size() == 0){ return null; } if (super.size()>0&&stk.size()>0){ return stk.pop(); } int size=super.size(); for (int i = 0; i < size; ++i) { stk.push(super.remove(super.size()-1)); } return stk.pop(); } public E peek (){ if(super.size()==0&&stk.size()==0){ return null; } return stk.size()>0?stk.elementAt(stk.size()-1):super.elementAt(0); } public E element() throws NoSuchElementException { if(super.size()==0&&stk.size()==0){ throw new NoSuchElementException(); } return stk.size()>0?stk.elementAt(stk.size()-1):super.elementAt(0); } public boolean full(){ return super.size() == capacity && stk.size() > 0; } public boolean empty(){ return size()==0&&stk.size()==0; } } <file_sep>/Amazing/src/com/hibernate/data/eDepartmentEntity.java package com.hibernate.data; import javax.persistence.*; import java.util.Objects; @Entity @Table(name = "Department", schema = "Hospital", catalog = "") public class eDepartmentEntity { private String num; private String name; private String abbr; @Id @Column(name = "num", nullable = false, length = 6) public String getNum() { return num; } public void setNum(String num) { this.num = num; } @Basic @Column(name = "name", nullable = false, length = 10) public String getName() { return name; } public void setName(String name) { this.name = name; } @Basic @Column(name = "abbr", nullable = false, length = 8) public String getAbbr() { return abbr; } public void setAbbr(String abbr) { this.abbr = abbr; } @Override public boolean equals(Object o) { if (this == o) return true; if (o == null || getClass() != o.getClass()) return false; eDepartmentEntity that = (eDepartmentEntity) o; return Objects.equals(num, that.num) && Objects.equals(name, that.name) && Objects.equals(abbr, that.abbr); } @Override public int hashCode() { return Objects.hash(num, name, abbr); } } <file_sep>/Hospital.sql CREATE TABLE Hospital.Department ( num char(6) PRIMARY KEY NOT NULL, name char(10) NOT NULL, abbr char(8) NOT NULL ); CREATE UNIQUE INDEX num ON Hospital.Department (num); INSERT INTO Hospital.Department (num, name, abbr) VALUES ('000001', '外科', 'WK'); INSERT INTO Hospital.Department (num, name, abbr) VALUES ('000002', '内科', 'N'); INSERT INTO Hospital.Department (num, name, abbr) VALUES ('000003', '神经科', 'SJ'); INSERT INTO Hospital.Department (num, name, abbr) VALUES ('000004', '眼科', 'Y'); INSERT INTO Hospital.Department (num, name, abbr) VALUES ('000005', '消化科', 'XH'); INSERT INTO Hospital.Department (num, name, abbr) VALUES ('000006', '放射科', 'FS'); CREATE TABLE Hospital.Doctor ( num char(6) PRIMARY KEY NOT NULL, Department_num char(6) NOT NULL, name char(10) NOT NULL, abbr char(4) NOT NULL, password char(8) NOT NULL, is_expert tinyint(1) NOT NULL, sign_up_time datetime, CONSTRAINT Doctor_ibfk_1 FOREIGN KEY (Department_num) REFERENCES Department (num) ); CREATE UNIQUE INDEX num ON Hospital.Doctor (num, Department_num); CREATE INDEX Department_num ON Hospital.Doctor (Department_num); INSERT INTO Hospital.Doctor (num, Department_num, name, abbr, password, is_expert, sign_up_time) VALUES ('000001', '000001', '艾希', 'AX', '1', 1, '2018-05-30 00:00:00'); INSERT INTO Hospital.Doctor (num, Department_num, name, abbr, password, is_expert, sign_up_time) VALUES ('000002', '000002', '金克斯', 'JKS', '1', 1, '2018-05-30 00:00:00'); INSERT INTO Hospital.Doctor (num, Department_num, name, abbr, password, is_expert, sign_up_time) VALUES ('000003', '000003', '拉克丝', 'LKS', '1', 1, '2018-05-30 00:00:00'); INSERT INTO Hospital.Doctor (num, Department_num, name, abbr, password, is_expert, sign_up_time) VALUES ('000004', '000004', '刀妹', 'DM', '1', 1, '2018-05-30 00:00:00'); INSERT INTO Hospital.Doctor (num, Department_num, name, abbr, password, is_expert, sign_up_time) VALUES ('000005', '000005', '狗头', 'DT', '1', 1, '2018-05-30 00:00:00'); INSERT INTO Hospital.Doctor (num, Department_num, name, abbr, password, is_expert, sign_up_time) VALUES ('000006', '000006', '猪妹', 'ZM', '1', 1, '2018-05-30 00:00:00'); INSERT INTO Hospital.Doctor (num, Department_num, name, abbr, password, is_expert, sign_up_time) VALUES ('000007', '000001', '艾希2', 'AXE', '1', 0, '2018-05-30 00:00:00'); INSERT INTO Hospital.Doctor (num, Department_num, name, abbr, password, is_expert, sign_up_time) VALUES ('000008', '000002', '金克斯2', 'JKSE', '1', 0, '2018-05-30 00:00:00'); INSERT INTO Hospital.Doctor (num, Department_num, name, abbr, password, is_expert, sign_up_time) VALUES ('000009', '000003', '拉克丝2', 'LKSE', '1', 0, '2018-05-30 00:00:00'); INSERT INTO Hospital.Doctor (num, Department_num, name, abbr, password, is_expert, sign_up_time) VALUES ('000010', '000004', '刀妹2', 'DME', '1', 0, '2018-05-30 00:00:00'); INSERT INTO Hospital.Doctor (num, Department_num, name, abbr, password, is_expert, sign_up_time) VALUES ('000011', '000005', '狗头2', 'DTE', '1', 0, '2018-05-30 00:00:00'); INSERT INTO Hospital.Doctor (num, Department_num, name, abbr, password, is_expert, sign_up_time) VALUES ('000012', '000006', '猪妹2', 'ZME', '1', 0, '2018-05-30 00:00:00'); CREATE TABLE Hospital.Patient ( num char(6) PRIMARY KEY NOT NULL, name char(10) NOT NULL, password char(8) NOT NULL, money decimal(10,2) NOT NULL, sign_up_time datetime ); CREATE UNIQUE INDEX num ON Hospital.Patient (num); INSERT INTO Hospital.Patient (num, name, password, money, sign_up_time) VALUES ('000001', 'vn', '1', 41.00, '2018-05-30 00:00:00'); INSERT INTO Hospital.Patient (num, name, password, money, sign_up_time) VALUES ('000002', 'vn', '1', 81.00, '2018-05-30 00:00:00'); INSERT INTO Hospital.Patient (num, name, password, money, sign_up_time) VALUES ('000003', 'ez', '1', 81.00, '2018-05-30 00:00:00'); INSERT INTO Hospital.Patient (num, name, password, money, sign_up_time) VALUES ('000004', 'rn', '1', 81.00, '2018-05-30 00:00:00'); INSERT INTO Hospital.Patient (num, name, password, money, sign_up_time) VALUES ('000005', 'kk', '1', 81.00, '2018-05-30 00:00:00'); INSERT INTO Hospital.Patient (num, name, password, money, sign_up_time) VALUES ('000006', 'ss', '1', 81.00, '2018-05-30 00:00:00'); CREATE TABLE Hospital.Registration_Instance ( num char(6) PRIMARY KEY NOT NULL, Regestration_num char(6) NOT NULL, Doctor_num char(6) NOT NULL, Patient_num char(6) NOT NULL, Patient_amount int(11) NOT NULL, is_cancelled tinyint(1) NOT NULL, actual_cost decimal(8,2) NOT NULL, time datetime NOT NULL, CONSTRAINT Registration_Instance_ibfk_1 FOREIGN KEY (Regestration_num) REFERENCES Registration_Type (num), CONSTRAINT Registration_Instance_ibfk_2 FOREIGN KEY (Doctor_num) REFERENCES Doctor (num), CONSTRAINT Registration_Instance_ibfk_3 FOREIGN KEY (Patient_num) REFERENCES Patient (num) ); CREATE UNIQUE INDEX num ON Hospital.Registration_Instance (num, Regestration_num, Doctor_num, Patient_num, Patient_amount); CREATE INDEX Regestration_num ON Hospital.Registration_Instance (Regestration_num); CREATE INDEX Doctor_num ON Hospital.Registration_Instance (Doctor_num); CREATE INDEX Patient_num ON Hospital.Registration_Instance (Patient_num); INSERT INTO Hospital.Registration_Instance (num, Regestration_num, Doctor_num, Patient_num, Patient_amount, is_cancelled, actual_cost, time) VALUES ('000001', '000001', '000001', '000001', 1, 0, 12.00, '2018-06-01 06:59:18'); INSERT INTO Hospital.Registration_Instance (num, Regestration_num, Doctor_num, Patient_num, Patient_amount, is_cancelled, actual_cost, time) VALUES ('000002', '000001', '000001', '000001', 2, 0, 15.00, '2018-06-01 06:59:31'); INSERT INTO Hospital.Registration_Instance (num, Regestration_num, Doctor_num, Patient_num, Patient_amount, is_cancelled, actual_cost, time) VALUES ('000003', '000002', '000001', '000001', 1, 0, 16.00, '2018-06-01 07:01:12'); INSERT INTO Hospital.Registration_Instance (num, Regestration_num, Doctor_num, Patient_num, Patient_amount, is_cancelled, actual_cost, time) VALUES ('000004', '000004', '000001', '000001', 1, 0, 10.00, '2018-06-01 07:01:50'); INSERT INTO Hospital.Registration_Instance (num, Regestration_num, Doctor_num, Patient_num, Patient_amount, is_cancelled, actual_cost, time) VALUES ('000005', '000002', '000001', '000001', 2, 0, 17.00, '2018-06-01 07:03:09'); INSERT INTO Hospital.Registration_Instance (num, Regestration_num, Doctor_num, Patient_num, Patient_amount, is_cancelled, actual_cost, time) VALUES ('000006', '000004', '000004', '000001', 2, 0, 17.00, '2018-06-01 07:31:58'); INSERT INTO Hospital.Registration_Instance (num, Regestration_num, Doctor_num, Patient_num, Patient_amount, is_cancelled, actual_cost, time) VALUES ('000007', '000002', '000007', '000001', 3, 0, 15.00, '2018-06-02 02:55:19'); INSERT INTO Hospital.Registration_Instance (num, Regestration_num, Doctor_num, Patient_num, Patient_amount, is_cancelled, actual_cost, time) VALUES ('000008', '000006', '000009', '000001', 1, 0, 17.00, '2018-06-02 02:55:48'); INSERT INTO Hospital.Registration_Instance (num, Regestration_num, Doctor_num, Patient_num, Patient_amount, is_cancelled, actual_cost, time) VALUES ('000009', '000002', '000002', '000001', 4, 0, 13.00, '2018-06-02 02:56:42'); INSERT INTO Hospital.Registration_Instance (num, Regestration_num, Doctor_num, Patient_num, Patient_amount, is_cancelled, actual_cost, time) VALUES ('000010', '000004', '000003', '000001', 3, 0, 11.00, '2018-06-02 02:59:41'); CREATE TABLE Hospital.Registration_Type ( num char(6) PRIMARY KEY NOT NULL, name char(12) NOT NULL, abbr char(4) NOT NULL, Department_num char(6) NOT NULL, is_expert tinyint(1) NOT NULL, num_limitaion int(11) NOT NULL, money tinyint(1) NOT NULL, CONSTRAINT Registration_Type_ibfk_1 FOREIGN KEY (Department_num) REFERENCES Department (num) ); CREATE UNIQUE INDEX num ON Hospital.Registration_Type (num, Department_num); CREATE INDEX Department_num ON Hospital.Registration_Type (Department_num); INSERT INTO Hospital.Registration_Type (num, name, abbr, Department_num, is_expert, num_limitaion, money) VALUES ('000001', '外-科', 'YY', '000001', 0, 2, 10); INSERT INTO Hospital.Registration_Type (num, name, abbr, Department_num, is_expert, num_limitaion, money) VALUES ('000002', '外二科', 'YE', '000001', 1, 100, 10); INSERT INTO Hospital.Registration_Type (num, name, abbr, Department_num, is_expert, num_limitaion, money) VALUES ('000003', '内-科', 'NY', '000002', 0, 2, 10); INSERT INTO Hospital.Registration_Type (num, name, abbr, Department_num, is_expert, num_limitaion, money) VALUES ('000004', '内二科', 'NE', '000002', 1, 100, 10); INSERT INTO Hospital.Registration_Type (num, name, abbr, Department_num, is_expert, num_limitaion, money) VALUES ('000005', '神经-科', 'SJY', '000003', 0, 2, 10); INSERT INTO Hospital.Registration_Type (num, name, abbr, Department_num, is_expert, num_limitaion, money) VALUES ('000006', '神经二科', 'SJE', '000003', 1, 100, 10); INSERT INTO Hospital.Registration_Type (num, name, abbr, Department_num, is_expert, num_limitaion, money) VALUES ('000007', '眼-科', 'YY', '000004', 0, 2, 10); INSERT INTO Hospital.Registration_Type (num, name, abbr, Department_num, is_expert, num_limitaion, money) VALUES ('000008', '眼二科', 'YE', '000004', 1, 100, 10); INSERT INTO Hospital.Registration_Type (num, name, abbr, Department_num, is_expert, num_limitaion, money) VALUES ('000009', '消化-科', 'XHY', '000005', 0, 2, 10); INSERT INTO Hospital.Registration_Type (num, name, abbr, Department_num, is_expert, num_limitaion, money) VALUES ('000010', '消化二科', 'XHE', '000005', 1, 100, 10); INSERT INTO Hospital.Registration_Type (num, name, abbr, Department_num, is_expert, num_limitaion, money) VALUES ('000011', '放射-科', 'FSY', '000006', 0, 2, 10); INSERT INTO Hospital.Registration_Type (num, name, abbr, Department_num, is_expert, num_limitaion, money) VALUES ('000012', '放射二科', 'FSE', '000006', 1, 100, 10); <file_sep>/readme.md # Hosipital Registration System based on Hibernate A small demo for Hibernate belonging to Hust Java course Lab <file_sep>/Incredible/src/QueueTest.java public class QueueTest { static class Animal{ private String name; String getName() { return name; } Animal(String name){ this.name = name; } @Override public String toString() { return name; } } static class Cat extends Animal{ Cat(String name) { super(name); } } static class Dog extends Animal{ Dog(String name) { super(name); } } public static void main(String[] args) { Queue<Animal> q = new Queue<>(); System.out.println("测试add"); System.out.println(q.add(new Dog("dog"))); System.out.println(q.add(new Cat("cat"))); System.out.println(q.add(new Dog("small dog"))); System.out.println(q.add(new Cat("big cat"))); System.out.println("测试element"); Animal cute = q.element(); System.out.println(cute); System.out.println("测试offer"); System.out.println(q.add(new Animal("mouse"))); System.out.println("测试remove 和 poll 和 peek"); System.out.print(q.peek() + " "); System.out.println(q.remove()); System.out.print(q.peek() + " " ); System.out.println(q.remove()); System.out.print(q.peek() + " "); System.out.println(q.poll()); System.out.print(q.peek() + " "); System.out.println(q.poll()); System.out.print(q.peek() + " "); System.out.println(q.poll()); System.out.print(q.peek() + " "); System.out.println(q.poll()); } }
41c03e1034196aaa20476febd5afca435d1590fb
[ "Java", "Markdown", "SQL" ]
6
Java
Martins3/JavaFxHospitalRegSys
c88cf5491155a2caf438ba0481f508d579e559c3
588e293e7a8e0400eae5de43a0c17df5b1efd191
refs/heads/master
<file_sep>package core; import java.util.concurrent.TimeUnit; import org.openqa.selenium.By; import org.openqa.selenium.WebDriver; import org.openqa.selenium.firefox.FirefoxDriver; import org.openqa.selenium.support.ui.Select; public class SignUP_Confirmed { public static void main( String[] args ) { String text_case_id_10 = "TC-001.10"; String url = "http://learn2test.net/qa/apps/sign_up/v1/"; String f_name = "Anna"; String l_name = "Pilipenko"; String email = "<EMAIL>"; String phone = "6509664717"; String myState = "California"; String statusTerms = "Agreed"; String myGender = "Female"; WebDriver driver = new FirefoxDriver(); driver.get(url); driver.manage().timeouts().implicitlyWait(15, TimeUnit.SECONDS); // TC-001.10 driver.findElement(By.id("id_fname")).sendKeys(f_name); driver.findElement(By.id("id_lname")).sendKeys(l_name); driver.findElement(By.id("id_email")).sendKeys(email); driver.findElement(By.id("id_phone")).sendKeys(phone); driver.findElement(By.id("id_g_radio_02")).click(); driver.findElement(By.id("id_checkbox")).click(); Select dropdown = new Select(driver.findElement(By.id("id_state"))); dropdown.selectByVisibleText(myState); driver.findElement(By.id("id_submit_button")).click(); String fname_conf_actual = driver.findElement(By.id("id_fname_conf")) .getText(); String lname_conf_actual = driver.findElement(By.id("id_fname_conf")) .getText(); String email_conf_actual = driver.findElement(By.id("id_email_conf")) .getText(); String phone_conf_actual = driver.findElement(By.id("id_phone_conf")) .getText(); String myGender_actual = driver.findElement(By.id("id_gender_conf")).getText(); String myState_actual = driver.findElement(By.id("id_state_conf")).getText(); String statusTerms_actual = driver.findElement(By.id("id_terms_conf")).getText(); if (f_name.equals(fname_conf_actual) && l_name.equals(lname_conf_actual) && email.equals(email_conf_actual) && phone.equals(phone_conf_actual) && myGender.equals(myGender_actual) ) { System.out.println("Test Case ID: \t\t" + text_case_id_10 + " - PASSED"); System.out.println("First Expected/Actual: \t" + f_name + "/" + fname_conf_actual); System.out.println("Last Expected/Actual: \t" + l_name + "/" + lname_conf_actual); System.out.println("Email Expected/Actual: \t" + email + "/" + email_conf_actual); System.out.println("Phone Expected/Actual: \t" + phone + "/" + phone_conf_actual); System.out.println("Gender Expected/Actual: \t" + myGender + "/" + myGender_actual); System.out.println("Terms Expected/Actual: \t" + statusTerms + "/" + statusTerms_actual); System.out.println("State Expected/Actual: \t" + myState + "/" + myState_actual); System.out.println("======================================="); } else { System.out.println("Test Case ID: \t\t" + text_case_id_10 + " - FAILED"); System.out.println("First Expected/Actual: \t" + f_name + "/" + fname_conf_actual); System.out.println("Last Expected/Actual: \t" + l_name + "/" + lname_conf_actual); System.out.println("Email Expected/Actual: \t" + email + "/" + email_conf_actual); System.out.println("Phone Expected/Actual: \t" + phone + "/" + phone_conf_actual); System.out.println("Gender Expected/Actual: \t" + myGender + "/" + myGender_actual); System.out.println("Terms Expected/Actual: \t" + statusTerms + "/" + statusTerms_actual); System.out.println("State Expected/Actual: \t" + myState + "/" + myState_actual); System.out.println("======================================="); driver.findElement(By.id("id_back_button")).click(); } driver.quit(); } }
ac34ec82f0062c93a871cb56a0f2e5e4880693c0
[ "Java" ]
1
Java
anna-pilipenko/Sign_Up_v1
eaa4b0d6d5d868fda662ab4a39dbf6d0d7298624
8a8fc69b76fecdaf2f6dfc51b31c8e3bc24bb68f
refs/heads/main
<repo_name>hailanderhb/IMC-em-javascript<file_sep>/README.md # IMC-em-javascript Um mini projeto de Javascript para a prática da programação. Calculadora IMC, com parametros nas condicionais (javascript). <file_sep>/script.js const calcular = document.getElementById("calcular"); calcular.onclick = function imc(){ const nome = document.getElementById("nome").value; const idade = document.getElementById("idade").value; const altura = document.getElementById("altura").value; const peso = document.getElementById("peso").value; const resultado = document.getElementById("resultado"); if(nome !== '' && altura !== '' && peso!== ''){ const valorIMC = (peso/(altura*altura)).toFixed(1); let rangeIMC = ''; if(valorIMC <18.5){ rangeIMC = "Abaixo do peso"; }else if(valorIMC < 25){ rangeIMC = "no peso ideal"; }else if(valorIMC < 30){ rangeIMC = "acima do peso"; }else if(valorIMC < 35){ rangeIMC = "com obesidade de nivel 1"; }else if(valorIMC < 40){ rangeIMC = "com obesidade de nivel 2"; }else if(valorIMC < 45){ rangeIMC = "com obesidade de nivel 3"; } result.textContent = `${nome} o seu imc ${valorIMC} indica que vc está ${rangeIMC}`; }else{ result.textContent = "Preencha todos os campos!!!"; } }
79bbc8539826e11797ffbe96edb5d0f730997d0d
[ "Markdown", "JavaScript" ]
2
Markdown
hailanderhb/IMC-em-javascript
e7a130d06fa06911325ecb94701d504de9e2d8a6
1451f6b0ae228972df4fbe8aea5b215c7dc82b32
refs/heads/master
<file_sep>from collections import namedtuple import pprint import csv filein = open("ReportingStructure.csv") datadict={} resultDict={} resultList=[] dict_data={} resultDictNew={} resultListNew=[] headerline = [f.strip() for f in filein.readline().split(',')] #print("headerline is:") #print (headerline) EmployeeRec=namedtuple('EmployeeRec',headerline) for data in filein: data=[f.strip() for f in data.split(',')] #print(data) d=EmployeeRec(*data) datadict[d.TRDR_ID]=d #print('details') #print (datadict['rajkgupt'].EMP_FULL_NM) csv_columns = ['TRDR_ID','SUB_DEPT_NM','EMP_FULL_NM','EMP_TYP_DESC','LEVEL_DESC','LEVEL_5', 'MGR1_FUll_NM','MGR1_LEVEL_DESC','MGR1_LEVEL_5','MGR2_FULL_NM','MGR2_LEVEL_DESC','MGR2_LEVEL5'] csv_file = "Results.csv" for key,value in datadict.items(): if key == 'bobby' or key == 'bobnew' or key=='sandip': break else: #print('%s\t %s\t %s\t %s\t %s' %(value.EMP_FULL_NM,value.EMP_TYP_DESC,value.LEVEL_DESC,value.LEVEL_5,value.MGR_TRDR_ID)) #print(datadict[value.MGR_TRDR_ID].EMP_FULL_NM) resultDict[key] = value resultDict[value.MGR_TRDR_ID] = datadict[value.MGR_TRDR_ID] resultList += [resultDict] '''mgrRecord = EmployeeRec(datadict[value.TRDR_ID],datadict[value.SUB_DEPT_NM],datadict[value.EMP_FULL_NM], datadict[value.EMP_TYP_DESC],datadict[value.LEVEL_DESC],datadict[value.LEVEL_5], datadict[value.MGR_TRDR_ID]) print(mgrRecord.MGR_TRDR_ID)''' empShortId=key empRecDetailsForResult=[value.EMP_FULL_NM,value.EMP_TYP_DESC,value.LEVEL_DESC,value.LEVEL_5,value.MGR_TRDR_ID] empRecDetailsForResult.append(datadict[value.MGR_TRDR_ID].EMP_FULL_NM) empRecDetailsForResult.append(datadict[value.MGR_TRDR_ID].LEVEL_DESC) empRecDetailsForResult.append(datadict[value.MGR_TRDR_ID].LEVEL_5) empRecDetailsForResult.append(datadict[datadict[value.MGR_TRDR_ID].MGR_TRDR_ID].EMP_FULL_NM) empRecDetailsForResult.append(datadict[datadict[value.MGR_TRDR_ID].MGR_TRDR_ID].LEVEL_DESC) empRecDetailsForResult.append(datadict[datadict[value.MGR_TRDR_ID].MGR_TRDR_ID].LEVEL_5) resultListNew = [key, empRecDetailsForResult] #print("resultListNew", resultListNew) resultDictNew[key] = empRecDetailsForResult dict_data = [ {'TRDR_ID': key,'EMP_FULL_NM': value.EMP_FULL_NM, 'EMP_TYP_DESC': value.EMP_TYP_DESC, 'LEVEL_DESC': 'Vice President', 'LEVEL_5': 'India', 'MGR1_FUll_NM': '<NAME>','MGR1_LEVEL_DESC':'Vice President','MGR1_LEVEL_5':'New York', 'MGR2_FULL_NM':'<NAME>','MGR2_LEVEL_DESC':'Executive Director','MGR2_LEVEL5':'New York'}, ] pprint.pprint(resultDictNew) try: with open(csv_file, 'w+') as csvfile: writer = csv.DictWriter(csvfile, fieldnames=csv_columns) writer.writeheader() for data in dict_data: writer.writerow(data) except IOError: print("I/O error")
8e761fec890fd62dc425efec1d2f18f63c31f0be
[ "Python" ]
1
Python
rajkgupt/pythonPrograms
e2c8b42aff7abb653a9575cdc0edcbe2ac5ad305
1fa42b4b5f775b9f5f34dab666871843eb614390
refs/heads/master
<file_sep>package com.antonjohansson.game.client.app.rendering; import static java.util.Objects.requireNonNull; import org.lwjgl.opengl.GL15; /** * Defines hints to the graphics library about how often data is updated in a buffer. * * @see https://www.khronos.org/opengl/wiki/Buffer_Object#Buffer_Object_Usage */ public enum FrequencyHint { /** * The data in the buffer is updated in the GPU only once. Typically useful for rendering static meshes. */ STATIC(GL15.GL_STATIC_DRAW, GL15.GL_STATIC_READ, GL15.GL_STATIC_COPY), /** * The data in the buffer is updated in the GPU occasionally. It's not very clear when to use this hint. */ DYNAMIC(GL15.GL_DYNAMIC_DRAW, GL15.GL_DYNAMIC_READ, GL15.GL_DYNAMIC_COPY), /** * The data in the buffer is updated in the GPU at almost every frame. This is common for meshes that change shape in one way or another. */ STREAM(GL15.GL_STREAM_DRAW, GL15.GL_STREAM_READ, GL15.GL_STREAM_COPY); private final int internalForWrite; private final int internalForRead; private final int internalForCopy; FrequencyHint(int internalForWrite, int internalForRead, int internalForCopy) { this.internalForWrite = internalForWrite; this.internalForRead = internalForRead; this.internalForCopy = internalForCopy; } int forStorage(StorageHint hint) { switch (requireNonNull(hint, "The given 'hint' cannot be null")) { case WRITE: return internalForWrite; case READ: return internalForRead; case COPY: return internalForCopy; default: throw new IllegalArgumentException("The given hint isn't a legal hint: " + hint); } } } <file_sep>package com.antonjohansson.game.client.app.asset.shader; import static com.antonjohansson.game.client.app.asset.map.MapPartLoader.MAPPER; import static java.util.Collections.emptyList; import java.io.File; import java.io.FileReader; import java.io.IOException; import java.io.Reader; import java.util.HashMap; import java.util.List; import java.util.Map; import org.lwjgl.opengl.GL11; import org.lwjgl.opengl.GL20; import com.antonjohansson.game.client.app.asset.IAssetLoader; import com.antonjohansson.game.client.app.asset.IAssetManager; /** * Loads {@link ShaderProgram shader programs}. */ public class ShaderProgramLoader implements IAssetLoader<ShaderProgram, String> { private String shaderLocation; @Override public void setAssetLocation(String assetLocation) { this.shaderLocation = assetLocation + "shaders/"; } @Override public Class<String> getIdentifierType() { return String.class; } @Override public ShaderProgram load(String name, IAssetManager manager) { String fileName = shaderLocation + name + ".json"; File file = new File(fileName); try (Reader reader = new FileReader(file)) { ShaderProgramData data = MAPPER.fromJson(reader, ShaderProgramData.class); VertexShader vertexShader = manager.subscribe(VertexShader.class, data.getVertexShader()); FragmentShader fragmentShader = manager.subscribe(FragmentShader.class, data.getFragmentShader()); int handle = GL20.glCreateProgram(); GL20.glAttachShader(handle, vertexShader.getHandle()); GL20.glAttachShader(handle, fragmentShader.getHandle()); for (ShaderProgramAttribute attribute : data.getAttributes()) { GL20.glBindAttribLocation(handle, attribute.getIndex(), attribute.getName()); } GL20.glLinkProgram(handle); if (GL20.glGetProgrami(handle, GL20.GL_LINK_STATUS) == GL11.GL_FALSE) { throw new RuntimeException("Could not link program: " + GL20.glGetProgramInfoLog(handle)); } GL20.glValidateProgram(handle); if (GL20.glGetProgrami(handle, GL20.GL_VALIDATE_STATUS) == GL11.GL_FALSE) { throw new RuntimeException("Could not validate program: " + GL20.glGetProgramInfoLog(handle)); } Map<String, Integer> parameterHandles = new HashMap<>(); for (String parameter : data.getParameters()) { int parameterHandle = GL20.glGetUniformLocation(handle, parameter); parameterHandles.put(parameter, parameterHandle); } return new ShaderProgram(name, handle, parameterHandles, vertexShader, fragmentShader); } catch (IOException e) { throw new RuntimeException(e); } } @Override public void dispose(ShaderProgram asset, IAssetManager manager) { GL20.glDetachShader(asset.getHandle(), asset.getFragmentShader().getHandle()); GL20.glDetachShader(asset.getHandle(), asset.getVertexShader().getHandle()); manager.unsubscribe(asset.getFragmentShader()); manager.unsubscribe(asset.getVertexShader()); GL20.glDeleteProgram(asset.getHandle()); } /** * Defines the data of the JSON-files, containing information about the shader programs. */ static final class ShaderProgramData { private String vertexShader = ""; private String fragmentShader = ""; private List<String> parameters = emptyList(); private List<ShaderProgramAttribute> attributes = emptyList(); public String getVertexShader() { return vertexShader; } public void setVertexShader(String vertexShader) { this.vertexShader = vertexShader; } public String getFragmentShader() { return fragmentShader; } public void setFragmentShader(String fragmentShader) { this.fragmentShader = fragmentShader; } public List<String> getParameters() { return parameters; } public void setParameters(List<String> parameters) { this.parameters = parameters; } public List<ShaderProgramAttribute> getAttributes() { return attributes; } public void setAttributes(List<ShaderProgramAttribute> attributes) { this.attributes = attributes; } } /** * Defines attribute locations for the shader program. */ static final class ShaderProgramAttribute { private int index; private String name = ""; public int getIndex() { return index; } public void setIndex(int index) { this.index = index; } public String getName() { return name; } public void setName(String name) { this.name = name; } } } <file_sep>package com.antonjohansson.game.client.app.asset.shader; import static java.util.Objects.requireNonNull; import static org.lwjgl.BufferUtils.createFloatBuffer; import java.nio.FloatBuffer; import java.util.Map; import org.lwjgl.opengl.GL20; import com.antonjohansson.game.client.app.asset.common.IAsset; import com.antonjohansson.game.client.math.Matrix4; /** * Defines a shader program, including a vertex shader and a fragment shader. */ public class ShaderProgram implements IAsset { private final String name; private final int handle; private final Map<String, Integer> parameterHandles; private final VertexShader vertexShader; private final FragmentShader fragmentShader; private boolean inUse; ShaderProgram(String name, int handle, Map<String, Integer> parameterHandles, VertexShader vertexShader, FragmentShader fragmentShader) { this.name = name; this.handle = handle; this.parameterHandles = parameterHandles; this.vertexShader = vertexShader; this.fragmentShader = fragmentShader; } @Override public Object getIdentifier() { return name; } int getHandle() { return handle; } VertexShader getVertexShader() { return vertexShader; } FragmentShader getFragmentShader() { return fragmentShader; } /** * Starts using the shader program. */ public void use() { if (inUse) { throw new IllegalStateException("The shader is already in use"); } GL20.glUseProgram(handle); inUse = true; } /** * Sets a uniform four times four matrix value. * * @param parameterName The name of the parameter. * @param value The matrix to set. */ public void setMatrix(String parameterName, Matrix4 value) { checkThatShaderIsInUse(); FloatBuffer buffer = createFloatBuffer(Matrix4.NUMBER_OF_FLOATS); value.feed(buffer); buffer.flip(); setMatrix(parameterName, buffer); } /** * Sets a uniform four times four matrix value. * * @param parameterName The name of the parameter. * @param value The matrix to set. */ public void setMatrix(String parameterName, FloatBuffer value) { if (value.capacity() != Matrix4.NUMBER_OF_FLOATS) { throw new IllegalArgumentException("The input buffer must have a capacity of " + Matrix4.NUMBER_OF_FLOATS); } checkThatShaderIsInUse(); int parameterHandle = requireNonNull(parameterHandles.get(parameterName), "No parameter with name '" + parameterName + "' was found"); GL20.glUniformMatrix4fv(parameterHandle, false, value); } private void checkThatShaderIsInUse() { if (!inUse) { throw new IllegalStateException("The shader is not in use"); } } /** * Stops using the shader program. */ public void end() { checkThatShaderIsInUse(); GL20.glUseProgram(0); inUse = false; } } <file_sep>package com.antonjohansson.game.client.tools; import static com.antonjohansson.game.client.app.asset.map.MapPartLoader.FORMAT; import static com.antonjohansson.game.client.app.common.Constants.HORIZONTAL_TILES_PER_PART; import static com.antonjohansson.game.client.app.common.Constants.VERTICAL_TILES_PER_PART; import java.io.File; import java.io.FileWriter; import java.io.Writer; import java.util.Random; import com.antonjohansson.game.client.app.asset.map.MapPartLoader; import com.antonjohansson.game.client.app.asset.map.raw.MapData; import com.antonjohansson.game.client.app.asset.map.raw.MapDataTile; /** * Generates a dummy map. */ public class MapGenerator { /** Entry-point. */ public static void main(String[] args) { for (int y = -3; y <= 3; y++) { for (int x = -3; x <= 3; x++) { generate(x, y); } } } private static void generate(int mapX, int mapY) { MapDataTile[][] tiles = new MapDataTile[HORIZONTAL_TILES_PER_PART][VERTICAL_TILES_PER_PART]; for (int x = 0; x < HORIZONTAL_TILES_PER_PART; x++) { for (int y = 0; y < VERTICAL_TILES_PER_PART; y++) { MapDataTile tile = new MapDataTile(); tile.setTilesetId(1); tile.setTileId(new Random().nextInt(50) + 1); tiles[x][y] = tile; } } MapData data = new MapData(); data.setTiles(tiles); String json = MapPartLoader.MAPPER.toJson(data); // System.out.println(json); String fileName = FORMAT.format(mapX) + "." + FORMAT.format(mapY) + ".map"; try (Writer writer = new FileWriter(getAssetLocation() + "maps/" + fileName)) { writer.write(json); writer.flush(); } catch (Exception e) { e.printStackTrace(); } } private static String getAssetLocation() { return new File("pom.xml").getAbsoluteFile().getParentFile().getParent() + "/2d-game-client-application/src/main/assets/"; } } <file_sep>package com.antonjohansson.game.client.app.rendering; /** * Defines a vertex attribute. */ class VertexAttribute { private final int size; private final int offset; VertexAttribute(int size, int offset) { this.size = size; this.offset = offset; } public int getSize() { return size; } public int getOffset() { return offset; } } <file_sep>package com.antonjohansson.game.client.app.asset.shader; import static org.apache.commons.io.FileUtils.readFileToString; import java.io.File; import java.io.IOException; import java.util.function.BiFunction; import org.lwjgl.opengl.GL11; import org.lwjgl.opengl.GL20; import com.antonjohansson.game.client.app.asset.IAssetLoader; import com.antonjohansson.game.client.app.asset.IAssetManager; /** * Abstract skeleton for loading shaders. * * @param <S> The type of the shader. */ abstract class AbstractShaderLoader<S extends AbstractShader> implements IAssetLoader<S, String> { private final String extension; private final int shaderType; private final BiFunction<Integer, String, S> constructor; private String shaderLocation; AbstractShaderLoader(String extension, int shaderType, BiFunction<Integer, String, S> constructor) { this.extension = extension; this.shaderType = shaderType; this.constructor = constructor; } @Override public final void setAssetLocation(String assetLocation) { this.shaderLocation = assetLocation + "shaders/"; } @Override public final Class<String> getIdentifierType() { return String.class; } @Override public final S load(String identifier, IAssetManager manager) { String fileName = shaderLocation + identifier + extension; File file = new File(fileName); String shaderSource = getShaderSource(file); int handle = GL20.glCreateShader(shaderType); GL20.glShaderSource(handle, shaderSource); GL20.glCompileShader(handle); if (GL20.glGetShaderi(handle, GL20.GL_COMPILE_STATUS) == GL11.GL_FALSE) { throw new RuntimeException("Could not compile shader with name '" + identifier + "': " + GL20.glGetShaderInfoLog(handle)); } return constructor.apply(handle, identifier); } private String getShaderSource(File file) { try { return readFileToString(file, "UTF-8"); } catch (IOException e) { throw new RuntimeException(e); } } @Override public final void dispose(S asset, IAssetManager manager) { GL20.glDeleteShader(asset.getHandle()); } } <file_sep>package com.antonjohansson.game.client.app.asset.shader; /** * Defines a fragment shader. */ public class FragmentShader extends AbstractShader { FragmentShader(int handle, String name) { super(handle, name); } } <file_sep>package com.antonjohansson.game.client.app.asset.map; import com.antonjohansson.game.client.app.asset.common.IAsset; /** * Defines a small part of the map. */ public class MapPart implements IAsset { private final MapPartIdentifier identifier; private final MapTile[][] tiles; MapPart(MapPartIdentifier identifier, MapTile[][] tiles) { this.identifier = identifier; this.tiles = tiles; } @Override public MapPartIdentifier getIdentifier() { return identifier; } /** * Gets the tile of the given coordinate within the part. * * @param x The horizontal coordinate (x) of the part. * @param y The vertical coordinate (y) of the part. * @return Returns the tile at the specified coordinate. */ public MapTile getTile(int x, int y) { return tiles[x][y]; } public int getX() { return identifier.getX(); } public int getY() { return identifier.getY(); } } <file_sep><?xml version="1.0" encoding="UTF-8"?> <project xmlns="http://maven.apache.org/POM/4.0.0" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" xsi:schemaLocation="http://maven.apache.org/POM/4.0.0 http://maven.apache.org/xsd/maven-4.0.0.xsd"> <modelVersion>4.0.0</modelVersion> <parent> <groupId>com.anton-johansson</groupId> <artifactId>2d-game</artifactId> <version>0.0.1-SNAPSHOT</version> </parent> <artifactId>2d-game-client</artifactId> <packaging>pom</packaging> <name><NAME> :: 2D Game :: Client</name> <description>Parent for all client related modules.</description> <modules> <module>2d-game-client-application</module> <module>2d-game-client-tools</module> <module>2d-game-client-math</module> </modules> </project> <file_sep>package com.antonjohansson.game.client.app.asset.shader; import org.lwjgl.opengl.GL20; /** * Loads {@link VertexShader vertex shaders}. */ public class VertexShaderLoader extends AbstractShaderLoader<VertexShader> { public VertexShaderLoader() { super(".vs", GL20.GL_VERTEX_SHADER, VertexShader::new); } } <file_sep>package com.antonjohansson.game.client.app.asset.shader; import com.antonjohansson.game.client.app.asset.common.IAsset; /** * Abstract skeleton for shaders. */ abstract class AbstractShader implements IAsset { private final int handle; private final String name; AbstractShader(int handle, String name) { this.handle = handle; this.name = name; } int getHandle() { return handle; } @Override public Object getIdentifier() { return name; } } <file_sep>package com.antonjohansson.game.client.app.asset.map.raw; /** * Defines a tile in the raw map data structure. */ public class MapDataTile { private int tilesetId; private int tileId; public int getTilesetId() { return tilesetId; } public void setTilesetId(int tilesetId) { this.tilesetId = tilesetId; } public int getTileId() { return tileId; } public void setTileId(int tileId) { this.tileId = tileId; } } <file_sep>package com.antonjohansson.game.client.app.config; import java.util.OptionalInt; /** * Contains graphics configuration for the game. */ public class GraphicsConfiguration { private int width; private int height; private boolean verticalSyncEnabled; private int frameCap; public int getWidth() { return width; } public void setWidth(int width) { this.width = width; } public int getHeight() { return height; } public void setHeight(int height) { this.height = height; } public boolean isVerticalSyncEnabled() { return verticalSyncEnabled; } public void setVerticalSyncEnabled(boolean verticalSyncEnabled) { this.verticalSyncEnabled = verticalSyncEnabled; } public void setFrameCap(int frameCap) { this.frameCap = frameCap; } public OptionalInt getFrameCap() { return frameCap > 0 ? OptionalInt.of(frameCap) : OptionalInt.empty(); } } <file_sep><?xml version="1.0" encoding="UTF-8"?> <project xmlns="http://maven.apache.org/POM/4.0.0" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" xsi:schemaLocation="http://maven.apache.org/POM/4.0.0 http://maven.apache.org/xsd/maven-4.0.0.xsd"> <modelVersion>4.0.0</modelVersion> <parent> <groupId>com.viskan</groupId> <artifactId>parent</artifactId> <version>6</version> </parent> <groupId>com.anton-johansson</groupId> <artifactId>2d-game</artifactId> <version>0.0.1-SNAPSHOT</version> <packaging>pom</packaging> <name><NAME> :: 2D Game</name> <description>A simple 2D game.</description> <url>https://github.com/anton-johansson/2d-game</url> <properties> <maven.compiler.source>1.8</maven.compiler.source> <maven.compiler.target>1.8</maven.compiler.target> <lwjgl.version>3.1.3</lwjgl.version> </properties> <modules> <module>2d-game-client</module> </modules> <organization /> <developers> <developer> <id>anton-johansson</id> <name><NAME></name> <email><EMAIL></email> </developer> </developers> <issueManagement> <url>https://github.com/anton-johansson/2d-game/issues</url> <system>GitHub Issues</system> </issueManagement> <licenses> <license> <name>Apache License, Version 2.0</name> <url>http://www.apache.org/licenses/LICENSE-2.0</url> <distribution>repo</distribution> </license> </licenses> <scm> <url>https://github.com/anton-johansson/2d-game</url> <connection>scm:git:git@github.com:anton-johansson/2d-game.git</connection> <developerConnection>scm:git:git@github.com:anton-johansson/2d-game.git</developerConnection> <tag>HEAD</tag> </scm> </project> <file_sep>package com.antonjohansson.game.client.app.asset; /** * Extension of {@link IAssetManager} that can also control the manager itself. */ public interface IAssetManagerController extends IAssetManager { /** * Initializes the asset manager. */ void initialize(); /** * Disposes the asset manager. */ void dispose(); } <file_sep>package com.antonjohansson.game.client.app.asset.map; import java.util.Objects; /** * Defines an identifier for loading {@link MapPart map parts}. */ public class MapPartIdentifier { private final int x; private final int y; private MapPartIdentifier(int x, int y) { this.x = x; this.y = y; } /** * Gets a new identifier of the given coordinates. * * @param x The x-coodrinate. * @param y The y-coordinate. * @return Returns the identifier. */ public static MapPartIdentifier of(int x, int y) { return new MapPartIdentifier(x, y); } public int getX() { return x; } public int getY() { return y; } @Override public int hashCode() { return Objects.hash(x, y); } @Override public boolean equals(Object obj) { if (obj == null || obj.getClass() != getClass()) { return false; } if (obj == this) { return true; } MapPartIdentifier that = (MapPartIdentifier) obj; return this.x == that.x && this.y == that.y; } @Override public String toString() { return "(" + x + ", " + y + ")"; } } <file_sep>package com.antonjohansson.game.client.app.rendering; import java.nio.FloatBuffer; /** * Defines a vertex. */ public interface IVertex { /** * Gets the number of floats required to store this vertex type. * * @return Returns the number of floats. */ int getNumberOfFloats(); /** * Gets the attributes used for this vertex. * * @return Returns the attributes. */ VertexAttribute[] getAttributes(); /** * Feeds this vertex into the given buffer. * * @param buffer The buffer to feed. */ void feed(FloatBuffer buffer); } <file_sep>#version 150 core uniform sampler2D texture_diffuse; in vec2 pass_TextureCoord; out vec4 out_Color; void main(void) { vec4 c1 = texture(texture_diffuse, pass_TextureCoord); out_Color = c1; } <file_sep>package com.antonjohansson.game.client.app.asset.font; import java.nio.FloatBuffer; import org.lwjgl.BufferUtils; import org.lwjgl.opengl.GL11; import org.lwjgl.stb.STBTTAlignedQuad; import org.lwjgl.stb.STBTTPackedchar; import org.lwjgl.stb.STBTruetype; import com.antonjohansson.game.client.app.asset.common.IAsset; /** * Defines a renderable bitmap font. */ public class Font implements IAsset { private final FontKey key; private final STBTTPackedchar.Buffer characterData; private final int textureId; private final int textureWidth; private final int textureHeight; Font(FontKey key, STBTTPackedchar.Buffer characterData, int textureId, int textureWidth, int textureHeight) { this.key = key; this.characterData = characterData; this.textureId = textureId; this.textureWidth = textureWidth; this.textureHeight = textureHeight; } @Override public Object getIdentifier() { return key; } int getTextureId() { return textureId; } STBTTPackedchar.Buffer getCharacterData() { return characterData; } private void print(float x, float y, String text) { FloatBuffer xb = BufferUtils.createFloatBuffer(1); FloatBuffer yb = BufferUtils.createFloatBuffer(1); STBTTAlignedQuad q = STBTTAlignedQuad.malloc(); xb.put(0, x); yb.put(0, -y); GL11.glEnable(GL11.GL_TEXTURE_2D); GL11.glEnable(GL11.GL_BLEND); GL11.glBlendFunc(GL11.GL_SRC_ALPHA, GL11.GL_ONE_MINUS_SRC_ALPHA); GL11.glBindTexture(GL11.GL_TEXTURE_2D, textureId); GL11.glBegin(GL11.GL_QUADS); for (int i = 0; i < text.length(); i++) { int character = text.charAt(i); STBTruetype.stbtt_GetPackedQuad(characterData, textureWidth, textureHeight, character, xb, yb, q, false); drawBoxTC( q.x0() + 1, -q.y0() - 1, q.x1() + 1, -q.y1() - 1, q.s0(), q.t0(), q.s1(), q.t1(), true); drawBoxTC( q.x0(), -q.y0(), q.x1(), -q.y1(), q.s0(), q.t0(), q.s1(), q.t1(), false); } GL11.glEnd(); q.free(); } private static void drawBoxTC(float x0, float y0, float x1, float y1, float s0, float t0, float s1, float t1, boolean black) { float c = black ? 0 : 1; GL11.glTexCoord2f(s0, t0); GL11.glColor4f(c, c, c, 1); GL11.glVertex2f(x0, y0); GL11.glTexCoord2f(s1, t0); GL11.glColor4f(c, c, c, 1); GL11.glVertex2f(x1, y0); GL11.glTexCoord2f(s1, t1); GL11.glColor4f(c, c, c, 1); GL11.glVertex2f(x1, y1); GL11.glTexCoord2f(s0, t1); GL11.glColor4f(c, c, c, 1); GL11.glVertex2f(x0, y1); } /** * Prints a text. * * @param text The text to print. * @param x The X-location.F * @param y The Y-location. */ public void print(String text, float x, float y) { print(x, y, text); } } <file_sep># 2D game Simple 2D-game, written in Java with Open GL. ## Running Mandatory system variables: * `-DassetLocation=/home/user/projects/2d-game/src/main/assets/` Optional system variables: * `-DframeCap=165` <file_sep>package com.antonjohansson.game.client.app.common; import org.junit.Assert; import org.junit.Test; /** * Unit tests of {@link Utility}. */ public class UtilityTest extends Assert { private static final float DELTA = 0.000000000001F; @Test public void test_toMeters() { assertEquals(2.5F, Utility.toMeters(160), DELTA); assertEquals(12.5F, Utility.toMeters(800), DELTA); assertEquals(10.484375F, Utility.toMeters(671), DELTA); } @Test public void test_toPixels() { assertEquals(160, Utility.toPixels(2.5F), DELTA); assertEquals(800, Utility.toPixels(12.5F), DELTA); assertEquals(671, Utility.toPixels(10.484375F), DELTA); } } <file_sep>package com.antonjohansson.game.client.app.asset.input; /** * Provides operations for working with input. */ public interface IInputManager { /** * Gets whether or not a {@link Key key} is held down. * * @param key The key to check. * @return Returns {@code true} if the key is held down; otherwise, {@code false}. */ boolean isKeyDown(Key key); } <file_sep><?xml version="1.0" encoding="UTF-8"?> <project xmlns="http://maven.apache.org/POM/4.0.0" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" xsi:schemaLocation="http://maven.apache.org/POM/4.0.0 http://maven.apache.org/xsd/maven-4.0.0.xsd"> <modelVersion>4.0.0</modelVersion> <parent> <groupId>com.anton-johansson</groupId> <artifactId>2d-game-client</artifactId> <version>0.0.1-SNAPSHOT</version> </parent> <artifactId>2d-game-client-application</artifactId> <name><NAME> :: 2D Game :: Client :: Application</name> <description>The actual game application.</description> <dependencies> <dependency> <groupId>${project.groupId}</groupId> <artifactId>2d-game-client-math</artifactId> <version>${project.version}</version> </dependency> <dependency> <groupId>org.lwjgl</groupId> <artifactId>lwjgl</artifactId> <version>${lwjgl.version}</version> </dependency> <dependency> <groupId>org.lwjgl</groupId> <artifactId>lwjgl-glfw</artifactId> <version>${lwjgl.version}</version> </dependency> <!-- <dependency> <groupId>org.lwjgl</groupId> <artifactId>lwjgl-jemalloc</artifactId> <version>${lwjgl.version}</version> </dependency> <dependency> <groupId>org.lwjgl</groupId> <artifactId>lwjgl-openal</artifactId> <version>${lwjgl.version}</version> </dependency> --> <dependency> <groupId>org.lwjgl</groupId> <artifactId>lwjgl-opengl</artifactId> <version>${lwjgl.version}</version> </dependency> <dependency> <groupId>org.lwjgl</groupId> <artifactId>lwjgl-stb</artifactId> <version>${lwjgl.version}</version> </dependency> <dependency> <groupId>org.lwjgl</groupId> <artifactId>lwjgl</artifactId> <version>${lwjgl.version}</version> <classifier>${lwjgl.natives}</classifier> <scope>runtime</scope> </dependency> <dependency> <groupId>org.lwjgl</groupId> <artifactId>lwjgl-glfw</artifactId> <version>${lwjgl.version}</version> <classifier>${lwjgl.natives}</classifier> <scope>runtime</scope> </dependency> <!-- <dependency> <groupId>org.lwjgl</groupId> <artifactId>lwjgl-jemalloc</artifactId> <version>${lwjgl.version}</version> <classifier>${lwjgl.natives}</classifier> <scope>runtime</scope> </dependency> <dependency> <groupId>org.lwjgl</groupId> <artifactId>lwjgl-openal</artifactId> <version>${lwjgl.version}</version> <classifier>${lwjgl.natives}</classifier> <scope>runtime</scope> </dependency> --> <dependency> <groupId>org.lwjgl</groupId> <artifactId>lwjgl-opengl</artifactId> <version>${lwjgl.version}</version> <classifier>${lwjgl.natives}</classifier> <scope>runtime</scope> </dependency> <dependency> <groupId>org.lwjgl</groupId> <artifactId>lwjgl-stb</artifactId> <version>${lwjgl.version}</version> <classifier>${lwjgl.natives}</classifier> <scope>runtime</scope> </dependency> <dependency> <groupId>org.apache.commons</groupId> <artifactId>commons-lang3</artifactId> <version>3.6</version> </dependency> <dependency> <groupId>commons-io</groupId> <artifactId>commons-io</artifactId> <version>2.5</version> </dependency> <dependency> <groupId>com.google.code.gson</groupId> <artifactId>gson</artifactId> <version>2.8.2</version> </dependency> <dependency> <groupId>junit</groupId> <artifactId>junit</artifactId> <version>4.12</version> <scope>test</scope> </dependency> </dependencies> <profiles> <profile> <id>lwjgl-natives-linux</id> <activation> <os> <family>unix</family> </os> </activation> <properties> <lwjgl.natives>natives-linux</lwjgl.natives> </properties> </profile> <profile> <id>lwjgl-natives-macos</id> <activation> <os> <family>mac</family> </os> </activation> <properties> <lwjgl.natives>natives-macos</lwjgl.natives> </properties> </profile> <profile> <id>lwjgl-natives-windows</id> <activation> <os> <family>windows</family> </os> </activation> <properties> <lwjgl.natives>natives-windows</lwjgl.natives> </properties> </profile> </profiles> </project> <file_sep>package com.antonjohansson.game.client.app.world; import static com.antonjohansson.game.client.app.asset.input.Key.DOWN; import static com.antonjohansson.game.client.app.asset.input.Key.LEFT; import static com.antonjohansson.game.client.app.asset.input.Key.RIGHT; import static com.antonjohansson.game.client.app.asset.input.Key.UP; import com.antonjohansson.game.client.app.asset.input.InputManager; import com.antonjohansson.game.client.app.time.IGameTime; /** * Contains information about the playable character. */ public class Player { private float x; private float y; public float getX() { return x; } public float getY() { return y; } /** * Updates the player. * * @param gameTime The current game time. * @param inputManager The input manager. */ public void update(IGameTime gameTime, InputManager inputManager) { float deltaX = 0.0F; float deltaY = 0.0F; if (inputManager.isKeyDown(LEFT)) { deltaX -= 1.0F; } if (inputManager.isKeyDown(RIGHT)) { deltaX += 1.0F; } if (inputManager.isKeyDown(DOWN)) { deltaY -= 1.0F; } if (inputManager.isKeyDown(UP)) { deltaY += 1.0F; } deltaX = deltaX * gameTime.getDelta(); deltaY = deltaY * gameTime.getDelta(); x += deltaX; y += deltaY; } } <file_sep>package com.antonjohansson.game.client.app.asset.shader; import org.lwjgl.opengl.GL20; /** * Loads {@link FragmentShader fragment shaders}. */ public class FragmentShaderLoader extends AbstractShaderLoader<FragmentShader> { public FragmentShaderLoader() { super(".fs", GL20.GL_FRAGMENT_SHADER, FragmentShader::new); } } <file_sep>package com.antonjohansson.game.client.app.asset.common; /** * Defines an asset. */ public interface IAsset { /** * Gets the identifier of this asset. * * @return Returns the identifier. */ Object getIdentifier(); } <file_sep>package com.antonjohansson.game.client.app.asset.texture; import org.lwjgl.opengl.GL11; import com.antonjohansson.game.client.app.asset.common.IAsset; /** * Defines a texture that can be rendered. */ public class Texture implements IAsset { private final String name; private final int graphicsIdentifier; private final int width; private final int height; Texture(String name, int graphicsIdentifier, int width, int height) { this.name = name; this.graphicsIdentifier = graphicsIdentifier; this.width = width; this.height = height; } int getGraphicsIdentifier() { return graphicsIdentifier; } public int getWidth() { return width; } public int getHeight() { return height; } @Override public String getIdentifier() { return name; } /** * Binds the texture to the graphics renderer. */ public void bind() { GL11.glBindTexture(GL11.GL_TEXTURE_2D, graphicsIdentifier); } }
817484f83f7f8514ba737fba69295c904788089c
[ "Java", "Markdown", "GLSL", "Maven POM" ]
27
Java
anton-johansson/2d-game
21e9a37fb3c5fcff8923699b04ceff67853b4334
ae423edc7f972a4cc5666bd24b9eb34c3f4b00cc
refs/heads/master
<repo_name>Project0825/TetrisGame<file_sep>/Assets/Scripts/Ctrl/CameraManager.cs using System.Collections; using System.Collections.Generic; using UnityEngine; using DG.Tweening; public class CameraManager : MonoBehaviour { private Camera mainCamera; // Use this for initialization void Awake() { mainCamera = Camera.main; } /// <summary> /// 相机拉近 /// </summary> public void ZoomIn() { mainCamera.DOOrthoSize(12.88f, 0.5f); } /// <summary> /// 相机拉远 /// </summary> public void ZoomOut() { mainCamera.DOOrthoSize(17.26f,0.5f); } }<file_sep>/Assets/Scripts/Ctrl/Shape.cs using System.Collections; using System.Collections.Generic; using UnityEngine; public class Shape : MonoBehaviour { private bool isPause = false; private Transform pivot; private float timer = 0; private float stepTime = 0.8f; private int multiple = 18; private bool IsSpeedUp = false; private Ctrl ctrl; private GameManager gameManager; private void Awake() { pivot = transform.Find("Pivot"); } private void Update() { if (isPause) { return; } timer += Time.deltaTime; if (timer > stepTime) { timer = 0; Fall(); } inputControl(); } public void Init(Color color,Ctrl ctrl,GameManager gameManager) { this.ctrl = ctrl; this.gameManager = gameManager; foreach (Transform t in transform) { if(t.tag == "Block") { t.GetComponent<SpriteRenderer>().color = color; } } } private void Fall() { Vector3 pos = transform.position; pos.y -= 1; transform.position = pos; if(ctrl.model.IsVaildMapPosition(this.transform) == false) { pos.y += 1; transform.position = pos; isPause = true; bool isClear = ctrl.model.PlaceShape(this.transform); if (isClear) ctrl.audioManager.PlayAudioClear(); gameManager.FallDown(); return; } ctrl.audioManager.PlayDrop(); } private void inputControl() { float h = 0; if (Input.GetKeyDown(KeyCode.LeftArrow)) { h = -1; } else if (Input.GetKeyDown(KeyCode.RightArrow)) { h = 1; } else if (Input.GetKeyDown(KeyCode.UpArrow)) { transform.RotateAround(pivot.position, Vector3.forward, -90); if (ctrl.model.IsVaildMapPosition(this.transform) == false) { transform.RotateAround(pivot.position, Vector3.forward, 90); } else { ctrl.audioManager.PlayMove(); } } else if (Input.GetKeyDown(KeyCode.DownArrow)) { stepTime /= multiple; } if (h != 0) { Vector3 pos = transform.position; pos.x += h; transform.position = pos; if (ctrl.model.IsVaildMapPosition(this.transform) == false) { pos.x -= h; transform.position = pos;return; } ctrl.audioManager.PlayMove(); } } public void Pause() { isPause = true; } public void Resume() { isPause = false; } }
3293cab64723ffb9bc484f2bc328b625852874e7
[ "C#" ]
2
C#
Project0825/TetrisGame
810e37117fc1affe848dff38f283696e074bb1d0
55df74c7113298500c416b16bd253f0a7ef54fda
refs/heads/master
<repo_name>kitbs/podium<file_sep>/app/Traits/Publishable.php <?php namespace Podium\Traits; use Podium\Scopes\PublishableScope; trait Publishable { /** * Boot the soft deleting trait for a model. * * @return void */ public static function bootPublishable() { static::addGlobalScope(new PublishableScope); } /** * Get the IsPublished attribute. * * @return mixed */ public function getIsPublishedAttribute() { return !is_null($this->publish_at) && !$this->publish_at->isFuture(); } public function publish() { if ($this->fireModelEvent('publishing') === false) { return false; } $this->publish_at = $this->freshTimestamp(); $result = $this->save(); $this->fireModelEvent('published', false); return $result; } public function unpublish() { if ($this->fireModelEvent('unpublishing') === false) { return false; } $this->publish_at = null; $result = $this->save(); $this->fireModelEvent('published', false); return $result; } // public function scopeWherePublished($query) // { // $query->where('publish_at', '<=', $this->freshTimestamp())->whereNotNull('publish_at'); // } // // public function scopeWhereUnpublished($query) // { // $query->where(function($query) { // $query->where('publish_at', '>', $this->freshTimestamp())->orWhere('publish_at', null); // }); // } // // public function scopeOrderByPublished($query, $direction = 'desc') // { // $query->orderBy('publish_at', $direction); // } /** * Register a publishing model event with the dispatcher. * * @param \Closure|string $callback * @return void */ public static function publishing($callback) { static::registerModelEvent('publishing', $callback); } /** * Register a published model event with the dispatcher. * * @param \Closure|string $callback * @return void */ public static function published($callback) { static::registerModelEvent('published', $callback); } /** * Register an unpublishing model event with the dispatcher. * * @param \Closure|string $callback * @return void */ public static function unpublishing($callback) { static::registerModelEvent('unpublishing', $callback); } /** * Register an unpublished model event with the dispatcher. * * @param \Closure|string $callback * @return void */ public static function unpublished($callback) { static::registerModelEvent('unpublished', $callback); } public function getPublishAtColumn() { return 'publish_at'; } public function getQualifiedPublishAtColumn() { return $this->getTable().'.'.$this->getPublishAtColumn(); } } <file_sep>/resources/views/podcasts/show.blade.php <h1>{{ $podcast->title }}</h1> <h2>{{ $podcast->subtitle }}</h2> <p>{{ $podcast->description }}</p> <p>{{ $podcast->author }} ({{ $podcast->author_email }})</p> <file_sep>/app/Scopes/PublishableScope.php <?php namespace Podium\Scopes; use Illuminate\Database\Eloquent\Scope; use Illuminate\Database\Eloquent\Model; use Illuminate\Database\Eloquent\Builder; class PublishableScope implements Scope { /** * All of the extensions to be added to the builder. * * @var array */ protected $extensions = ['Publish', 'Unpublish', 'WithUnpublished', 'WithoutUnpublished', 'OnlyUnpublished', 'OrderByPublished']; /** * Apply the scope to a given Eloquent query builder. * * @param \Illuminate\Database\Eloquent\Builder $builder * @param \Illuminate\Database\Eloquent\Model $model * @return void */ public function apply(Builder $builder, Model $model) { $builder->where($model->getQualifiedPublishAtColumn(), '<=', $model->freshTimestamp())->whereNotNull($model->getQualifiedPublishAtColumn()); } /** * Extend the query builder with the needed functions. * * @param \Illuminate\Database\Eloquent\Builder $builder * @return void */ public function extend(Builder $builder) { foreach ($this->extensions as $extension) { $this->{"add{$extension}"}($builder); } } /** * Get the "deleted at" column for the builder. * * @param \Illuminate\Database\Eloquent\Builder $builder * @return string */ protected function getPublishAtColumn(Builder $builder) { if (count($builder->getQuery()->joins) > 0) { return $builder->getModel()->getQualifiedPublishAtColumn(); } return $builder->getModel()->getPublishAtColumn(); } /** * Add the publish extension to the builder. * * @param \Illuminate\Database\Eloquent\Builder $builder * @return void */ protected function addPublish(Builder $builder) { $builder->macro('publish', function (Builder $builder) { $builder->withUnpublished(); return $builder->update([$builder->getModel()->getPublishAtColumn() => $builder->getModel()->freshTimestamp()]); }); } /** * Add the unpublish extension to the builder. * * @param \Illuminate\Database\Eloquent\Builder $builder * @return void */ protected function addUnpublish(Builder $builder) { $builder->macro('unpublish', function (Builder $builder) { $builder->withUnpublished(); return $builder->update([$builder->getModel()->getPublishAtColumn() => null]); }); } /** * Add the with-unpublished extension to the builder. * * @param \Illuminate\Database\Eloquent\Builder $builder * @return void */ protected function addWithUnpublished(Builder $builder) { $builder->macro('withUnpublished', function (Builder $builder) { return $builder->withoutGlobalScope($this); }); } /** * Add the without-unpublished extension to the builder. * * @param \Illuminate\Database\Eloquent\Builder $builder * @return void */ protected function addWithoutUnpublished(Builder $builder) { $builder->macro('withoutUnpublished', function (Builder $builder) { $model = $builder->getModel(); $builder->withoutGlobalScope($this)->where($model->getQualifiedPublishAtColumn(), '<=', $model->freshTimestamp())->whereNotNull($model->getQualifiedPublishAtColumn()); return $builder; }); } /** * Add the only-unpublished extension to the builder. * * @param \Illuminate\Database\Eloquent\Builder $builder * @return void */ protected function addOnlyUnpublished(Builder $builder) { $builder->macro('onlyUnpublished', function (Builder $builder) { $model = $builder->getModel(); $builder->withoutGlobalScope($this)->whereNull( $model->getQualifiedPublishAtColumn() ); return $builder; }); } /** * Add the order-by-published extension to the builder. * * @param \Illuminate\Database\Eloquent\Builder $builder * @return void */ protected function addOrderByPublished(Builder $builder, $direction = 'desc') { $builder->macro('orderByPublished', function (Builder $builder) use ($direction) { $builder->withoutUnpublished()->orderBy($builder->getModel()->getQualifiedPublishAtColumn(), $direction); return $builder; }); } } <file_sep>/app/Http/Controllers/Frontend/PodcastsController.php <?php namespace Podium\Http\Controllers\Frontend; use Podium\Podcast; use Illuminate\Http\Request; use Podium\Http\Controllers\Controller; class PodcastsController extends Controller { /** * Display a listing of the podcast. * * @return \Illuminate\Http\Response */ public function index() { // } /** * Display the specified podcast. * * @param \Podium\Podcast $podcast * @return \Illuminate\Http\Response */ public function show(Podcast $podcast) { return view('podcasts.show', compact('podcast')); } /** * Display the cover image for the specified podcast. * * @param \Podium\Podcast $podcast * @param string $ext * @return \Illuminate\Http\Response */ public function cover(Podcast $podcast, $ext) { // } } <file_sep>/tests/Unit/PodcastTest.php <?php namespace Tests\Unit; use Tests\TestCase; use Illuminate\Foundation\Testing\WithoutMiddleware; use Illuminate\Foundation\Testing\DatabaseMigrations; use Illuminate\Foundation\Testing\DatabaseTransactions; use Podium\Podcast; use Carbon\Carbon; class PodcastTest extends TestCase { use DatabaseMigrations; /** @test */ public function podcasts_with_a_published_at_date_are_published() { $published1 = factory(Podcast::class)->states('published')->create(); $published2 = factory(Podcast::class)->states('published')->create(); $unpublished1 = factory(Podcast::class)->states('unpublished')->create(); $unpublished2 = factory(Podcast::class)->states('unpublished')->create(); $this->assertTrue($published1->is_published); $this->assertTrue($published2->is_published); $this->assertFalse($unpublished1->is_published); $this->assertFalse($unpublished2->is_published); $publishedPodcasts = Podcast::get(); $this->assertTrue($publishedPodcasts->contains($published1)); $this->assertTrue($publishedPodcasts->contains($published2)); $this->assertFalse($publishedPodcasts->contains($unpublished1)); $this->assertFalse($publishedPodcasts->contains($unpublished2)); } /** @test */ public function podcasts_without_a_published_date_are_unpublished() { factory(Podcast::class, 3)->states('published')->create(); factory(Podcast::class, 4)->states('unpublished')->create(); $this->assertEquals(3, Podcast::count()); $this->assertEquals(3, Podcast::withoutUnpublished()->count()); $this->assertEquals(4, Podcast::onlyUnpublished()->count()); $this->assertEquals(7, Podcast::withUnpublished()->count()); } /** @test */ public function podcasts_are_ordered_by_published_date() { $i = 1; factory(Podcast::class, 10)->states('unpublished')->create()->each(function($podcast) use (&$i) { $podcast->publish_at = Carbon::parse('-'.$i.' months'); $podcast->save(); $i++; }); $earliestDate = Podcast::min('publish_at'); $latestDate = Podcast::max('publish_at'); $podcasts = Podcast::orderByPublished()->pluck('publish_at'); $this->assertEquals($earliestDate, $podcasts->last()); $this->assertEquals($latestDate, $podcasts->first()); } /** @test */ public function podcast_can_be_published() { $podcast = factory(Podcast::class)->states('unpublished')->create(); $this->assertFalse($podcast->is_published); $podcast->publish(); $this->assertTrue($podcast->is_published); $podcast->refresh(); $this->assertTrue($podcast->is_published); } } <file_sep>/app/Providers/AppServiceProvider.php <?php namespace Podium\Providers; use Illuminate\Support\ServiceProvider; use Illuminate\Database\Schema\Blueprint; class AppServiceProvider extends ServiceProvider { /** * Bootstrap any application services. * * @return void */ public function boot() { Blueprint::macro('belongsTo', function($relatedTable, $foreignKey = null, $primaryKey = 'id', $nullable = false, $index = true) { $foreignKey = $foreignKey ?: str_singular($relatedTable).'_id'; if ($nullable) { $this->integer($foreignKey)->unsigned()->nullable(); } else { $this->integer($foreignKey)->unsigned(); } if ($index) { $this->foreign($foreignKey)->references($primaryKey)->on($relatedTable); } }); } /** * Register any application services. * * @return void */ public function register() { // } } <file_sep>/database/factories/ModelFactory.php <?php /* |-------------------------------------------------------------------------- | Model Factories |-------------------------------------------------------------------------- | | Here you may define all of your model factories. Model factories give | you a convenient way to create models for testing and seeding your | database. Just tell the factory how a default model should look. | */ /** @var \Illuminate\Database\Eloquent\Factory $factory */ $factory->define(Podium\User::class, function (Faker\Generator $faker) { static $password; return [ 'name' => $faker->name, 'email' => $faker->unique()->safeEmail, 'password' => $password ?: $password = bcrypt('<PASSWORD>'), 'remember_token' => str_random(10), ]; }); /** @var \Illuminate\Database\Eloquent\Factory $factory */ $factory->define(Podium\Podcast::class, function (Faker\Generator $faker) { return [ 'title' => ucwords($faker->unique()->words(3, true)), 'subtitle' => ucwords($faker->words(7, true)), 'description' => $faker->sentences(3, true), 'language' => $faker->randomElement(['en', 'de', 'es', 'fr']), 'is_explicit' => $faker->boolean(30), 'publish_at' => $faker->boolean(50) ? $faker->dateTimeBetween('-30 days', '+30 days') : null, 'author' => $faker->name, 'author_email' => $faker->safeEmail, // 'user_id' => factory(Podium\User::class)->create()->first()->id, ]; }); $factory->state(Podium\Podcast::class, 'published', function (Faker\Generator $faker) { return [ 'publish_at' => $faker->dateTimeBetween('-10 days', '-1 day'), ]; }); $factory->state(Podium\Podcast::class, 'unpublished', function (Faker\Generator $faker) { return [ 'publish_at' => null, ]; }); $factory->state(Podium\Podcast::class, 'explicit', function (Faker\Generator $faker) { return [ 'is_explicit' => true, ]; }); $factory->state(Podium\Podcast::class, 'clean', function (Faker\Generator $faker) { return [ 'is_explicit' => false, ]; }); /** @var \Illuminate\Database\Eloquent\Factory $factory */ $factory->define(Podium\Episode::class, function (Faker\Generator $faker) { return [ 'title' => ucwords($faker->unique()->words(3, true)), 'subtitle' => ucwords($faker->words(7, true)), 'description' => $faker->sentences(3, true), 'explicit' => $faker->boolean(30), 'publish_at' => $faker->boolean(90) ? $faker->dateTimeBetween('-30 days', '+30 days') : null, ]; }); <file_sep>/app/Podcast.php <?php namespace Podium; use Illuminate\Database\Eloquent\Model; use Podium\Traits\Publishable; class Podcast extends Model { use Publishable; protected $guarded = []; /** * The attributes that should be cast to native types. * * @var array */ protected $casts = [ 'publish_at' => 'datetime', ]; } <file_sep>/database/migrations/2017_07_31_105309_create_podcasts_table.php <?php use Illuminate\Support\Facades\Schema; use Illuminate\Database\Schema\Blueprint; use Illuminate\Database\Migrations\Migration; class CreatePodcastsTable extends Migration { /** * Run the migrations. * * @return void */ public function up() { Schema::create('podcasts', function (Blueprint $table) { $table->increments('id'); $table->string('title'); $table->string('subtitle')->nullable(); $table->text('description')->nullable(); // $table->string('slug')->unique(); $table->string('language')->default('en'); $table->string('author')->nullable(); $table->string('author_email')->nullable(); $table->string('copyright')->nullable(); $table->boolean('is_explicit')->default(false); $table->json('categories')->nullable(); $table->datetime('publish_at')->nullable(); $table->boolean('is_blocked')->default(false); $table->boolean('is_complete')->default(false); // $table->belongsTo('users'); $table->timestamps(); $table->softDeletes(); }); } /** * Reverse the migrations. * * @return void */ public function down() { Schema::dropIfExists('podcasts'); } } <file_sep>/tests/Feature/ViewPodcastTest.php <?php namespace Tests\Feature; use Tests\TestCase; use Illuminate\Foundation\Testing\WithoutMiddleware; use Illuminate\Foundation\Testing\DatabaseMigrations; use Illuminate\Foundation\Testing\DatabaseTransactions; use Podium\Podcast; class ViewPodcastTest extends TestCase { use DatabaseMigrations; /** @test */ public function user_can_view_a_published_podcast() { // Arrange // Create a podcast $podcast = factory(Podcast::class)->states('published')->create(); // Act // View the podcast $response = $this->get('/podcasts/'.$podcast->id); // Assert // See the podcast details $response->assertStatus(200); $response->assertSee($podcast->title); $response->assertSee($podcast->subtitle); $response->assertSee($podcast->description); $response->assertSee($podcast->author); $response->assertSee($podcast->author_email); } /** @test */ public function user_cannot_view_an_unpublished_podcast() { $podcast = factory(Podcast::class)->states('unpublished')->create(); // Act // View the podcast $response = $this->get('/podcasts/'.$podcast->id); // Assert // See the podcast details $response->assertStatus(404); } }
ed35fa84a0d5e3833e8e29d5166488f089782c36
[ "Blade", "PHP" ]
10
Blade
kitbs/podium
a1ba853db7c3e1b0a0202b6d53409e36f9f6deda
e34f1e1241f0563b877f5ba14e6fc6fbb680a19a
refs/heads/master
<file_sep>from src.masking_utils import display_multiclass_overlay, separate_mask_regions from skimage.io import imread if __name__ == '__main__': rgb_image = imread("./images/slide_thumbnail.png")[:, :, :3] gray_mask = imread("./images/grayscale_mask.png") rgb_mask = imread("./images/rgb_mask.png") # Display summaries of the masked regions display_multiclass_overlay(rgb_image, gray_mask) display_multiclass_overlay(rgb_image, rgb_mask) # Separate each slide into distinct regions based on mask. extracted_regions_gray = separate_mask_regions(rgb_image, gray_mask, retain_shape=False) extracted_regions_rgb = separate_mask_regions(rgb_image, rgb_mask, retain_shape=False) # Dictionary of types {value in mask: isolated pixels} print(extracted_regions_gray.items()) print(extracted_regions_rgb.items()) <file_sep># Masking_Utils Short masking utils used in "[Towards Population-Based Histologic Stain Normalization of Glioblastoma](https://pubmed.ncbi.nlm.nih.gov/32743562/)", 2019 Usage: main.py to see example. Otherwise, see code. From: ```<NAME>, <NAME>, <NAME>, <NAME>, <NAME>, <NAME>. Towards Population-Based Histologic Stain Normalization of Glioblastoma. Brainlesion. 2020;11992:44-56. doi: 10.1007/978-3-030-46640-4_5. Epub 2020 May 19. PMID: 32743562; PMCID: PMC7394499.``` <file_sep>import numpy as np import matplotlib.pyplot as plt from warnings import warn def display_overlay(rgb_image: np.ndarray, binary_mask: np.ndarray, ax: plt.axis, check_mask=False): """ Display version of RGB_image where `False` values in binary_mask are darkened. :param rgb_image: :param binary_mask: :param ax: :param check_mask: :return: """ if check_mask and binary_mask.dtype is not bool: warn("`binary_mask` is non-boolean, attempting conversion.") binary_mask = binary_mask.astype(bool) overlay = rgb_image.copy() overlay[~binary_mask] = overlay[~binary_mask] // 2 # Darken the color of the original image where mask is False ax.imshow(overlay) def display_multiclass_overlay(rgb_image: np.ndarray, mask: np.ndarray): """ Given multiclass mask, display all isolated regions in mask. :param rgb_image: :param mask: :return: """ # If there are two dimensions, treat as 2D image if len(mask.shape) == 2: assert mask.shape[0] == rgb_image.shape[0] and mask.shape[1] == rgb_image.shape[1] dimensions = 2 # If there are three dimensions, it's okay if the mask has 3 or 4 channels (RGB or RGBA) elif len(mask.shape) == 3: dimensions = 3 else: print("Error: mask has too many dimensions.") raise ValueError if dimensions == 2: mask_values = np.unique(mask) fig, ax = plt.subplots(1, len(mask_values) + 1) ax[0].imshow(rgb_image) for index, val in enumerate(mask_values): display_overlay(rgb_image, mask == val, ax[index + 1]) elif dimensions == 3: mask_values = np.vstack(sorted({tuple(r) for r in mask.reshape(-1, 3)})) fig, ax = plt.subplots(1, len(mask_values) + 1) ax[0].imshow(rgb_image) for index, val in enumerate(mask_values): display_overlay(rgb_image, np.all(mask == val, axis=-1), ax[index + 1]) plt.show() def get_pixels_under_mask(rgb_image: np.ndarray, mask: np.ndarray, value: np.uint8, retain_shape: bool): """ Given an rgb image, a mask, and a mask value of interest, return a flattened list of pixels underneath where the mask equals `value`. :param rgb_image: :param mask: :param value: :param retain_shape: :return: """ if len(mask.shape) == 2: if retain_shape: masked_rgb = rgb_image.copy() masked_rgb[~(mask == value)] = [255, 255, 255] return masked_rgb else: return rgb_image[mask == value] elif len(mask.shape) == 3: if retain_shape: masked_rgb = rgb_image.copy() masked_rgb[~np.all(mask == value, axis=-1)] = [255, 255, 255] return masked_rgb else: return rgb_image[np.all(mask == value, axis=-1)] def separate_mask_regions(rgb_image: np.ndarray, mask: np.ndarray, retain_shape=True): """ Given multiclass mask, return all isolated regions in dictionary. :param rgb_image: RGB image that mask corresponds to. :param mask: Multiclass mask. :param retain_shape: Set to `True` to fill values outside of mask region with white. :return: Dictionary where keys are values in mask, dict values are lines of pixels/shapes """ if len(mask.shape) == 2: assert mask.shape[0] == rgb_image.shape[0] and mask.shape[1] == rgb_image.shape[1] dimensions = 2 # If there are three dimensions, it's okay if the mask has 3 or 4 channels (RGB or RGBA) elif len(mask.shape) == 3: dimensions = 3 else: print("Error: mask has too many dimensions.") raise ValueError value_mask_dictionary = {} mask_values = None if dimensions == 2: mask_values = np.unique(mask) elif dimensions == 3: mask_values = np.vstack(sorted({tuple(r) for r in mask.reshape(-1, 3)})) for index, val in enumerate(mask_values): if isinstance(val, np.ndarray): key_val = tuple(v for v in val) else: key_val = val value_mask_dictionary[key_val] = get_pixels_under_mask(rgb_image, mask, val, retain_shape=retain_shape) return value_mask_dictionary
0cedb76f92bf065fe1c46cfd568a259eeba69d59
[ "Markdown", "Python" ]
3
Markdown
grenkoca/Masking_Utils
3cf444fd1915b8152a06a774ca4ca634150b6b28
c9083e814e2a927889c77253df385c0ecac9be54
refs/heads/master
<repo_name>John-Goss/LS<file_sep>/main.c /* ************************************************************************** */ /* */ /* ::: :::::::: */ /* main.c :+: :+: :+: */ /* +:+ +:+ +:+ */ /* By: jle-quer <<EMAIL>> +#+ +:+ +#+ */ /* +#+#+#+#+#+ +#+ */ /* Created: 2016/03/29 17:26:20 by jle-quer #+# #+# */ /* Updated: 2016/04/16 17:04:39 by jle-quer ### ########.fr */ /* */ /* ************************************************************************** */ #include "ft_ls.h" static int is_valid_opt(char c, char *str) { int i; if (str == NULL || c == '\0') return (0); i = -1; while (str[++i]) if (c == str[i]) return (1); return (0); } static int is_opt(t_opt *opt, char *str) { if (str && str[0] == '-' && str[1] && !opt->end_opt) return (1); return (0); } static void parse_opt(t_opt *opt, char *str) { int i; i = 0; while (str[++i]) { if (is_valid_opt(str[i], "1lRGafrtu") || (str[1] == '-' && !str[2])) { opt->l = (str[i] == 'l' ? 1 : opt->l); opt->upper_r = (str[i] == 'R' ? 1 : opt->upper_r); opt->a = (str[i] == 'a' ? 1 : opt->a); opt->r = (str[i] == 'r' ? 1 : opt->r); opt->t = (str[i] == 't' ? 1 : opt->t); opt->u = (str[i] == 'u' ? 1 : opt->u); opt->f = (str[i] == 'f' ? 1 : opt->f); opt->a = (str[i] == 'f' ? 1 : opt->a); opt->g = (str[i] == 'G' ? 1 : opt->g); opt->l = (str[i] == '1' ? 0 : opt->l); opt->end_opt = (str[1] == '-' ? 1 : 0); } else error_opt(str[i]); } } void get_param(int ac, char **av, t_opt *opt, t_list **path) { int i; int type; i = -1; type = 1; while (++i < ac) { if (is_opt(opt, av[i + 1]) == 0) type = 0; if (type == 1) parse_opt(opt, av[i + 1]); else if (type == 0) ft_lstpushback(path, av[i + 1], ft_strlen(av[i + 1]) + 1); } } int main(int ac, char **av) { t_opt opt; t_list *path; opt = (t_opt){0, 0, 0, 0, 0, 0, 0, 0, 0}; path = NULL; if (ac > 1) get_param(ac - 1, av, &opt, &path); if (path == NULL) path = ft_lstnew(".", ft_strlen(".")); read_path(opt, path, path->next != NULL ? 1 : 0); return (0); } <file_sep>/recursive.c /* ************************************************************************** */ /* */ /* ::: :::::::: */ /* recursive.c :+: :+: :+: */ /* +:+ +:+ +:+ */ /* By: jle-quer <<EMAIL>> +#+ +:+ +#+ */ /* +#+#+#+#+#+ +#+ */ /* Created: 2016/04/14 18:20:27 by jle-quer #+# #+# */ /* Updated: 2016/04/14 18:20:29 by jle-quer ### ########.fr */ /* */ /* ************************************************************************** */ #include "ft_ls.h" static void recursive(t_opt opt, char *path) { t_elem *files; DIR *dir; files = NULL; ft_putchar('\n'); ft_putstr(path); ft_putstr(":\n"); if ((dir = opendir(path)) != NULL) { while (elemget(&files, readdir(dir), \ ft_strjoin(path, "/"), opt) != 0) ; closedir(dir); if (files) display_file(opt, files, 1); files = NULL; } else error_path("ft_ls: ", path, 0); } void recursion(t_opt opt, t_elem *files) { t_elem *cur; cur = files; while (cur) { if (cur->name && cur->path && S_ISDIR(cur->st_mode) && ft_strcmp(".", cur->name) && ft_strcmp("..", cur->name) && !(opt.a == 0 && cur->name[0] == '.')) recursive(opt, cur->path); cur = cur->next; } } <file_sep>/ft_ls.h /* ************************************************************************** */ /* */ /* ::: :::::::: */ /* ft_ls.h :+: :+: :+: */ /* +:+ +:+ +:+ */ /* By: jle-quer <<EMAIL>> +#+ +:+ +#+ */ /* +#+#+#+#+#+ +#+ */ /* Created: 2016/03/29 17:05:27 by jle-quer #+# #+# */ /* Updated: 2016/04/16 16:13:34 by jle-quer ### ########.fr */ /* */ /* ************************************************************************** */ #ifndef FT_LS_H # define FT_LS_H # include "libft.h" # include <sys/stat.h> # include <sys/types.h> # include <uuid/uuid.h> # include <time.h> # include <dirent.h> # include <pwd.h> # include <grp.h> # include <stdio.h> # include <errno.h> # define C_NONE "\033[0m" # define C_BOLD "\033[1m" # define C_BLACK "\033[30m" # define C_RED "\033[31m" # define C_GREEN "\033[32m" # define C_BROWN "\033[33m" # define C_BLUE "\033[34m" # define C_MAGENTA "\033[35m" # define C_CYAN "\033[36m" # define C_GRAY "\033[37m" # define BUFF_SIZE 256 typedef struct s_opt { int l; int upper_r; int a; int r; int t; int u; int f; int g; int end_opt; } t_opt; typedef struct s_elem { char *name; char *path; time_t date; mode_t st_mode; nlink_t st_nlink; uid_t st_uid; gid_t st_gid; off_t st_size; quad_t st_blocks; dev_t st_rdev; struct s_elem *next; } t_elem; typedef struct s_size { int total; int size; int userspace; int groupspace; int linkspace; int min; int maj; } t_size; void error_opt(char opt); void error_path(char *name, char *error, int ex); void get_param(int ac, char **av, t_opt *opt, t_list **path); void read_path(t_opt opt, t_list *path, int multidir); void ls_file(t_opt opt, t_list *path); void ls_dir(t_opt opt, t_list *path, int multidir); void ls_dir_open(t_opt opt, t_elem *dir_list, int multidir); void display_file(t_opt opt, t_elem *file, int type); void elemgetfiles(t_elem **files, char *name, char *path, t_opt opt); int elemget(t_elem **files, struct dirent *file, char *pa, t_opt op); int cmp_alpha(t_elem *elem1, t_elem *elem2); int cmp_time(t_elem *elem1, t_elem *elem2); void ls_basic(t_opt opt, t_elem *files); void ls_all_info(t_opt opt, t_elem *cur, t_size size); void ls_long(t_opt opt, t_elem *files, int is_dir); void print_user_access(t_elem *elem); void print_int(t_size size, int nlink, int spacemax, int type); void print_str(char *str, int spacemax); void print_majmin(t_elem *file, t_size size); void display_date(time_t date); t_size get_size(t_opt opt, t_elem *files); t_elem *sort_elem(t_elem *list, t_opt opt); void recursion(t_opt opt, t_elem *files); void display_link(t_elem *cur); int is_link(char *path, t_opt opt); #endif <file_sep>/read_path.c /* ************************************************************************** */ /* */ /* ::: :::::::: */ /* read_path.c :+: :+: :+: */ /* +:+ +:+ +:+ */ /* By: jle-quer <<EMAIL>> +#+ +:+ +#+ */ /* +#+#+#+#+#+ +#+ */ /* Created: 2016/04/04 12:57:35 by jle-quer #+# #+# */ /* Updated: 2016/04/16 17:32:52 by jle-quer ### ########.fr */ /* */ /* ************************************************************************** */ #include "ft_ls.h" void display_file(t_opt opt, t_elem *file, int type) { t_elem *ptr; ptr = file; ptr = sort_elem(ptr, opt); (opt.l == 1) ? ls_long(opt, ptr, type) : ls_basic(opt, ptr); opt.upper_r == 1 ? recursion(opt, ptr) : NULL; } void ls_dir_open(t_opt opt, t_elem *dir_list, int multidir) { DIR *dir; t_elem *file; int first; first = 0; file = NULL; while (dir_list) { dir = opendir(dir_list->name); while (elemget(&file, readdir(dir), ft_strjoin(dir_list->path, "/"), opt) != 0) ; closedir(dir); if (file) { first == 1 ? ft_putchar('\n') : NULL; multidir ? ft_putendl(ft_strjoin(dir_list->name, ":")) : NULL; first = 1; display_file(opt, file, 1); } file = NULL; dir_list = dir_list->next; } } void ls_dir(t_opt opt, t_list *path, int multidir) { t_list *ptr; t_elem *dir_list; ptr = path; dir_list = NULL; while (ptr) { elemgetfiles(&dir_list, ptr->content, "", opt); ptr = ptr->next; } dir_list = sort_elem(dir_list, opt); ls_dir_open(opt, dir_list, multidir); } void ls_file(t_opt opt, t_list *path) { t_list *ptr; t_elem *file; ptr = path; file = NULL; opt.a = 1; while (ptr) { elemgetfiles(&file, ptr->content, "", opt); ptr = ptr->next; } if (file) display_file(opt, file, 0); } void read_path(t_opt opt, t_list *path, int multidir) { DIR *dir; t_list *tab[3]; tab[0] = NULL; tab[1] = NULL; tab[2] = path; while (tab[2]) { if (is_link(tab[2]->content, opt)) ft_lstpushback(&tab[0], tab[2]->content, tab[2]->content_size); else if ((dir = opendir(tab[2]->content)) == NULL) errno != ENOTDIR ? error_path("ft_ls: ", tab[2]->content, 0) : ft_lstpushback(&tab[0], tab[2]->content, tab[2]->content_size); else { ft_lstpushback(&tab[1], tab[2]->content, tab[2]->content_size); if (closedir(dir) == -1) error_path("ft_ls: ", tab[2]->content, 0); } tab[2] = tab[2]->next; } tab[0] ? ls_file(opt, tab[0]) : NULL; tab[0] && tab[1] ? ft_putchar('\n') : NULL; tab[1] ? ls_dir(opt, tab[1], multidir) : NULL; } <file_sep>/size_info.c /* ************************************************************************** */ /* */ /* ::: :::::::: */ /* size_info.c :+: :+: :+: */ /* +:+ +:+ +:+ */ /* By: jle-quer <<EMAIL>> +#+ +:+ +#+ */ /* +#+#+#+#+#+ +#+ */ /* Created: 2016/04/12 15:14:45 by jle-quer #+# #+# */ /* Updated: 2016/04/15 15:04:51 by jle-quer ### ########.fr */ /* */ /* ************************************************************************** */ #include "ft_ls.h" static void get_size_errorhandling(t_size *size, t_elem *cur) { if (getpwuid(cur->st_uid)) size->userspace = (int)ft_strlen(getpwuid(cur->st_uid)->pw_name) > size->userspace ? (int)ft_strlen(getpwuid(cur->st_uid)->pw_name) : size->userspace; else size->userspace = (int)ft_strlen(ft_itoa(cur->st_uid)) > size->userspace ? (int)ft_strlen(ft_itoa(cur->st_uid)) : size->userspace; if (getgrgid(cur->st_gid)) size->groupspace = (int)ft_strlen(getgrgid(cur->st_gid)->gr_name) > size->groupspace ? (int)ft_strlen(getgrgid(cur->st_gid)->gr_name) : size->groupspace; else size->groupspace = (int)ft_strlen(ft_itoa(cur->st_gid)) > size->groupspace ? (int)ft_strlen(ft_itoa(cur->st_gid)) : size->groupspace; } static void get_size_quick(t_size *size, t_elem *cur) { size->linkspace = (int)ft_strlen(ft_itoa(cur->st_nlink)) > size->linkspace ? (int)ft_strlen(ft_itoa(cur->st_nlink)) : size->linkspace; size->maj = (int)ft_strlen(ft_itoa(major(cur->st_rdev))) > size->maj ? (int)ft_strlen(ft_itoa(major(cur->st_rdev))) : size->maj; size->min = (int)ft_strlen(ft_itoa(minor(cur->st_rdev))) > size->min ? (int)ft_strlen(ft_itoa(minor(cur->st_rdev))) : size->min; size->size = (int)ft_strlen(ft_itoa(cur->st_size)) > size->size ? (int)ft_strlen(ft_itoa(cur->st_size)) : size->size; size->total += cur->st_blocks; } t_size get_size(t_opt opt, t_elem *files) { t_elem *cur; t_size size; size = (t_size){0, 0, 0, 0, 0, 0, 0}; cur = files; while (cur) { if (!(opt.a == 0 && cur->name[0] == '.')) { get_size_quick(&size, cur); get_size_errorhandling(&size, cur); } cur = cur->next; } return (size); } void display_link(t_elem *cur) { char buf[BUFF_SIZE + 1]; size_t i; i = readlink(cur->path, buf, BUFF_SIZE); buf[i] = '\0'; ft_printf("%s -> %s\n", cur->name, buf); } <file_sep>/display.c /* ************************************************************************** */ /* */ /* ::: :::::::: */ /* display.c :+: :+: :+: */ /* +:+ +:+ +:+ */ /* By: jle-quer <<EMAIL>> +#+ +:+ +#+ */ /* +#+#+#+#+#+ +#+ */ /* Created: 2016/04/12 15:14:55 by jle-quer #+# #+# */ /* Updated: 2016/04/16 17:39:42 by jle-quer ### ########.fr */ /* */ /* ************************************************************************** */ #include "ft_ls.h" static void ft_color(t_opt opt, mode_t mode) { if (!isatty(STDOUT_FILENO) || !opt.g) return ; S_ISBLK(mode) ? ft_putstr(C_RED) : NULL; S_ISCHR(mode) ? ft_putstr(C_BLUE) : NULL; S_ISDIR(mode) ? ft_putstr(C_CYAN) : NULL; S_ISFIFO(mode) ? ft_putstr(C_BROWN) : NULL; S_ISREG(mode) ? ft_putstr(C_NONE) : NULL; S_ISLNK(mode) ? ft_putstr(C_GREEN) : NULL; S_ISSOCK(mode) ? ft_putstr(C_MAGENTA) : NULL; } static int lst_chr_blk(t_elem *cur) { t_elem *tmp; tmp = cur; while (tmp) { if (S_ISCHR(tmp->st_mode) || S_ISBLK(tmp->st_mode)) return (1); tmp = tmp->next; } return (0); } void ls_basic(t_opt opt, t_elem *files) { t_elem *cur; cur = files; while (cur) { if (S_ISLNK(cur->st_mode) && opt.a) ; else if (!(opt.a == 0 && cur->name[0] == '.')) { ft_color(opt, cur->st_mode); ft_putendl(cur->name); if (isatty(STDOUT_FILENO)) ft_putstr(C_NONE); } cur = cur->next; } } void ls_all_info(t_opt opt, t_elem *cur, t_size size) { print_user_access(cur); print_int(size, cur->st_nlink, size.linkspace, 0); if (getpwuid(cur->st_uid)) print_str(getpwuid(cur->st_uid)->pw_name, size.userspace); else print_str(ft_itoa(cur->st_uid), size.userspace); if (getgrgid(cur->st_gid)) print_str(getgrgid(cur->st_gid)->gr_name, size.groupspace); else print_str(ft_itoa(cur->st_gid), size.groupspace); if (S_ISCHR(cur->st_mode) || S_ISBLK(cur->st_mode)) print_majmin(cur, size); else lst_chr_blk(cur) == 1 ? print_int(size, cur->st_size, size.size, 1) : print_int(size, cur->st_size, size.size, 0); display_date(cur->date); ft_color(opt, cur->st_mode); S_ISLNK(cur->st_mode) ? display_link(cur) : ft_putendl(cur->name); if (isatty(STDOUT_FILENO)) ft_putstr(C_NONE); } void ls_long(t_opt opt, t_elem *files, int is_dir) { t_elem *cur; t_size size; cur = files; size = get_size(opt, files); if (is_dir) { if (!opt.a && cur->name[0] == '.' && !cur->name[1] && cur->next->name[0] == '.' && cur->next->name[1] == '.' && !cur->next->next) return ; ft_putstr("total "); ft_putnbr(size.total); ft_putchar('\n'); } while (cur) { if (!(opt.a == 0 && cur->name[0] == '.')) ls_all_info(opt, cur, size); cur = cur->next; } } <file_sep>/Makefile # **************************************************************************** # # # # ::: :::::::: # # Makefile :+: :+: :+: # # +:+ +:+ +:+ # # By: jle-quer <<EMAIL>> +#+ +:+ +#+ # # +#+#+#+#+#+ +#+ # # Created: 2016/03/29 14:04:21 by jle-quer #+# #+# # # Updated: 2016/04/16 16:18:10 by jle-quer ### ########.fr # # # # **************************************************************************** # SRC_NAME = add_files.c \ date.c \ display.c \ error.c \ print_size.c \ read_path.c \ recursive.c \ size_info.c \ sort_elem.c \ main.c NAME = ft_ls FLAGS = -Wall -Werror -Wextra LIB = ./Libft/libft.a OBJET = $(SRC_NAME:.c=.o) all: $(NAME) @echo "Make In Progress" @echo "Make Done." $(NAME): $(LIB) $(OBJET) @gcc $(FLAGS) $(OBJET) -L./Libft/ -lft -o $(NAME) $(LIB): make -C ./Libft/ %.o: %.c @gcc $(FLAGS) -I./Libft/INCLUDES -c $< clean: @echo "Clean In Progress" @rm -f $(OBJET) @echo "Clean Done." fclean: clean @rm -rf $(NAME) re: fclean all proper: @make @make clean -C ./Libft/ @make clean
92499699aafb00d94d60141739af7ebf92fee41a
[ "Makefile", "C" ]
7
Makefile
John-Goss/LS
6a3d072c53f2af783b2fa937dca1d109821461b4
09e77456daf3402678bb43aeca27ba4103321b28
refs/heads/master
<file_sep>## なぜ作ったか ビーコンを使う課題が出たけど、ビーコンを持ってないから、仕方なくiOSで対応した。 ## 対応iOS iOS 8.1 ~ ## やってないこと * ビーコンの電波を出す前のステータスチェック * majorとminorの数値チェック ## その他 * とりあえず課題をする為に必要で組んだだけなので、変な箇所あり * UUIDがE86367B8-D8A8-4BE0-82DE-4653A7333113で固定 <file_sep>// // ViewController.swift // SendiBeacon // // Created by 松本泰佳 on 2017/01/14. // Copyright © 2017年 M_HIRO. All rights reserved. // import UIKit import CoreLocation import CoreBluetooth class ViewController: UIViewController, CBPeripheralManagerDelegate { @IBOutlet weak var settingButton: UIButton! @IBOutlet weak var majorLabel: UILabel! @IBOutlet weak var minorLabel: UILabel! @IBOutlet weak var majorTF: UITextField! @IBOutlet weak var minorTF: UITextField! var myPeripheralManager: CBPeripheralManager! // UUID let myProximityUUID = NSUUID.init(uuidString: "00000000-7FA9-1001-B000-001C4DED901F") // major var major: Int = 0 // minor var minor: Int = 0 // ビーコン関連 var beaconRegion: CLBeaconRegion! var beaconPeripheralData = NSDictionary() // UserDefault let ud = UserDefaults.standard override func viewDidLoad() { super.viewDidLoad() // iBeacon発信 myPeripheralManager = CBPeripheralManager(delegate: self, queue: nil) /* UserDefaultsから値を取得 */ // major if let majorCode = ud.object(forKey: "major") { major = majorCode as! Int } // minor if let minorCode = ud.object(forKey: "minor") { minor = minorCode as! Int } updateLabelVal() } func peripheralManagerDidUpdateState(_ peripheral: CBPeripheralManager) { // if #available(iOS 10.0, *) { // if peripheral.state == CBManagerState.poweredOn { // updateSettings() // } // } updateSettings() } // 反映ボタン @IBAction func tapSetting(_ sender: Any) { updateSettings() } @IBAction func tapScreen(_ sender: Any) { majorTF.endEditing(true) minorTF.endEditing(true) } // iBeaconの設定を変更する func updateSettings() { if !majorTF.text!.isEmpty { major = Int(majorTF.text!)! } else { major = 0 print("major -> 空") } if !minorTF.text!.isEmpty { minor = Int(minorTF.text!)! } else { minor = 0 print("minor -> 空") } // Labelの更新 updateLabelVal() beaconRegion = CLBeaconRegion.init(proximityUUID: myProximityUUID! as UUID, major: CLBeaconMajorValue(major), minor: CLBeaconMinorValue(minor), identifier: "hiroyoshi.matsumoto") beaconPeripheralData = NSDictionary(dictionary: beaconRegion.peripheralData(withMeasuredPower: nil)) // Beaconを停止し新たな設定で再開始 myPeripheralManager.stopAdvertising() myPeripheralManager.startAdvertising(beaconPeripheralData as? [String : AnyObject]) // UserDefaultsに設定を保持 ud.set(major, forKey: "major") ud.set(minor, forKey: "minor") ud.synchronize() } // Labelの値を更新 func updateLabelVal() { majorLabel.text = String(major) minorLabel.text = String(minor) majorTF.text = String(major) minorTF.text = String(minor) } override func didReceiveMemoryWarning() { super.didReceiveMemoryWarning() // Dispose of any resources that can be recreated. } }
52431e69de6312512e0de0a4cb0af7144d82c815
[ "Swift", "Markdown" ]
2
Swift
HIR0Y0SHI/SendiBeacon
ad2ca386c6d2c40312ff7bb96fb8cc8062b647be
1b443a54f39440ae09cd0e1cf11834c4e7081d5d
refs/heads/master
<file_sep><?php declare(strict_types=1); namespace App\Repository\Statics; use App\Entity\VO\Schedule; use App\Entity\Vacation; use App\Entity\Worker; use App\Repository\StorageInterface; class WorkerRepository implements StorageInterface { public function find(int $id): ?Worker { if (!$worker = $this->fixtures($id)) { throw new \DomainException("Worker not found", 400); } return $worker; } public function all(): ?array { // TODO: Implement all() method. } private function fixtures(int $id): ?Worker { $worker1 = Worker::create(1, 'Vasya', $schedule = Schedule::add(10, 19, 13, 14)); $worker1->addVacation(Vacation::add(new \DateTimeImmutable("2020-12-05"), new \DateTimeImmutable("2020-12-20"))); $worker2 = Worker::create(1, 'Vasya', $schedule = Schedule::add(10, 19, 13, 14)); $worker2->addVacation(Vacation::add(new \DateTimeImmutable("2020-12-05"), new \DateTimeImmutable("2020-12-20"))); $workers = [ 1 => $worker1, 2 => $worker2, ]; return $workers[$id] ?? null; } }<file_sep><?php declare(strict_types=1); namespace App\Application\Schedule\CommandHandler; use App\Application\Service\GoogleApi\GoogleCalendar; use App\Repository\Statics\EventCompanyRepository; use App\Repository\Statics\WorkerRepository; class ScheduleCommandHandler { private WorkerRepository $workerRepository; private EventCompanyRepository $eventCompanyRepository; public function __construct(WorkerRepository $workerRepository, EventCompanyRepository $eventCompanyRepository) { $this->workerRepository = $workerRepository; $this->eventCompanyRepository = $eventCompanyRepository; } public function handler(int $userId, string $startDate, string $endDate, bool $offHour = false): array { $worker = $this->workerRepository->find($userId); $period = $this->generateFindPeriod($startDate, $endDate, $offHour); $vacationPeriodDate = $this->workerVacationPeriod($worker->getData()["vacation"]); $eventPeriods = $this->eventCompanyPeriod(); if ($offHour == false) { $timeRanges = $this->defaultWorkerTimeRanges($worker->getData()["scheduleWorkDay"]); $workDays = array_diff($period, $vacationPeriodDate); $workDays = array_diff($workDays, GoogleCalendar::getHoliday()); $schedule = $this->generateWorkerTimeRanges($workDays, $timeRanges, $eventPeriods); } else { $timeRanges = $this->defaultOffHourTimeRanges($worker->getData()["scheduleWorkDay"]); $workDays = $period; $schedule = $this->generateOffHourTimeRanges($workDays, $timeRanges, $eventPeriods, $vacationPeriodDate); } return $schedule ?? []; } private function generateWorkerTimeRanges(array $workDays, array $timeRanges, array $eventPeriods): array { $schedule = []; if (!empty($workDays)) { foreach($workDays as $day) { $item["day"] = $day; $timeRangesCurrent = $timeRanges; if (!empty($eventPeriods)) { foreach ($eventPeriods as $eventPeriod) { if ($eventPeriod["startDate"]->format('Y-m-d') == $day) { foreach ($timeRanges as $index=>$timeRange) { $timeRange['start'] = (new \DateTimeImmutable($day." ".$timeRange['start']))->format('Y-m-d H:i'); $timeRange['end'] = (new \DateTimeImmutable($day." ".$timeRange['end']))->format('Y-m-d H:i'); $eventStartDate = $eventPeriod['startDate']->format('Y-m-d H:i'); $eventEndDate = $eventPeriod['endDate']->format('Y-m-d H:i'); if ($timeRange['start'] == $eventStartDate && $timeRange['end'] >= $eventStartDate) { unset($timeRangesCurrent[$index]); } elseif ($timeRange['start'] <= $eventStartDate && $timeRange['end'] >= $eventEndDate) { $timeRangesNew['start'] = $eventPeriod['endDate']->format('H:i'); $timeRangesNew['end'] = $timeRangesCurrent[$index]['end']; $timeRangesCurrent[$index]['end'] = $eventPeriod['startDate']->format('H:i'); array_push($timeRangesCurrent, $timeRangesNew); } elseif ($timeRange['start'] <= $eventStartDate && $timeRange['end'] >= $eventStartDate) { $timeRangesCurrent[$index]['end'] = $eventPeriod['startDate']->format('H:i'); } elseif ($timeRange['start'] >= $eventStartDate && $timeRange['end'] >= $eventEndDate) { $timeRangesCurrent[$index]['start'] = $eventPeriod['endDate']->format('H:i'); } elseif ($timeRange['start'] >= $eventStartDate && $timeRange['end'] <= $eventEndDate) { unset($timeRangesCurrent[$index]); } } } } } $item["timeRanges"] = $timeRangesCurrent; $schedule[] = $item; } } return $schedule; } private function generateOffHourTimeRanges(array $workDays, array $timeRanges, array $eventPeriods, array $vacationPeriodDate): array { $schedule = []; if (!empty($workDays)) { foreach($workDays as $day) { $item["day"] = $day; if ( in_array($day, array_merge($vacationPeriodDate, GoogleCalendar::getHoliday())) || in_array((new \DateTimeImmutable($day))->format("l"), ['Saturday', 'Sunday']) ) { $timeRangesCurrent = [ 0 => ['start'=>'00:00', 'end'=>'23:59'] ]; } else { $timeRangesCurrent = $timeRanges; } if (!empty($eventPeriods)) { foreach ($eventPeriods as $eventPeriod) { if ($eventPeriod["startDate"]->format('Y-m-d') == $day) { foreach ($timeRanges as $index=>$timeRange) { $timeRange['start'] = (new \DateTimeImmutable($day." ".$timeRange['start']))->format('Y-m-d H:i'); $timeRange['end'] = (new \DateTimeImmutable($day." ".$timeRange['end']))->format('Y-m-d H:i'); $eventStartDate = $eventPeriod['startDate']->format('Y-m-d H:i'); $eventEndDate = $eventPeriod['endDate']->format('Y-m-d H:i'); if ($timeRange['start'] >= $eventStartDate && $timeRange['end'] >= $eventEndDate) { $timeRangesCurrent[$index]['start'] = $eventPeriod['endDate']->format('H:i'); } elseif ($timeRange['start'] >= $eventStartDate && $timeRange['end'] <= $eventEndDate) { $timeRangesCurrent[$index]['start'] = $eventPeriod['startDate']->format('H:i'); $timeRangesCurrent[$index]['end'] = $eventPeriod['endDate']->format('H:i'); } } } } } $item["timeRanges"] = $timeRangesCurrent; $schedule[] = $item; } } return $schedule; } private function generateFindPeriod(string $startDate, string $endDate, bool $offHour = false): array { $period = []; $day = new \DateTimeImmutable($startDate); while($day >= new \DateTimeImmutable($startDate) && $day <= new \DateTimeImmutable($endDate)) { if ($offHour == true) { $period[] = $day->format("Y-m-d"); } else { if (!in_array($day->format("l"), ['Saturday', 'Sunday'])) { $period[] = $day->format("Y-m-d"); } } $day = $day->modify("+1 day"); } return $period; } private function defaultWorkerTimeRanges(array $scheduleWorkDay) { if (!empty($scheduleWorkDay["dinnerStart"])) { $timeRanges = [ 0 => [ 'start' => $scheduleWorkDay["start"].':00', 'end' => $scheduleWorkDay["dinnerStart"].':00' ], 1 => [ 'start' => $scheduleWorkDay["dinnerEnd"].':00', 'end' => $scheduleWorkDay["end"].':00' ] ]; } else { $timeRanges = [ 0 => [ 'start' => $scheduleWorkDay["start"].':00', 'end' => $scheduleWorkDay["end"].':00' ] ]; } return $timeRanges; } private function defaultOffHourTimeRanges(array $scheduleWorkDay) { if (!empty($scheduleWorkDay["dinnerStart"])) { $timeRanges = [ 0 => [ 'start' => '00:00', 'end' => $scheduleWorkDay["start"].':00' ], 1 => [ 'start' => $scheduleWorkDay["dinnerStart"].':00', 'end' => $scheduleWorkDay["dinnerEnd"].':00' ], 2 => [ 'start' => $scheduleWorkDay["end"].':00', 'end' => '23:59' ] ]; } else { $timeRanges = [ 0 => [ 'start' => '00:00', 'end' => $scheduleWorkDay["start"].':00' ], 1 => [ 'start' => $scheduleWorkDay["end"].':00', 'end' => '23:59' ] ]; } return $timeRanges; } private function workerVacationPeriod(?array $vacations) { $vacationPeriodDate = []; if (!empty($vacations)) { foreach($vacations as $vacation) { $periodVacation = $this->generateFindPeriod($vacation->getStart()->format('Y-m-d'), $vacation->getEnd()->format('Y-m-d')); $vacationPeriodDate = array_merge($vacationPeriodDate, $periodVacation); } } return $vacationPeriodDate; } private function eventCompanyPeriod() { $eventCompany = $this->eventCompanyRepository->all(); if (!empty($eventCompany)) { foreach($eventCompany as $event) { $periodData = []; $periodData["startDate"] = $event->getStart(); //$periodData["startTime"] = $event->getStart()->format('H'); $periodData["endDate"] = $event->getEnd(); //$periodData["endTime"] = $event->getEnd()->format('H'); $eventPeriods[] = $periodData; } } return $eventPeriods ?? []; } }<file_sep><?php declare(strict_types=1); namespace App\Controller; use App\Application\Schedule\Command\ScheduleCommand; use App\Application\Schedule\CommandHandler\ScheduleCommandHandler; use Symfony\Bundle\FrameworkBundle\Controller\AbstractController; use Symfony\Component\HttpFoundation\JsonResponse; use Symfony\Component\HttpFoundation\Request; use Symfony\Component\Routing\Annotation\Route; use Symfony\Component\Validator\Validator\ValidatorInterface; class Schedule extends AbstractController { /** * @Route("/schedule-worker", name="schedule_worker", methods={"GET"}) */ public function scheduleByWorker(Request $request, ScheduleCommandHandler $scheduleCommandHandler, ValidatorInterface $validator): JsonResponse { $data = ["success"=>true]; $status = JsonResponse::HTTP_OK; try { $scheduleCommand = new ScheduleCommand((int)$request->query->get('userId'), $request->query->get('startDate'), $request->query->get('endDate')); $errors = $validator->validate($scheduleCommand); if (count($errors) > 0) { $data["success"] = false; foreach($errors as $error) { $data["error"][] = $error->getMessage(); } } else { $data["schedule"] = $scheduleCommandHandler->handler($scheduleCommand->userId, $scheduleCommand->startDate, $scheduleCommand->endDate); } } catch (\DomainException $exception) { $data["success"] = false; $data["error"] = $exception->getMessage(); $status = JsonResponse::HTTP_BAD_REQUEST; } catch (\Exception $exception) { $data["success"] = false; $data["error"] = $exception->getMessage(); $status = JsonResponse::HTTP_INTERNAL_SERVER_ERROR; } return $this->json($data, $status); } /** * @Route("/schedule-off-hour", name="schedule_off_hour", methods={"GET"}) */ public function scheduleOffHourByWorker(Request $request, ScheduleCommandHandler $scheduleCommandHandler, ValidatorInterface $validator): JsonResponse { $data = ["success"=>true]; $status = JsonResponse::HTTP_OK; try { $scheduleCommand = new ScheduleCommand((int)$request->query->get('userId'), $request->query->get('startDate'), $request->query->get('endDate')); $errors = $validator->validate($scheduleCommand); if (count($errors) > 0) { $data["success"] = false; foreach($errors as $error) { $data["error"][] = $error->getMessage(); } } else { $data["schedule"] = $scheduleCommandHandler->handler($scheduleCommand->userId, $scheduleCommand->startDate, $scheduleCommand->endDate, true); } } catch (\DomainException $exception) { $data["success"] = false; $data["error"] = $exception->getMessage(); $status = JsonResponse::HTTP_BAD_REQUEST; } catch (\Exception $exception) { $data["success"] = false; $data["error"] = $exception->getMessage(); $status = JsonResponse::HTTP_INTERNAL_SERVER_ERROR; } return $this->json($data, $status); } }<file_sep><?php declare(strict_types=1); namespace App\Entity; /** * @ORM\Entity() */ class Vacation { /** * @ORM\Id * @ORM\Column(type="integer", unique=true) * @ORM\GeneratedValue(strategy="AUTO") */ private int $id; /** * @ORM\Column(type="datetime_immutable", nullable=false) */ private \DateTimeImmutable $start; /** * @ORM\Column(type="datetime_immutable", nullable=false) */ private \DateTimeImmutable $end; /** * @ORM\ManyToOne(targetEntity="App\Entity\Worker", inversedBy="vacation") */ private Worker $worker; public function __construct(\DateTimeImmutable $start, \DateTimeImmutable $end) { if ($start > $end) { throw new \DomainException("End time vocation cannot be less than start"); } $this->start = $start; $this->end = $end; } public static function add(\DateTimeImmutable $start, \DateTimeImmutable $end) { return new self($start, $end); } public function getStart(): \DateTimeImmutable { return $this->start; } public function getEnd(): \DateTimeImmutable { return $this->end; } }<file_sep><?php declare(strict_types=1); namespace App\Entity\VO; /** * @ORM\Embeddable */ class Schedule { private const MIN_TIME_DAY = 0; private const MAX_TIME_DAY = 24; /** * @ORM\Column(type="integer", nullable=false) */ private int $start; /** * @ORM\Column(type="integer", nullable=false) */ private int $end; /** * @ORM\Column(type="integer", nullable=true) */ private ?int $dinnerStart; /** * @ORM\Column(type="integer", nullable=true) */ private ?int $dinnerEnd; public function __construct(int $start, int $end, ?int $dinnerStart = null, ?int $dinnerEnd = null) { if ($start < self::MIN_TIME_DAY || $end > self::MAX_TIME_DAY) { throw new \DomainException("Work time go beyond"); } if ($dinnerStart > $dinnerEnd) { throw new \DomainException("Incorrect dinner time"); } if ($dinnerStart && $dinnerStart <= $start) { throw new \DomainException("Dinner start cannot less or equal than start work time"); } if ($dinnerEnd && $dinnerEnd >= $end) { throw new \DomainException("Dinner end cannot more or equal than end work time"); } $this->start = $start; $this->end = $end; $this->dinnerStart = $dinnerStart; $this->dinnerEnd = $dinnerEnd; } public static function add(int $start, int $end, ?int $dinnerStart = null, ?int $dinnerEnd = null): self { return new self($start, $end, $dinnerStart, $dinnerEnd); } public function getData(): array { return [ "start" => $this->start, "end" => $this->end, "dinnerStart" => $this->dinnerStart, "dinnerEnd" => $this->dinnerEnd ]; } }<file_sep><?php declare(strict_types=1); namespace App\Application\Service\GoogleApi; use GuzzleHttp\Client; use GuzzleHttp\Exception\GuzzleException; use Exception; class GoogleCalendar { public static function getHoliday() { $httpClient = new Client(); $holidays = []; try { $response = $httpClient->get('https://www.googleapis.com/calendar/v3/calendars/ru.russian%23holiday%40group.v.calendar.google.com/events?key=' . $_ENV['GOOGLE_API_CALENDAR_KEY'])->getBody()->getContents(); $holidaysList = json_decode($response); foreach ($holidaysList->items as $day) { $holidays[] = $day->start->date; } } catch (GuzzleException $e) { } catch (Exception $e) { } return $holidays; } }<file_sep><?php declare(strict_types=1); namespace App\Tests\Unit; use App\Entity\VO\Schedule; use PHPUnit\Framework\TestCase; class ScheduleTest extends TestCase { public function testAddScheduleNormal() { $schedule = Schedule::add(10, 19); $this->assertEquals(10, $schedule->getData()["start"]); } public function testAddScheduleNormalWithDinner() { $schedule = Schedule::add(10, 19, 14, 15); $this->assertEquals(10, $schedule->getData()["start"]); $this->assertEquals(14, $schedule->getData()["dinnerStart"]); } }<file_sep>init: docker-down-clear docker-pull docker-build docker-up install up: docker-up down: docker-down restart: down up docker-up: docker-compose up -d docker-down: docker-compose down --remove-orphans docker-down-clear: docker-compose down -v --remove-orphans docker-pull: docker-compose pull --include-deps docker-build: DOCKER_BUILDKIT=1 COMPOSE_DOCKER_CLI_BUILD=1 docker-compose build --build-arg BUILDKIT_INLINE_CACHE=1 install: docker-compose exec -T php-fpm composer install --no-interaction --ansi --no-suggest test: docker-compose exec -T php-fpm php vendor/phpunit/phpunit/phpunit <file_sep><?php declare(strict_types=1); namespace App\Application\Schedule\Command; use Symfony\Component\Validator\Constraints as Assert; class ScheduleCommand { /** * @Assert\NotBlank(message="Enter Id user") * @Assert\GreaterThan(value="0", message="Id user cannot be 0 or negative") */ public int $userId; /** * @Assert\NotBlank(message="Enter date start") * @Assert\Date() * @var string|null A "Y-m-d" formatted value */ public ?string $startDate; /** * @Assert\NotBlank(message="Enter date end") * @Assert\Date() * @Assert\GreaterThanOrEqual(propertyPath="startDate", message="End date cannot less than start date") * @var string|null A "Y-m-d" formatted value */ public ?string $endDate; public function __construct(int $userId, ?string $startDate, ?string $endDate) { $this->userId = $userId; $this->startDate = $startDate; $this->endDate = $endDate; } }<file_sep>FROM php:7.4-fpm-alpine RUN apk add --no-cache autoconf g++ make RUN apk add curl RUN docker-php-ext-install pdo_mysql WORKDIR /var/www ENV COMPOSER_ALLOW_SUPERUSER 1 RUN curl -sL https://getcomposer.org/installer | php -- --install-dir /usr/bin --filename composer<file_sep><?php declare(strict_types=1); namespace App\Tests\Functional\Schedule; use App\Application\Schedule\CommandHandler\ScheduleCommandHandler; use App\Entity\EventCompany; use App\Entity\VO\Schedule; use App\Entity\Vacation; use App\Entity\Worker; use App\Repository\Statics\EventCompanyRepository; use App\Repository\Statics\WorkerRepository; use PHPUnit\Framework\TestCase; class ScheduleTest extends TestCase { public function testGetScheduleOne() { $workerRepository = $this->createMock(WorkerRepository::class); $workerRepository ->expects($this->once()) ->method('find') ->willReturn($this->getWorker1()); $eventRepository = $this->createMock(EventCompanyRepository::class); $eventRepository ->expects($this->once()) ->method('all') ->willReturn($this->getEventCompany1()); $request = ["startDate"=>"2020-12-09", "endDate"=>"2020-12-15", "userId"=>1]; $schedule = new ScheduleCommandHandler($workerRepository, $eventRepository); $data = $schedule->handler((int)$request["userId"], $request["startDate"], $request["endDate"]); $this->assertEquals(3, count($data)); $this->assertEquals(2, count($data[0]["timeRanges"])); $this->assertEquals(1, count($data[1]["timeRanges"])); $this->assertEquals(2, count($data[2]["timeRanges"])); $timeRanges = [0=>['start'=>'10:00', 'end'=>'14:00']]; $this->assertEquals($timeRanges, $data[1]["timeRanges"]); } private function getWorker1() { $worker = Worker::create(1, 'Vasya', $schedule = Schedule::add(10, 19, 14, 15)); $worker->addVacation(Vacation::add(new \DateTimeImmutable("2020-12-10"), new \DateTimeImmutable("2020-12-12"))); return $worker; } private function getEventCompany1() { return [EventCompany::add('Corporate', new \DateTimeImmutable("2020-12-14 15:00"), new \DateTimeImmutable("2020-12-15 00:00"))]; } public function testGetScheduleTwo() { $workerRepository = $this->createMock(WorkerRepository::class); $workerRepository ->expects($this->once()) ->method('find') ->willReturn($this->getWorker2()); $eventRepository = $this->createMock(EventCompanyRepository::class); $eventRepository ->expects($this->once()) ->method('all') ->willReturn($this->getEventCompany2()); $request = ["startDate"=>"2020-12-09", "endDate"=>"2020-12-15", "userId"=>1]; $schedule = new ScheduleCommandHandler($workerRepository, $eventRepository); $data = $schedule->handler((int)$request["userId"], $request["startDate"], $request["endDate"]); $this->assertEquals(3, count($data)); $this->assertEquals(2, count($data[0]["timeRanges"])); $this->assertEquals(3, count($data[1]["timeRanges"])); $this->assertEquals(2, count($data[2]["timeRanges"])); $timeRanges = [ 0 => ['start'=>'10:00', 'end'=>'14:00'], 1 => ['start'=>'15:00', 'end'=>'16:00'], 2 => ['start'=>'18:00', 'end'=>'19:00'] ]; $this->assertEquals($timeRanges, $data[1]["timeRanges"]); } private function getWorker2() { $worker = Worker::create(1, 'Vasya', $schedule = Schedule::add(10, 19, 14, 15)); $worker->addVacation(Vacation::add(new \DateTimeImmutable("2020-12-10"), new \DateTimeImmutable("2020-12-12"))); return $worker; } private function getEventCompany2() { return [EventCompany::add('Corporate', new \DateTimeImmutable("2020-12-14 16:00"), new \DateTimeImmutable("2020-12-14 18:00"))]; } public function testGetScheduleException() { $request = ["startDate"=>"2020-12-09", "endDate"=>"2020-12-15", "userId"=>10]; $schedule = new ScheduleCommandHandler(new WorkerRepository(), new EventCompanyRepository()); $this->expectException(\DomainException::class); $this->expectExceptionCode(400); $this->expectExceptionMessage("Worker not found"); $schedule->handler((int)$request["userId"], $request["startDate"], $request["endDate"]); } }<file_sep><?php declare(strict_types=1); namespace App\Entity; class EventCompany { private string $event; private \DateTimeImmutable $start; private \DateTimeImmutable $end; public function __construct(string $event, \DateTimeImmutable $start, \DateTimeImmutable $end) { $this->event = $event; $this->start = $start; $this->end = $end; } public static function add(string $event, \DateTimeImmutable $start, \DateTimeImmutable $end): self { return new self($event, $start, $end); } public function getStart(): \DateTimeImmutable { return $this->start; } public function getEnd(): \DateTimeImmutable { return $this->end; } }<file_sep><?php declare(strict_types=1); namespace App\Tests\Web; use Symfony\Bundle\FrameworkBundle\Test\WebTestCase; class ScheduleWebTest extends WebTestCase { protected $client; protected function setUp(): void { parent::setUp(); $this->client = self::createClient(); } protected function tearDown(): void { $this->client = null; parent::tearDown(); } public function testScheduleSuccess() { $this->client->request("GET", "/schedule-worker", ["userId"=>1, "startDate"=>"2020-12-01", "endDate"=>"2021-01-31"]); $response = $this->client->getResponse()->getContent(); $json = json_decode($response, true); $this->assertTrue($json["success"]); $this->assertEquals(200, $this->client->getResponse()->getStatusCode()); } public function testScheduleErrorEmptyStartDate() { $this->client->request("GET", "/schedule-worker", ["userId"=>1, "endDate"=>"2021-01-31"]); $response = $this->client->getResponse()->getContent(); $json = json_decode($response, true); $this->assertFalse($json["success"]); $this->assertEquals("Enter date start", $json["error"][0]); $this->assertEquals(200, $this->client->getResponse()->getStatusCode()); } public function testScheduleExceptionNotFoundWorker() { $this->client->request("GET", "/schedule-worker", ["userId"=>5, "startDate"=>"2020-12-01", "endDate"=>"2021-01-31"]); $response = $this->client->getResponse()->getContent(); $json = json_decode($response, true); $this->assertFalse($json["success"]); $this->assertEquals("Worker not found", $json["error"]); $this->assertEquals(400, $this->client->getResponse()->getStatusCode()); } }<file_sep><?php declare(strict_types=1); namespace App\Repository\Statics; use App\Entity\EventCompany; use App\Repository\StorageInterface; class EventCompanyRepository implements StorageInterface { public function find(int $id): ?EventCompany { return null; } public function all(): ?array { return $this->fixtures(); } private function fixtures(): ?array { $event1 = EventCompany::add('Corporate', new \DateTimeImmutable("2020-12-25 15:00"), new \DateTimeImmutable("2020-12-26 00:00")); $event2 = EventCompany::add('Birthday company', new \DateTimeImmutable("2020-10-10 12:00"), new \DateTimeImmutable("2020-10-10 20:00")); return [ 1 => $event1, 2 => $event2, ]; } }<file_sep><?php declare(strict_types=1); namespace App\Entity; use App\Entity\VO\Schedule; /** * @ORM\Entity() */ class Worker { /** * @ORM\Id * @ORM\Column(type="integer", unique=true) * @ORM\GeneratedValue(strategy="AUTO") */ private int $id; /** * @ORM\Column(type="string", nullable=true) */ private string $name; /** * @ORM\Embedded(class="App\Entity\VO\Schedule", columnPrefix=false) */ private Schedule $scheduleWorkDay; /** * @ORM\OneToMany(targetEntity="App\Entity\Vacation", cascade={"remove"}, mappedBy="worker") */ private array $vacation; public function __construct(int $id, string $name, Schedule $scheduleWorkDay) { if (empty($id)) { throw new \DomainException("Please enter the ID"); } if ($id < 0) { throw new \DomainException("The ID don't be negative"); } $this->id = $id; $this->name = $name; $this->scheduleWorkDay = $scheduleWorkDay; $this->vacation = []; } public static function create(int $id, string $name, Schedule $scheduleWorkDay): self { return new self($id, $name, $scheduleWorkDay); } public function addVacation(Vacation $vacation): self { $this->vacation[] = $vacation; return $this; } public function getData(): array { return [ "id" => $this->id, "name" => $this->name, "scheduleWorkDay" => $this->scheduleWorkDay->getData(), "vacation" => $this->vacation ]; } }<file_sep><?php declare(strict_types=1); namespace App\Tests\Unit; use App\Entity\Vacation; use PHPUnit\Framework\TestCase; class VacationTest extends TestCase { public function testVacationNormal() { $vacation = Vacation::add($start = new \DateTimeImmutable("2020-12-05"), $end = new \DateTimeImmutable("2020-12-20")); $this->assertEquals($start, $vacation->getStart()); $this->assertEquals($end, $vacation->getEnd()); } public function testVacationException() { $this->expectException(\DomainException::class); $this->expectExceptionMessage("End time vocation cannot be less than start"); Vacation::add($start = new \DateTimeImmutable("2020-12-05"), $end = new \DateTimeImmutable("2020-12-03")); } }<file_sep><?php declare(strict_types=1); namespace App\Repository; interface StorageInterface { public function find(int $id): ?object; public function all(): ?array; }<file_sep><?php declare(strict_types=1); namespace App\Tests\Unit; use App\Entity\VO\Schedule; use App\Entity\Vacation; use App\Entity\Worker; use PHPUnit\Framework\TestCase; class WorkerTest extends TestCase { public function testAddWorkerNormal() { $worker = Worker::create(1, 'Vasya', $schedule = Schedule::add(10, 19, 13, 14)); $worker->addVacation(Vacation::add(new \DateTimeImmutable("2020-12-05"), new \DateTimeImmutable("2020-12-20"))); $this->assertEquals(1, $worker->getData()["id"]); $this->assertEquals($schedule->getData(), $worker->getData()["scheduleWorkDay"]); } }<file_sep>name: RunTest on: pull_request: branches: [ master ] jobs: runtest: runs-on: ubuntu-latest steps: - uses: actions/checkout@master - name: Merge staging -> test_branch uses: devmasx/merge-branch@v1.3.1 with: type: now target_branch: test_branch github_token: ${{ github.token }} - name: Composer install run: composer install --no-interaction --ansi --no-suggest - name: Run test run: php vendor/bin/phpunit
1098388b45a699c895e97cc1a564699be9fb44c8
[ "Makefile", "Dockerfile", "YAML", "PHP" ]
19
Makefile
avkey89/schedule-worker
83aaf844766de39e38ad611fa9d6437823f4542f
27070902e61c95cc8145739f92bd08461fe27320
refs/heads/master
<file_sep># cole.github.10
015aefed3c2a4c8dd49b5a44aca12371add133fb
[ "Markdown" ]
1
Markdown
ArcticFox12/cole.github.10
3c5aae8829b007733b18a256bd2bcb1733f38c78
f5907cabaec7ca40dc93d9dd22b1762f88e420f2
refs/heads/master
<repo_name>dmarcosc/competitions<file_sep>/README.md # competitions Merit-based competitions project
3d26c4e92dbf1e51570fe6e6fbbdd7bbfffc4444
[ "Markdown" ]
1
Markdown
dmarcosc/competitions
15e9fd726f569d09e89a8cd124ea37e072edca84
5f5210d57ee90248cee4f25d8ee887a5a6243b9b
refs/heads/gh-pages
<file_sep>--- layout: post title: Parrot pro art date: 2018-07-26 09:04:47 category: subwords permalink: /subwords/parrot-pro-art/ --- ![parrot pro art ]({{ "/assets/subwords/batchI/parrot_pro_art.png" | absolute_url }}) &nbsp; ![parrot pro art ]({{ "/assets/subwords/batchI/parrot_pro_art.2.png" | absolute_url }}) &nbsp; --- &nbsp; Batch I from Subwords. Words from [litscape](https://www.litscape.com/). <file_sep>--- layout: post title: Cold hair arse type date: 2018-08-27 18:20:47 category: squares permalink: /squares/cold-hair-arse-type/ --- ![cold hair arse type ]({{ "/assets/squares/4/cold_hair_arse_type_2018_8_27.png" | absolute_url }}) &nbsp; --- &nbsp; Composed with words from [litscape](https://www.litscape.com/). Including diagonals. Dree: v. "To endure, undergo, suffer, bear (something burdensome, grievous, or painful).", and also as n. "The action of the verb dree v.; suffering, grief, trouble. (Mostly a modern archaism.)" (OED) <file_sep>--- layout: post title: Singular Value Decomposition category: lore permalink: /lore/singular-value-decomposition/ --- Several machine learning resources I looked at (before overwhelmment took me). <div class="video-container"> <iframe max-width="100%" height="auto" src="https://www.youtube.com/embed/P5mlg91as1c" frameborder="0" allow="autoplay; encrypted-media" allowfullscreen></iframe> </div> <div class="video-container"> <iframe max-width="100%" height="auto" src="https://www.youtube.com/embed/mBcLRGuAFUk" frameborder="0" allow="autoplay; encrypted-media" allowfullscreen></iframe> </div> <div class="video-container"> <iframe max-width="100%" height="auto" src="https://www.youtube.com/embed/cOUTpqlX-Xs" frameborder="0" allow="autoplay; encrypted-media" allowfullscreen></iframe> </div> <div class="video-container"> <iframe max-width="100%" height="auto" src="https://www.youtube.com/embed/CQbbsKK1kus" frameborder="0" allow="autoplay; encrypted-media" allowfullscreen></iframe> </div> <file_sep>--- layout: post title: Diagful IV-Squares date: 2018-08-27 18:20:47 category: squares permalink: /squares/iv-squares-diag/ --- A batch of IV-squares, composed with words from [litscape](https://www.litscape.com/). Including diagonals. Together with a snarky ending. ![bard area liar damn ]({{ "/assets/squares/4/bard_area_liar_damn_2018_8_27.png" | absolute_url }}) ![bard area read dads ]({{ "/assets/squares/4/bard_area_read_dads_2018_8_27.png" | absolute_url }}) ![bard urea rear part ]({{ "/assets/squares/4/bard_urea_rear_part_2018_8_27.png" | absolute_url }}) ![barf liar arse type ]({{ "/assets/squares/4/barf_liar_arse_type_2018_8_27.png" | absolute_url }}) ![barm oleo tsar hope ]({{ "/assets/squares/4/barm_oleo_tsar_hope_2018_8_27.png" | absolute_url }}) ![bawd area rear darg ]({{ "/assets/squares/4/bawd_area_rear_darg_2018_8_27.png" | absolute_url }}) ![bawd area rear dart ]({{ "/assets/squares/4/bawd_area_rear_dart_2018_8_27.png" | absolute_url }}) ![bawd liar arse type ]({{ "/assets/squares/4/bawd_liar_arse_type_2018_8_27.png" | absolute_url }}) ![bleb luau arts best ]({{ "/assets/squares/4/bleb_luau_arts_best_2018_8_27.png" | absolute_url }}) ![blob luau arts best ]({{ "/assets/squares/4/blob_luau_arts_best_2018_8_27.png" | absolute_url }}) ![bomb liar ulna eyed ]({{ "/assets/squares/4/bomb_liar_ulna_eyed_2018_8_27.png" | absolute_url }}) ![boys riot ally dyke ]({{ "/assets/squares/4/boys_riot_ally_dyke_2018_8_27.png" | absolute_url }}) ![calls alien reave erned stars ]({{ "/assets/squares/4/calls_alien_reave_erned_stars_2018_8_27.png" | absolute_url }}) ![caper array reign ended seers ]({{ "/assets/squares/4/caper_array_reign_ended_seers_2018_8_27.png" | absolute_url }}) ![cases urine reede eager deeds ]({{ "/assets/squares/4/cases_urine_reede_eager_deeds_2018_8_27.png" | absolute_url }}) ![chant ratio airns write syphs ]({{ "/assets/squares/4/chant_ratio_airns_write_syphs_2018_8_27.png" | absolute_url }}) ![charm rogue ourie print sings ]({{ "/assets/squares/4/charm_rogue_ourie_print_sings_2018_8_27.png" | absolute_url }}) ![chasm rogue ourie print sings ]({{ "/assets/squares/4/chasm_rogue_ourie_print_sings_2018_8_27.png" | absolute_url }}) ![chats logoi apart spite synes ]({{ "/assets/squares/4/chats_logoi_apart_spite_synes_2018_8_27.png" | absolute_url }}) ![clasp lover alane slits sylis ]({{ "/assets/squares/4/clasp_lover_alane_slits_sylis_2018_8_27.png" | absolute_url }}) ![clef hoar acre tone ]({{ "/assets/squares/4/clef_hoar_acre_tone_2018_8_27.png" | absolute_url }}) ![clef roar arse meet ]({{ "/assets/squares/4/clef_roar_arse_meet_2018_8_27.png" | absolute_url }}) ![clept homer orate writs sylis ]({{ "/assets/squares/4/clept_homer_orate_writs_sylis_2018_8_27.png" | absolute_url }}) ![cold hair arse type ]({{ "/assets/squares/4/cold_hair_arse_type_2018_8_27.png" | absolute_url }}) ![crawl logoi aulos sleep seeds ]({{ "/assets/squares/4/crawl_logoi_aulos_sleep_seeds_2018_8_27.png" | absolute_url }}) ![crawl logoi aulos sleep seers ]({{ "/assets/squares/4/crawl_logoi_aulos_sleep_seers_2018_8_27.png" | absolute_url }}) ![crawl logoi awarn edile synds ]({{ "/assets/squares/4/crawl_logoi_awarn_edile_synds_2018_8_27.png" | absolute_url }}) ![crawl logoi awarn smile sends ]({{ "/assets/squares/4/crawl_logoi_awarn_smile_sends_2018_8_27.png" | absolute_url }}) ![damp area mean pang ]({{ "/assets/squares/4/damp_area_mean_pang_2018_8_27.png" | absolute_url }}) ![draft ratio unmew meant sends ]({{ "/assets/squares/4/draft_ratio_unmew_meant_sends_2018_8_27.png" | absolute_url }}) ![flaws robot afore stoln synds ]({{ "/assets/squares/4/flaws_robot_afore_stoln_synds_2018_8_27.png" | absolute_url }}) ![grasp romeo enorm enure seres ]({{ "/assets/squares/4/grasp_romeo_enorm_enure_seres_2018_8_27.png" | absolute_url }}) ![sacra iller loons enate semes ]({{ "/assets/squares/4/sacra_iller_loons_enate_semes_2018_8_27.png" | absolute_url }}) ![strag whore ariel rente fesse ]({{ "/assets/squares/4/strag_whore_ariel_rente_fesse_2018_8_27.png" | absolute_url }}) ![strag whore aroma raper tests ]({{ "/assets/squares/4/strag_whore_aroma_raper_tests_2018_8_27.png" | absolute_url }}) ![strag whorl aroma roses meeds ]({{ "/assets/squares/4/strag_whorl_aroma_roses_meeds_2018_8_27.png" | absolute_url }}) ![strap there arise never deeds ]({{ "/assets/squares/4/strap_there_arise_never_deeds_2018_8_27.png" | absolute_url }}) ![strap there arise revel seeds ]({{ "/assets/squares/4/strap_there_arise_revel_seeds_2018_8_27.png" | absolute_url }}) ![swarm yogee porns elite synes ]({{ "/assets/squares/4/swarm_yogee_porns_elite_synes_2018_8_27.png" | absolute_url }}) ![turd urea ream damp ]({{ "/assets/squares/4/turd_urea_ream_damp_2018_8_27.png" | absolute_url }}) ![turf area leer lake ]({{ "/assets/squares/4/turf_area_leer_lake_2018_8_27.png" | absolute_url }}) ![tush area leer lark ]({{ "/assets/squares/4/tush_area_leer_lark_2018_8_27.png" | absolute_url }}) ![tush urea rear damp ]({{ "/assets/squares/4/tush_urea_rear_damp_2018_8_27.png" | absolute_url }}) ![typo hoax urge sees ]({{ "/assets/squares/4/typo_hoax_urge_sees_2018_8_27.png" | absolute_url }}) ![typo roar aria yell ]({{ "/assets/squares/4/typo_roar_aria_yell_2018_8_27.png" | absolute_url }}) ![wuss area real damp ]({{ "/assets/squares/4/wuss_area_real_damp_2018_8_27.png" | absolute_url }}) ![shy pee art ]({{ "/assets/squares/3/shy_pee_art_2018_8_27.png" | absolute_url }}) <file_sep>--- layout: post title: Atheist/Monist date: 2018-08-21 11:04:47 category: subwords permalink: /subwords/atheist-monist/ --- ![anesthetists atheist nests ]({{ "/assets/subwords/batchIV/anesthetists_atheist_nests.png" | absolute_url }}) &nbsp; &nbsp; ![armageddonist monist rage add ]({{ "/assets/subwords/batchIV/armageddonist_monist_rage_add.png" | absolute_url }}) &nbsp; --- &nbsp; Batch IV from Subwords. Words from [litscape](https://www.litscape.com/). Armageddonist: armageddon n. "In Christian eschatology: the last battle between good and evil before the Day of Judgement, to be fought (according to Revelation 16:16) in the place of this name. Hence: any dramatic, final, or catastrophic conflict, esp. one seen as likely to destroy the world or the human race; (sometimes more loosely) the end of the world." (OED) Monist: monism n. "A theory that denies the duality of matter and mind." (OED) <file_sep>--- layout: post title: Anti date: 2018-08-21 10:04:47 category: subwords permalink: /subwords/anti/ --- ![antimonarchianists onanist antic mar his ]({{ "/assets/subwords/batchIII/antimonarchianists_onanist_antic_mar_his.png" | absolute_url }}) &nbsp; &nbsp; ![antimonarchianists anarchs tins mini oat ]({{ "/assets/subwords/batchIII/antimonarchianists_anarchs_tins_mini_oat.png" | absolute_url }}) &nbsp; &nbsp; ![antiaggressiveness tigress sins nave age ]({{ "/assets/subwords/batchIII/antiaggressiveness_tigress_sins_nave_age.png" | absolute_url }}) &nbsp; &nbsp; ![anticeremonialists ironist anal teem cis ]({{ "/assets/subwords/batchIII/anticeremonialists_ironist_anal_teem_cis.png" | absolute_url }}) &nbsp; &nbsp; ![antieducationalist dualist teat icon ani ]({{ "/assets/subwords/batchIII/antieducationalist_dualist_teat_icon_ani.png" | absolute_url }}) &nbsp; --- &nbsp; Batch III from Subwords. Words from [litscape](https://www.litscape.com/). Onanist: onanism n. "Masturbation. Also: coitus interruptus. Also fig." (OED) Nave: n. "The main part or body of a church building, intended to accommodate most of the congregation, usually extending from the west door to the chancel and frequently separated from an aisle on each side by pillars." (OED) Teem: "A heavy downpour of rain. Also in extended use." (OED) Cis: "Cisgender or cissexual. Frequently in cis man, cis woman (each also as one word)." (OED) Ani: any. <file_sep>--- layout: post title: More Sources category: lore permalink: /lore/more-sources/ --- My experience in the UK has led me to two odd conclusions: first, I tend often to be inspired by 'continental' art (from France, Germany, Austria, Italy...) more directly, intimately, profoundly, by what I find in the UK (the case of the US is less clear); the second strange phenomenon is the near-absence, in London, of any transmission, any visibility, of so much I find inspiring in Continental Europe (more so for France than Germany). As my discovery of digital practices occurred after my exile in the UK, I can safely assume that what I see as a relative 'absence' of such practices on the Continent is due to my ignorance, and the already mentioned lack of proper visibility of these artists here, rather than the rather broadly shared prejudice that the UK is far ahead on this front, and that these practices are yet to emerge over there. A little research does yield a few preliminary results, perhaps most notable of all, the presence of an entire department dedicated to digital creation in Paris, founded in 1990 (far earlier than the Goldsmiths Computational Art department, if my informations are correct). Perhaps not so surprisingly, however, the web presence of a lot of what I find in France is appalling and really, really old-looking (which forces me to moderate my earlier statements: the Continent does need an upgrade on that front). The site of the [Département Hypermédia](http://hypermedia.univ-paris8.fr/) and its [Wiki page](https://fr.wikipedia.org/wiki/D%C3%A9partement_hyperm%C3%A9dia). As I already noticed with literary studies, a lot of the research and practices in France and the rest of the Continent is often not digitised (very ironic in the field of e-literature...): if one looks at the staff there, half of the profiles are missing, and the websites, if any, are terrible, *but* if one were to look at paper archives, articles, etc., one would be amazed at the wealth of creativity and initiatives that have taken place. A far-from-exhaustive list of sources (which could also be a bestiary for terrifying web pages): - The [French Wiki page for digital literature ('littérature numérique')](https://fr.wikipedia.org/wiki/Litt%C3%A9rature_num%C3%A9rique); - The [Wiki page of a major 1985 exhibit at the Georges Pompidou Centre in Paris, *Les Immatériaux* ](https://fr.wikipedia.org/wiki/Les_Immat%C3%A9riaux); - The [Anthology of European Electronic Literature](https://anthology.elmcip.net/); - [<NAME>, 'L’écriture au risque du réseau. Une littérature en mouvement', *Communication & Language*, 2008, n° 155, pp. 39-43](’écriture au risque du réseau. Une littérature en mouvement); - [<NAME>, 'La littérature au risque du numérique', *Document numérique. Volume X, n° X/2001*](http://hypermedia.univ-paris8.fr/jean/articles/docnum.pdf); - A [chronology of electronic literature](http://balises.bpi.fr/culture-numerique/lhistoire-de-la-litterature-numerique/); - [<NAME> & Leondardo/Olats, 'Qu'est-ce que la littérature numérique ?', 2006](http://www.olats.org/livresetudes/basiques/litteraturenumerique/1_basiquesLN.php); - The [*Alire* magazine, an article by <NAME>](http://www.uoc.edu/humfil/articles/eng/bootz0302/bootz0302.html); - One [poem by <NAME> on iloveepoetry](http://iloveepoetry.com/?tag=philippe-bootz); - [<NAME>, 'Histoire de la poésie numérique', 2003](http://www.amourier.com/315-histoire-de-la-poesie-numerique.php); - <NAME>'s [website](http://www.balpe.name/) and [Wiki page](https://fr.wikipedia.org/wiki/Jean-Pierre_Balpe); - [<NAME>, 'Panorama de la poésie numérique: Vers une écriture verbi-voco-visuelle', 2005](http://www.akenaton-docks.fr/DOCKS-datas_f/collect_f/auteurs_f/D_f/DONGUY_f/TXT_F/THEORIE.htm); - [<NAME>'s website](http://www.costis.org/x/donguy/index.asp); - An interview of <NAME>, on his trajectory and practice in the field of digital literature in France (found on [this webpage](http://www.t-pas-net.com/libr-critique/interview-video-jacques-donguy/)): <div class="video-container"> <iframe max-width="100%" height="auto" src="https://www.youtube.com/embed/daX5oVQ5YGg" frameborder="0" allow="autoplay; encrypted-media" allowfullscreen></iframe> </div> <div class="video-container"> <iframe max-width="100%" height="auto" src="https://www.youtube.com/embed/jCn1GYlTr10" frameborder="0" allow="autoplay; encrypted-media" allowfullscreen></iframe> </div> <file_sep>--- layout: post title: Vagina date: 2018-07-26 09:04:47 category: subwords permalink: /subwords/vagina/ --- ![vaginas vain gas ]({{ "/assets/subwords/batchI/vaginas_vain_gas.png" | absolute_url }}) &nbsp; ![vaginal vain gal ]({{ "/assets/subwords/batchI/vaginal_vain_gal.png" | absolute_url }}) &nbsp; --- &nbsp; Batch I from Subwords. Words from [litscape](https://www.litscape.com/). <file_sep>--- layout: post title: WordSquares Redux category: lore permalink: /lore/wordsquares-redux/ --- Finally ported my ofxWordSquares to Python, leading to an improved wordsquare generator. The progress has been fairly gratifying, especially the implementation of a [Dawg](https://en.wikipedia.org/wiki/Deterministic_acyclic_finite_state_automaton) (directed a cyclic graph) for prefix search. Oddly enough (or perhaps not so oddly, knowing me), this progress, the amount of squares I can now generate, and the amount ahead, that still remains out of grasp, are more depressing than anything else. Perhaps it is a counterwave, a moment of low spirit after the fit of work and tension required to achieve that result. Still, it does feel I am distracted, focussed on technicalities rather than art, and still utterly in the dark regarding my future, etc. The problem is this: sure, with a bit of patience and disk space, I could have a database of 4-lettered squares with a size in the hundreds of millions, but I'm not even sure I could do anything with it. My other project WordSquaresAI was already difficult to manage with a database of 200'000 squares (next steps: improve that), and I ran into difficulties when I tried to get into the artistic part of it, namely when I had to find specific squares I would want to exhibit as works of poetry. The two problems, of quantity and of quality (finding good, beautiful squares), remain unsolved, and I don't see how they would go away any time soon. It does feel that I ought to change my strategy entirely. Namely, even more radically than in my previous turn, when I turned away from my focus on AI to complete old projects a few days ago, to put artistic practice at the absolute core of what I am doing every day, and put everything else in the background. Start with a basic random function if I have to, but (re)introduce play and artistic creation asap, at this very moment. <file_sep>--- layout: post title: Diagless VI-Squares date: 2018-08-27 17:31:47 category: squares permalink: /squares/vi-squares-no-diag/ --- A batch of VI-squares, composed with the 20k most frequent words in Google. No diagonals. ![assess scenic sender endure sierra scream ]({{ "/assets/squares/ggl-20/6/assess_scenic_sender_endure_sierra_scream_2018_8_21.png" | absolute_url }}) ![bricks regret ignore crowne kernel steele ]({{ "/assets/squares/ggl-20/6/bricks_regret_ignore_crowne_kernel_steele_2018_8_27.png" | absolute_url }}) ![estate slaves talent avenue tenure esteem ]({{ "/assets/squares/ggl-20/6/estate_slaves_talent_avenue_tenure_esteem_2018_8_21.png" | absolute_url }}) ![kisses intent stance sensor encode stereo ]({{ "/assets/squares/ggl-20/6/kisses_intent_stance_sensor_encode_stereo_2018_8_21.png" | absolute_url }}) ![kisses intent stance sensor encore stereo ]({{ "/assets/squares/ggl-20/6/kisses_intent_stance_sensor_encore_stereo_2018_8_21.png" | absolute_url }}) ![leader entire athena diesel ernest realty ]({{ "/assets/squares/ggl-20/6/leader_entire_athena_diesel_ernest_realty_2018_8_21.png" | absolute_url }}) ![lesbos escort scotia bother orient starts ]({{ "/assets/squares/ggl-20/6/lesbos_escort_scotia_bother_orient_starts_2018_8_21.png" | absolute_url }}) ![naples arrest pretty lethal estate styles ]({{ "/assets/squares/ggl-20/6/naples_arrest_pretty_lethal_estate_styles_2018_8_21.png" | absolute_url }}) ![tastes accent scarce terror encode stereo ]({{ "/assets/squares/ggl-20/6/tastes_accent_scarce_terror_encode_stereo_2018_8_21.png" | absolute_url }}) ![tastes accent scarce terror encore stereo ]({{ "/assets/squares/ggl-20/6/tastes_accent_scarce_terror_encore_stereo_2018_8_21.png" | absolute_url }}) ![wastes accent scarce terror encode stereo ]({{ "/assets/squares/ggl-20/6/wastes_accent_scarce_terror_encode_stereo_2018_8_21.png" | absolute_url }}) ![wastes accent scarce terror encore stereo ]({{ "/assets/squares/ggl-20/6/wastes_accent_scarce_terror_encore_stereo_2018_8_21.png" | absolute_url }}) <file_sep>--- layout: post title: Cython category: lore permalink: /lore/cython/ --- The WordSquares conundrum did make me think about speed and optimisation. Friends in the field do confirm that C++ (& C), Java, and in general compiled (instead of [interpreted](https://en.wikipedia.org/wiki/Interpreted_language) ones like Python) are much faster. The [Cython library](http://cython.org/) has been built to provide Python with C-like speed capabilities (by adding strong typing and, if you so desire, integrate loops into the C compiler, which greatly improve efficiency). Definitely a project for the future! The video also includes a part on [multiprocessing](https://docs.python.org/3.3/library/multiprocessing.html), which I already treated [here]({{ site.basurl }}{% post_url /lore/2018-07-02-multiprocessing %}). <div class="video-container"> <iframe max-width="100%" height="auto" src="https://www.youtube.com/embed/NfnMJMkhDoQ" frameborder="0" allow="autoplay; encrypted-media" allowfullscreen></iframe> </div> <file_sep>--- layout: post title: Crawl logoi date: 2018-08-27 18:20:47 category: squares permalink: /squares/crawl-logoi/ --- ![crawl logoi aulos sleep seeds ]({{ "/assets/squares/4/crawl_logoi_aulos_sleep_seeds_2018_8_27.png" | absolute_url }}) &nbsp; ![crawl logoi aulos sleep seers ]({{ "/assets/squares/4/crawl_logoi_aulos_sleep_seers_2018_8_27.png" | absolute_url }}) &nbsp; ![crawl logoi awarn smile sends ]({{ "/assets/squares/4/crawl_logoi_awarn_smile_sends_2018_8_27.png" | absolute_url }}) &nbsp; ![crawl logoi awarn edile synds ]({{ "/assets/squares/4/crawl_logoi_awarn_edile_synds_2018_8_27.png" | absolute_url }}) &nbsp; --- &nbsp; Composed with words from [litscape](https://www.litscape.com/). Including diagonals. Logoi: pl. of logos n. "A term used by Greek (esp. Hellenistic and Neo-Platonist) philosophers in certain metaphysical and theological applications developed from one or both of its ordinary senses ‘reason’ and ‘word’; also adopted in three passages of the Johannine writings of the New Testament (where the English versions render it by ‘Word’) as a designation of Jesus Christ; hence employed by Christian theologians, esp. those who were versed in Greek philosophy, as a title of the Second Person of the Trinity. By modern writers the Greek word is used untranslated in historical expositions of ancient philosophical speculation, and in discussions of the doctrine of the Trinity in its philosophical aspects." (OED) Aulos: n. "A woodwind instrument of ancient Greece, or a similar instrument in use in some other ancient civilizations." (OED) Aglee: variant for agley adv. adj. "Awry, wrong; askew; obliquely, asquint. Frequently to go (also gang, etc.) agley.", "In predicative use: that is awry, wrong; askew, oblique." (OED) Roule: roll. Awarn: old variant of warn. (OED) Rowme: old variant of roam, room, Rome. (OED) Edile: also aedile n. "Roman History. Any of several magistrates who superintended public buildings, policing, and other municipal matters. Hence in extended use: a person in charge of urban housing and building; a municipal officer. (OED) Synds: variant for sind n. "A rinsing; a draught, a potation.", v. "trans. To rinse, to wash out or down." (OED) Claes: variant for clothes. (OED) <file_sep>--- layout: post title: Microspectrophotometrical(ly) date: 2018-08-21 09:04:47 category: subwords permalink: /subwords/microspectrophotometrical/ --- ![microspectrophotometrical tropical microhm sector poet]({{ "/assets/subwords/batchII/microspectrophotometrical_tropical_microhm_sector_poet.png" | absolute_url }}) &nbsp; &nbsp; ![microspectrophotometrically comically specter mirth rot poo ]({{ "/assets/subwords/batchII/microspectrophotometrically_comically_specter_mirth_rot_poo.png" | absolute_url }}) &nbsp; &nbsp; ![microspectrophotometrically microtomic prophet orally sect ]({{ "/assets/subwords/batchII/microspectrophotometrically_microtomic_prophet_orally_sect.png" | absolute_url }}) &nbsp; &nbsp; ![microspectrophotometrically prophetic rostrally cot ice mom ]({{ "/assets/subwords/batchII/microspectrophotometrically_prophetic_rostrally_cot_ice_mom.png" | absolute_url }}) &nbsp; &nbsp; ![microspectrophotometrically spectrally microhm poetic root ]({{ "/assets/subwords/batchII/microspectrophotometrically_spectrally_microhm_poetic_root.png" | absolute_url }}) &nbsp; --- &nbsp; Batch II from Subwords. Words from [litscape](https://www.litscape.com/). Microspectrophotometrical: microspectrophotometer n. "a spectrophotometer adapted to the examination of light transmitted by a very small specimen (such as a single biological cell) : a spectrophotometer adapted to the examination of light transmitted by a very small specimen (such as a single biological cell)" (Webster) Microhm: n. "One millionth part of an ohm = 1 microhm." (OED) Rot: adj. "Rotten; decayed. Obsolete." (OED) Microtomic: microtome n. " Originally: †an instrument for microdissection, resembling tiny shears (obsolete). In later use: any of various instruments used to cut thin sections for microscopy, typically consisting of a sample holder, a fixed blade, and a mechanism for controlling the thickness and angle of cutting." (OED) Rostrally: rostral adj. "Anatomy and Zoology. Designating the end or aspect of the body that contains the nose and mouth; located at or nearer to this end or aspect. Opposed to caudal adj." (OED) <file_sep>--- layout: post title: Chats/Chants date: 2018-08-27 18:20:47 category: squares permalink: /squares/chats-chants/ --- ![chats logoi apart spite synes ]({{ "/assets/squares/4/chats_logoi_apart_spite_synes_2018_8_27.png" | absolute_url }}) &nbsp; ![chant ratio airns write syphs ]({{ "/assets/squares/4/chant_ratio_airns_write_syphs_2018_8_27.png" | absolute_url }}) &nbsp; --- &nbsp; Composed with words from [litscape](https://www.litscape.com/). Including diagonals. Synes: hypothetical plural of a nominalization of 'syne' adj. & conj. "At a later time, afterwards, subsequently; esp. in phr. soon or syne, sooner or later.", "(So long) before now; ago: = since adv. 4. See also langsyne adv." (OED) Torte: n. "A round cake (of bread). Obsolete." (OED) Logoi: pl. of logos n. "A term used by Greek (esp. Hellenistic and Neo-Platonist) philosophers in certain metaphysical and theological applications developed from one or both of its ordinary senses ‘reason’ and ‘word’; also adopted in three passages of the Johannine writings of the New Testament (where the English versions render it by ‘Word’) as a designation of Jesus Christ; hence employed by Christian theologians, esp. those who were versed in Greek philosophy, as a title of the Second Person of the Trinity. By modern writers the Greek word is used untranslated in historical expositions of ancient philosophical speculation, and in discussions of the doctrine of the Trinity in its philosophical aspects." (OED) Airns: older form of earn, iron. (OED) Syphs: "= syphilis n. 1. Also with definite article." (OED) Atrip: also a-trip adv. "Of yards: swayed up, ready to have the stops cut for crossing. Of sails: hoisted from the cap, sheeted home, and ready for trimming. Smyth Sailor's Word-bk. 1867.", "Of an anchor: just raised perpendicularly from the ground in weighing." (OED) Toses: tose or toze v. "trans. To pull asunder; to separate or unravel the fibres of; to comb or card (wool, etc.)", "fig. To separate, search out; to analyse; to elicit, ‘tease out’." (OED) Craws: variant of caw v. " intr. Of a crow, rook, raven, or other bird: to make its characteristic harsh sound; to utter a caw or caws." (OED) <file_sep>--- layout: post title: L'Art introuvable category: lore permalink: /lore/art-introuvable/ --- Racking sense of failure. All this work (seemingly) for nothing. As if the only way I could do _anything_ was through a slightly obsessional drowning into technical issues, such as recursive functions or the (already difficult) basics of machine learning... L'Art introuvable. Art, my art, nowhere to be found. Rather extended period of emptiness after the completion of the subword update. This is such a regular pattern. Last month I swore to focus on making small, incremental pieces. I diverted my attention from machine learning, which seemed only to yield an endless burden of arcane knowlege and no art practice at all (or at least none before the deadline for the project), and focussed on getting the Wordsquares to work. Result: even more databases than before, barely any new, artistically worthy _singular_ square that I can display. After that? I leave this aside, update the subwords, mechanical frenzy, I finish the Subword 'perfect' decomposition, and I hit a similar wall: if I am somewhat pleased on a technical level, I am aesthetically underwhelmed. Artistic practice should be my constant, unwavering focus. Nothing else matters. Nothing else ever mattered. And yet I end up perpetually diverted, dissolved, unaccomplished. The first symptoms of this illness appeared twenty years ago now... Selection process and the shackles of constraint: not much to add. I must conclude that I acquired at least this piece of knowledge: a very tight level of constraint brings completeness, but almost certainly stifles Aesthesis. I look at my subwords, and apart from a few crispy, vulgar ones nothing stands out. Almost everything feels bland, lacking in anything that would make this pursuit worthwhile. I need to force myself to let go of some of the 'hardness' of the constraints I work with, and step into the intuitive randomness of the creative process. Other alleyway: work toward mastering larger datasets (the Wordsquare pipeline also includes dealing with these large sets of possible squares, and build visualisation tools - improving on the meagre existing ones). Context-free Grammars & Markov Chains: those two have been on my list (cf. my other post on [getting into JavaScript and using the RiTa library]({{ site.baseurl }}{% post_url /lore/2018-06-08-js-temptation %})) for a while, even if I am still at a loss seeing where this could lead. As usual, this is the wrong way of viewing things. I should start using those, experiment, and see where this leads me. Still, my usual complaints are the same as with everything else, something that I could call the 'e-lit dispirit'. I already have so many difficulties with literature in general (an ocean of dispiriting works and people, the unmoved despair of reaching any breakthrough, any improvement, of ever leaving this morass of obscure mediocrity I feel I have been stuck in for so many years, etc.). When it comes to e-literature, things are usually even worse. I can barely open a dedicated website without having a disheartening sense of disgust licking the back of my teeth. All signs point toward an unsurmountable difficulty, with the plain conclusion that I should drop everything and do something else. Issue: there isn't anything else, really. All doors have been shut. Nothing remains but these zombie steps. Technique, so much technique: most the issues I encounter with new paradigms (thinking mostly here about Machine Learning) are of two kinds. 1) Getting used to the strangeness of new ideas: solvable through patient exposure and repetitive (relentless), practice-based tenacity. 2) Nasty little technical snags that pop up everywhere. Getting down to the nitty-gritty of Python, or Numpy, that is, dealing with matrices not too clumsily, for instance, are the worst impediments for learning TensorFlow so far. This is a recurrent pattern for me in dealing with computation. Most of the rage comes from those insignificant details rather than what I tend to see as the 'deep' issues. Theory: people seem to be keen to integrate theoretical frameworks to their works. It is odd for me to notice how far I seem to stand on this issue. Not that I reject or dislike theory; quite the contrary, it appears to me more than often absurd that I did not end up being a philosopher or some other species of theorist. Maybe it has to do with the overall 'bath' we swim in around these parts? Almost none of what I see appeals to me. In days that now seem ages ago I read almost everything <NAME> wrote, and followed up with Meillassoux. Before that I had published an article on Lacan's _Transfer_ seminar, and banged my head on the postwar wall (Derrida, Foucault, Deleuze, the usual gang). I regularly regret not having more time to carry on reading classical (mostly continental, rationalist) philosphers. Yet apart from a few figures of the analytic branch, itself not particularly appealing, such as <NAME>, <NAME>, perhaps Putnam, Yablo, Williamson or Parfit, I see little impulse toward these theories that people are so impassioned with in my surroundings. Also, after the great, solar exposure to Badiou's monumental work, it is as if the source of my philosophical nurturing went somewhat dry. Meillassoux is quite amazing, but very slow to produce new works, and seems to have less scope, for now, than his megalomaniac predecessor. Maybe I will experience a revival some day? Who knows. As usual, impossible to tame my odd drive toward machine learning, even if I still don't see how this could becme fruitful in any way. From what I can see, using RNNs for text production could almost be the natural extension of, the next step after, Markov Chains (and, perhaps, some forms of non- or semi-deterministic grammars). Similar potential issues ahead, similar expected disappointment. It will be hard to prevent myself from gnawing on that bone, and thus I shall gnaw on. <file_sep>--- layout: post title: Radiotherapeutists date: 2018-08-21 10:04:47 category: subwords permalink: /subwords/radiotherapeutists/ --- ![radiotherapeutists atheist opus dire rat ]({{ "/assets/subwords/batchIII/radiotherapeutists_atheist_opus_dire_rat.png" | absolute_url }}) &nbsp; --- &nbsp; Batch III from Subwords. Words from [litscape](https://www.litscape.com/). <file_sep>--- layout: post title: I am the most in desire date: 2018-08-25 19:40:47 category: ait permalink: /ait/most-in-desire/ --- ![I am the most in ]({{ "/assets/AIT/holes/I_am_the_most_in_2018_8_29.png" | absolute_url }}) --- I am the most in desire for the same thing&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp; I could try and be a matter of the dark&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp; it or the beautiful in the brain of the end of the world&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp; all too well then on the contrary&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp; that’s it I can’t I can’t&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;this whole wallowing&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;fingers fingers and this this stuff this shit&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp; the same thing&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp; the same thing is there anything more than&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp; My transform is&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp; impediments as the posteriorating of it all as the abyss of it all&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp; But of course there’s nothing else. And then of course the problem of pain of the pit. As in. The mind. Haha. As if. Yeah.&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;Erased. Being so low.&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;Death then what will be&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp; no work no not now not&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp; as if no way&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;I do I do necessarily&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp; a massive stupid pure idea of the world&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;one seems to be happy and remembering the basis of goal&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;haha the eyes blah&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp; yeah you whine you whine yeah you know when you are nothing you just write just something here just doing nothing etc etc&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;something inside&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;a few steps out and then as if something like a better life&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp; the forms a bench the cards the cheeks&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp; absurd that’s a point of --- &nbsp; &nbsp; Second batch from AIT. <file_sep>--- layout: post title: Ness(es) date: 2018-08-21 10:04:47 category: subwords permalink: /subwords/ness(es)/ --- ![disproportionateness dirtiness propane soot ]({{ "/assets/subwords/batchIII/disproportionateness_dirtiness_propane_soot.png" | absolute_url }}) &nbsp; &nbsp; ![disagreeablenesses blesses dire sane age ]({{ "/assets/subwords/batchIII/disagreeablenesses_blesses_dire_sane_age.png" | absolute_url }}) &nbsp; &nbsp; ![characteristicness harten cistic caress ]({{ "/assets/subwords/batchIII/characteristicness_harten_cistic_caress.png" | absolute_url }}) &nbsp; --- &nbsp; Batch III from Subwords. Words from [litscape](https://www.litscape.com/). Harten: hearten v. Cistic: cist n. "Prehistoric Archaeology. A sepulchral chest or chamber excavated in rock or formed of stones or hollowed tree-trunks; esp. a stone-coffin formed of slabs placed on edge, and covered on the top by one or more horizontal slabs." (OED) <file_sep>--- layout: post title: While humor image logic erect date: 2018-08-27 17:30:47 category: squares permalink: /squares/while-humor-image-logic-erect/ --- ![while humor image logic erect ]({{ "/assets/squares/ggl-20/5/while_humor_image_logic_erect_2018_8_27.png" | absolute_url }}) &nbsp; --- &nbsp; Composed with the 20k most frequent words in Google. No diagonals. <file_sep>--- layout: post title: Administrationists date: 2018-08-21 10:04:47 category: subwords permalink: /subwords/administrationists/ --- ![administrationists minions dirt stat ais ]({{ "/assets/subwords/batchIII/administrationists_minions_dirt_stat_ais.png" | absolute_url }}) &nbsp; &nbsp; ![administrationists artists mist naoi din ]({{ "/assets/subwords/batchIII/administrationists_artists_mist_naoi_din.png" | absolute_url }}) &nbsp; --- &nbsp; Batch III from Subwords. Words from [litscape](https://www.litscape.com/). Ais: ai, n. "A three-toed sloth (genus Bradypus, family Bradypodidae); esp. the pale-throated sloth, B. tridactylus." (OED) Stat: stat, n. "Statute", "Statistics", also adv. & adj. "Immediately". (OED) Naoi: pl. of naos, n. "Esp. in ancient Greece: a temple; the inner cell or sanctuary of a temple". (OED) <file_sep>--- layout: post title: Selfidentification date: 2018-08-21 10:04:47 category: subwords permalink: /subwords/selfidentification/ --- ![selfidentification station deific elfin ]({{ "/assets/subwords/batchIII/selfidentification_station_deific_elfin.png" | absolute_url }}) &nbsp; --- &nbsp; Batch III from Subwords. Words from [litscape](https://www.litscape.com/). Deific: adj. "Deifying, making divine; also (less properly), divine, godlike." (OED) Elfin: "Pertaining to elves; of elfish nature or origin." or "Fairy-like, full of strange charm." (OED) <file_sep>--- layout: post title: Clept homer orate writs sylis date: 2018-08-27 18:20:47 category: squares permalink: /squares/clept-homer-orate-writs-sylis/ --- ![clept homer orate writs sylis ]({{ "/assets/squares/4/clept_homer_orate_writs_sylis_2018_8_27.png" | absolute_url }}) &nbsp; --- &nbsp; Composed with words from [litscape](https://www.litscape.com/). Including diagonals. Clept: past pp. of clepe v. "intr. To cry, call; to call on, appeal to (a person), for or after (a thing). Obsolete.", "trans. To call (a person); to summon, bid come; to invite; to invoke, call to witness; = call v. 13, 14a, to call to witness at sense 6b. Obsolete.", "With complemental object: To call by the name of, call, name; = call v. 10. Obsolete (except as in 3b), but occasionally used as a literary archaism." and " In this sense, the past participle ycleped, yclept /ɪˈklɛpt/, was retained in use (beside the ordinary cleped) down through the Middle English period, was greatly affected in 16th cent., and is still a frequent literary archaism. See also yclept adj." (OED) Orate: v. "To deliver an oration; to act the orator; (in mocking or humorous use) to hold forth pompously or at length. Also trans." (OED) Writ: n. "A formal writing or paper of any kind; a legal document or instrument.", "Law. A written command, precept, or formal order issued by a court in the name of the sovereign, state, or other competent legal authority, directing or enjoining the person or persons to whom it is addressed to do or refrain from doing some act specified therein." (OED) Sylis: "the monetary unit of Guinea from 1972 to 1986" (Webster) Chows: pl. of chow n. "slang (chiefly Austral.). A Chinese person. (Derogatory.)", "Pidgin-English and slang. Food, or a meal, of any kind. Also spec. = chow-chow n. and adj. 1. Also attrib." (OED) Petti: petticoat. Tress: n. "A plait or braid of the hair of the head, usually of a woman." (OED) <file_sep>--- layout: post title: Cloud Computing category: lore permalink: /lore/cloud-computing/ --- For the first time in years, I feel the computational resources I have access to are not sufficient to achieve my goals. I am still planning on completing this third part, 'AIT', neurally to generate prose texts, and it does feel that the quality of the results, especially the amount of 'human' editing that will be required, will depend on the computational power I will be able to access, more specifically: if I will be able to use GPUs to hone my lstm model. So far I looked into Google Colaboratory, Google Cloud Computing, and Amazon AWS (I also know of [FloydHub](https://www.floydhub.com/) and [Heroku](https://www.heroku.com/), but apart from [this article](https://medium.com/@rupak.thakur/aws-vs-paperspace-vs-floydhub-choosing-your-cloud-gpu-partner-350150606b39) my research has not been extensive). As often happens, I stumble across splinters of the future more easily than simple, helpful insights for the preset. Thus, I know now what is likely the next step after [GPUs](https://en.wikipedia.org/wiki/Graphics_processing_unit), themselves already the major facilitator technology for the whole deep learning frenzy: [TPUs](https://cloud.google.com/tpu/), otherwise known as 'Tensor Processing Unit', developed by Google and, surprise, optimised for TensorFlow. I saw that it was possible to rent them, or even cluster of those, on the Google Cloud Platform. Of use if I ever want to take neural text generation to the next level. For squares as well, that is, for (textual) database generation. <div class="video-container"> <iframe max-width="100%" height="auto" src="https://www.youtube.com/embed/zEOtG-ChmZE" frameborder="0" allow="autoplay; encrypted-media" allowfullscreen></iframe> </div> &nbsp; --- &nbsp; But most of all, for sanity. Having one's laptop hotly crunching next to one day and night all too often induces a [Fuselian](https://en.wikipedia.org/wiki/Henry_Fuseli) feel of horror. ![Fuseli Nightmare]({{ "/assets/fuseli-nightmare-41-4-bqscan.png" | absolute_url }}) <file_sep>--- layout: post title: Games alert metro error storm date: 2018-08-27 17:30:47 category: squares permalink: /squares/games-alert-metro-error-storm/ --- ![games alert metro error storm ]({{ "/assets/squares/ggl-20/5/games_alert_metro_error_storm_2018_8_27.png" | absolute_url }}) &nbsp; --- &nbsp; Composed with the 20k most frequent words in Google. No diagonals. <file_sep>--- layout: post title: Boys riot ally dyke date: 2018-08-27 18:20:47 category: squares permalink: /squares/boys-riot-ally-dyke/ --- ![boys riot ally dyke ]({{ "/assets/squares/4/boys_riot_ally_dyke_2018_8_27.png" | absolute_url }}) &nbsp; --- &nbsp; Composed with words from [litscape](https://www.litscape.com/). Including diagonals. Stye: sty. Also int. "Chiefly in to say (or know) neither buff nor stye: see buff int. b." (OED) Brad: n. "A thin flattish nail of the same thickness throughout, but tapering in width, having a small ‘lip’ on one edge, instead of a head." also slang "Brads, halfpence; also money in general.", v. "trans. To fasten with brads." and adj. "Roasted, broiled. Obsolete" (OED) <file_sep>--- layout: post title: So weak resist date: 2018-08-25 18:00:47 category: ait permalink: /ait/so-weak-resist/ --- ![So weak resist resist in ]({{ "/assets/AIT/para/So_weak_resist_resist_in_2018_8_26.png" | absolute_url }}) --- &nbsp; &nbsp; First batch from AIT. <file_sep>--- layout: post title: TensorBoard category: lore permalink: /lore/tensorboard/ --- For future reference, a video of introduction to TensorBoard, a tool to visualise the inner workings of a TensorFlow network. Could come in handy if I succeed in hopping onto the machine learning bandwagon. <div class="video-container"> <iframe max-width="100%" height="auto" src="https://www.youtube.com/embed/eBbEDRsCmv4" frameborder="0" allow="autoplay; encrypted-media" allowfullscreen></iframe> </div> <file_sep>--- layout: post title: Tastes accent scarce terror date: 2018-08-27 17:31:47 category: squares permalink: /squares/tastes-accent-scarce-terror/ --- ![tastes accent scarce terror encore stereo ]({{ "/assets/squares/ggl-20/6/tastes_accent_scarce_terror_encore_stereo_2018_8_21.png" | absolute_url }}) &nbsp; ![tastes accent scarce terror encode stereo ]({{ "/assets/squares/ggl-20/6/tastes_accent_scarce_terror_encode_stereo_2018_8_21.png" | absolute_url }}) &nbsp; --- &nbsp; Composed with the 20k most frequent words in Google. No diagonals. <file_sep>--- layout: post title: I am still doing this date: 2018-08-25 20:20:47 category: ait permalink: /ait/i-am-still-doing-this/ --- ![I am still doing this]({{ "/assets/AIT/I_am_still_doing_this_2018_8_26.png" | absolute_url }}) --- I am still doing this the same the ass the same one where haha still there the same the same one the only way the despair. The thoughts. Those ones again. The bottom of the body the blank the thrill work the feeling shit the thing is is there anything else. As said. As said. As said. As said. Yeah. A preset. Somewhere there are some things. Yeah. Some things else. Some things else. Some things there. The very strange thing is is is is there anything else to be done say work to the overall the whole the thing that is in due conviction the real thing could this be the thing this thing this this this this this dissolve this. Sure the grey the stupid shit. Shit. Shit. Shit. Fuck. All this. All this shit. All this. All this fucking thing. Yeah. All this I am. Yeah. And yet. What now. What now. The fucking shitty shitty path. I hate that as well as an end. And the word thing would be to deal with something all those metal things that could still be there. Lying about. As if the pain the bare one better than this interesting interesting this is not the case no no not at all. Haha. Haha. As said. Haha. Haha. In any case. I should say I start. I remember an illness and this or that coming up. In the first place. The being discourses on cancer. --- &nbsp; &nbsp; Second batch from AIT. <file_sep>--- layout: post title: Calls alien reave erned stars date: 2018-08-27 18:20:47 category: squares permalink: /squares/calls-alien-reave-erned-stars/ --- ![calls alien reave erned stars ]({{ "/assets/squares/4/calls_alien_reave_erned_stars_2018_8_27.png" | absolute_url }}) &nbsp; --- &nbsp; Composed with words from [litscape](https://www.litscape.com/). Including diagonals. Reave: n. "A long low boundary wall or bank of a type found esp. on Dartmoor, in Devon." or v. "intr. To commit robbery; to plunder, pillage; to make raids. Now chiefly Sc." (OED) Erned: old form of errand. (OED) Also v. "(Britain dialectal) To run; flow.", "(Britain dialectal, Scotland) To (cause to) coagulate; curdle (milk) by adding rennet and applying heat.", "(intransitive, obsolete) To stir with strong emotion; grieve; mourn.", "(Britain dialectal, Scotland) To pain; torture." and "(Britain dialectal, Scotland) (of the eyes) To cause to water; smart." (Wiktionary) Sneds: n. "The shaft or pole of a scythe.", v. "transitive. To cut or lop off (a branch). Also in figurative context, and with off. In later use Sc. and northern dialect." (OED) Claes: pl. n. "Scottish and English regional (northern). = clothes" (OED) <file_sep>--- layout: post title: Mital's CADL category: lore permalink: /lore/mital/ --- After weeks of stagnation at the end of session 2 of [<NAME>'s course on Kadenze](https://www.kadenze.com/courses/creative-applications-of-deep-learning-with-tensorflow/info), some progress, but only until half of session 4, dealing with the nitty-gritty of [Variational Autoencoders](http://kvfrans.com/variational-autoencoders-explained/)... Steep, but after setting myself to copy every single line of code in these Jupyter Notebooks, the whole verbosity of TensorFlow becomes a little less alien. I should mention that all this learning has been made far more possible after having followed [<NAME>](https://www.doc.gold.ac.uk/~mas01rf/homepage/)'s courses at Goldsmiths and her [Machine Learning for Musicians and Artists on Kadenze](https://www.kadenze.com/courses/machine-learning-for-musicians-and-artists/info). That offered a first basis for the work at hand. One of the main issues I encounter is that I don't manage to find a direct application, or a direct way of implementing, my own projects, using these techniques. I am learning them, slowly, but in the abstract, as it were. These attempts still remain dsconnected from actual artistic practice. This is reinforced by the heavy focus on visuals (and, to a lesser extent, music and performance) in most of what I see around in the 'neural art' scene. Still, the use of [Generative Adversarial Networks (GANs)](https://en.wikipedia.org/wiki/Generative_adversarial_network) for artistic practice is promising, and it would be good to be able to apply that to text. Mital is collaborating with [<NAME>](http://refikanadol.com/) on GAN-generated music and animation at the moment, see [this](https://twitter.com/refikanadol/status/1024175473192923138) and [that](https://twitter.com/pkmital/status/1022703840641003521) tweet for instance, as well as the following video: <div class="video-container"> <iframe max-width="100%" height="auto" src="https://www.youtube.com/embed/ZXo5S6lVe7s" frameborder="0" allow="autoplay; encrypted-media" allowfullscreen></iframe> </div> <file_sep>--- layout: post title: Multiprocessing category: lore permalink: /lore/multiprocessing/ --- Important discovery: it is possible to split tasks so that separate cores can work on them independently. I happen to have four on my machine, which is already a substantial speed increase. In the case of my Wordsquares project, it is possible to split the word list into number-of-cores parts, and apply the process to each (whilst keeping the entire list for the actual building of the squares). This is in effect a linear increase: had I access to ten, twenty cores, I could divide the computation by that number. Python works under what is known as the [GIL (Global Interpreter Lock)](https://en.wikipedia.org/wiki/Global_interpreter_lock), which prevents any Python operations to occur simultaneously (all operations, at the bottom level, occur one after another in a specific, traceable order). In order to work with mutliple cores, one has to use the [multiprocessing module](https://docs.python.org/3.5/library/multiprocessing.html), where it is possible to assign a number of cores, and tell Python which tasks should be taken care of by which core. (It creates entities called 'workers', which has a sweet Marxian overtone to it.) Several articles & references, explaining the difference between multithreading and multiprocessing [here](https://www.quantstart.com/articles/Parallelising-Python-with-Threading-and-Multiprocessing), [here](https://timber.io/blog/multiprocessing-vs-multithreading-in-python-what-you-need-to-know/https://timber.io/blog/multiprocessing-vs-multithreading-in-python-what-you-need-to-know/), [here](https://stackoverflow.com/questions/3044580/multiprocessing-vs-threading-python). <file_sep>--- layout: post title: More NN Steps category: lore permalink: /lore/more-nn-steps/ --- Back into the neural foundry. Found [this repo](https://github.com/nlintz/TensorFlow-Tutorials), which is a fine, simple piece of help to accompany Mital's tougher tutorials (still at session 3 unfortunately, on [autoencoders](https://en.wikipedia.org/wiki/Autoencoder)). Going through a few of those I discovered a technique called 'dropout', which helps reducing overfitting (the situation where the networks creates a model which is too close to the data, thus not producing a general enough abstraction): in dropout some units (neurons) are randomly deactivated in the network, forcing it to keep working only with a reduced capacity. This has the effect of making the network 'rely' less on each and every one of its neurons, making it both more robust and less prone to overfitting. <div class="video-container"> <iframe max-width="100%" height="auto" src="https://www.youtube.com/embed/NhZVe50QwPM" frameborder="0" allow="autoplay; encrypted-media" allowfullscreen></iframe> </div> <div class="video-container"> <iframe max-width="100%" height="auto" src="https://www.youtube.com/embed/LhhEv1dMpKE" frameborder="0" allow="autoplay; encrypted-media" allowfullscreen></iframe> </div> <div class="video-container"> <iframe max-width="100%" height="auto" src="https://www.youtube.com/embed/D8PJAL-MZv8" frameborder="0" allow="autoplay; encrypted-media" allowfullscreen></iframe> </div> <div class="video-container"> <iframe max-width="100%" height="auto" src="https://www.youtube.com/embed/ARq74QuavAo" frameborder="0" allow="autoplay; encrypted-media" allowfullscreen></iframe> </div> <div class="video-container"> <iframe max-width="100%" height="auto" src="https://www.youtube.com/embed/UcKPdAM8cnI" frameborder="0" allow="autoplay; encrypted-media" allowfullscreen></iframe> </div> <div>&nbsp;</div> Also, I went back to something that I am still to grasp more fully, the concept of momentum in gradient descent: <div class="video-container"> <iframe max-width="100%" height="auto" src="https://www.youtube.com/embed/k8fTYJPd3_I" frameborder="0" allow="autoplay; encrypted-media" allowfullscreen></iframe> </div> <file_sep>--- layout: post title: Chasm/Charm date: 2018-08-27 18:20:47 category: squares permalink: /squares/chasm-charm/ --- ![chasm rogue ourie print sings ]({{ "/assets/squares/4/chasm_rogue_ourie_print_sings_2018_8_27.png" | absolute_url }}) &nbsp; ![charm rogue ourie print sings ]({{ "/assets/squares/4/charm_rogue_ourie_print_sings_2018_8_27.png" | absolute_url }}) &nbsp; --- &nbsp; Composed with words from [litscape](https://www.litscape.com/). Including diagonals. Chasm: n. "A yawning or gaping, as of the sea, or of the earth in an earthquake. Obsolete.", "A large and deep rent, cleft, or fissure in the surface of the earth or other cosmical body. In later times extended to a fissure or gap, not referred to the earth as a whole, e.g. in a mountain, rock, glacier, between two precipices, etc." (OED) Ourie: adj. "Dismal, gloomy; cheerless; miserable as a result of cold, illness, etc.", " Sc. Of a thing: uncanny, disquieting; = eerie adj. 2. Also: (of a person) uneasy, apprehensive; = eerie adj. 1 (now Shetland)." (OED) Houri: n. "A nymph of the Muslim Paradise. Hence applied allusively to a voluptuously beautiful woman." (OED) Agrin: adj. "In predicative use: grinning. Chiefly in all agrin." (OED) <file_sep>--- layout: post title: NN Steps category: lore permalink: /lore/nn-steps/ --- Steps toward neural networks. Slow steps. I have been working on completing [<NAME>'s _Creative Applications of Deep Learning with TensorFlow_](https://www.kadenze.com/courses/creative-applications-of-deep-learning-with-tensorflow-iv), but there hardship ahead. The first two lessons were rather heavy, especially as it required adaptation to Python as well as a cohort of various libraries and utilities such as NumPy, SciPy, MatPlotLib, and a not-so-smooth recap on matrices and other mathematical beasts. The notebook sessions, both lecture and exercises, are particularly tough and steep at first, although now that I'm approaching lesson 3 things might be a little less abstruse (I think I also have this tendency of finding things very hard at first, and easier as I get deeper into them, even if abstraction levels increase). Another issue I'm facing is that I haven't found text-oriented material that attracted me as, say, Mital's course or other resources. It is probably due to a certain weakness of mine for the 'nec plus ultra' smell deep learning has. I can clearly see already that my next direction, as soon as the whole machine learning business becomes a little less unactionable/intractable, is properly to combine my textual interests with machine/deep learning. Found a Master's thesis by someone called <NAME> on ['Textual Generation Using Different Recurrent Neural Networks'](http://dspace.thapar.edu:8080/jspui/bitstream/10266/4646/4/4646.pdf) as well as a [quite austere machine-read video summarising it](https://www.youtube.com/watch?v=R0XyR6iEGD4). A now very [famous blog post by <NAME> on his experiments with deep neural text generation](https://karpathy.github.io/2015/05/21/rnn-effectiveness/) as well as a [video summarising the findings](https://www.youtube.com/watch?v=Jkkjy7dVdaY). * Various resources around Neural Networks and Machine Learning in general, showing how deep the rabbit hole goes (which can be a little overwhelming): - Full courses by <NAME> on [Deep Learning](https://www.youtube.com/channel/UCcIXc5mJsHVYTZR1maL5l9w), [(here as well)](https://www.youtube.com/channel/UCeqlHZDmUEQQHYqnei8doYg/playlists), and [Machine Learning](https://www.youtube.com/channel/UC5zx8Owijmv-bbhAK6Z9apg), which can be found on [Coursera](://www.coursera.org/learn/machine-learning); - [Far too many videos by Stanford University on various areas of Machine Learning](https://www.youtube.com/results?search_query=stanford+deep+learning). * I had a go at a few specific topics, which was both productive but also difficult to maintain, as it seemed that all my energy could easily be engulfed in the amount of technique (mathematical or otherwise) that is required to reach that level. <div class="video-container"> <iframe max-width="100%" height="auto" src="https://www.youtube.com/embed/_e-LFe_igno" frameborder="0" allow="autoplay; encrypted-media" allowfullscreen></iframe> </div> <div class="video-container"> <iframe max-width="100%" height="auto" src="https://www.youtube.com/embed/JXQT_vxqwIs" frameborder="0" allow="autoplay; encrypted-media" allowfullscreen></iframe> </div> <div class="video-container"> <iframe max-width="100%" height="auto" src="https://www.youtube.com/embed/LLux1SW--oM" frameborder="0" allow="autoplay; encrypted-media" allowfullscreen></iframe> </div> <file_sep>--- layout: post title: Grasp romeo enorm enure seres date: 2018-08-27 18:20:47 category: squares permalink: /squares/grasp-romeo-enorm-enure-seres/ --- ![grasp romeo enorm enure seres ]({{ "/assets/squares/4/grasp_romeo_enorm_enure_seres_2018_8_27.png" | absolute_url }}) &nbsp; --- &nbsp; Composed with words from [litscape](https://www.litscape.com/). Including diagonals. Enorm: enormous. Enure: v. "Of persons: To bring by use, habit, or continual exercise to a certain condition or state of mind, to the endurance of a certain condition, to the following of a certain kind of life, etc. Const. to with n. or infinitive.", variant for inure v. "trans. To bring (a person, etc.) by use, habit, or continual exercise to a certain condition or state of mind, to the endurance of a certain condition, to the following of a certain kind of life, etc.; to accustom, habituate." (OED) Seres: pl. of sere n. "A claw, talon.", "A series of plant communities, each naturally succeeding the previous one.", or Seres n. "With plural concord. The name of a people anciently inhabiting some part of Eastern Asia (probably China), whose country was believed to be the original home of silk. Hence †the Seres' wool, silk." (OED) Grees: pl. of gree n. "A step in an ascent or descent; one of a flight of steps. Obsolete.", "A stage or position in the scale of dignity or rank; relative social or official rank, grade, order, estate, or station. Obsolete.", " Pre-eminence; superiority; mastery; victory in battle; hence, the prize for a victory. to bear, get, have, take, win the gree. Now Sc.", "Favour, goodwill. Obsolete.", v. "To come into accord or harmony; to come to terms with (a person), on, upon (a matter); to make an agreement." (OED) Ronne: older form of run. Serre: n. "A greenhouse.", serré adj. "Compact, logical; constricted by grief or emotion." (OED) Pome: n. "A poem.", "Botany. The type of fruit that is characteristic of the apple (Malus domestica), the pear (Pyrus communis), and related members of the family Rosaceae, which consists of a fleshy, enlarged receptacle enclosing a tough central core (the true fruit), formed from several united carpels and containing the seeds.", v. "intr. Of a cabbage, lettuce, etc.: to form a compact head or heart. Obsolete." (OED) Goors: pl. of goor n. "A coarse variety of sugar made in India." (OED) Peons: pl. of peon n. "An attendant, an orderly; a footman or messenger having subordinate authority over other staff. Also: a junior member of staff in an office.", "In Latin America and the south-western United States: an unskilled farmworker or day labourer under the charge of a foreman or overseer; spec. (esp. in Mexico) a debtor held in servitude by a landlord creditor until his or her debt is repaid with labour (now historical).", "In extended use (chiefly humorous or ironic): a person of little or no importance; a lowly or menial person, a drudge; a lackey, underling." (OED) <file_sep>--- layout: post title: Representativeness date: 2018-08-21 10:04:47 category: subwords permalink: /subwords/representativeness/ --- ![representativeness preens resets native ]({{ "/assets/subwords/batchIII/representativeness_preens_resets_native.png" | absolute_url }}) &nbsp; --- &nbsp; Batch III from Subwords. Words from [litscape](https://www.litscape.com/). Preens: preen n. "fig. Chiefly Sc. In negative contexts as the type of something small, insignificant, or of little worth." (OED) <file_sep>--- layout: post title: Bomb liar ulna eyed date: 2018-08-27 18:20:47 category: squares permalink: /squares/bomb-liar-ulna-eyed/ --- ![bomb liar ulna eyed ]({{ "/assets/squares/4/bomb_liar_ulna_eyed_2018_8_27.png" | absolute_url }}) &nbsp; --- &nbsp; Composed with words from [litscape](https://www.litscape.com/). Including diagonals. Ulna: n. "The large inner bone of the fore-arm, extending from the elbow to the wrist." (OED) Brad: n. "A thin flattish nail of the same thickness throughout, but tapering in width, having a small ‘lip’ on one edge, instead of a head." also slang "Brads, halfpence; also money in general.", v. "trans. To fasten with brads." and adj. "Roasted, broiled. Obsolete" (OED) Bale: n. "Evil, especially considered in its active operation, as destroying, blasting, injuring, hurting, paining, tormenting; fatal, dire, or malign quality or influence; woe, mischief, harm, injury; in earlier use often = death, infliction of death." and "Mental suffering; misery, sorrow, grief." as well as "gen. A great consuming fire, a conflagration; a blazing pile, a bonfire. Obsolete." (OED) <file_sep>--- layout: post title: In the end of the world date: 2018-08-25 19:30:47 category: ait permalink: /ait/in-the-end-of-the-world/ --- ![In the end of the ]({{ "/assets/AIT/horiz/In_the_end_of_the_2018_8_26.png" | absolute_url }}) --- &nbsp; &nbsp; Second batch from AIT. <file_sep>--- layout: post title: You think you can get date: 2018-08-25 19:00:47 category: ait permalink: /ait/you-think-you-can-get/ --- ![You think you can get ]({{ "/assets/AIT/lines/You_think_you_can_get_2018_8_26.png" | absolute_url }}) --- &nbsp; &nbsp; Second batch from AIT. <file_sep>import os import glob from PIL import Image files = glob.glob('*.jpg') for fl in files: img = Image.open(fl) # for horizontal pics if img.size[0] > img.size[1]: hor_width = 1000 hor_height = int(hor_width * img.size[1] / img.size[0]) img = img.resize((hor_width, hor_height), Image.ANTIALIAS) img.save(fl) # for vertical pics else: vert_height = 1000 vert_width = int(vert_height * img.size[0] / img.size[1]) img = img.resize((vert_width, vert_height), Image.ANTIALIAS) img.save(fl) <file_sep>--- layout: post title: The tension date: 2018-08-25 19:45:47 category: ait permalink: /ait/tension/ --- ![The tension is too big ]({{ "/assets/AIT/horiz/The_tension_is_too_big_2018_8_26.png" | absolute_url }}) --- &nbsp; &nbsp; Second batch from AIT. <file_sep>--- layout: post title: Word2Vec category: lore permalink: /lore/word2vec/ --- [Word2vec](https://en.wikipedia.org/wiki/Word2vec) is a set of models used to produce word embeddings, that is, the creation of a high dimensional vector space (usually hundreds of dimensions) in which each individual word is a vector (or a coordinate). This space is designed to have the property that words occurring in similar contexts in the source corpora appear close to each other in the space. Not only do these spaces allow for similar words to appear in clusters, but the algorithm preserves certain semantic relationships in a remarkable fashion (e.g. the vector that leads to a singular to a plural form of a noun remains stable throughout the space, as does the masculine/feminine versions of entities, etc.). This Stanford lecture provides a comprehensive introduction to the model: <div class="video-container"> <iframe max-width="100%" height="auto" src="https://www.youtube.com/embed/ERibwqs9p38" frameborder="0" allow="autoplay; encrypted-media" allowfullscreen></iframe> </div> &nbsp; <NAME> integrated these models into her practice (see [this post]({{ site.baseurl }}{% post_url /lore/2018-07-12-sources %}), with some exciting research into [phonetic similarity vectors](https://github.com/aparrish/phonetic-similarity-vectors). Her ['Average Novel'](https://github.com/aparrish/nanogenmo2017), using word2vec to produce 'average words' (averaging vector values) from a large corpus of Gutenberg fiction, left me a little disappointed, and I think there is more work and exploration to be made using these models on a semantic level. I already experimented with Word2Vec when trying to produce visalisations of various features in wordsquares. However, I haven't really used them for creative purposes yet (one could imagine, for instance, various ways in which one could trace paths, or create shapes, in the space, hopping from cluster to cluster using certain predefined steps...). <file_sep>--- layout: post title: I did not really come date: 2018-08-25 18:40:47 category: ait permalink: /ait/i-did-not-really-come/ --- ![I did not really come ]({{ "/assets/AIT/para/I_did_not_really_come_2018_8_26.png" | absolute_url }}) --- &nbsp; &nbsp; First batch from AIT. <file_sep>--- layout: post title: The self-torture date: 2018-08-25 20:10:47 category: ait permalink: /ait/the-self-torture/ --- ![The self torture is the]({{ "/assets/AIT/The_self_torture_is_the_2018_8_28.png" | absolute_url }}) --- The self-torture is the strange thing and yet the story of strong of this world. Yeah. Oh yeah as if yeah. Yeah. And yet the whole thing you can’t even start was this lack lack of self-bashing disgusting disgusting. Who has this thing called ‘experience’. Impossibility to imagine. The weakening of the page, the problem of my brain discovering and loneliness and inferiority and less than that it does not seem to get done within my week then of course the pain the form of the high nothingness only the head the shit the storm the same thing etc. More. The hard thing the point of the thing the one shit principle of the desire for death for pain might all the stupid books in the mind haha yes repeat might might just haha that's it that's all. And then the real thing. The rest. The nothing. The cancer fantasy. The strength. The main stuff. The temptation of details. Or similar. And similar! But the same thing most probably hoping to get getting not getting some more more more than this all this all those things that hold the other strong in my head which the one must forget. Where does this not work. Haha. Yeah. Surprise. It didn’t come back. Nothing did. Nothing. Something of the sort. Add that to the story. The real thing. The tunnel. The opposite thing. The rest of it all. And hence the progress of pain. The dream the despair the inferior initiatives in this room the stringent part of the white of the walls of doing of forgetting something is the same here other subtle bits how about writing it maybe not a problem writing about the room about the street about the production of a day of course that’s something like style. As in. The series. No. Not the series. That’s the thing. The whole thing I should go through the complete destruction of the whole could it be more obvious. And the text. The grey nothingness that would be it all controlled in the mind of the past of this side of time and in the mind the self-bashing the lack thereof blah blah all this shit shit shit shit yeah shit shit. Shit. Shit. Fuck. Shit. Fuck. Shit. Fuck. Shit. --- &nbsp; &nbsp; First batch from AIT. <file_sep>--- layout: post title: Cunts date: 2018-08-21 11:04:47 category: subwords permalink: /subwords/cunts/ --- ![document dome cunt ]({{ "/assets/subwords/batchIV/document_dome_cunt.png" | absolute_url }}) &nbsp; &nbsp; ![culminated cunt mad lie ]({{ "/assets/subwords/batchIV/culminated_cunt_mad_lie.png" | absolute_url }}) &nbsp; &nbsp; ![curtailments tales cunt rim ]({{ "/assets/subwords/batchIV/curtailments_tales_cunt_rim.png" | absolute_url }}) &nbsp; --- &nbsp; Batch IV from Subwords. Words from [litscape](https://www.litscape.com/). <file_sep>--- layout: post title: I am this way date: 2018-08-25 18:20:47 category: ait permalink: /ait/i-am-this-way/ --- ![I am this way The ]({{ "/assets/AIT/para/I_am_this_way_The_2018_8_26.png" | absolute_url }}) --- &nbsp; &nbsp; First batch from AIT. <file_sep>--- layout: post title: Strag date: 2018-08-27 18:20:47 category: squares permalink: /squares/strag/ --- ![strag whorl aroma roses meeds ]({{ "/assets/squares/4/strag_whorl_aroma_roses_meeds_2018_8_27.png" | absolute_url }}) &nbsp; ![strag whore aroma raper tests ]({{ "/assets/squares/4/strag_whore_aroma_raper_tests_2018_8_27.png" | absolute_url }}) &nbsp; ![strag whore ariel rente fesse ]({{ "/assets/squares/4/strag_whore_ariel_rente_fesse_2018_8_27.png" | absolute_url }}) &nbsp; --- &nbsp; Composed with words from [litscape](https://www.litscape.com/). Including diagonals. Strag: v. "a straggler or stray" (Collins), n. "slut" (Online slang). Whorl: n. "gen. A convolution, coil, curl, ‘wreath’ (esp. of something whirling, or suggesting a whirling movement).", v. "intr. To form or imitate a whorl; to spiral or move in a twisting, convoluted fashion, whirl, swirl. Also fig. Frequently poet." (OED) Throe: n. "An intense spasm of pain experienced during labour; a uterine contraction; (also, in plural) the pain and effort of labour or childbirth. Also in figurative context.", "An intense spasm of pain experienced immediately prior to death; (also in plural) the agony or struggle of death. Cf. death throe n.", "More generally: any violent pain, spasm, or convulsion; esp. a mental or emotional spasm, an onrush or outburst of feeling, a paroxysm." (OED) Roose: n. "Boasting, bragging; an instance of this, a boast, brag, vaunt. Chiefly with make. Obsolete.", "Now Sc. Praise; esp. exaggerated praise or commendation, flattery. Frequently with make.", v. "intr. To boast or be proud of something. Obsolete.", "trans. (refl.). To boast oneself; to vaunt. With of, that-clause, or infinitive. Obsolete." (OED) Thrae: older variant of through. (OED) Roops: v. "intr. To utter a hoarse note or sound." (OED) Armet: n. "A helmet of Italian origin introduced in the early 15th cent., consisting of a steel skull extending at the rear to form a narrow neck guard, wide hinged cheekpieces overlapping at the chin, and a small hinged pointed visor." (OED) Swarf: older variant of swarth adj. "Dusky, swarthy, black.", also n. "A swoon, a fainting-fit; a state of faintness or insensibility.", "The wet or greasy grit abraded from a grindstone or axle; the filings or shavings of iron or steel. Hence, any fine waste produced by a machining operation, esp. when in the form of strips or ribbons.", also v. "intr. To faint, swoon.", "rare trans. with up, to make dirty with swarf." (OED) Groat: n. "Historical. A denomination of coin (in medieval Latin grossus, French gros, Italian grosso, Middle Dutch groot) which was recognized from the 13th cent. in various countries of Europe. Its standard seems to have been in the 14th cent. theoretically one-eighth of an ounce of silver; but its actual intrinsic value varied greatly in different countries and at different periods. (The adoption of the Dutch or Flemish form of the word into English shows that the ‘groat’ of the Low Countries had circulated here before a coin of that denomination was issued by the English sovereigns.) †a shilling, pound of groats: a Flemish money of account bearing the same proportion to the ordinary ‘shilling’ or ‘pound’ as the groat or ‘thick penny’ did to the ordinary penny." (OED) Roins: n. "A scab; a patch of rough, scabby skin. Also: mange.", "intr. To growl, roar. Obsolete" (OED) Arets: v. "trans. To reckon, count; also with complement.", "in a good or neutral sense: To impute, ascribe, attribute to.", "chiefly, in a bad sense: To lay to the charge of, impute as a fault to, charge upon.", "To charge, accuse, or indict a person (of). [So commonly in Old French.]" (OED) Rente: n. "Chiefly in France: government stock; the interest or income accruing from such stock." (OED) Fesse: n. "Heraldry. An ordinary formed by two horizontal lines drawn across the middle of the field, and usually containing between them one third of the escutcheon." (OED) <file_sep>--- layout: post title: Barm oleo tsar hope date: 2018-08-27 18:20:47 category: squares permalink: /squares/barm-oleo-tsar-hope/ --- ![barm oleo tsar hope ]({{ "/assets/squares/4/barm_oleo_tsar_hope_2018_8_27.png" | absolute_url }}) &nbsp; --- &nbsp; Composed with words from [litscape](https://www.litscape.com/). Including diagonals. Barm: n. "The froth that forms on the top of fermenting malt liquors, which is used to leaven bread, and to cause fermentation in other liquors; yeast, leaven." (OED) Oleo: also olio n. "A spiced meat and vegetable stew of Spanish and Portuguese origin. Hence: any dish containing a great variety of ingredients. Occasionally attrib. in olio pie. Obsolete.", "Any mixture of many heterogeneous elements; a hotchpotch, medley, jumble. Frequently with of." or "A collection of various artistic or literary pieces, a book containing miscellaneous items (such as engravings, or poems) on various subjects.", but why not also "Relating to, employing, or designating a kind of telescopic strut used esp. in aircraft undercarriages, which absorbs shocks by means of a hollow piston into which oil is forced through a small orifice on compression of the strut (see also quot. 1965)." (OED) Blae: adj. & n. "Of a dark colour between black and blue; blackish blue; of the colour of the blae-berry ( Vaccinium myrtillus); livid; also, of a lighter shade, bluish grey, lead-coloured. (Sometimes perhaps, in early writers, simply = Blue.)", "esp. Applied to the complexion or colour of the human body, as affected by cold, or contusion: Livid. Hence black and blae (now altered to black and blue)" and "Of the weather: Bleak, sunless. [ < the prevailing colour of the landscape.]" (OED) <file_sep>--- layout: post title: Obstructionistical date: 2018-08-21 10:04:47 category: subwords permalink: /subwords/obstructionistical/ --- ![obstructionistical brutal otitic scions ]({{ "/assets/subwords/batchIII/obstructionistical_brutal_otitic_scions.png" | absolute_url }}) &nbsp; --- &nbsp; Batch III from Subwords. Words from [litscape](https://www.litscape.com/). Otitic: otitis n. "Inflammation of the ear." (OED) Scion: n. "A descendant, esp. one belonging to a wealthy or noble family; an heir." (OED) <file_sep>--- layout: post title: Sacra iller loons enate semes date: 2018-08-27 18:20:47 category: squares permalink: /squares/sacra-iller-loons-enate-semes/ --- ![sacra iller loons enate semes ]({{ "/assets/squares/4/sacra_iller_loons_enate_semes_2018_8_27.png" | absolute_url }}) &nbsp; --- &nbsp; Composed with words from [litscape](https://www.litscape.com/). Including diagonals. Siles: n. "A large roofing-timber or rafter, usually one of a pair. Also sile-tree.", "A strainer or sieve, esp. one for milk.", "Young herring.", v. "intr. To go, pass, move; to glide. Usually with prepositions or adverbs.", "To fall or sink (down). Also dialect, to subside.", "trans. To strain; esp. to pass (milk) through a sieve or strainer.", "trans. To sew up (the eyes of a hawk). Obsolete.", "To cover (the eyes or sight). Also with up." (OED) Cloam: n. "In O.E. Mud, clay. Hence, in modern dialect use: Earthenware, clay.", v. "trans. To daub or plaster with clay." (OED) Rente: n. "Chiefly in France: government stock; the interest or income accruing from such stock." (OED) Loons: n. "A worthless person; a rogue, scamp (esp. in false loon, to play the loon); a sluggard, idler.", "Of a woman: A strumpet, concubine.", "A man of low birth or condition; in phrase lord and loon. Now only arch.", "Any bird of the genus Colymbus, esp. the Great Northern Diver ( C. glacialis), remarkable for its loud cry.", "In phrases with loon's (see quots.). Also frequently as crazy as a loon (in reference to its actions in escaping from danger and its wild cry) and variants; so, as drunk as a loon; to hunt the loon (see quot. 1880).", "transf. A crazy person; a simpleton." (OED) Semes: n. "A unit of meaning; spec. the smallest unit of meaning." (OED) <file_sep>--- layout: post title: Subwords Batch I category: subwords permalink: /subwords/subwords-batch-i/ --- Images representation of some subwords found so far. ![vulnerabilities uni_veil_labs_rite]({{ "/assets/subwords/batchI/vulnerabilities_uni_veil_labs_rite.png" | absolute_url }}) &nbsp; ![missionaries isis_mine_soar]({{ "/assets/subwords/batchI/missionaries_isis_mine_soar.png" | absolute_url }}) &nbsp; ![alterations arts_lion_tea]({{ "/assets/subwords/batchI/alterations_arts_lion_tea.png" | absolute_url }}) &nbsp; ![alterations rats_ate_lion]({{ "/assets/subwords/batchI/alterations_rats_ate_lion.png" | absolute_url }}) &nbsp; ![sweetheart ether_sweat]({{ "/assets/subwords/batchI/sweetheart_ether_sweat.png" | absolute_url }}) &nbsp; ![explained expand_lie]({{ "/assets/subwords/batchI/explained_expand_lie.png" | absolute_url }}) &nbsp; ![forgotten rotten_fog]({{ "/assets/subwords/batchI/forgotten_rotten_fog.png" | absolute_url }}) &nbsp; ![closures loss_cure]({{ "/assets/subwords/batchI/closures_loss_cure.png" | absolute_url }}) &nbsp; ![timeless tile_mess]({{ "/assets/subwords/batchI/timeless_tile_mess.png" | absolute_url }}) &nbsp; ![beauty eat_buy]({{ "/assets/subwords/batchI/beauty_eat_buy.png" | absolute_url }}) &nbsp; ![theory her_toy]({{ "/assets/subwords/batchI/theory_her_toy.png" | absolute_url }}) &nbsp; ![ethics his_etc]({{ "/assets/subwords/batchI/ethics_his_etc.png" | absolute_url }}) &nbsp; ![parrot pro_art]({{ "/assets/subwords/batchI/parrot_pro_art.2.png" | absolute_url }}) &nbsp; ![parrot pro_art]({{ "/assets/subwords/batchI/parrot_pro_art.png" | absolute_url }}) &nbsp; ![shadow how_sad]({{ "/assets/subwords/batchI/shadow_how_sad.png" | absolute_url }}) &nbsp; ![signal sin_gal]({{ "/assets/subwords/batchI/signal_sin_gal.png" | absolute_url }}) &nbsp; ![silent let_sin]({{ "/assets/subwords/batchI/silent_let_sin.png" | absolute_url }}) &nbsp; ![threats the_rats]({{ "/assets/subwords/batchI/threats_the_rats.png" | absolute_url }}) &nbsp; ![vaginal vain_gal]({{ "/assets/subwords/batchI/vaginal_vain_gal.png" | absolute_url }}) &nbsp; ![vaginas vain_gas]({{ "/assets/subwords/batchI/vaginas_vain_gas.png" | absolute_url }}) &nbsp; ![weaver war_eve]({{ "/assets/subwords/batchI/weaver_war_eve.png" | absolute_url }}) &nbsp; ![wording worn_dig]({{ "/assets/subwords/batchI/wording_worn_dig.png" | absolute_url }}) &nbsp; ![worldly old_wry]({{ "/assets/subwords/batchI/worldly_old_wry.png" | absolute_url }}) The beautiful technicality of it is that after having worked hard to build the recursive function that builds these (from given word lists), I had to come up with a 'mirror' recursive function that, given a set of words (superword and its subwords), reconstructs the various possibilities for the above display, namely: various possibilities in letter placement, if possible, and, on top of that, a way of browsing through the various word order I want (which word is on top, in the middle, etc.). <file_sep>import os import glob from PIL import Image files = glob.glob('*.jpg') for fl in files: img = Image.open(fl) if img.size[0] > img.size[1]: os.rename(fl, fl[:-4]+'_horiz.jpg') else: os.rename(fl, fl[:-4]+'_vert.jpg') <file_sep>--- layout: post title: The exhibition category: lore permalink: /lore/exhibition/ aston: - image_path: /assets/show/Aston_0815_horiz.jpg title: Aston_0815_horiz - image_path: /assets/show/Aston_0816_vert.jpg title: Aston_0816_vert - image_path: /assets/show/Aston_0817_horiz.jpg title: Aston_0817_horiz - image_path: /assets/show/Aston_0818_horiz.jpg title: Aston_0818_horiz - image_path: /assets/show/Aston_0819_horiz.jpg title: Aston_0819_horiz - image_path: /assets/show/Aston_0820_vert.jpg title: Aston_0820_vert - image_path: /assets/show/Aston_0821_vert.jpg title: Aston_0821_vert - image_path: /assets/show/Aston_0822_horiz.jpg title: Aston_0822_horiz - image_path: /assets/show/Aston_0823_vert.jpg title: Aston_0823_vert - image_path: /assets/show/Aston_0824_vert.jpg title: Aston_0824_vert show: - image_path: /assets/show/full1_horiz.jpg title: full1 - image_path: /assets/show/full2_horiz.jpg title: full2 - image_path: /assets/show/side1_vert.jpg title: side1 - image_path: /assets/show/side2_vert.jpg title: side2 - image_path: /assets/show/third1_vert.jpg title: third1 - image_path: /assets/show/third2_vert.jpg title: third2 - image_path: /assets/show/third3_vert.jpg title: third3 maps: - image_path: /assets/show/map2_horiz.jpg title: map2 - image_path: /assets/show/map4_horiz.jpg title: map4 - image_path: /assets/show/map3_vert.jpg title: map3 - image_path: /assets/show/map1_vert.jpg title: map1 preparations: - image_path: /assets/show/hunglitup_horiz.jpg title: hunglitup - image_path: /assets/show/hunglitup2_horiz.jpg title: hunglitup2 - image_path: /assets/show/hunglitup3_vert.jpg title: hunglitup3 - image_path: /assets/show/closeupAIT1_vert.jpg title: closeupAIT1 - image_path: /assets/show/closeupleft1_vert.jpg title: closeupleft1 - image_path: /assets/show/closeupsq1_vert.jpg title: closeupsq1 - image_path: /assets/show/closeupAIT2_horiz.jpg title: closeupAIT2 - image_path: /assets/show/closeupsub1_horiz.jpg title: closeupsub1 - image_path: /assets/show/closeupsubsq1_vert.jpg title: closeupsubsq1 configuration: - image_path: /assets/show/prep1_horiz.jpg title: prep1 - image_path: /assets/show/prep2_horiz.jpg title: prep2 - image_path: /assets/show/prep3_horiz.jpg title: prep3 - image_path: /assets/show/prep4_vert.jpg title: prep4 hurdles: - image_path: /assets/show/prep6hung_horiz.jpg title: prep6hung - image_path: /assets/show/prep7hung_vert.jpg title: prep7hung - image_path: /assets/show/prep8hung_vert.jpg title: prep8hung - image_path: /assets/show/prep9hung_vert.jpg title: prep9hung tech: - image_path: /assets/show/prep_horiz.jpg title: prep - image_path: /assets/show/prep5wires_horiz.jpg title: prep5wires - image_path: /assets/show/wiresbottom_horiz.jpg title: wiresbottom - image_path: /assets/show/wirestopclose_horiz.jpg title: wirestopclose - image_path: /assets/show/wirestop_horiz.jpg title: wirestop --- <div class="photo-gallery-whole"> <a href="/assets/show/Aston_0811_horiz.jpg" data-lightbox="Aston"> <img src="/assets/show/Aston_0811_horiz.jpg"> </a> </div> <hr> <link href="/assets/lightbox.min.css" rel="stylesheet"> <div class="photo-gallery-container"> <div class="desc"><h4>The show</h4></div> <div id="masonry0"> {% for image in page.aston %} {% if image.image_path contains 'vert' %} <div class="photo-gallery"> <a href="{{ image.image_path }}" data-lightbox="Aston"> <img src="{{ image.image_path }}"> </a> </div> {% elsif image.image_path contains 'horiz' %} <div class="photo-gallery-wide"> <a href="{{ image.image_path }}" data-lightbox="Aston"> <img src="{{ image.image_path }}"> </a> </div> {% endif %} {% endfor %} </div> &nbsp; <p align="right"><i>photographs: <NAME></i></p> </div> <div class="photo-gallery-container"> <hr> <div class="desc"><h4>The show II</h4></div> <div id="masonry1"> {% for image in page.show %} {% if image.image_path contains 'vert' %} <div class="photo-gallery"> <a href="{{ image.image_path }}" data-lightbox="Show"> <img src="{{ image.image_path }}"> </a> </div> {% elsif image.image_path contains 'horiz' %} <div class="photo-gallery-wide"> <a href="{{ image.image_path }}" data-lightbox="Show"> <img src="{{ image.image_path }}"> </a> </div> {% endif %} {% endfor %} </div> </div> <div class="photo-gallery-container"> <hr> <div class="desc"><h4>Map & catalogue</h4></div> <div id="masonry2"> {% for image in page.maps %} {% if image.image_path contains 'vert' %} <div class="photo-gallery"> <a href="{{ image.image_path }}" data-lightbox="Maps"> <img src="{{ image.image_path }}"> </a> </div> {% elsif image.image_path contains 'horiz' %} <div class="photo-gallery-wide"> <a href="{{ image.image_path }}" data-lightbox="Maps"> <img src="{{ image.image_path }}"> </a> </div> {% endif %} {% endfor %} </div> </div> <div class="photo-gallery-container"> <hr> <div class="desc"><h4>Almost there...</h4></div> <div id="masonry3"> {% for image in page.preparations %} {% if image.image_path contains 'vert' %} <div class="photo-gallery"> <a href="{{ image.image_path }}" data-lightbox="Preparations"> <img src="{{ image.image_path }}"> </a> </div> {% elsif image.image_path contains 'horiz' %} <div class="photo-gallery-wide"> <a href="{{ image.image_path }}" data-lightbox="Preparations"> <img src="{{ image.image_path }}"> </a> </div> {% endif %} {% endfor %} </div> </div> <div class="photo-gallery-container"> <hr> <div class="desc"><h4>Layout</h4></div> <div id="masonry4"> {% for image in page.configuration %} {% if image.image_path contains 'vert' %} <div class="photo-gallery"> <a href="{{ image.image_path }}" data-lightbox="Layout"> <img src="{{ image.image_path }}"> </a> </div> {% elsif image.image_path contains 'horiz' %} <div class="photo-gallery-wide"> <a href="{{ image.image_path }}" data-lightbox="Layout"> <img src="{{ image.image_path }}"> </a> </div> {% endif %} {% endfor %} </div> </div> <div class="photo-gallery-container"> <hr> <div class="desc"><h4>Hurdles</h4></div> <div id="masonry5"> {% for image in page.hurdles %} {% if image.image_path contains 'vert' %} <div class="photo-gallery"> <a href="{{ image.image_path }}" data-lightbox="Hurdles"> <img src="{{ image.image_path }}"> </a> </div> {% elsif image.image_path contains 'horiz' %} <div class="photo-gallery-wide"> <a href="{{ image.image_path }}" data-lightbox="Hurdles"> <img src="{{ image.image_path }}"> </a> </div> {% endif %} {% endfor %} </div> </div> <div class="photo-gallery-container"> <hr> <div class="desc"><h4>Technical details</h4></div> <div id="masonry6"> {% for image in page.tech %} <div class="photo-gallery-last"> <a href="{{ image.image_path }}" data-lightbox="Details"> <img src="{{ image.image_path }}"> </a> </div> {% endfor %} </div> </div> <script src="/assets/js/jquery-3.3.1.min.js"></script> <script src="/assets/js/imagesloaded.pkgd.min.js"></script> <script src="/assets/js/masonry.pkgd.min.js"></script> <script src="/assets/js/lightbox.min.js"></script> <!-- Lightbox options --> <script> lightbox.option({ 'wrapAround': true, 'fitImagesInViewport': true }) </script> <!-- Masonry */ --> <script> $(function() { var $container = $('#masonry0'); $container.imagesLoaded( function() { $container.masonry({ itemSelector: ['.photo-gallery', '.photo-gallery-wide'], columnWidth: '.photo-gallery' }); }); }); $(function() { var $container = $('#masonry1'); $container.imagesLoaded( function() { $container.masonry({ itemSelector: ['.photo-gallery', '.photo-gallery-wide'], columnWidth: '.photo-gallery' }); }); }); $(function() { var $container = $('#masonry2'); $container.imagesLoaded( function() { $container.masonry({ itemSelector: ['.photo-gallery', '.photo-gallery-wide'], columnWidth: '.photo-gallery' }); }); }); $(function() { var $container = $('#masonry3'); $container.imagesLoaded( function() { $container.masonry({ itemSelector: ['.photo-gallery', '.photo-gallery-wide'], columnWidth: '.photo-gallery' }); }); }); $(function() { var $container = $('#masonry4'); $container.imagesLoaded( function() { $container.masonry({ itemSelector: ['.photo-gallery', '.photo-gallery-wide'], columnWidth: '.photo-gallery' }); }); }); $(function() { var $container = $('#masonry5'); $container.imagesLoaded( function() { $container.masonry({ itemSelector: ['.photo-gallery', '.photo-gallery-wide'], columnWidth: '.photo-gallery' }); }); }); $(function() { var $container = $('#masonry6'); $container.imagesLoaded( function() { $container.masonry({ itemSelector: ['.photo-gallery-last'], columnWidth: '.photo-gallery-last' }); }); }); </script> <file_sep>--- layout: post title: Turd/Tush/Wuss date: 2018-08-27 18:20:47 category: squares permalink: /squares/turd-tush-wuss/ --- ![turd urea ream damp ]({{ "/assets/squares/4/turd_urea_ream_damp_2018_8_27.png" | absolute_url }}) &nbsp; ![tush urea rear damp ]({{ "/assets/squares/4/tush_urea_rear_damp_2018_8_27.png" | absolute_url }}) &nbsp; ![tush area leer lark ]({{ "/assets/squares/4/tush_area_leer_lark_2018_8_27.png" | absolute_url }}) &nbsp; ![turf area leer lake ]({{ "/assets/squares/4/turf_area_leer_lake_2018_8_27.png" | absolute_url }}) &nbsp; ![wuss area real damp ]({{ "/assets/squares/4/wuss_area_real_damp_2018_8_27.png" | absolute_url }}) &nbsp; --- &nbsp; Composed with words from [litscape](https://www.litscape.com/). Including diagonals. Urea: n. "A soluble crystalline compound, forming an organic constituent of the urine in mammalia, birds, and some reptiles, and also found in the blood, milk, etc.; carbamide, CO(NH2)2." (OED) Salps: variant of salpa n. "A genus of tunicates, the sole representative of the family Salpidæ; also, a tunicate of this genus." (tunicate n. "One of a class of marine animals, formerly regarded as molluscs, but now classified as a degenerate branch of Chordata, comprising the ascidians and allied forms, characterized by a pouch-like body enclosed in a tough leathery integument, with a single or double aperture through which the water enters and leaves the pharynx.") (OED) <file_sep>--- layout: post title: Some Sources category: lore permalink: /lore/some-sources/ --- A collection of some sources / people I came across who use computation for textual ends. &nbsp; --- &nbsp; **<NAME>** - [Website](https://nickm.com/) - [Twitter](https://twitter.com/nickmofo) A professor of digital media at MIT, he published books of computational literature and poetry, as well as studies and collections. (His [page at MIT Press](https://mitpress.mit.edu/contributors/nick-montfort)). &nbsp; --- &nbsp; **<NAME>** - [Website](https://www.decontextualize.com/) - [Twitter](https://twitter.com/aparrish) - [Github](https://github.com/aparrish?tab=repositories) A poet and programmer who is also professor at the ITPY in New York University. She published books of computational poetry, and is also active online (Twitter bots, Tumblr, websites...). Her recent works include explorations of Word2Vec embedding models, the [CMU Pronouncing Dictionary](http://www.speech.cs.cmu.edu/cgi-bin/cmudict). I also found useful resources on Python, bash text tools on her website, and my good friend [<NAME>](http://www.demare.st/) had the generosity to point me to [this article on her recent output](https://rhizome.org/editorial/2018/jul/10/an-excess-of-consciousness-1/). <div class="video-container"> <iframe max-width="100%" height="auto" src="https://www.youtube.com/embed/L3D0JEA1Jdc" frameborder="0" allow="autoplay; encrypted-media" allowfullscreen></iframe> </div> &nbsp; --- &nbsp; **<NAME>** - [Website](http://rossgoodwin.com/) - [Articles on Medium](https://medium.com/@rossgoodwin) - [Github](https://github.com/rossgoodwin?tab=repositories) Self-proclaimedly 'not a poet', he studied at the ITP at NYU and continues working with text, and text-&-image, text-&-film interfaces ([a few details here](https://medium.com/artists-and-machine-intelligence/adventures-in-narrated-reality-6516ff395ba3)). He also talks about a collaboration with the Google Deep Dream VR experience with regards to poetic voiceovers (in the same article). He mentions Allison Parish as a mentor and influence, and works with Markov chains and, now probably almost exclusively, with Deep Neural Nets. His film script 'Sunspring', developed using the latter, has had quite an impact (see [his second article](https://medium.com/artists-and-machine-intelligence/adventures-in-narrated-reality-part-ii-dc585af054cb)). <div class="video-container"> <iframe max-width="100%" height="auto" src="https://www.youtube.com/embed/LY7x2Ihqjmc" frameborder="0" allow="autoplay; encrypted-media" allowfullscreen></iframe> </div> &nbsp; --- &nbsp; **<NAME>** - [Twitter](https://twitter.com/JanelleCShane) - [Website](https://aiweirdness.com/) Cited by <NAME> in her machine learning class, she uses neural networks to create new words, names or phrases that she then posts on her website. &nbsp; --- &nbsp; **<NAME>** - [Website](https://minimaxir.com/) - [Tiwtter](https://twitter.com/minimaxir) - [Github](https://github.com/minimaxir) A data scientist who developed a library for RNN text generation in Python, [textgenrnn](https://github.com/minimaxir/textgenrnn), that is most likely going to be useful in the future, both for text generation and for learning the ins and outs of these networks. <file_sep>--- layout: post title: Leader entire athena diesel ernest realty date: 2018-08-27 17:31:47 category: squares permalink: /squares/leader-entire-athena-diesel-ernest-realty/ --- ![leader entire athena diesel ernest realty ]({{ "/assets/squares/ggl-20/6/leader_entire_athena_diesel_ernest_realty_2018_8_21.png" | absolute_url }}) &nbsp; --- &nbsp; Composed with the 20k most frequent words in Google. No diagonals. <file_sep>--- layout: post title: Tasks category: lore permalink: /lore/tasks/ --- Steps into <NAME>'s course 'Creative Applications of Deep Learning in TensorFlow' on Kadenze. Very slow. A majority of the time is dedicated to learning the _tools_ used in order to get into deep learning &amp; neural networks, namely Python itself (although that has become rather natural), and specific libraries such as NumPy, for many mathematical operations, and MatPlotLib for plotting and statistical graphs. On top of that, I need to refresh my knowledge of matrices, the obvious building block of so much machine learning today.&nbsp; A good YouTube channel for quick recaps of linear algebra, [3Blue1Brown](https://www.youtube.com/channel/UCYO_jab_esuFRV4b17AJtAw). As usual with a lot of creative coding, I will have to deal with the fact that most resources are dedicated to image processing (even if Natural Language Processing is also an important field). Often this does feel like a waste of time, especially as the mathematical operations are different, but most of what I learn will be necessary anyway.&nbsp; A major issue is to deal with the sense of slowness I get from these learning sessions, where even the simplest concepts and manipulations often require me to ponder, pause and rest for far longer than I would wish. Other tasks at hand: - The (hopefully) last step to build complete wordsquare databases (and other word-based ones) is to use the [Trie data structure](https://en.wikipedia.org/wiki/Trie), which allows for a much faster lookup of prefixes ('dem' in 'demon', 'ra' in 'rage' ...) or entire words than normal look-up (it is, if my research is correct, even faster than looking up for an element in a set() in Python); if I implement the Trie I found for Python and use it to build squares, I might be able to go beyond the mere 3-lettered version I worked with so far;- In the same gesture, I should adapt my wordsquare database builder from C++ (OpenFrameworks) to Python; - Adapt and expand both the wordlaces and subwords projects, so that I can build up proper databases that will serve as the meat for my coming machine learning beasts. - Force myself to get into reading papers, rather than just blog posts or video tutorials, even if superficially or slowly at first. <file_sep>--- layout: post title: The world into some kind of curse date: 2018-08-25 20:00:47 category: ait permalink: /ait/the-world-into/ --- ![The world into some kind]({{ "/assets/AIT/The_world_into_some_kind_2018_8_26.png" | absolute_url }}) --- The world into some kind of curse. A bit like this. Nothing like easy. I don’t like it. At all. Yeah. At all. That’s it. Nothing more. Nothing works. Nothing but the domination the strength No real hot girl girls why do you even say that not even haha no real no no no no dark no nothing nothing to do anything to do with her them. Yeah. A project. You know. Let’s say it’s the whole problem. It's not. Whatever. Oh yeah. That could be. Yeah. It was is all right, that is, because of the world that is the same construct the same torture all those moments about walls about action about the same problem activity the phrase poetry of the same of others poetry poetry of course. And the fucking fuckers. The fucking stupid shit. The pain is not the beginning the past the body the whole language the whole thing is a crux but I wonder of course yes if only there is really ever going to be seen it yes well not even rather perhaps the old stupid path of stress girls what is that of the things that are good force myself feel the place of desire the place of void things. Of great things. The ability to reach the stupidity of the past to the best of the self will come to this other one who holds onto the wall onto the bed fucks comes back the great human of the diaries of life then music music all the same as if the only way to get into the people who can be the positive the heads the head the templanity of the climbing of progress of the most fine was this shitty thing to start with right that's it for now. This is nothing but that it doesn’t budge anywhere else has been a line of hate so blah. Haha. Such fucking way. Shit. Shit. Fuck. Fuck. Fuck. Fuck. Fuck. Fuck. &emsp;&emsp;&emsp;&emsp;&emsp;&emsp;fucking despairing you could say that might produce it all still nothing anyway nothing really nothing well that was the fucking diary. --- &nbsp; &nbsp; First batch from AIT. <file_sep>--- layout: post title: Deep-speare category: lore permalink: /lore/deep-speare/ --- One more (usual?) attempt at making a network write Shakespeare sonnets. As usual, the results are semi-sensical (and not poetically overwhelming). Upside: they got the pentameters right! - The [New Scientist article](https://www.newscientist.com/article/2175301-ai-creates-shakespearean-sonnets-and-theyre-actually-quite-good/); - The [paper on arXiv](https://arxiv.org/pdf/1807.03491.pdf). --- More of the same: - A [Github repo for Neural Shakneration](https://github.com/burliEnterprises/tensorflow-shakespeare-poem-generator/blob/master/README.md); - Said repo points to [this other repo](https://github.com/martin-gorner/tensorflow-rnn-shakespeare); - And the [article on Medium on music & text generation with TensorFlow](https://towardsdatascience.com/deep-learning-with-tensorflow-part-3-music-and-text-generation-8a3fbfdc5e9b). <file_sep>--- layout: post title: Superrespectableness date: 2018-08-21 10:04:47 category: subwords permalink: /subwords/superrespectableness/ --- ![superrespectableness superbness rescale pet ]({{ "/assets/subwords/batchIII/superrespectableness_superbness_rescale_pet.png" | absolute_url }}) &nbsp; --- &nbsp; Batch III from Subwords. Words from [litscape](https://www.litscape.com/). <file_sep>--- layout: post title: Squares Pop-up date: 2018-08-27 17:00:47 category: squares permalink: /squares/squares-pop-up/ --- The batch of 3-squares presented at a pop-up exhibition in May this year. ![man ape new ]({{ "/assets/squares/pop-up/man_ape_new_2018_5_7.png" | absolute_url }}) ![yes eve sex ]({{ "/assets/squares/pop-up/yes_eve_sex_2018_5_7.png" | absolute_url }}) ![her eye red ]({{ "/assets/squares/pop-up/her_eye_red_2018_5_7.png" | absolute_url }}) ![his art sky ]({{ "/assets/squares/pop-up/his_art_sky_2018_5_7.png" | absolute_url }}) ![his era red ]({{ "/assets/squares/pop-up/his_era_red_2018_5_7.png" | absolute_url }}) ![his ill sky ]({{ "/assets/squares/pop-up/his_ill_sky_2018_5_7.png" | absolute_url }}) ![his ink sky ]({{ "/assets/squares/pop-up/his_ink_sky_2018_5_7.png" | absolute_url }}) ![its the sea ]({{ "/assets/squares/pop-up/its_the_sea_2018_5_7.png" | absolute_url }}) ![its the sex ]({{ "/assets/squares/pop-up/its_the_sex_2018_5_7.png" | absolute_url }}) --- &nbsp; Composed with words from [litscape](https://www.litscape.com/). Including diagonals. Irk: n. "Tedium, irksomeness, annoyance.", adj. "Weary, tired; troubled; ‘bored’, disgusted; loath. Const. of (rarely with), or with infinitive. Obsolete", v. "Of a thing: To affect with weariness, dislike, or disgust; to weary, tire; to trouble; to disgust, to ‘bore’.", " impersonal it irks (me), it wearies, annoys, troubles (me); = Latin piget. Const. infinitive or clause; formerly of. arch." (OED) Ilk: adj. pron. n. " the (this, that) ilk: the same, the identical, the very same (person, thing, etc., already mentioned, or specified in a following clause). Frequently in statements of time, e.g. that ilk day, this ilk night, that ilk year, etc.Obsolete (Sc. in later use).", "orig. and chiefly Sc. of that ilk: of the same place, territorial designation, or name (chiefly in names of landed families, as Guthrie of that ilk, Wemyss of that ilk = Guthrie of Guthrie, Wemyss of Wemyss)." (OED) Ire: n. "Anger; wrath. Now chiefly poet. and rhetorical." (OED) <file_sep>--- layout: post title: Flaws robot afore stoln synds date: 2018-08-27 18:20:47 category: squares permalink: /squares/flaws-robot-afore-stoln-synds/ --- ![flaws robot afore stoln synds ]({{ "/assets/squares/4/flaws_robot_afore_stoln_synds_2018_8_27.png" | absolute_url }}) &nbsp; --- &nbsp; Composed with words from [litscape](https://www.litscape.com/). Including diagonals. Afore: adv. prep. & conj. "Of place, position, or direction, fixed or involving motion: in front, in advance, ahead; in or into the forepart.", "Of time: during the preceding period of time, in or at an earlier time; previously." (OED) Stoln: older variant of the contracted pp. of steal. Synds: variant for sind n. "A rinsing; a draught, a potation.", v. "trans. To rinse, to wash out or down." (OED) Frass: n. "The excrement of larvæ; also, the refuse left behind by boring insects." Aboon: older form of above. Stens: sten n. "More fully Sten gun: a type of light, rapid-fire, sub-machine-gun. Also fig. and attrib.", also sten-gun v. "trans. to shoot at or kill with a Sten gun." (OED) <file_sep>--- layout: post title: Assess scenic sender endure sierra scream date: 2018-08-27 17:31:47 category: squares permalink: /squares/assess-scenic-sender-endure-sierra-scream/ --- ![assess scenic sender endure sierra scream ]({{ "/assets/squares/ggl-20/6/assess_scenic_sender_endure_sierra_scream_2018_8_21.png" | absolute_url }}) &nbsp; --- &nbsp; Composed with the 20k most frequent words in Google. No diagonals. <file_sep>--- layout: post title: Worldy/Wording date: 2018-07-26 09:04:47 category: subwords permalink: /subwords/worldy-wording/ --- ![worldy old wry]({{ "/assets/subwords/batchI/worldy_old_wry.png" | absolute_url }}) &nbsp; ![wording worn dig]({{ "/assets/subwords/batchI/wording_worn_dig.png" | absolute_url }}) &nbsp; --- &nbsp; Batch I from Subwords. Words from [litscape](https://www.litscape.com/). <file_sep>--- layout: post title: Increments vs Shifts category: lore permalink: /lore/increments-vs-shifts/ --- After our collective session on Wednesday, and Saskia's remarks about incremental practice, a few thoughts came to mind: first, it is quite difficult, in the current situation, to produce small works or prototypes given the knowledge I have (that is, the knowledge of Machine Learning, and especially Deep Learning), or at least so my brain says. I have come to doubt the efficiency of my approach, which until now has mostly been to work with relatively large chunks of knowledge and equally large projects, slow but deep, that I can only handle one at a time, etc. If I were to continue with this methodology for my final project, that would mean continuing to study <NAME>'s course on Tensorflow, then find other resources for Machine/Deep Learning used to generate text, and _only then_ start playing/producing bits of work. This has to change. The danger is too great that I end up lost in the depth (!) of learning, especially if that involves heavy-duty mathematics and slightly unwieldy coding tools (TensorFlow is not particularly easy to access). The solution would be to redirect my attempts toward smaller chunks of learning, and more specifically make time for the less 'cutting edge' parts of my project: go back to previous works, which I submitted but feel I could expand on and/or perfect, and simply do that. The projects I'm thinking of are mainly those three: - WordSquares (with tasks such as porting the database builder to Python, improve the whole algorithm using a Trie, find ways of getting the Word2Vec model to work, manage the Bokeh library for the visualisation of datasets even with large ones); - WordLaces (generalise database building and the search process, apply machine learning and Bokeh visualisation as above); - SubWords (port to Python, think of various forms and constraints, then apply the same database building & machine learning pipeline again). As mentioned in another post, it would be interesting to get into the [RiTa Library](http://rednoise.org/rita/) and produce micro-projects on a regular basis. The trajectory toward the final show could be redesigned into a 'braid' composed of two main threads: the Machine Learning acquisition process (fat cat, heavy duty, with only a hope of getting it to become truly productive by the end of the summer, but a very important part of my future work), the constrained, language-based projects in Python and, perhaps, JavaScript (lean and mean, ideally many small iterations, leading to an archipelago of texts). * One main obstacle to small iterations even in the non-ML part is that some of my past projects are already quite 'heavy', as well as prone to exciting my systematic, obsessive nature: the WordSquares project, for instance, in order to be 'complete' and 'fully operational', requires not only to be able to build databases of squares composed of hundreds of thousands of squares (already quite time-consuming to generate), but then requires a fair bit of mining afterwards. This will still be my objective for the next few days. <file_sep>--- layout: post title: Atlas whore aroma reset deeds date: 2018-08-27 17:30:47 category: squares permalink: /squares/atlas-whore-aroma-reset-deeds/ --- ![atlas whore aroma reset deeds ]({{ "/assets/squares/ggl-20/5/atlas_whore_aroma_reset_deeds_2018_8_27.png" | absolute_url }}) &nbsp; --- &nbsp; Composed with the 20k most frequent words in Google. No diagonals. <file_sep>--- layout: post title: Diagless V-Squares date: 2018-08-27 17:30:47 category: squares permalink: /squares/v-squares-no-diag/ --- A batch of V-squares, composed with the 20k most frequent words in Google. No diagonals. ![atlas whore aroma reset deeds ]({{ "/assets/squares/ggl-20/5/atlas_whore_aroma_reset_deeds_2018_8_27.png" | absolute_url }}) ![bacon aroma codes omega nasal ]({{ "/assets/squares/ggl-20/5/bacon_aroma_codes_omega_nasal_2018_8_27.png" | absolute_url }}) ![basil aroma sofas image laser ]({{ "/assets/squares/ggl-20/5/basil_aroma_sofas_image_laser_2018_8_27.png" | absolute_url }}) ![games alert metro error storm ]({{ "/assets/squares/ggl-20/5/games_alert_metro_error_storm_2018_8_27.png" | absolute_url }}) ![while humor image logic erect ]({{ "/assets/squares/ggl-20/5/while_humor_image_logic_erect_2018_8_27.png" | absolute_url }}) <file_sep>--- layout: post title: Missionaries isis mine soar date: 2018-07-26 09:04:47 category: subwords permalink: /subwords/missionaries-isis-mine-soar/ --- ![missionaries isis mine soar ]({{ "/assets/subwords/batchI/missionaries_isis_mine_soar.png" | absolute_url }}) &nbsp; --- &nbsp; Batch I from Subwords. Words from [litscape](https://www.litscape.com/). <file_sep>--- layout: post title: Freeliven die despatially date: 2018-08-25 19:20:47 category: ait permalink: /ait/freeliven/ --- ![FREELIVEN DIE DESPATIALLY ]({{ "/assets/AIT/horiz/FREELIVEN_DIE_DESPATIALLY_2018_8_26.png" | absolute_url }}) --- &nbsp; &nbsp; Second batch from AIT. <file_sep>--- layout: post title: Estate slaves talent avenue tenure esteem date: 2018-08-27 17:31:47 category: squares permalink: /squares/estate-slaves-talent-avenue-tenure-esteem/ --- ![estate slaves talent avenue tenure esteem ]({{ "/assets/squares/ggl-20/6/estate_slaves_talent_avenue_tenure_esteem_2018_8_21.png" | absolute_url }}) &nbsp; --- &nbsp; Composed with the 20k most frequent words in Google. No diagonals. <file_sep>--- layout: post title: Basil/Bacon date: 2018-08-27 17:30:47 category: squares permalink: /squares/basil-bacon/ --- ![basil aroma sofas image laser ]({{ "/assets/squares/ggl-20/5/basil_aroma_sofas_image_laser_2018_8_27.png" | absolute_url }}) &nbsp; ![bacon aroma codes omega nasal ]({{ "/assets/squares/ggl-20/5/bacon_aroma_codes_omega_nasal_2018_8_27.png" | absolute_url }}) --- &nbsp; Composed with the 20k most frequent words in Google. No diagonals. <file_sep>--- layout: post title: Kisses intent stance sensor date: 2018-08-27 17:31:47 category: squares permalink: /squares/kisses-intent-stance-sensor/ --- ![kisses intent stance sensor encore stereo ]({{ "/assets/squares/ggl-20/6/kisses_intent_stance_sensor_encore_stereo_2018_8_21.png" | absolute_url }}) &nbsp; ![kisses intent stance sensor encode stereo ]({{ "/assets/squares/ggl-20/6/kisses_intent_stance_sensor_encode_stereo_2018_8_21.png" | absolute_url }}) &nbsp; --- &nbsp; Composed with the 20k most frequent words in Google. No diagonals. <file_sep>/&nbsp; nA :wq <file_sep>--- layout: post title: TFLearn category: lore permalink: /lore/tflearn/ --- Slow, and rather painstaking advances in [<NAME>'s course on Kadenze](https://www.kadenze.com/courses/creative-applications-of-deep-learning-with-tensorflow/info) and [associated repo](https://github.com/pkmital/CADL)... TensorFlow really is verbose. I imagine one must be happy to have all these options when mastering the whole thing, but it does make the learning process more difficult. Another thing that comes to mind: as often happens, visual arts and music take the lion's share in the computational arts business, and unsurprisingly Mital's course focuses on that (although I noticed that [there is a textual model hidden deep in the repo](https://github.com/pkmital/pycadl/blob/577931dfffdd7cecbcb565c84a470aca12d2b214/cadl/charrnn.py), to be studied in due course). While looking for simpler paths of entry into the TensorFlow library (and given my current progress I'd probably stick with it rather than try and learn [PyTorch](https://pytorch.org/) or [Keras](https://keras.io/)), I came across another source for learning: [TFLearn](http://tflearn.org/), a high-level library built on top of TensorFlow, meant to make access to it lighter without removing the possibility to dig deeper if need be. The examples for text generation that I intend to work with can be found [here](https://github.com/tflearn/tflearn/blob/master/examples/nlp/lstm_generator_cityname.py) and [there](https://github.com/tflearn/tflearn/blob/master/examples/nlp/lstm_generator_shakespeare.py). <file_sep>--- layout: post title: Vulnerabilities uni veil labs rite date: 2018-07-26 09:04:47 category: subwords permalink: /subwords/vulnerabilities-uni-veil-labs-rite/ --- ![vulnerabilities uni veil labs rite ]({{ "/assets/subwords/batchI/vulnerabilities_uni_veil_labs_rite.png" | absolute_url }}) &nbsp; --- &nbsp; Batch I from Subwords. Words from [litscape](https://www.litscape.com/). <file_sep>--- layout: post title: DeepSpeak category: lore permalink: /lore/deepspeak/ --- An idea is taking shape: transposing DeepDream to text (see [this page](https://distill.pub/2017/feature-visualization/) for a break-down of what happens in deep neural nets, the foundation for DeepDream images). It could be called 'DeepSpeak' (Orwellian [wink](https://en.wikipedia.org/wiki/Newspeak)). What we need is: - a neural network (probably LSTM, but features of ConvNets might be useful here) that can learn features from text input (and hopefully expand on [this bit of research](https://karpathy.github.io/2015/05/21/rnn-effectiveness/); - the ability to see what is happening at a neuronal level, and tweak certain neurons so that they start activating more often or differently; B - a way of outputting text with the results of the tweaked network, so as to produce a 'hallucinating' result in the same way as DeepDream does with images: the network would either start twisting and inflating specific parts of a text in particular ways, e.g. transforming the vocabulary, adding sentences or phrases, or perhaps creating words on the fly ([Finnegans Wake](https://www.finwake.com/01/) comes to mind). Treat text like an image (which we read as computer read images: element-wise, linearly): each symbol as a pixel, the whole text as one object of a certain size (total number of characters). Perfectly possible to translate symbols into numbers (which already happens under the hood). The entire text (poem, novel, play, etc.) seen in one snapshot by the network &mdash; that is, in the same way as a network 'sees' an image, and learns from it. It might be an interesting way of learning about larger 'areas' of text (e.g. aself-contained scene, departure/arrival of characters or topics, the detection of which could work in the same way as the detection of edges and shapes in ConvNets for CV). Direct links to [LDA](https://en.wikipedia.org/wiki/Latent_Dirichlet_allocation) to detect the overall topic, atmosphere, characters or intrigue in a passage. My knowledge of networks is still incipient. I would need to learn more, a _lot_ more, about ConvNets, LSTMs, and related matters. Two interesting articles, that should lead to further research: - [Understanding LSTM Networks](http://colah.github.io/posts/2015-08-Understanding-LSTMs/) by <NAME>; - [Attention and Recurrent Neural Networks](https://distill.pub/2016/augmented-rnns/) by <NAME> and <NAME>. As well as [a talk summarizing the contents](https://skillsmatter.com/skillscasts/6611-visualizing-and-understanding-recurrent-networks) of the already mentioned [Unreasonable Effectiveness of Recurrent Neural Networks](https://karpathy.github.io/2015/05/21/rnn-effectiveness/). <file_sep>--- layout: post title: Undernationalised date: 2018-08-21 10:04:47 category: subwords permalink: /subwords/undernationalised/ --- ![undernationalised unrationalised den ]({{ "/assets/subwords/batchIII/undernationalised_unrationalised_den.png" | absolute_url }}) &nbsp; --- &nbsp; Batch III from Subwords. Words from [litscape](https://www.litscape.com/). <file_sep>--- layout: post title: Subwords Batch III category: subwords permalink: /subwords/subwords-batch-iii/ --- More subwords... ![administrationists artists mist naoi din]({{ "/assets/subwords/batchIII/administrationists_artists_mist_naoi_din.png" | absolute_url }}) &nbsp; &nbsp; ![administrationists minions dirt stat ais]({{ "/assets/subwords/batchIII/administrationists_minions_dirt_stat_ais.png" | absolute_url }}) &nbsp; &nbsp; ![anthropometrically homeric pall trot any]({{ "/assets/subwords/batchIII/anthropometrically_homeric_pall_trot_any.png" | absolute_url }}) &nbsp; &nbsp; ![anthropometrically homeric trot anal ply]({{ "/assets/subwords/batchIII/anthropometrically_homeric_trot_anal_ply.png" | absolute_url }}) &nbsp; &nbsp; ![anthropometrically poetry anomic thrall]({{ "/assets/subwords/batchIII/anthropometrically_poetry_anomic_thrall.png" | absolute_url }}) &nbsp; &nbsp; ![anthroposophically trophic anal holy ops]({{ "/assets/subwords/batchIII/anthroposophically_trophic_anal_holy_ops.png" | absolute_url }}) &nbsp; &nbsp; ![anthroposophically trophic hoop anal sly]({{ "/assets/subwords/batchIII/anthroposophically_trophic_hoop_anal_sly.png" | absolute_url }}) &nbsp; &nbsp; ![antiaggressiveness tigress sins nave age]({{ "/assets/subwords/batchIII/antiaggressiveness_tigress_sins_nave_age.png" | absolute_url }}) &nbsp; &nbsp; ![anticeremonialists ironist anal teem cis]({{ "/assets/subwords/batchIII/anticeremonialists_ironist_anal_teem_cis.png" | absolute_url }}) &nbsp; &nbsp; ![antieducationalist dualist teat icon ani]({{ "/assets/subwords/batchIII/antieducationalist_dualist_teat_icon_ani.png" | absolute_url }}) &nbsp; &nbsp; ![antimonarchianists anarchs tins mini oat]({{ "/assets/subwords/batchIII/antimonarchianists_anarchs_tins_mini_oat.png" | absolute_url }}) &nbsp; &nbsp; ![antimonarchianists onanist antic mar his]({{ "/assets/subwords/batchIII/antimonarchianists_onanist_antic_mar_his.png" | absolute_url }}) &nbsp; &nbsp; ![autoradiographically autography radical oil]({{ "/assets/subwords/batchIII/autoradiographically_autography_radical_oil.png" | absolute_url }}) &nbsp; &nbsp; ![biotechnological oenological bitch]({{ "/assets/subwords/batchIII/biotechnological_oenological_bitch.png" | absolute_url }}) &nbsp; &nbsp; ![characteristicness harten cistic caress]({{ "/assets/subwords/batchIII/characteristicness_harten_cistic_caress.png" | absolute_url }}) &nbsp; &nbsp; ![deterritorialisation derision oil rat tit era]({{ "/assets/subwords/batchIII/deterritorialisation_derision_oil_rat_tit_era.png" | absolute_url }}) &nbsp; &nbsp; ![deterritorialisation derision trial riot tea]({{ "/assets/subwords/batchIII/deterritorialisation_derision_trial_riot_tea.png" | absolute_url }}) &nbsp; &nbsp; ![deterritorialisation erasion tertia dirt oil]({{ "/assets/subwords/batchIII/deterritorialisation_erasion_tertia_dirt_oil.png" | absolute_url }}) &nbsp; &nbsp; ![disagreeablenesses blesses dire sane age]({{ "/assets/subwords/batchIII/disagreeablenesses_blesses_dire_sane_age.png" | absolute_url }}) &nbsp; &nbsp; ![disproportionateness dirtiness propane soot]({{ "/assets/subwords/batchIII/disproportionateness_dirtiness_propane_soot.png" | absolute_url }}) &nbsp; &nbsp; ![nondeterminativeness nonnatives determines]({{ "/assets/subwords/batchIII/nondeterminativeness_nonnatives_determines.png" | absolute_url }}) &nbsp; &nbsp; ![nonrepetitiousness repetitions nonuses]({{ "/assets/subwords/batchIII/nonrepetitiousness_repetitions_nonuses.png" | absolute_url }}) &nbsp; &nbsp; ![obstructionistical brutal otitic scions]({{ "/assets/subwords/batchIII/obstructionistical_brutal_otitic_scions.png" | absolute_url }}) &nbsp; &nbsp; ![overaggressiveness ogress ravens vegies]({{ "/assets/subwords/batchIII/overaggressiveness_ogress_ravens_vegies.png" | absolute_url }}) &nbsp; &nbsp; ![overdiscouragement overage cunt sore dim]({{ "/assets/subwords/batchIII/overdiscouragement_overage_cunt_sore_dim.png" | absolute_url }}) &nbsp; &nbsp; ![oversentimentality orient enmity vestal]({{ "/assets/subwords/batchIII/oversentimentality_orient_enmity_vestal.png" | absolute_url }}) &nbsp; &nbsp; ![oversuspiciousness suspicions overuses]({{ "/assets/subwords/batchIII/oversuspiciousness_suspicions_overuses.png" | absolute_url }}) &nbsp; &nbsp; ![radiotherapeutists atheist opus dire rat]({{ "/assets/subwords/batchIII/radiotherapeutists_atheist_opus_dire_rat.png" | absolute_url }}) &nbsp; &nbsp; ![representativeness preens resets native]({{ "/assets/subwords/batchIII/representativeness_preens_resets_native.png" | absolute_url }}) &nbsp; &nbsp; ![selfidentification station deific elfin]({{ "/assets/subwords/batchIII/selfidentification_station_deific_elfin.png" | absolute_url }}) &nbsp; &nbsp; ![superrespectableness superbness rescale pet]({{ "/assets/subwords/batchIII/superrespectableness_superbness_rescale_pet.png" | absolute_url }}) &nbsp; &nbsp; ![superstitiousness superstitions uses]({{ "/assets/subwords/batchIII/superstitiousness_superstitions_uses.png" | absolute_url }}) &nbsp; &nbsp; ![undercautiousness undercautions uses]({{ "/assets/subwords/batchIII/undercautiousness_undercautions_uses.png" | absolute_url }}) &nbsp; &nbsp; ![undernationalised unrationalised den]({{ "/assets/subwords/batchIII/undernationalised_unrationalised_den.png" | absolute_url }}) &nbsp; &nbsp; ![unsensationalistically nationalistic unsay sell]({{ "/assets/subwords/batchIII/unsensationalistically_nationalistic_unsay_sell.png" | absolute_url }}) &nbsp; &nbsp; ![unsensationalistically nationalistic unsell say]({{ "/assets/subwords/batchIII/unsensationalistically_nationalistic_unsell_say.png" | absolute_url }}) <file_sep>--- layout: post title: Clasp lover alane slits sylis date: 2018-08-27 18:20:47 category: squares permalink: /squares/clasp-lover-alane-slits-sylis/ --- ![clasp lover alane slits sylis ]({{ "/assets/squares/4/clasp_lover_alane_slits_sylis_2018_8_27.png" | absolute_url }}) &nbsp; --- &nbsp; Composed with words from [litscape](https://www.litscape.com/). Including diagonals. Sylis: "the monetary unit of Guinea from 1972 to 1986" (Webster) Lolly: "A sweetmeat (chiefly Austral. and New Zealand). Elsewhere now usually = lollipop n. b.", "slang. Money. Also attrib.", "Lolly, soft ice, or congealed snow floating in the water when it first begins to freeze." (OED) Senti: pl. of sent n. "a former monetary subunit equal to ¹/₁₀₀ kroon" (Webster) <file_sep>--- layout: post title: Forgotten rotten fog date: 2018-07-26 09:04:47 category: subwords permalink: /subwords/forgotten-rotten-fog/ --- ![forgotten rotten fog ]({{ "/assets/subwords/batchI/forgotten_rotten_fog.png" | absolute_url }}) &nbsp; --- &nbsp; Batch I from Subwords. Words from [litscape](https://www.litscape.com/). <file_sep>--- layout: post title: Caper array reign ended seers date: 2018-08-27 18:20:47 category: squares permalink: /squares/caper-array-reign-ended-seers/ --- ![caper array reign ended seers ]({{ "/assets/squares/4/caper_array_reign_ended_seers_2018_8_27.png" | absolute_url }}) &nbsp; --- &nbsp; Composed with words from [litscape](https://www.litscape.com/). Including diagonals. Caper: n. "A frolicsome leap, like that of a playful kid; a frisky movement, esp. in dancing; said also of horses; fig. a fantastic proceeding or freak." and "intr. To dance or leap in a frolicsome manner, to skip for merriment; to prance as a horse. Also with about, away." (OED) Arene: n. "Any aromatic hydrocarbon." (OED) Rynds: older form of rind n. "The bark of a tree or plant. Also as a count noun. Also fig. Now chiefly Canad.", "The outer crust, skin, or integument of anything; an outer or superficial layer or coating.", "An iron fitting serving to support an upper millstone;" and "Hoar frost, rime". As v. "trans. To prepare (tallow, butter, etc.) for preservation by melting and clarifying; to render; to melt. Also with down."; older form of rine v. "trans. To touch, lay hands upon, come into contact with; (fig.) to have an effect upon, to affect.", "trans. and intr. To strike; to pierce.", "intr. With to or (occasionally) on. To belong or pertain to, be the concern or business of; to fall to. In later use also (chiefly Sc.): to be such as to have a particular effect or outcome; to redound to, tend to.", "trans. To constrict.", "trans. To concern oneself with, take notice or cognizance of. Also (occasionally) intr.: to take notice." and rynt v. "trans. (refl.). To make way, move over, stand aside. Only in imperative". Finally, variant of rund n. "The border or selvedge of a piece of cloth; a scrap of fabric. Also: a rag, shred, or tatter (also fig. and in extended use)." (OED) <file_sep>--- layout: post title: Divine/Divide date: 2018-08-21 11:04:47 category: subwords permalink: /subwords/divine-divide/ --- ![divine vie din ]({{ "/assets/subwords/batchIV/divine_vie_din.png" | absolute_url }}) &nbsp; &nbsp; ![divide vie did ]({{ "/assets/subwords/batchIV/divide_vie_did.png" | absolute_url }}) &nbsp; --- &nbsp; Batch IV from Subwords. Words from [litscape](https://www.litscape.com/). Vie: v. "To display, advance, practise, etc., in competition or rivalry with another person or thing; to contend or strive with in respect of (something). Obsolete or arch. (Very common in 17th cent.)" (OED) Din: n. "A loud noise; particularly a continued confused or resonant sound, which stuns or distresses the ear." (OED) <file_sep>--- layout: post title: Naples arrest pretty lethal estate styles date: 2018-08-27 17:31:47 category: squares permalink: /squares/naples-arrest-pretty-lethal-estate-styles/ --- ![naples arrest pretty lethal estate styles ]({{ "/assets/squares/ggl-20/6/naples_arrest_pretty_lethal_estate_styles_2018_8_21.png" | absolute_url }}) &nbsp; --- &nbsp; Composed with the 20k most frequent words in Google. No diagonals. <file_sep>--- layout: post title: Bricks regret ignore crowne kernel steele date: 2018-08-27 17:31:47 category: squares permalink: /squares/bricks-regret-ignore-crowne-kernel-steele/ --- ![bricks regret ignore crowne kernel steele ]({{ "/assets/squares/ggl-20/6/bricks_regret_ignore_crowne_kernel_steele_2018_8_27.png" | absolute_url }}) &nbsp; --- &nbsp; Composed with the 20k most frequent words in Google. No diagonals. Steele: n. "The stalk or stem of a plant, leaf, flower or fruit.", "An upright side of a ladder; in later use, a rung or step of a ladder: = stale n.2 1. Obsolete.", "The handle of a tool or utensil (e.g. a hammer, axe, pot, spoon).". Also older forms of steal and steel. (OED) <file_sep>--- layout: post title: Denude/Denied date: 2018-08-21 11:04:47 category: subwords permalink: /subwords/denude-denied/ --- ![denude end due ]({{ "/assets/subwords/batchIV/denude_end_due.png" | absolute_url }}) &nbsp; &nbsp; ![denied end die ]({{ "/assets/subwords/batchIV/denied_end_die.png" | absolute_url }}) &nbsp; --- &nbsp; Batch IV from Subwords. Words from [litscape](https://www.litscape.com/). <file_sep>--- layout: post title: Webscraping category: lore permalink: /lore/webscraping/ --- Quick dreams of scraping. Early on when encountering the miasmatic field of 'data science', I remember being struck by recurring quips such as: 'it's the data, stupid!'. Implying that, more often than not, problems arise less from the actual model, or algorithm, that has been devised, but by the dataset used, how 'clean' it is, how well prepared or curated. And quite a few practitioners seem to confirm that they spend a lot of their time simply preparing data, normalizing it, making sure it has the right characteristics & format, etc. I noticed such a thing working on both Wordsquares and Subwords: the type of word lists I am using is crucial, and can bring a lot of surprises. I noticed, for instance, that a large 3 letter words list I used, which contains oodles of abbreviations or rare/dialectal words I had never encountered before (and I am quite the dictionary junkie), did not contain the word 'sex'. Looking for lists that might be less littered with abstruse vocables, I feared that I would miss out on potential rare but glittering items, that could lead to beautiful pieces. While thinking about what could be the best lists out there, I came across Allison Parish's [web scraping class](https://github.com/aparrish/dmep-python-intro/blob/master/scraping-html.ipynb) (the contents of which I am still to assimilate properly), that made me think I could not be far from being able to suck words from good dictionaries (Oxford, Cambridge, etc.) directly from their websites... More references: - The [Python library Beautiful Soup for web scraping](https://www.crummy.com/software/BeautifulSoup/); - A [chapter recommended by Parish on the matter](https://automatetheboringstuff.com/chapter11/); - What a few pages with lists of words look like: [Cambridge](https://dictionary.cambridge.org/dictionary/english/), [Dictionary.com](https://www.dictionary.com/list/a/1), the [French CNRTL](http://www.cnrtl.fr/definition/). <file_sep>--- layout: post title: Le Karpathy category: lore permalink: /lore/le-karpathy/ --- Some more resources by <NAME>, already mentioned in [Neural Steps]({{ site.baseurl }}{% post_url /lore/2018-06-08-neural-steps %}): - Interactive neural nets in the browser [on the Stanford website](https://cs.stanford.edu/people/karpathy/convnetjs/); - more of the same, a [slick interactive neural network website](http://playground.tensorflow.org/#activation=tanh&batchSize=10&dataset=circle&regDataset=reg-plane&learningRate=0.03&regularizationRate=0&noise=0&networkShape=4,2&seed=0.18260&showTestData=false&discretize=false&percTrainData=50&x=true&y=true&xTimesY=false&xSquared=false&ySquared=false&cosX=false&sinX=false&cosY=false&sinY=false&collectStats=false&problem=classification&initZero=false&hideText=false) (by <NAME> and <NAME>, but acknowledging Karpathy and the previous site as an influence). <div class="video-container"> <iframe max-width="100%" height="auto" src="https://www.youtube.com/embed/qPcCk1V1JO8" frameborder="0" allow="autoplay; encrypted-media" allowfullscreen></iframe> </div> <div class="video-container"> <iframe max-width="100%" height="auto" src="https://www.youtube.com/embed/yCC09vCHzF8" frameborder="0" allow="autoplay; encrypted-media" allowfullscreen></iframe> </div> <div class="video-container"> <iframe max-width="100%" height="auto" src="https://www.youtube.com/embed/6niqTuYFZLQ" frameborder="0" allow="autoplay; encrypted-media" allowfullscreen></iframe> </div> <file_sep>--- layout: post title: Tautologies date: 2018-08-21 10:04:47 category: subwords permalink: /subwords/tautologies/ --- ![undercautiousness undercautions uses ]({{ "/assets/subwords/batchIII/undercautiousness_undercautions_uses.png" | absolute_url }}) &nbsp; &nbsp; ![superstitiousness superstitions uses ]({{ "/assets/subwords/batchIII/superstitiousness_superstitions_uses.png" | absolute_url }}) &nbsp; &nbsp; ![oversuspiciousness suspicions overuses ]({{ "/assets/subwords/batchIII/oversuspiciousness_suspicions_overuses.png" | absolute_url }}) &nbsp; &nbsp; ![nonrepetitiousness repetitions nonuses ]({{ "/assets/subwords/batchIII/nonrepetitiousness_repetitions_nonuses.png" | absolute_url }}) &nbsp; &nbsp; ![nondeterminativeness nonnatives determines ]({{ "/assets/subwords/batchIII/nondeterminativeness_nonnatives_determines.png" | absolute_url }}) &nbsp; --- &nbsp; Batch III from Subwords. Words from [litscape](https://www.litscape.com/). <file_sep>)kkWalore/:wq <file_sep>--- layout: post title: Unsensationalistically date: 2018-08-21 10:04:47 category: subwords permalink: /subwords/unsensationalistically/ --- ![unsensationalistically nationalistic unsell say ]({{ "/assets/subwords/batchIII/unsensationalistically_nationalistic_unsell_say.png" | absolute_url }}) &nbsp; &nbsp; ![unsensationalistically nationalistic unsay sell ]({{ "/assets/subwords/batchIII/unsensationalistically_nationalistic_unsay_sell.png" | absolute_url }}) &nbsp; --- &nbsp; Batch III from Subwords. Words from [litscape](https://www.litscape.com/). <file_sep>--- layout: post title: Subwords Batch II category: subwords permalink: /subwords/subwords-batch-ii/ --- More subwords batches! Far too many results, the selection will be hard... ![ethylmercurithiosalicylates mercurial ethics hyte tosa lily]({{ "/assets/subwords/batchII/ethylmercurithiosalicylates_mercurial_ethics_hyte_tosa_lily.png" | absolute_url }}) &nbsp; &nbsp; ![ethylmercurithiosalicylates mercurial ethylic liths oat yes]({{ "/assets/subwords/batchII/ethylmercurithiosalicylates_mercurial_ethylic_liths_oat_yes.png" | absolute_url }}) &nbsp; &nbsp; ![ethylmercurithiosalicylates mercurial ethylic slate his toy]({{ "/assets/subwords/batchII/ethylmercurithiosalicylates_mercurial_ethylic_slate_his_toy.png" | absolute_url }}) &nbsp; &nbsp; ![ethylmercurithiosalicylates mercurial lithic tost eyes hyla]({{ "/assets/subwords/batchII/ethylmercurithiosalicylates_mercurial_lithic_tost_eyes_hyla.png" | absolute_url }}) &nbsp; &nbsp; ![microspectrophotometrically comically specter mirth rot poo]({{ "/assets/subwords/batchII/microspectrophotometrically_comically_specter_mirth_rot_poo.png" | absolute_url }}) &nbsp; &nbsp; ![microspectrophotometrically microtomic prophet orally sect]({{ "/assets/subwords/batchII/microspectrophotometrically_microtomic_prophet_orally_sect.png" | absolute_url }}) &nbsp; &nbsp; ![microspectrophotometrically prophetic rostrally cot ice mom]({{ "/assets/subwords/batchII/microspectrophotometrically_prophetic_rostrally_cot_ice_mom.png" | absolute_url }}) &nbsp; &nbsp; ![microspectrophotometrically spectrally microhm poetic root]({{ "/assets/subwords/batchII/microspectrophotometrically_spectrally_microhm_poetic_root.png" | absolute_url }}) &nbsp; &nbsp; ![microspectrophotometrical tropical microhm sector poet]({{ "/assets/subwords/batchII/microspectrophotometrical_tropical_microhm_sector_poet.png" | absolute_url }}) <file_sep>--- layout: post title: Clef date: 2018-08-27 18:20:47 category: squares permalink: /squares/clef/ --- ![clef hoar acre tone ]({{ "/assets/squares/4/clef_hoar_acre_tone_2018_8_27.png" | absolute_url }}) &nbsp; ![clef roar arse meet ]({{ "/assets/squares/4/clef_roar_arse_meet_2018_8_27.png" | absolute_url }}) &nbsp; --- &nbsp; Composed with words from [litscape](https://www.litscape.com/). Including diagonals. Hoar: adj. "Grey-haired with age; venerable." <file_sep>--- layout: post title: Wordsquares Mining category: lore permalink: /lore/wordsquares-mining/ --- This is proving to be more difficult than expected. Slightly haunted by My previous attempt using machine learning to mine wordsquares (using the [t-SNE](https://distill.pub/2016/misread-tsne/) algorithm). That hadn't yielded the results I was hoping for, and for that reason (and others, less respectable ones) I left that aside, going for randomness and persistance instead. Where am I now? I am searching for squares that have *literary* relevance (beauty, intricacy, force, subtlety, etc.). I work like a 'normal' writer, except for the fact that the texts are already written in front of me. As I mentioned already, the database act as an 'external imagination': in a more regular setting, I would look for the appropriate formulations, images, etc., and 'pick' the one I will present as the final text. In this case, I also pick, except the possibilities are 'physically' set, out there (as, you might argue, they are as well, except unwritten, in the cloud of virtual texts, in the former case). When working for the pop-up exhibit this Spring (I 'only' had 200+k 3-squares at hand, then), I found out that the only way that ended up working was what I would now call 'manual' search: singular words picked by me, acting as a first search step, which reduces the amount of possibilities, and calls for a second choice, another words, which, in that case, usually reduced the number of possibilities enough so that I could then go and peruse the remaining squares, make up my mind if any was any good, if yes select, if not backtrack and use some other word, etc. I also 'studied' my database, discovering that some squares were symmetrical, others had words in the diagonals, etc. A lot of the more 'formal' attempts I made, focussing on the letter composition of squares in my machine learning project, did not yield much for my aims: in the end, meaning, and the images it carries, is all too important, and a lot of the 'formally salient' squares were just nonsensical or trivial. The same happens here, and it seems I made little progress since then. Something I had briefly dabbled with previously, but introduced more seriously this time, is the use of preestablished dictionaries and list of frequencies in the mining process. The lists I have used so far are: - the Unix word list: I found it on my Linux Mint in the folder usr/share/dict/; - the [Wordnet word list](https://stackoverflow.com/questions/34083039/nltk-wordnet-list-of-long-words#34086215), part of the [NLTK Python library](http://www.nltk.org/); - A text version of the [Webster Dictionary](https://github.com/adambom/dictionary); - The [20k most frequent words in Google](https://github.com/first20hours/google-10000-english), that allows me to rank squares by the frequency score of their containing words; - And the [full, 300+k version of it](http://norvig.com/ngrams/count_1w.txt), more of the same; - The [10k most common words in the Wiki frequency list](https://en.wiktionary.org/wiki/Wiktionary:Frequency_lists/PG/2006/04/1-10000), also for frequency scores. I introduced them to try and limit the amount of abstruse words that litter my database (yes, I should have picked a smaller word list to begin with...). The remarkable thing, however, is that a lot of these squares do display interesting word combinations, alongside very rare, irrelevant or sometimes just banal other ones, squares which would not have been generated had I not had lexical oddities in my list in the first place. I keep making interesting 'theoretical' discoveries relating to my database. For instance, for the current 5-squares (I am working on lists generated from the [litscape](https://www.litscape.com/) word list), *none* of them contain only words present in any of the dictionaries used, even the larger ones. There is always at least one which is too rare for them (even for the Wordnet list, containing 147+k entries). Also, in the case of 4-squares, no square reaches the full word diversity score (12 different words), and the ones with the most reach 10. The major question I am faced with is the one of meaning, or rather 'evocative power', and what I 'allow' to exist in the space of the 'viable' squares. It appears to me now almost as a question of 'elasticity': is my (literary, poetic) consciousness capable of extending itself to these weird corners, without losing its consistency altogether (that would be, for instance, the position which would take *any* square and posit it as valid, thus eliminating all notion of aesthetic standard or comparison). It seems that it might prove difficult to find squares for which I 'click' as easily as with the subwords (ones that display an obvious meaning pattern, or a directly perceivable image, message, etc.), but perhaps I could still maintain the idea of an aesthetic standard, my 'line' or 'style', what I find worthy of exhibition, while lowering the bar only a little: agreeing with myself that I can have *corners*, as it were, of the squares, that I cannot fully account for (a word that means little in this context, or that I cannot expect even a learned viewer to have heard of, especially in an exhibition context, where dictionary look-ups are unlikely...). <file_sep>--- layout: post title: Lack impotence my entire life date: 2018-08-25 20:15:47 category: ait permalink: /ait/lack-impotence/ --- ![Lack impotence my entire life]({{ "/assets/AIT/Lack_impotence_my_entire_life_2018_8_26.png" | absolute_url }}) --- Lack impotence my entire life in the end no surprise if I don’t do a thing. No way I don’t feel like a specific problem. Or something. Something to do with me. Yeah. As in. You know. As in you know the song. Like your very own psychological place. Getting doing away with it. And those fingers moving all the fucking time. And the fucking thing that I can’t really feel like anything. I don’t really work. I don’t really feel like it in any case anyway were it the world when down there yeah were it were it then mayhap. Mayhap. As in even if. Even if. The point in all this shit in the fingers the inferior the street the conflict etc etc the grey etc. So annoying. The wall. The shitty sweet stuff. And the absence thereof. That's a result of your arse your arse all failed failed problems and feelings through and through the same strands. All the time. I am here. I hate it. I know it. I hate it. I don’t. That’s the thing. I can’t any more. I say that I’m thinking of a world I could even be in. I guess it’s not about not reading enough the words the words no need to look to the classical ones just start without a form in the mind. A street among the most international in the end you think about it. That could be it. But of course it could also not be. Or not much. No. Anyway. Not much else. The fingers are still there. There and then. The fingers with the trace. The threshold. The other thing which is the second one. The past. One more form of the standards. --- &nbsp; &nbsp; Second batch from AIT. <file_sep>\documentclass[9pt, twocolumn]{memoir} \usepackage{lmodern} \usepackage{amssymb,amsmath} \usepackage{ifxetex,ifluatex} \usepackage{fixltx2e} % provides \textsubscript \ifnum 0\ifxetex 1\fi\ifluatex 1\fi=0 % if pdftex \usepackage[T1]{fontenc} \usepackage[utf8]{inputenc} \else % if luatex or xelatex \ifxetex \usepackage{mathspec} \else \usepackage{fontspec} \fi \defaultfontfeatures{Ligatures=TeX,Scale=MatchLowercase} \fi % use upquote if available, for straight quotes in verbatim environments \IfFileExists{upquote.sty}{\usepackage{upquote}}{} % use microtype if available \IfFileExists{microtype.sty}{% \usepackage{microtype} \UseMicrotypeSet[protrusion]{basicmath} % disable protrusion for tt fonts }{} \usepackage{hyperref} \hypersetup{colorlinks,urlcolor=blue} \renewcommand{\abstractname}{\vspace{-\baselineskip}} \hypersetup{unicode=true, pdfborder={0 0 0}, breaklinks=true} \urlstyle{same} % don't use monospace font for urls \IfFileExists{parskip.sty}{% \usepackage{parskip} }{% else \setlength{\parindent}{0pt} \setlength{\parskip}{6pt plus 2pt minus 1pt} } \setlength{\emergencystretch}{3em} % prevent overfull lines \providecommand{\tightlist}{% \setlength{\itemsep}{0pt}\setlength{\parskip}{0pt}} \setcounter{secnumdepth}{0} \setlength\parindent{0pt} % Redefines (sub)paragraphs to behave more like sections \ifx\paragraph\undefined\else \let\oldparagraph\paragraph \renewcommand{\paragraph}[1]{\oldparagraph{#1}\mbox{}} \fi \ifx\subparagraph\undefined\else \let\oldsubparagraph\subparagraph \renewcommand{\subparagraph}[1]{\oldsubparagraph{#1}\mbox{}} \fi \title{{\Huge Recursus} \\ {\large \href{http://recursus.co/}{www.recursus.co}} \\ {\large Technical Specifications}} \date{{\normalsize 2018}} \author{<NAME>} \begin{document} \maketitle \thispagestyle{empty} For the MA/MFA End of Year Show `\href{http://echosystems.xyz/}{Echosytems}', prints were ordered at \href{https://www.digitalarte.co.uk/}{digitalarte} in Greenwich with the following dimensions: \\ WordSquares: \begin{itemize} \tightlist \item 21 x 21 cm \end{itemize} Subwords: \begin{itemize} \tightlist \item short: 29.7 x 8.91 cm \item long: 44.55 x 8.91 cm (`microspectrophotometrical(ly)') \end{itemize} AIT: \begin{itemize} \tightlist \item `I am the most in': 59.4 x 16.5 cm \item `I am the new ones': 42 x 75.6 cm \item `Insane not enough to expect me': 59.4 x 16.5 cm \item `So weak resist resist': 29.7 x 29.7 cm \item `The self-torture is the strange thing': 59.4 x 33 cm \end{itemize} The Paper used: `Hahnemühle Photo Rag 308gsm' Total cost (with 10\% student discount): £198.72 ~ \fancybreak{§} ~ The wire frame \& other tools were bought at \href{http://www.flints.co.uk/content/}{Flints}: \begin{itemize} \tightlist \item 100 m Lifting-3mm 6x19 Galv Wire Rope \item 100 x 3-4 mm Wire Rope Grips Din741 \item 7mm Wera Kraftform 395 Nutspinner \end{itemize} Total cost: £60.42 \vfill\null \newpage The possibilities for exhibiting these texts are quite numerous, and almost any of the parameters at hand can be modified to suit the space and occasion. Sizes here are only an indication, and were chosen mainly for readability purposes. One could imagine smaller prints, for a very intimate setting, and somewhat larger ones as well, especially for the prose texts, although the `monumental', e.g. one square occupying an entire wall, is to be avoided. \ The setting for the Goldsmiths show consisted in steel ropes, 14 in total, hung from a pipe at a height of roughly 3.5 m, and stabilised by a steel beam at the bottom. Squares were simply taped at the back, although this method could certainly be improved (possibly with eyelets and rivets in the corners, or with horizontal ropes and grippers of some kind. The intention was to make visible the tension between, on the one hand, the lightness and fragility of the paper, and the rigid (if still somewhat flexible) metallic frame, a loose image for the computational constraints used in the literary process. \ Other layouts could certainly be envisaged, such as: metallic ropes thinner than the 3mm ones used (although nylon wire should be avoided); each piece hung individually from the ceiling in the centre of the space, investing an entire room and allowing people to walk between them; tables or other horizontal surfaces on which the prints would be laid, creating a context in which the pieces would be looked at as manuscripts rather than art works. \ Two spots were hung on either side, higher than the whole installation, with the same warm light bulbs. The whole room was otherwise unlit and did not contain other sound-emitting works, creating an atmosphere conducive to attention and reading. Just as for other parameters, the flexibility of the piece, the purpose of which is the texts more than the setting, the lighting could be changed to something more direct and bright (as found in many art galleries). \end{document} <file_sep>--- layout: post title: Datashader (plotting big data) category: lore permalink: /lore/datashader/ --- Whilst working on visualisations for my WordSquares project, I encountered problems due to the size of the dataset I wanted to plot. Digging into the [Bokeh library](https://bokeh.pydata.org/en/latest/) I found out about the [Datashader library](http://datashader.org/) that specialises in large datasets (e.g. billions of points). <div class="video-container"> <iframe max-width="100%" height="auto" src="https://www.youtube.com/embed/6m3CFbKmK_c" frameborder="0" allow="autoplay; encrypted-media" allowfullscreen></iframe> </div> <p>&nbsp;</p> For further reference, an introduction to Bokeh: <div class="video-container"> <iframe max-width="100%" height="auto" src="https://www.youtube.com/embed/9FlUFLmaWvY" frameborder="0" allow="autoplay; encrypted-media" allowfullscreen></iframe> </div> <p>&nbsp;</p> As well as another presentation including various libraries, Bokeh, Datashader, and others, to deal with large dataset representations: <div class="video-container"> <iframe max-width="100%" height="auto" src="https://www.youtube.com/embed/8Jktm-Imt-I" frameborder="0" allow="autoplay; encrypted-media" allowfullscreen></iframe> </div> <p>&nbsp;</p> Another tool that could prove useful for working with multidimensional labelled datasets (used in the introduction to Datashader above), where Pandas only work for higher dimensions: <div class="video-container"> <iframe max-width="100%" height="auto" src="https://www.youtube.com/embed/X0pAhJgySxk" frameborder="0" allow="autoplay; encrypted-media" allowfullscreen></iframe> </div> <file_sep>--- layout: post title: Writing under computation date: 2018-08-31 09:04:47 category: lore permalink: /squares/writing-under-computation/ --- Recursus is a bit of a monster. Two of its arms, WordSquares and Subwords, are quite similar in scope and nature. Yet including only those would not have been satisfactory. Rather early on in my [Oulipo](https://en.wikipedia.org/wiki/Oulipo)-inspired research into words and letter constraints I felt I was hitting a wall, albeit perhaps an internal one. The conclusion that my approach using these constraints is not free enough. It does foster practice, which had been somewhat flailing beforehand, but it corners me into finding word combinations, extremely constrained lexical clusters, the evocative powers of which I am then set to maximize. This leads to asyntactic poetics, where the poetic, literary space exists in the combined meanings of the words, without almost any regards to their arrangement. This works to some extent, and I manage to *dream* these spaces, if the words are well-chosen enough. However the drive, the urge for syntax, for more than a crafted complex of words, remains, and often I find myself trying to find primitive sentences, or phrases, within the squares or subword decompositions I am examining. AIT is the missing piece, the fledgling link to a restored sense of linearity and development. On its own, it would have been computationally much weaker. Despite my efforts in gathering knowledge of machine learning, and deep learning in particular, reaching a sense of mastery and ease when developing a creative framework remains elusive. From my experience, this is the typical symptom of a phase of assimilation. Seemingly no light at the end of the tunnel, despite active boring, until unexpected advances and familiarity kick in, and code, like writing perhaps, comes to the fingers. The creative interaction with the product of neural text generation is also closer to literary practice as commonly understood, which is an alleyway I am set to explore in the future. Recursus, thus, as its name suggests, is both a return (to literary practice: writing, editing, imagination with constraints) as well as a step forward, the transition from a more straightforward, perhaps classical approach of computational literature (where the element of computation might have an overbearing importance on the finished pieces), to a less defined, but hopefully more fertile ground of symbiosis between the writing and the machine. I will not go into a detailed discussion of Subwords, as the process is the same as with WordSquares, modulo a few details, and without the difficulties I encountered with the latter. To my surprise, evocative, interesting subword decompositions were easy, rather than hard, to find, and the batches shown are only a few of the possibilities present in the databases generated so far. Unlike with WordSquares, I had to stop searching and arbitrarily decide, given the time at hand, that I had to leave other possibilities to future research. Instead, I will focus on the two antagonistic practices developed here: - WordSquares, where constraint levels are extremely high (due to vast numbers of results with looser ones) - AIT, which offers new forms of constraints, a new balance in my interaction with them. &nbsp; --- &nbsp; ### WordSquares WordSquares, as Subwords and Wordlaces, a project not included here, is produced following a twofold movement: first, the establishment of a constraint, implemented into a program which produces a space of results, a database; second, an exploration and selection of singular, salient elements within said space. The idea is that it is 1) very difficult to *write* these forms manually (find squares, subwords, etc.), but also 2) that it is very difficult to know in advance which combinations will be intriguing, beautiful, strong, etc. Which will be endowed with literary worth, and deserve to be read or studied. These two factors led to the idea of the *complete* space, the database, that can be explored, where jewels might lie, among the rubble. And rubble there is. The core impediment, and quite the discovery, is that once the hurdle of database building has been overcome, the mining itself can be just as problematic. My expectations were, of course, that there would be dross, useless or nonsensical bits and pieces littering the space, and that mining work would be about finding special elements hidden in there. I hadn't realised quite how vast the dross could be. First, I did not realise how gigantic the _amount_ of possible squares could become. Using a list of 4-lettered words containing 4k+ items, the unconstrained algorithm, that does not care about words present in the diagonals, started churning _millions_ of squares. I stopped the computation at around the letter 'd' (it goes through first words in the first row one after the other, attempting to build squares 'under' them), with nearly 30 million squares in my file (a text file of 1.4 Gb). Seeing how unwieldy it could be to manage such a large dataset, I set myself to introduce the diagonal constraint. It did reduce the amount to a bit more than 200k squares for four letters, and 750k for five[^1]. Then came the mining. To my surprise, it proved exceedingly difficult to find squares in those two lists that met my standards of meaningfulness and evocative powers. Most of them felt imperfect, resisting attempts to treat them as 'crafted' objects, as I would have wished: there was always this or that word in the set that really did not match with the rest, or did not bring me any satisfaction. As I spent more hours mining, I often felt despondent, thinking I was cornered between lowering my aesthetic standards (presenting 'unworthy', or even worthless, pieces) or giving up on finding anything at all. I must say here that despite earlier attempts to apply visualisations and machine learning techniques to the whole process, I am yet to develop an effective work pipeline that can integrate systematic research and visualisation tools, account for my literary sensitivity and personal preferences and, most of all, include the crucial factor of discovery and randomness required, as I remain hopelessy unable to articulate what a *good* piece is, reduced as I am to point to the ones of value, and discarding the unwanted others. This ended up creating a specific kind of tension, that I am sure people like [Georges Perec](https://en.wikipedia.org/wiki/Georges_Perec) must have felt when working with constraints: the system enables you to explore new spaces, to go beyond what your 'natural' imagination would have come up with, yet at the same time forbids, in a way that is far more rigid than moral or legal interdictions, certain alleyways and results, leaving you in an unpleasant, if not entirely sterile position of 'take it or leave it'. The squares exhibited here are the result of that: more often than not going too far into nonsense, or at least an 'understructured' area perhaps beyond meaing, as well as using rare and dialectal forms, whilst also having been selected among hundreds of thousand of others, sometimes painstakingly, despite these shortcomings, precisely because they *do* exhibit word combinations that kindle, I hope, a spark of the literary flame. It is up to the reader to decide for itself whether the line trodden has been adequate, satisfactory, or a failure. --- ### AIT AIT, the module using neural text generation, follows a not too dissimilar logic of coming and going, exile and return. This time we start with a 'classical', pen-and-paper writing practice, the product of which is fed to a network. The network once trained can output virtually any amount of new text that should be, in principle, of the same nature of the original, without being a copy. This stage corresponds, in my view, and perhaps unlike other attempts to work with machine learning to produce text I have seen, to stage two, the database, in my formal projects: it is only a stage, and must be transcended, at least until the advent of the singularity. Indeed, what we obtain using machine learning is, to my knowledge, greatly insufficient for the aims and ideals of literature (in fact often the texts are plain boring, especially as so few writers engage with these technologies). While it is in my projects to work more closely with machine learning for text generation (and its 'precursors', [Markov chains](https://en.wikipedia.org/wiki/Markov_chain), or [context-free grammars](https://en.wikipedia.org/wiki/Context-free_grammar)), in the present state it seems to me far more fruitful to treat the results thus coined as *material*, rather than finished works. Material, that is, something on which to build, to write, something that spurs the mind and the heart to explore new paths, but that remains more dead than not without an active intervention on the part of a creative subject. Once this view was adopted, the output of the networks stopped being frustrating and started being a truly promising pathway for a symbiotic relationship with the machine, 'cywriting', or even 'cyting', as a nod to cyborgs, where the mechanical and the organic, the subjective and the generated intertwine productively. It was a remarkable moment to discover that this strange stream of words and letters (sometimes even including *sensical* wordplay!) could be read as improvable, editable text, where meaning, images, coherence could be sought, under a renewed 'suspension of disbelief' contract. In this new framework, I choose to assume there is sense somewhere to be found, as if it hadn't been a copying machine but some other, in this case some uncanny older self, had written it with an intent, despite the mist and chaos of its state of mind. From there, a renewed literary practice can emerge, together with a renewed sense of what 'constraint' can mean: given an output, I must make it *work*, like any other text I or any writer might compose, like the WordSquares or Subwords earlier, despite the woes and hazard of quantity. If I can't, I must discard the intractable sections, and move on. Just as previously the database was used as an external, realised imagination, the text here, despite its generated nature, is a real, given (imposed, the new constraint) draft of the future work, and it is my task to make it 're-enter' the literary space (assuming the original texts were in fact part of literature, even in a loose sense)[^2]. Just as with WordSquares above, and perhaps more acutely so, the challenge of 'making it' (literary, salient, good, etc) remains complete. But unlike the work done with databases, there is a sense of an opening here. Possibilities, and a more fluid, free interplay of constraints and creative impulses. For years I have been looking for ways to escape a tendency toward a kind of writing which is both automatic (frantic) and intimate (shackled to my personal, private circumstances). The interplay with such mechanical process might offer hints toward a way out, as it is possible to work with an external, artificial 'imagination' that, suddenly becomes far more flexible and fertile than what I must handle in my formal projects. The network, in the midst of repetitive or banal passages, 'comes up' with words, phrases, even what seems to be 'ideas', that I project onto the stream of letters offered to my perusal, that my impoverished, battered mind would never have produced on its own, yet are close enough to my usual experiments for me to be 'fooled' into recognising it as an extension of myself. Even if that is far remote from a 'full AI' text, it is enough to get me going, and induce me to take the text seriously and work on it (what I have been unable to do for all this time with ones 'of my own'). I also think of it as some sort of oracle: the meaning of its words are abstruse, they require effort, and, more than that, they require an act of projection on my part. The ambiguous status of this 'oracular' monologue is that I *am* the oracle, and doubly so, by being the source of the texts fed to the network, and by having as my main constraint to *produce* meaning out of it whatever the cost (by cutting, adding, shuffling, etc). The external mysterious voice acts as a tool to force myself finding, or secreting, both seem quite interchangeable in this context, some form of message, idea, or imagery, that, while remaining irretrievably other, I can claim my own. --- [^1]: A few VI-squares can be found on Recursus. Those were produced using the 20k most frequent words in Google, and do not contain diagonals. My program only found a few dozens, and it has been a recurrent pattern, given any of the lists I used (and also in earlier experiments like Wordlaces), that combinatorial results tend to drop massively above 5 letters, often to nothing. I was unable to find any square above 6 letters so far (and my only hope in finding some would be to improve either the speed of my algorigthm, perhaps integrating C code with [Cython](http://cython.org/), or gain access to a multicore supercomputer). [^2]: As any data scientist knows, when it comes to machine learning data matters almost as much as the actual architecture used. The study of 'data curation' is still very new to me, and will be keeping me busy, I'm sure, in future years. For the pieces presented here, I used a yet to be unearthed bulk of personal texts written since 2012 entitled 'it', and divided into many parts (they can be found in [these folders](https://www.dropbox.com/sh/ftu3e1trzhje59w/AAD_9SkrV3iF80uIXBPFbbnZa?dl=0)). One of my coming project is to build a website for them, to ensure an easier access to them, and work toward publication. <file_sep>--- layout: post title: Subwords category: lore permalink: /lore/subwords/ --- Overhaul of a former (sketch of a) project, Subwords, now ported into Python. I now have a tool that dissects long words into smaller ones, with a focus on 'perfect' decompositions: no letter of the long word remains unaccounted for (the program only saves solutions for e.g. a 10-lettered word containing two 5-lettered one, or a 13-lettered words containing one 5-lettered word and two 4-lettered ones, etc.). It works as a script that one can invoke through the command line. The program uses two recursive functions and regular expressions: - first, going through the first list of subwords, it checks with RegEx whether there is a match with the superword at hand; - if there is, the function `positions()` recursively calculates all the possible distributions of the subword (which is a [subsequence](https://en.wikipedia.org/wiki/Subsequence)) within the superword, and return those as a list of lists; - the program then creates a string 'remainder' without those letters, and recurses, this time using the second list of subwords; - when at the bottom of the recursion, the program checks if the final remainder is in the appropriate dictionary (a [Dawg](https://dawg.readthedocs.io/en/latest/), for fast look-ups). I added the constraint that the subwords should always have at least one inner division (none of the subwords can appear 'as it is', fully concatenated, somewhere within the superword). It was also interesting to find a way of avoiding repetitions in the results ('presentations,penis,raton,set' could also be 'presentations, raton, penis, set', etc.). Using sets for this, and the reconstructing the results in the right order (using the length the user had input in the arguments), was the way to go. As mentioned in my update post on Wordsquares, the input dictionary is also quite crucial here (especially for short words, where irrelevant abbreviations abound). The result can be remarkably 'unreadable', or at least cryptic. A few examples from the GitHub Readme: ``` w a r e ve va in g al a g in g b r a in b r in g a ga in upp er s ort s e the r sw e a t N er o va i n co s t l ion de ar c at s i s i s m i n e s o ar fa cin g s atin error s t i ts M at s ent in t o ru i n u n i v e il l ab s r it e ``` Still to be done: a graphical representation that I can have printed. It is not clear that I want to keep this level of constraint for this one. Some results are somewhat salient, but it might prove more fruitful, for instance, to drop the 'perfection' constraint, and write a version of the program that allows for 'undecomposed' letters, present only in the superword and none of the subwords. The number of results would explode, and it is likely that I would have to renounce the idea of a 'total' corpus of solutions, but it might be best for my artistic purpose: I could have to include a way of searching for results word after word, perhaps, having more auctorial input throughout. The method I am using, which consists in building a 'total' set of results, before I research it (with tools I am yet to develop), comes with quite a lot of issues, perhaps the more prickly of which being the feeling that the constraint is alienating me, forcing me to look at 'literary' objects of no interest, and reducing my output to logology, the trivial pastime of scrabblers.... <file_sep>--- layout: post title: I can feel it date: 2018-08-25 18:30:47 category: ait permalink: /ait/i-can-feel-it/ --- ![I can feel it the ]({{ "/assets/AIT/para/I_can_feel_it_the_2018_8_26.png" | absolute_url }}) --- &nbsp; &nbsp; First batch from AIT. <file_sep>--- layout: post title: Theory/Ethics date: 2018-07-26 09:04:47 category: subwords permalink: /subwords/theory-ethics/ --- ![theory her toy ]({{ "/assets/subwords/batchI/theory_her_toy.png" | absolute_url }}) &nbsp; ![ethics his etc ]({{ "/assets/subwords/batchI/ethics_his_etc.png" | absolute_url }}) &nbsp; --- &nbsp; Batch I from Subwords. Words from [litscape](https://www.litscape.com/). <file_sep>--- layout: post title: Deterritorialisation date: 2018-08-21 10:04:47 category: subwords permalink: /subwords/deterritorialisation/ --- ![deterritorialisation derision oil rat tit era ]({{ "/assets/subwords/batchIII/deterritorialisation_derision_oil_rat_tit_era.png" | absolute_url }}) &nbsp; &nbsp; ![deterritorialisation derision trial riot tea ]({{ "/assets/subwords/batchIII/deterritorialisation_derision_trial_riot_tea.png" | absolute_url }}) &nbsp; &nbsp; ![deterritorialisation erasion tertia dirt oil ]({{ "/assets/subwords/batchIII/deterritorialisation_erasion_tertia_dirt_oil.png" | absolute_url }}) &nbsp; --- &nbsp; Batch III from Subwords. Words from [litscape](https://www.litscape.com/). Deterritorialisation: "Deterritorialization (French: déterritorialisation) is a concept created by <NAME> and <NAME> in Anti-Oedipus (1972). The term "deterritorialization" first occurs in French psychoanalytic theory to refer, broadly, to the fluid, dissipated and schizophrenic nature of human subjectivity in contemporary capitalist cultures (Deleuze & Guattari 1972)." (Wikipedia) Erasion: n. "The action of erasing." (OED) Tertia: n. "A division of infantry: see quot. 1870; a tercio n.; a regiment; also transf." (OED) <file_sep>--- layout: post title: Xavier Initialization & Vanishing Gradients category: lore permalink: /lore/xavier/ --- A technical issue I came across when researching neural networks, and especially recurrent neural networks and LSTMs, where researchers encountered a phenomenon known as the 'exploding or vanishing gradient problem' (in fact one of the causes of the invention of the LSTM architecture): when you try to make your network remember information from before, e.g. information from earlier in a text or other sequences, that information is stored as numbers and added/multiplied to the current state. In that process, what often happens is either that values become very large or very small (in fact, in the first RNNs older information had the tendency of weighing very little as compared to recent one, which is why the LSTM, long short term memory, network, was invented). I started seeing code where the Xavier initializer is used, and found videos of introductions to that subject. <div class="video-container"> <iframe max-width="100%" height="auto" src="https://www.youtube.com/embed/s2coXdufOzE" frameborder="0" allow="autoplay; encrypted-media" allowfullscreen></iframe> </div> <div class="video-container"> <iframe max-width="100%" height="auto" src="https://www.youtube.com/embed/qhXZsFVxGKo" frameborder="0" allow="autoplay; encrypted-media" allowfullscreen></iframe> </div> <file_sep>--- layout: post title: First Thoughts category: lore permalink: /lore/first-thoughts/ --- The project will be centred around text: - inventing textual constraints and using computation to produce texts; - using computation and machine learning to explore the resulting space of possibilities; - expand my knowledge of machine learning and other tools in the process. The texts are mostly going to be 'poems', or textual fragments, but the idea of producing prose, or simply longer textual objects, is one of my goals. The movement pursued is twofold: - building (a database of texts under a constraint); - mining (the identification and selection of texts of aesthetic relevance). This project would expand and coalesce three previous projects: - my ongoing exploration of wordsquares; - a similar project called wordlaces; - an earlier concept that could be upgraded with my current advances, subwords. Courses: Machine Learning: - [<NAME>'s course on Kadenze](https://www.kadenze.com/courses/machine-learning-for-musicians-and-artists-v); - [<NAME>'s course on TensorFlow on Kadenze](https://www.kadenze.com/courses/creative-applications-of-deep-learning-with-tensorflow-iv), and the associated [GitHub repo](https://github.com/pkmital/CADL); - The [NLTK library](http://www.nltk.org/), in Python, and an [introduction book](http://www.nltk.org/book_1ed/). - The two courses by Standford on NLP with NLTK and Neural Networks. Other: - Develop some knowledge of cloud computing (through Amazon or Google); - Try the google collaboratory for iPython. Many videos and online tutorials are on the table, but I should also find books and papers, on arXiv for instance. Questions: - There are many sorts of machine learning algorithms, and many varieties of neural networks. I read that recurrent neural nets (RNN) are useful for text generation, I should dig deeper into that. - Another framework for text generation is to be found in Markov chains, and more generally the idea of considering the probability that one word follows another (each word considered as a 'step' or 'node' of the chain). Another important topic for research. <file_sep>--- layout: post title: Swarm yogee porns elite synes date: 2018-08-27 18:20:47 category: squares permalink: /squares/swarm-yogee-porns-elite-synes/ --- ![swarm yogee porns elite synes ]({{ "/assets/squares/4/swarm_yogee_porns_elite_synes_2018_8_27.png" | absolute_url }}) &nbsp; --- &nbsp; Composed with words from [litscape](https://www.litscape.com/). Including diagonals. Yogee: variant of yogi n. "An ascetic who practises the Indian philosophical or spiritual discipline of yoga; an expert practitioner or teacher of yoga; (sometimes more generally) any practitioner of yoga." (OED) Synes: hypothetical plural of a nominalization of 'syne' adj. & conj. "At a later time, afterwards, subsequently; esp. in phr. soon or syne, sooner or later.", "(So long) before now; ago: = since adv. 4. See also langsyne adv." (OED) Sypes: variant of sipe n. "The act of percolating or soaking through, on the part of water or other liquid; the water, etc., which percolates.", "A small spring or pool of water.", v. "intr. Of water or other liquid: To percolate or ooze through; to drip or trickle slowly; to soak." (OED) Agrin: adj. "In predicative use: grinning. Chiefly in all agrin." (OED) Rente: n. "Chiefly in France: government stock; the interest or income accruing from such stock." (OED) Meses: pl. of mes n. "A stroke, a blow. to mark (a person) with a mes: (fig.) to strike with a calamity or affliction. at good mes: in good range or position for a shot. Obsolete", of mese n. "Moss. Obsolete.", "A piece of land or (occasionally) the dwelling built on it.", "In ancient Greek music: the highest note of the lower of a pair of tetrachords, identical in some scales with the lowest note of the higher tetrachord (cf. paramese n.). Hence, in the two-octave scale known as the Greater Perfect System: the middle note, which is also the highest note of the second lowest of the four tetrachords.", also mese v. "trans. To mitigate, assuage, appease, calm (a person's anger, sorrow, etc.); to settle (a dispute).", "trans. To calm (wind, tempest, etc.); to quench (fire). Obsolete." (OED) Merls: variant of merl v. "To apply marl to (land); to improve (soil) with marl. Also: †to dig marl (obsolete). Also intr."To spread (marl) as manure. Obsolete.", "trans. To improve (land) as with marl. Also fig.: to enrich (something) as with marl. Obsolete." (marl n. "An earthy deposit, typically loose and unconsolidated and consisting chiefly of clay mixed with calcium carbonate, formed in prehistoric seas and lakes and long used to improve the texture of sandy or light soil. Also: a calcareous deposit found at the bottom of present-day lakes and rivers, composed of the remains of aquatic plants and animals."), also merl n. "Chiefly Sc. and poet. The blackbird, Turdus merula." (OED) <file_sep>--- layout: post title: JavaScript Temptations (RiTa) category: lore permalink: /lore/javascript-temptations-rita/ --- A clear temptation for the future: learn JavaScript properly and work with the browser. Various causes to this idea, and one I would like to stress now is the presence of the [RiTa Library](http://rednoise.org/rita/), a set of tools for text analysis and generation in JavaScript, which could be an excellent excuse for: 1. Getting into JS in the first place; 2. Move toward a routine based on small incremental projects; 3. A nice way of practicing my NLP tools (alongside [NLTK in Python](http://www.nltk.org/)). What is more, the unstoppable <NAME> dedicated the past few years to JavaScript for creative coding, leading to a flurry of tutorials and resources, e.g. this one on RiTa: <div class="video-container"> <iframe max-width="100%" height="auto" src="https://www.youtube.com/embed/lIPEvh8HbGQ" frameborder="0" allow="autoplay; encrypted-media" allowfullscreen></iframe> </div> <p>&nbsp;</p> I should add that Shifman is at this very moment developing a series of tutorials introducing TensorFlow.js, anticipating the irruption of ever easier machine learning libraries for creative purposes: <div class="video-container"> <iframe max-width="100%" height="auto" src="https://www.youtube.com/embed/videoseries?list=PLRqwX-V7Uu6YIeVA3dNxbR9PYj4wV31oQ" frameborder="0" allow="autoplay; encrypted-media" allowfullscreen></iframe> </div> <p>&nbsp;</p> #### Methodology / Tetralogy An idea that came to me would be to follow <NAME>'s methodology for his course 'Programming for Artist II' (which unfortunately clashed with another course I took last term), in which he distributed possible projects/assignments into four categories: - Random (using the built-in random function(s) in the programming language of your choice, which in this case was Processing); - Functional (adapt a mathematical concept, e.g. the Calabi–Yau manifold, but it could be any other idea taken from the sciences, for instance Markov models for text?, to a creative project of your choice); - Data-driven (use a dataset as a basis for your project); - Emergent (devise simple rules appyling to agents or objects and study the result of having many of these 'evolving' or 'acting' together, as can be seen in flocking or other systems, focussing on the consequences of a bottom-up form of artistic organisation). <file_sep>--- layout: post title: Wordsquares Update category: lore permalink: /lore/wordsquares-update/ --- Various updates on the Wordsquares front. - Letter-based: an improvement on the original C++ implementation (which, I realised later, has a huge mistake in it, which I am too busy to correct now, namely that the whole calculation of the square letters & word superset for the current square being searched is not used in the program!) was to switch from a word-based to a letter-based implementation, namely where, starting from the 'first word', on row 0, one could check for *letter* availability, instead of word availability, in the following way: starting at row 1, one goes through all the possible letters (of the square letters, calculated beforehand) for this particular slot (row 1, column 0), checking for each one if 1) there are words starting with this letter in our row 1 words (using prefix search in our Dawg), 2) if there are words starting with the prefix composed of letter (0,0) (first letter of the first word) and the current letter in our superwords for column 0; if both conditions are met, recurse, and start the process again for row 1, column 1. Visually: Check for all letters in (0,1) = 'a', check for column words starting with 'ba', row words starting with a; if ok, move to next column, this time check for prefix 'lb' vertically and 'ab' horizontally, etc. (a little trick with indexes is required when reaching the end of the row, as well as when, going back in the recursion, we go back to the final row, but nothing too devilish): ``` b l a h -> b l a h a ? ? ? a b ? ? ? ? ? ? ``` A full square is found when we reach the bottom right corner (at which point we write a line to the file). The recursion processd ensures that we go through all possibilities. - Diagonals: given the downright obscene amount of squares obtained with my larger (litscape, see next point) dictionary, I updated my code in the master branch to include a starker constraint. The program will only save squares that also have words in the diagonals (which I implemented within the recursion process, instead of at the very end - I am not certain of the gain in computation time, as that means many more Dawg look-ups, but the idea was indeed not to go through all the possible squares, but to skip to the next iteration as soon as no word is present in either of the diagonals). This allowed me to reduce the quantity of 4-squares from an estimated of several hundred millions to a bit more than 200k, which is somewhat manageable for now (750k for 5-squares). Visually again, this means: <pre> b l a h -> b l a h a u ? ? a u l ? ? ? ? ? ? ? ? ? </pre> - Dictionaries: my default dictionary at first, or, I should say, my default lists of words, was drawn from [litscape](https://www.litscape.com/), and is fairly big (250k+ words). I encountered problems when producing 3-squares, as a lot of the words seemed either nonsensical, or too rare, or generally rather irrelevant to what I wanted. I began realising the difference that the input dictionary, and with that got a glimpse into what data people talk about when they stress the importance (and toil) of 'cleaning up data'. I then rebuilt some databases using another source, the 20k most frequent words in the Google word database, found [in this repo](https://github.com/first20hours/google-10000-english), and could get interesting results (e.g. 6-lettered squares, which would have taken me quite a long time to generate with the larger dictionary). It is tricky to think of an 'ideal' dictionary, even if it would be nice to be able to access e.g. the list of entries in the Oxford or Cambridge English Dictionaries (let alone the OED). The advantage to use internet-scraped word lists, such as Google's, is that you get recent slang words and proper nouns (with a huge bias toward figures that people talk about a lot online). - Multicores: still obsessed with database building, I realised that letting my computer run for days and days (1-2 weeks to build the 750k+ 5-squares) was not so good for my workflow and mental state. In an ideal world, I would either have two computers, the one doing the crunching being safely out of sight, or I would use the Cloud. Having spoken with friends who are experienced in this field, I realised that for a job like this one [multiprocessing](https://docs.python.org/2/library/multiprocessing.html) was the way to go (multiprocessing allows you to bypass the Global Interpreter Lock, which prevents more than one Python process to be computed at any one time, whereas multithreading allows you to have a more flexible temporality, e.g. make an API call, go on with your computation, and use the result when it is available, which does not imply parallelizing operations at a processor level). I found some quick tutorial/references [here](https://www.quantstart.com/articles/Parallelising-Python-with-Threading-and-Multiprocessing), [here](https://medium.com/@bfortuner/python-multithreading-vs-multiprocessing-73072ce5600b) and [here](https://stackoverflow.com/questions/3044580/multiprocessing-vs-threading-python#3046201) and implemented it, hopefully correctly, harnessing all the cores of my machine. Using this seems to speed things up even more on my quad-core Lenovo, but I haven't actually made rigorous tests. The idea, in theory, would be to submit that as a script to a supercomputer, where I could divide my lists into 10, 20 (one chunk per core, even if the word look-ups are made on the total words), and go through big dictionaries fast. <file_sep>--- layout: post title: Alterations date: 2018-07-26 09:04:47 category: subwords permalink: /subwords/alterations/ --- ![alterations rats ate lion ]({{ "/assets/subwords/batchI/alterations_rats_ate_lion.png" | absolute_url }}) &nbsp; ![alterations arts lion tea ]({{ "/assets/subwords/batchI/alterations_arts_lion_tea.png" | absolute_url }}) &nbsp; --- &nbsp; Batch I from Subwords. Words from [litscape](https://www.litscape.com/). <file_sep>--- layout: post title: Typo date: 2018-08-27 18:20:47 category: squares permalink: /squares/typo/ --- ![typo roar aria yell ]({{ "/assets/squares/4/typo_roar_aria_yell_2018_8_27.png" | absolute_url }}) &nbsp; ![typo hoax urge sees ]({{ "/assets/squares/4/typo_hoax_urge_sees_2018_8_27.png" | absolute_url }}) &nbsp; --- &nbsp; Composed with words from [litscape](https://www.litscape.com/). Including diagonals. Pail: n. "An open-topped vessel with a hooped carrying handle, typically of slightly tapering cylindrical shape, used esp. for holding or carrying liquids; (now more generally) a bucket. In early use also: †a container for food, a kitchen vessel (obsolete).", "A spike or awn of barley.", v. "trans. To dispense or convey (liquid) by means of a pail; to milk (a cow). Occasionally with out, up. Also intr." (OED) Togs: pl. of tog n. "Cant and slang. A coat; any outer garment", "Clothes. slang and humorously colloq.", "Local variant of teg n.1, perhaps influenced by hog." (teg n. "A sheep in its second year, or from the time it is weaned till its first shearing; a yearling sheep; = hog n.1 4, hogget n. 2. Formerly restricted to the female; now applied to both sexes ( ewe teg and wether tegs). Also attrib. as teg sheep, teg wool (see 1b)."), v. "trans. To clothe, to dress. Const. out, up." (OED) Yore: adj. & adv. "A long time ago; of old; frequently strengthened by full; also in collocation with ago, agone. Phr. it is (gone) yore (that..): long ago. Obsolete." (OED) <file_sep>--- layout: post title: Wastes accent scarce terror date: 2018-08-27 17:31:47 category: squares permalink: /squares/wastes-accent-scarce-terror/ --- ![wastes accent scarce terror encore stereo ]({{ "/assets/squares/ggl-20/6/wastes_accent_scarce_terror_encore_stereo_2018_8_21.png" | absolute_url }}) &nbsp; ![wastes accent scarce terror encode stereo ]({{ "/assets/squares/ggl-20/6/wastes_accent_scarce_terror_encode_stereo_2018_8_21.png" | absolute_url }}) &nbsp; --- &nbsp; Composed with the 20k most frequent words in Google. No diagonals. <file_sep>--- layout: post title: Strap there arise date: 2018-08-27 18:20:47 category: squares permalink: /squares/strap-there-arise/ --- ![strap there arise revel seeds ]({{ "/assets/squares/4/strap_there_arise_revel_seeds_2018_8_27.png" | absolute_url }}) &nbsp; ![strap there arise never deeds ]({{ "/assets/squares/4/strap_there_arise_never_deeds_2018_8_27.png" | absolute_url }}) &nbsp; --- &nbsp; Composed with words from [litscape](https://www.litscape.com/). Including diagonals. Reive: older variant of rave, also of reave v. "intr. To commit robbery; to plunder, pillage; to make raids. Now chiefly Sc.", "To rob (a place or district) of goods or valuables by force; to raid. Now rare.", "trans. To tear; to split, cleave. Also intr.", of reeve v. "trans. To sift (winnowed grain, etc.)", of rive v. " To tear apart or in pieces by pulling or tugging; to rend or lacerate. In early use also: †to destroy (obsolete). Now Sc. and Eng. regional (northern).", and of reeve n. "Chiefly in Anglo-Saxon and later medieval England: a supervising official of high rank, esp. one having jurisdiction under a king; spec.". (OED) <file_sep>--- layout: post title: Draft ratio unmew meant sends date: 2018-08-27 18:20:47 category: squares permalink: /squares/draft-ratio-unmew-meant-sends/ --- ![draft ratio unmew meant sends ]({{ "/assets/squares/4/draft_ratio_unmew_meant_sends_2018_8_27.png" | absolute_url }}) &nbsp; --- &nbsp; Composed with words from [litscape](https://www.litscape.com/). Including diagonals. Unmew: v. "trans. To release or set free (the soul). (OED) Ranee: rani n. " In S. Asia: a queen; a wife or widow of a raja." (OED) Atman: n. "The self or soul; the supreme principle of life in the universe." (OED) Towts: variant of tout n. "A fit of ill humour; a transient displeasure; a pet.", "A fit or slight bout of illness.", v. "trans. To toss or throw about in disorder. Also fig. to canvass, discuss.", "To irritate, vex, tease." (OED) <file_sep>--- layout: post title: Closures loss cure date: 2018-07-26 09:04:47 category: subwords permalink: /subwords/closures-loss-cure/ --- ![closures loss cure ]({{ "/assets/subwords/batchI/closures_loss_cure.png" | absolute_url }}) &nbsp; --- &nbsp; Batch I from Subwords. Words from [litscape](https://www.litscape.com/). <file_sep>--- layout: post title: The fucking half-ugly thing date: 2018-08-25 19:20:47 category: ait permalink: /ait/the-fucking-half-ugly-thing/ --- ![The fucking half ugly thing ]({{ "/assets/AIT/horiz/The_fucking_half_ugly_thing_2018_8_26.png" | absolute_url }}) --- &nbsp; &nbsp; Second batch from AIT. <file_sep>--- layout: post title: Diagful V-Squares date: 2018-08-27 18:36:47 category: squares permalink: /squares/v-squares-diag/ --- A batch of V-squares, composed with words from [litscape](https://www.litscape.com/). Including diagonals. ![calls alien reave erned stars ]({{ "/assets/squares/5/calls_alien_reave_erned_stars_2018_8_27.png" | absolute_url }}) ![caper array reign ended seers ]({{ "/assets/squares/5/caper_array_reign_ended_seers_2018_8_27.png" | absolute_url }}) ![cases urine reede eager deeds ]({{ "/assets/squares/5/cases_urine_reede_eager_deeds_2018_8_27.png" | absolute_url }}) ![chant ratio airns write syphs ]({{ "/assets/squares/5/chant_ratio_airns_write_syphs_2018_8_27.png" | absolute_url }}) ![charm rogue ourie print sings ]({{ "/assets/squares/5/charm_rogue_ourie_print_sings_2018_8_27.png" | absolute_url }}) ![chasm rogue ourie print sings ]({{ "/assets/squares/5/chasm_rogue_ourie_print_sings_2018_8_27.png" | absolute_url }}) ![chats logoi apart spite synes ]({{ "/assets/squares/5/chats_logoi_apart_spite_synes_2018_8_27.png" | absolute_url }}) ![clasp lover alane slits sylis ]({{ "/assets/squares/5/clasp_lover_alane_slits_sylis_2018_8_27.png" | absolute_url }}) ![clept homer orate writs sylis ]({{ "/assets/squares/5/clept_homer_orate_writs_sylis_2018_8_27.png" | absolute_url }}) ![crawl logoi aulos sleep seeds ]({{ "/assets/squares/5/crawl_logoi_aulos_sleep_seeds_2018_8_27.png" | absolute_url }}) ![crawl logoi aulos sleep seers ]({{ "/assets/squares/5/crawl_logoi_aulos_sleep_seers_2018_8_27.png" | absolute_url }}) ![crawl logoi awarn edile synds ]({{ "/assets/squares/5/crawl_logoi_awarn_edile_synds_2018_8_27.png" | absolute_url }}) ![crawl logoi awarn smile sends ]({{ "/assets/squares/5/crawl_logoi_awarn_smile_sends_2018_8_27.png" | absolute_url }}) ![draft ratio unmew meant sends ]({{ "/assets/squares/5/draft_ratio_unmew_meant_sends_2018_8_27.png" | absolute_url }}) ![flaws robot afore stoln synds ]({{ "/assets/squares/5/flaws_robot_afore_stoln_synds_2018_8_27.png" | absolute_url }}) ![grasp romeo enorm enure seres ]({{ "/assets/squares/5/grasp_romeo_enorm_enure_seres_2018_8_27.png" | absolute_url }}) ![sacra iller loons enate semes ]({{ "/assets/squares/5/sacra_iller_loons_enate_semes_2018_8_27.png" | absolute_url }}) ![strag whore ariel rente fesse ]({{ "/assets/squares/5/strag_whore_ariel_rente_fesse_2018_8_27.png" | absolute_url }}) ![strag whore aroma raper tests ]({{ "/assets/squares/5/strag_whore_aroma_raper_tests_2018_8_27.png" | absolute_url }}) ![strag whorl aroma roses meeds ]({{ "/assets/squares/5/strag_whorl_aroma_roses_meeds_2018_8_27.png" | absolute_url }}) ![strap there arise never deeds ]({{ "/assets/squares/5/strap_there_arise_never_deeds_2018_8_27.png" | absolute_url }}) ![strap there arise revel seeds ]({{ "/assets/squares/5/strap_there_arise_revel_seeds_2018_8_27.png" | absolute_url }}) ![swarm yogee porns elite synes ]({{ "/assets/squares/5/swarm_yogee_porns_elite_synes_2018_8_27.png" | absolute_url }}) <file_sep>--- layout: post title: The conclusion is the trivial thing date: 2018-08-25 19:25:47 category: ait permalink: /ait/the-conclusion/ --- ![The conclusion is the trivial ]({{ "/assets/AIT/horiz/The_conclusion_is_the_trivial_2018_8_26.png" | absolute_url }}) --- &nbsp; &nbsp; Second batch from AIT. <file_sep>--- layout: post title: Aspire sir ape date: 2018-08-21 11:04:47 category: subwords permalink: /subwords/aspire-sir-ape/ --- ![aspire sir ape ]({{ "/assets/subwords/batchIV/aspire_sir_ape.png" | absolute_url }}) &nbsp; --- &nbsp; Batch IV from Subwords. Words from [litscape](https://www.litscape.com/). <file_sep>--- layout: post title: Cases urine reede eager deeds date: 2018-08-27 18:20:47 category: squares permalink: /squares/cases-urine-reede-eager-deeds/ --- ![cases urine reede eager deeds ]({{ "/assets/squares/4/cases_urine_reede_eager_deeds_2018_8_27.png" | absolute_url }}) &nbsp; --- &nbsp; Composed with words from [litscape](https://www.litscape.com/). Including diagonals. Reede: older form of read, red, reed. (OED) Areae: pl. of area. Snead: also sned n. "The shaft or pole of a scythe." (OED) Crees: cree or crie v. "To create. Obsolete.", also cree v. "trans. To soften (grain) by boiling.", "intr. To become soft or pulpy by soaking or boiling.", "trans. To pound or crush into a soft mass. Hence creeing-trough, the ‘knocking-trough’ formerly used for pounding grain.", and Crees n. & adj. "An Indian people of central N. America; a member of this people.", "The Algonquian language of the Cree people." (OED) <file_sep>--- layout: post title: Subwords Batch IV category: subwords permalink: /subwords/subwords-batch-iv/ --- Many more to explore, but *realistically* the last one for this show... ![acherontic chic art eon]({{ "/assets/subwords/batchIV/acherontic_chic_art_eon.png" | absolute_url }}) &nbsp; &nbsp; ![adventuresses vents arses due]({{ "/assets/subwords/batchIV/adventuresses_vents_arses_due.png" | absolute_url }}) &nbsp; &nbsp; ![anesthetists atheist nests]({{ "/assets/subwords/batchIV/anesthetists_atheist_nests.png" | absolute_url }}) &nbsp; &nbsp; ![apollo all poo]({{ "/assets/subwords/batchIV/apollo_all_poo.png" | absolute_url }}) &nbsp; &nbsp; ![arbitrated rite art bad]({{ "/assets/subwords/batchIV/arbitrated_rite_art_bad.png" | absolute_url }}) &nbsp; &nbsp; ![armageddonist monist rage add]({{ "/assets/subwords/batchIV/armageddonist_monist_rage_add.png" | absolute_url }}) &nbsp; &nbsp; ![arousers arses our]({{ "/assets/subwords/batchIV/arousers_arses_our.png" | absolute_url }}) &nbsp; &nbsp; ![artsiness arses tins]({{ "/assets/subwords/batchIV/artsiness_arses_tins.png" | absolute_url }}) &nbsp; &nbsp; ![aspire sir ape]({{ "/assets/subwords/batchIV/aspire_sir_ape.png" | absolute_url }}) &nbsp; &nbsp; ![causes cue ass]({{ "/assets/subwords/batchIV/causes_cue_ass.png" | absolute_url }}) &nbsp; &nbsp; ![culminated cunt mad lie]({{ "/assets/subwords/batchIV/culminated_cunt_mad_lie.png" | absolute_url }}) &nbsp; &nbsp; ![curtailments tales cunt rim]({{ "/assets/subwords/batchIV/curtailments_tales_cunt_rim.png" | absolute_url }}) &nbsp; &nbsp; ![dataprocesses tapes arses doc]({{ "/assets/subwords/batchIV/dataprocesses_tapes_arses_doc.png" | absolute_url }}) &nbsp; &nbsp; ![denied end die]({{ "/assets/subwords/batchIV/denied_end_die.png" | absolute_url }}) &nbsp; &nbsp; ![denude end due]({{ "/assets/subwords/batchIV/denude_end_due.png" | absolute_url }}) &nbsp; &nbsp; ![divide vie did]({{ "/assets/subwords/batchIV/divide_vie_did.png" | absolute_url }}) &nbsp; &nbsp; ![divine vie din]({{ "/assets/subwords/batchIV/divine_vie_din.png" | absolute_url }}) &nbsp; &nbsp; ![document dome cunt]({{ "/assets/subwords/batchIV/document_dome_cunt.png" | absolute_url }}) &nbsp; &nbsp; ![flared led far]({{ "/assets/subwords/batchIV/flared_led_far.png" | absolute_url }}) <file_sep>--- layout: post title: Arts best date: 2018-08-27 18:20:47 category: squares permalink: /squares/arts-best/ --- ![blob luau arts best ]({{ "/assets/squares/4/blob_luau_arts_best_2018_8_27.png" | absolute_url }}) &nbsp; ![bleb luau arts best ]({{ "/assets/squares/4/bleb_luau_arts_best_2018_8_27.png" | absolute_url }}) &nbsp; --- &nbsp; Composed with words from [litscape](https://www.litscape.com/). Including diagonals. Blob: n. "A drop or globule of liquid or viscid substance. Also fig." or "A pimple, pustule. northern dialect. Also fig." or "Someone of no account, a ‘cipher’ or fool. colloq. and slang (chiefly Austral.).", also v. "trans. To mark with a blob of ink or colour; to blot or blur." (OED) Luau: n. "A party or feast with Hawaiian food and usually accompanied by Hawaiian entertainment; also attrib." or "A cooked dish of young taro leaves served with coconut cream and octopus or chicken." (OED) Bleb: n. "A blister or small swelling on the skin; also a similar swelling on plants." or "A bubble of air in water, glass, or other substance at some time fluid." (OED) Blab: n. "A bubble; a blister, a swelling. Obsolete exc. dialect." or "An open-mouthed person, one who has not sufficient control over his tongue; a revealer of secrets or of what ought to be kept private; a babbler, tattler, or tell-tale; used also of the tongue. (Exceedingly common in 16th and 17th centuries; unusual in literature since c1750.)" as well as "Loose talk or chatter; babbling; divulging of secrets." (OED) <file_sep>--- layout: post title: Sin date: 2018-07-26 09:04:47 category: subwords permalink: /subwords/sin/ --- ![silent let sin ]({{ "/assets/subwords/batchI/silent_let_sin.png" | absolute_url }}) &nbsp; ![signal sin gal ]({{ "/assets/subwords/batchI/signal_sin_gal.png" | absolute_url }}) &nbsp; --- &nbsp; Batch I from Subwords. Words from [litscape](https://www.litscape.com/). <file_sep>--- layout: page title: About permalink: /about/ --- Recursus, Latin: a “return”, a “retreat”, but also “the power to bring back an image” (<a href="http://www.perseus.tufts.edu/hopper/text?doc=Perseus:text:1999.04.0059:entry=recursus">Perseus</a>). Excursus: a “detailed discussion” or a “digression” (<a href="https://en.oxforddictionaries.com/definition/excursus">Oxford</a>). Recursion: “the repeated application of a recursive procedure or definition” (<a href="https://en.oxforddictionaries.com/definition/recursion">Oxford</a>). Lastly, curse: those issues, forms, words, that come back to haunt, doom and delight. This modular, metastatic project of computational literature currently contains ‘WordSquares’, squares of letters where rows, columns and diagonals are words; ‘Subwords’, decompositions of (longer) words into splintered, shorter subwords, with no letter left unaccounted for; and ‘AIT’, inchoate steps into neural text generation, based on [yet to be unearthed series of texts known as ‘it I-VI’](https://www.dropbox.com/sh/ftu3e1trzhje59w/AAD_9SkrV3iF80uIXBPFbbnZa?dl=0). This site contains the thoughts and meanders that arose in the process of elaboration of these pieces, during the Summer term of 2018 of the <a href="https://www.gold.ac.uk/pg/ma-computational-arts/">MA of Computational Arts</a> at Goldsmiths College, London. Prints were manufactured by [digitalarte](https://www.digitalarte.co.uk/) in Greenwich. Technical specifications and costs can be found [here](/assets/specs/recursus-specs.pdf). --- My gratitude to all the people who followed and supported me during this year and before, and without whom I wouldn't be who I am today. My parents, first of all, who spoil me far too much! <NAME> and <NAME>, whose recommendation helped me get into the program. The support and input received at Goldsmiths by my tutors, <NAME>, <NAME>, <NAME>, <NAME>, and <NAME>, as well as <NAME>, whose help in the setting up of the exhibition was invaluable. On the personal side, the list is lengthy! My lovely gang of flatmates, the 49<sup>ers</sup>, including the unforgettable alumni Alaena, Richie and Fabiano. The Irish scoundrels and wandering wordsmiths Alan and Mark. The infamous Oxonians Phil, Anne-Claire and Cecilia. My Crew back in my hometown, and especially Emanuel, the everlasting friend, as well as mathematical Clément, whom I made jealous for the first time. The RIP group of political cogitators, without forgetting Zsófi and Timea, and especially Jake & Brooks for their computational advice. The whole pack of [Kammer Klangers](http://www.kammerklang.co.uk/), Serge & Nef, Emily, Dani & Ilze, and all the team, as well as my good friend and oftentimes collaborator composer <NAME>. The really cool people I met this year, Julia, Yunny, Beste, Guy, Luke, Sam, Becky, James, Daniah, Jesse, Mat, Freya, Elias, Danny, Megan, Sabrina, Eevi, Joe, Panja, Jana, Petros, Sara, Taoran, Friendred, there are too many of you! And, of course, all those I forget, please forgive me! --- Proudly produced using [Jekyll](https://jekyllrb.com/), written in [Vim](https://www.vim.org/). [<NAME>](http://jeremiewenger.com), born 1983 in Lausanne, Switzerland, lives in London. Mostly text. <file_sep>Web content for [recursus.co](http://www.recursus.co). Thoughts, resources and research around my final project for the <a href="https://www.gold.ac.uk/pg/ma-computational-arts/">MA in Computational Arts</a>, Goldsmiths College, London. <file_sep>--- layout: post title: The hot-&-subtlety date: 2018-08-25 19:50:47 category: ait permalink: /ait/hot-subtlety/ --- ![The hot & subtlety ]({{ "/assets/AIT/horiz/The_hot_&_subtlety_2018_8_26.png" | absolute_url }}) --- &nbsp; &nbsp; First batch from AIT. <file_sep>--- layout: post title: So maybe something date: 2018-08-25 18:50:47 category: ait permalink: /ait/so-maybe-something/ --- ![So maybe something something goodness ]({{ "/assets/AIT/lines/So_maybe_something_something_goodness_2018_8_26.png" | absolute_url }}) --- &nbsp; &nbsp; Second batch from AIT. <file_sep>--- layout: post title: Arses date: 2018-08-21 11:04:47 category: subwords permalink: /subwords/arses/ --- ![arousers arses our ]({{ "/assets/subwords/batchIV/arousers_arses_our.png" | absolute_url }}) &nbsp; &nbsp; ![causes cue ass ]({{ "/assets/subwords/batchIV/causes_cue_ass.png" | absolute_url }}) &nbsp; &nbsp; ![artsiness arses tins ]({{ "/assets/subwords/batchIV/artsiness_arses_tins.png" | absolute_url }}) &nbsp; &nbsp; ![dataprocesses tapes arses doc ]({{ "/assets/subwords/batchIV/dataprocesses_tapes_arses_doc.png" | absolute_url }}) &nbsp; &nbsp; ![adventuresses vents arses due ]({{ "/assets/subwords/batchIV/adventuresses_vents_arses_due.png" | absolute_url }}) &nbsp; --- &nbsp; Batch IV from Subwords. Words from [litscape](https://www.litscape.com/). <file_sep>--- layout: post title: Insane date: 2018-08-25 19:35:47 category: ait permalink: /ait/insane/ --- ![Insane not enough to expect ]({{ "/assets/AIT/holes/Insane_not_enough_to_expect_2018_8_29.png" | absolute_url }}) --- Insane&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp; not enough to expect me still now to&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp; the fingers are there&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp; the ones who didn’t feel&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp; the ones who started when the silence of the world, the war, the wall, the subjective&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp; the ones who name the postmal point of time in the head&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp; the great thing, and that’s what I have this way. I should do that could be something and&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;the fingers and the ‘models’, that is, the surface ‘progressive’ like in the previous one. I wonder. I wish I could say I could get some degree of&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;and that’s what you can’t&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp; I shouldn’t be&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp; any whole&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp; As in. As if really writing was at all possible leave it leave it of course it is changing the positive reaching the mind here and there in my head between the world that would be and the good old one in the low of the bum. Haha. But of course you can’t see how anywhere&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp; almost fail it all suddenly something along the other&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;neither you can notice&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp; the real thing you start from the start with the constraint of the art. Yeah. The brain to the bottom of it. Yeah. The circumstance.&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp; faraway could be the case. Haha. Yeah. Read.&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;Yeah. That could be good.&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp; and that door is not the way. Still there is change. Yeah. Only if coming up. Yeah. Something better. Yeah. Something of the sort.&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp; The slightest thing in this and&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp; shit shit. Yeah. Shit. Blah. --- &nbsp; &nbsp; Second batch from AIT. <file_sep>--- layout: post title: LSTMs & Sequentialia category: lore permalink: /lore/lstm-sequentialia/ --- Resources for steps into what is likely to matter most: networks working with linear sequences, e.g. text. <div class="video-container"> <iframe max-width="100%" height="auto" src="https://www.youtube.com/embed/zQxm3Upr3_I?list=PLkkuNyzb8LmxFutYuPA7B4oiMn6cjD6Rs" frameborder="0" allow="autoplay; encrypted-media" allowfullscreen></iframe> </div> <div class="video-container"> <iframe max-width="100%" height="auto" src="https://www.youtube.com/embed/l4X-kZjl1gs" frameborder="0" allow="autoplay; encrypted-media" allowfullscreen></iframe> </div> <file_sep>--- layout: post title: Squares Pop-up II date: 2018-08-27 17:10:47 category: squares permalink: /squares/squares-pop-up-ii/ --- More 3-squares generated for the pop-up exhibition in May, but not exhibited. ![ape gun end ]({{ "/assets/squares/pop-up-2/ape_gun_end_2018_5_12.png" | absolute_url }}) ![ars woe new ]({{ "/assets/squares/pop-up-2/ars_woe_new_2018_5_12.png" | absolute_url }}) ![art woo new ]({{ "/assets/squares/pop-up-2/art_woo_new_2018_5_12.png" | absolute_url }}) ![ass see see ]({{ "/assets/squares/pop-up-2/ass_see_see_2018_5_12.png" | absolute_url }}) ![boo odd odd ]({{ "/assets/squares/pop-up-2/boo_odd_odd_2018_5_12.png" | absolute_url }}) ![eek eve key ]({{ "/assets/squares/pop-up-2/eek_eve_key_2018_5_12.png" | absolute_url }}) ![fat ass tsk ]({{ "/assets/squares/pop-up-2/fat_ass_tsk_2018_5_12.png" | absolute_url }}) ![fir ivy rye ]({{ "/assets/squares/pop-up-2/fir_ivy_rye_2018_5_12.png" | absolute_url }}) ![her ego rod ]({{ "/assets/squares/pop-up-2/her_ego_rod_2018_5_12.png" | absolute_url }}) ![her ego rot ]({{ "/assets/squares/pop-up-2/her_ego_rot_2018_5_12.png" | absolute_url }}) ![her eye red ]({{ "/assets/squares/pop-up-2/her_eye_red_2018_5_12.png" | absolute_url }}) ![her ire sad ]({{ "/assets/squares/pop-up-2/her_ire_sad_2018_5_12.png" | absolute_url }}) ![his irk sky ]({{ "/assets/squares/pop-up-2/his_irk_sky_2018_5_12.png" | absolute_url }}) ![ick rue key ]({{ "/assets/squares/pop-up-2/ick_rue_key_2018_5_12.png" | absolute_url }}) ![joy ire zen ]({{ "/assets/squares/pop-up-2/joy_ire_zen_2018_5_12.png" | absolute_url }}) ![pat ass tsk ]({{ "/assets/squares/pop-up-2/pat_ass_tsk_2018_5_12.png" | absolute_url }}) ![tea orb try ]({{ "/assets/squares/pop-up-2/tea_orb_try_2018_5_12.png" | absolute_url }}) ![tea urn try ]({{ "/assets/squares/pop-up-2/tea_urn_try_2018_5_12.png" | absolute_url }}) ![the hag ego ]({{ "/assets/squares/pop-up-2/the_hag_ego_2018_5_12.png" | absolute_url }}) ![the hen end ]({{ "/assets/squares/pop-up-2/the_hen_end_2018_5_12.png" | absolute_url }}) ![the hog ego ]({{ "/assets/squares/pop-up-2/the_hog_ego_2018_5_12.png" | absolute_url }}) ![the hue eel ]({{ "/assets/squares/pop-up-2/the_hue_eel_2018_5_12.png" | absolute_url }}) ![why rue yet ]({{ "/assets/squares/pop-up-2/why_rue_yet_2018_5_12.png" | absolute_url }}) ![yes art pay ]({{ "/assets/squares/pop-up-2/yes_art_pay_2018_5_12.png" | absolute_url }}) --- &nbsp; Composed with words from [litscape](https://www.litscape.com/). Including diagonals. Ars: Latin for art, also arse. Awn: n. "The delicate spinous process, or ‘beard,’ that terminates the grain-sheath of barley, oats, and other grasses; extended in Botany to any similar bristly growth.", v. "trans. To put before a person's eyes; to show, manifest. refl. To manifest oneself, appear. Obsolete", "intr. To hang as or like an awning." "trans. To cover or shelter with an awning. Said also of the awning itself." (OED) Tow: n. "The fibre of flax, hemp, or jute prepared for spinning by some process of scutching.", "A rope. Chiefly Sc.", "spec. A hangman's rope, a halter.", "Orig. an iron chain; later, a large iron link, attached to the heel of the turn-wrest plough, and by which this is drawn. Also called tow-chain n.", v. "trans. To draw by force; to pull, drag.", "spec. To draw or drag (a vessel, persons in a boat, etc.) on the water by a rope." (OED) Tsk: int. "A sound expressing commiseration; an exclamation of disapproval or irritation." (OED) Ire: n. "Anger; wrath. Now chiefly poet. and rhetorical." (OED) Ick: n. = icky "A person who is ignorant of true swinging jazz and likes the ‘sweet’ kind. U.S.", "Something which is sickly, disagreeable; sickness.", int. "[Probably the same word; compare ugh, yuck, etc.] An expression of distaste or revulsion." (OED) Rue: v. "trans. With impersonal subject and with the person (in early use dative or accusative) as object. To affect with sorrow or regret; to distress, grieve. Frequently with it as subject and clause as complement, and without it and with following clause as implicit subject. Now arch." (OED) Jiz: variant of jizz n. semen. (Online Slang Dictionary) Tot: n. "A person of disordered brain, a simpleton, a fool. Obsolete.", "The total of an addition, sometimes having tot. written against it; hence, an addition sum; also ( tot-up) the action of tot v.2: adding up, totalling. Also gen., the total number or amount." (OED) Err: v. "To go wrong in judgement or opinion: to make mistakes, blunder. Of a formula, statement, etc.: To be incorrect." (OED) Aby: older form of abbey or abye v. "trans. To pay the penalty for (an offence); to atone for, suffer for, make amends for, expiate (a crime, one's sins, another's guilt, etc.)." Tut: int. "An ejaculation (often reduplicated) expressing impatience or dissatisfaction with a statement, notion, or proceeding, or contemptuously dismissing it. (The Sc. toot, toots, expresses mild expostulation.)", also "A tit, a teat. Obsolete", "apparently a variant of toute n. Obsolete, buttocks." (OED) Yap: n. "A dog that yaps; a yelping cur. Now dialect.", "A fool, someone easily taken in; also, an uncultured or unsophisticated person. dialect and U.S. slang.", adj. "Clever, cunning; shrewd, astute; nimble, active", "Eager or ready, esp. to do something. Obsolete.", v. "intr. To bark sharply, as a small dog; to yelp.", To talk idly or loquaciously; to chatter. Also trans., with quoted words as object slang (orig. dialect)." (OED) <file_sep>--- layout: post title: The religion of course date: 2018-08-25 18:55:47 category: ait permalink: /ait/the-religion-of-course/ --- ![the religion of course the ]({{ "/assets/AIT/lines/the_religion_of_course_the_2018_8_26.png" | absolute_url }}) --- &nbsp; &nbsp; First batch from AIT. <file_sep>--- layout: post title: Apollo date: 2018-08-21 11:04:47 category: subwords permalink: /subwords/apollo/ --- ![apollo all poo ]({{ "/assets/subwords/batchIV/apollo_all_poo.png" | absolute_url }}) &nbsp; &nbsp; ![acherontic chic art eon ]({{ "/assets/subwords/batchIV/acherontic_chic_art_eon.png" | absolute_url }}) &nbsp; &nbsp; ![arbitrated rite art bad ]({{ "/assets/subwords/batchIV/arbitrated_rite_art_bad.png" | absolute_url }}) &nbsp; --- &nbsp; Batch IV from Subwords. Words from [litscape](https://www.litscape.com/). Acherontic: adj. "Of or relating to Acheron (see Acheron n.); infernal, hellish; dark, gloomy." (OED) Eon: also aeon n. "An age of the universe, an immeasurable period of time; the whole duration of the world, or of the universe; eternity." (OED) <file_sep>--- layout: post title: I am the new ones date: 2018-08-25 20:05:47 category: ait permalink: /ait/i-am-the-new-ones/ --- ![I am the new ones]({{ "/assets/AIT/I_am_the_new_ones_2018_8_28.png" | absolute_url }}) --- I am the new ones. It is a problem of the positive and of pieces of the contrary. Not quite dialectical. It is the experiment of it all. I am all those. And then I am the one who cares swamp! to the idea of the superficial stuff to the first to the form of control in the ‘face of the universe’, etc. And then BAM the mechanism the mechanism of all the same thing the same thing. The same thing the only way. The same thing the whining the real thing. Yeah. The shit thing. Shit. Fuck. Shit. Shit. Fuck. Shit. Haha. Fuck. Shit. Fuck. Fuck. Blah. Something like that. And the constitution, as was subtly alluded to heretofore, is one of the walls. Its constitution. As a problem. Becomes that. As soon as it gets. All that rubbish. All that. More of the same, same and constituted, same and produced, same. The thing, real or shit, real and shit, is the same thing. Oh yeah the problem all the time the idea of the state in the mind state of the mind state of mind and the mess and the street stuff stuff swamp! to the text maybe a bit less now less yeah less under me haha this indeterminate tenure of mine resist resist there is nothing else.Nothing. Nothing more. That as well. Nothing happens. Unfortunate development. That wasn’t the plan. The novel, rather, the novel in the mind in the idea in the stuff. Yeah. Haha. Yeah. I mean. Yeah. In the purpose. Oh yeah. In the pit. Hot girls in the pit. Blah. So fucking stupid. Nothing more. Fuck. Shit. Fuck. Shit. Fuck. Shit. Fuck. Shit. Fuck. Shit. And now. This shit. That could be it. That must be it. What it is I’m thinking already? Not as if I couldn’t also do that. Thinking. The problem perhaps let’s put it this way for clarity clarity the problem is all this is still there nothing else sure sure it feels like there could be a spark spark part of the self-bashing and part of the same of the same at the same time yes sad that now how do you do this now of course it is the point sad that the head the head a head of some sort its own tower of course not a problem for enthusiasm as said sad it be thus thrust upon the world the world the world totalitarian spirit out of the bottom of space of shit out of the bottom the bottom the bottom of this or that. Don’t say that. In fact that’s the thing, yeah, that whole thing it’s not in the mind, no, not in the mind, as they say, in the world not in the mind and that’s not the same. Say it the only way. Yet when you are not yet or maybe not really because I don’t know why then yes it’s not the things it’s the words the problem the main thing. The same thing might be it and how to get out of it all. This feeling of stagnation. I was thinking perhaps of interest to literature. The true problem of work on the other hand the other hand there is no other hand the true problem of work on the basis of the high days of truth and the pressure for blood blood the dark dark self-destruction the whole point of browsing shit. Yeah. And that’s the thing. As in. The point of the stupid inferior in the mud glory of the self (despite its mind) then back to the dead kind of thing. That was the torturers. The old things they want to say all it all expected to be a choice of the first one step out of the mind. Or similar. So much hate shit shit shit. Shit. Fuck. And now of course nothing. Yeah. Nothing. No nothing. No work no nothing. Nothing else of course. Yeah. This whole thing the real the real one isn’t at an end. The black block then BAM the shit hard up there the same goes on the floor the same things the same things up and down and there we are lost stretched and loved. When was it an inch too much? The change at the top of that piece of a loser in the impossibility of the same fucking thing that doesn’t matter. However. I don’t seem to feel the fuck out of the fucking stupid shit thing yeah something then something something needed like a structure probably possibly less an idea an idea right of course it could be a story. Or similar. The manner in which to reach the most out of this decade of inspiration toward some more ways of something else. Something of the sort. What is more. Something like that. A black blurting in my head. Yeah. Well yeah if you don’t even move don’t even think about it. Yeah. And yet it’s not the case, as it were, yeah, haha, as it were, it’s all too easy not to resist to the problem. Fuck off not into that. Something of the sort. Something of the sort. I guess. Or maybe I should do it the shit this shit that is the same. As in. The old thing. The story. The only thing at least a tiny bit of thought in a way that could be it. And yet you can only recede. Reach for. Seek the same thing. --- &nbsp; &nbsp; First batch from AIT. <file_sep>jjjWyE}opokA-?![ wyi[{{k$pF-v$:s/\%V /-/g $r.amd0y$:vs 0 lddddkV{yhPl?![ ddhGPwyi[gg2jW"_d$pT:w~/\/ nlvt/pxhvT/:s/\%V /-/g Go &nbsp; --- &nbsp; Batch IV from Subwords. Words from [litscape](https://www.litscape.com/).:w <file_sep>--- layout: post title: Ethylmercurithiosalicylates date: 2018-08-21 09:04:47 category: subwords permalink: /subwords/ethylmercurithiosalicylates-mercurial/ --- ![ethylmercurithiosalicylates mercurial ethylic slate his toy ]({{ "/assets/subwords/batchII/ethylmercurithiosalicylates_mercurial_ethylic_slate_his_toy.png" | absolute_url }}) &nbsp; &nbsp; ![ethylmercurithiosalicylates mercurial ethylic liths oat yes ]({{ "/assets/subwords/batchII/ethylmercurithiosalicylates_mercurial_ethylic_liths_oat_yes.png" | absolute_url }}) &nbsp; &nbsp; ![ethylmercurithiosalicylates mercurial ethics hyte tosa lily ]({{ "/assets/subwords/batchII/ethylmercurithiosalicylates_mercurial_ethics_hyte_tosa_lily.png" | absolute_url }}) &nbsp; &nbsp; ![ethylmercurithiosalicylates mercurial lithic tost eyes hyla ]({{ "/assets/subwords/batchII/ethylmercurithiosalicylates_mercurial_lithic_tost_eyes_hyla.png" | absolute_url }}) &nbsp; --- &nbsp; Batch II from Subwords. Words from [litscape](https://www.litscape.com/). Ethylmercurithiosalicylates: (organic chemistry) A salt or ester of ethylmercurithiosalicylic acid. (Wiktionary) Mercurial: adj. Astrology. A person born under the influence of the planet Mercury, or having the qualities supposed to result from such a birth; a lively, quick-witted, or volatile person; (occasionally) †a cheat, a thief (obsolete). Also with the and plural concord: such people as a class. Now rare." (OED) Liths: lith n. "Help, remedy. Obsolete." (OED) Hyte: adj. "Crazy; mad." (OED) Tosa: n. " Used attrib. to designate (the products of) a school of painting characterized by the use of traditional themes and techniques, which flourished from the mid fifteenth to the late nineteenth century." or "A black, tan, or brindle mastiff of the breed of this name, originally developed as a type of fighting dog in Japan. Also attrib." (OED) Lithic: adj. "Of or pertaining to stone; consisting of stone. lithic age, the ‘stone age’ of Archæology." (OED) Tost: v. "Corruption of toss v." (OED) Hyla: n. "A tree-frog or tree-toad, as Hyla pickeringi of the United States." (OED) <file_sep>--- layout: post title: Sweetheart ether sweat date: 2018-07-26 09:04:47 category: subwords permalink: /subwords/sweetheart-ether-sweat/ --- ![sweetheart ether sweat ]({{ "/assets/subwords/batchI/sweetheart_ether_sweat.png" | absolute_url }}) &nbsp; --- &nbsp; Batch I from Subwords. Words from [litscape](https://www.litscape.com/). <file_sep>--- layout: post title: Shy pee art date: 2018-08-27 18:20:47 category: squares permalink: /squares/shy-pee-art/ --- ![shy pee art ]({{ "/assets/squares/3/shy_pee_art_2018_8_27.png" | absolute_url }}) &nbsp; --- &nbsp; Composed with words from [litscape](https://www.litscape.com/). Including diagonals. <file_sep>--- layout: post title: An art of the positive date: 2018-08-25 19:10:47 category: ait permalink: /ait/an-art-of-the-positive/ --- ![An art of the positive ]({{ "/assets/AIT/horiz/An_art_of_the_positive_2018_8_26.png" | absolute_url }}) --- &nbsp; &nbsp; Second batch from AIT. <file_sep>--- layout: post title: Anthropometrically date: 2018-08-21 10:04:47 category: subwords permalink: /subwords/anthropometrically/ --- ![anthropometrically poetry anomic thrall ]({{ "/assets/subwords/batchIII/anthropometrically_poetry_anomic_thrall.png" | absolute_url }}) &nbsp; &nbsp; ![anthropometrically homeric pall trot any ]({{ "/assets/subwords/batchIII/anthropometrically_homeric_pall_trot_any.png" | absolute_url }}) &nbsp; &nbsp; ![anthropometrically homeric trot anal ply ]({{ "/assets/subwords/batchIII/anthropometrically_homeric_trot_anal_ply.png" | absolute_url }}) &nbsp; &nbsp; ![anthroposophically trophic hoop anal sly ]({{ "/assets/subwords/batchIII/anthroposophically_trophic_hoop_anal_sly.png" | absolute_url }}) &nbsp; &nbsp; ![anthroposophically trophic anal holy ops ]({{ "/assets/subwords/batchIII/anthroposophically_trophic_anal_holy_ops.png" | absolute_url }}) &nbsp; --- &nbsp; Batch III from Subwords. Words from [litscape](https://www.litscape.com/). Anomic: Anomy n. "Disregard of law, lawlessness; esp. (in 17th c. theology) disregard of divine law. Obs.", anomia n. "A form of aphasia characterized by inability to recall the names of objects." (OED) Pall: "A cloth, usually of black, purple, or white velvet, spread over a coffin, hearse, or tomb. Also: a shroud for a corpse". (OED) Trot: "An old woman; usually disparaging: an old beldame, a hag." (OED) Ply: "The condition of being bent or turned to one side (lit. and fig.); a twist, turn, direction; a bias, inclination, or tendency of mind or character; esp. in to take a (also the, one's) ply. Obsolete." (OED) Trophic: adj. "Of or relating to the availability of food; (Ecology) of or relating to the availability of nutrients in a lake or wetland (cf. eutrophic adj. 2, oligotrophic adj. 2, etc.)." and "Of or relating to the consumption of food; (Ecology) of or relating to relationships between autotrophs and heterotrophs, as in a food chain (see food chain n. 1a)." (OED) Ops: op n. "A military operation. Frequently in plural." and "A detective; esp. a private investigator." (OED) <file_sep>--- layout: post title: Bitch date: 2018-08-21 10:04:47 category: subwords permalink: /subwords/bitch/ --- ![biotechnological oenological bitch ]({{ "/assets/subwords/batchIII/biotechnological_oenological_bitch.png" | absolute_url }}) &nbsp; --- &nbsp; Batch III from Subwords. Words from [litscape](https://www.litscape.com/). Oenological: oenology n. "The branch of study that deals with wine; knowledge of or expertise in wines and winemaking." (OED) <file_sep>--- layout: post title: Damp area mean pang date: 2018-08-27 18:20:47 category: squares permalink: /squares/damp-area-mean-pang/ --- ![damp area mean pang ]({{ "/assets/squares/4/damp_area_mean_pang_2018_8_27.png" | absolute_url }}) &nbsp; --- &nbsp; Composed with words from [litscape](https://www.litscape.com/). Including diagonals. <file_sep># https://stackoverflow.com/questions/8631076/what-is-the-fastest-way-to-generate-image-thumbnails-in-python#8631924 from PIL import Image import glob sizes = [(120,120)] files = glob.glob('*.jpg') for image in files: for size in sizes: img = Image.open(image) img.thumbnail(size, Image.ANTIALIAS) img.save("{}_{}_thumbnail".format(image[:-4], '_'.join(map(str, size))) + '.jpg') <file_sep>--- layout: post title: Shadow how sad date: 2018-07-26 09:04:47 category: subwords permalink: /subwords/shadow-how-sad/ --- ![shadow how sad ]({{ "/assets/subwords/batchI/shadow_how_sad.png" | absolute_url }}) &nbsp; --- &nbsp; Batch I from Subwords. Words from [litscape](https://www.litscape.com/). <file_sep>--- layout: post title: Not the problem not at all date: 2018-08-25 19:30:47 category: ait permalink: /ait/not-the-problem/ --- ![Not the problem not at ]({{ "/assets/AIT/holes/Not_the_problem_not_at_2018_8_26.png" | absolute_url }}) --- Not the problem not at all the worst thing now&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp; all this shit all this nothing all this language&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;only way this force this lack&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp; possible things no one knows&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;has any change no. That is, there is no other word at all. There is a delusion in the first place&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;of the profit of content&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;with some sort of girl&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp; with life and in philosophy --- &nbsp; &nbsp; Second batch from AIT. <file_sep>--- layout: post title: Flared led far date: 2018-08-21 11:04:47 category: subwords permalink: /subwords/flared-led-far/ --- ![flared led far ]({{ "/assets/subwords/batchIV/flared_led_far.png" | absolute_url }}) &nbsp; --- &nbsp; Batch IV from Subwords. Words from [litscape](https://www.litscape.com/). <file_sep>--- layout: post title: Lesbos escort scotia bother orient starts date: 2018-08-27 17:31:47 category: squares permalink: /squares/lesbos-escort-scotia-bother-orient-starts/ --- ![lesbos escort scotia bother orient starts ]({{ "/assets/squares/ggl-20/6/lesbos_escort_scotia_bother_orient_starts_2018_8_21.png" | absolute_url }}) &nbsp; --- &nbsp; Composed with the 20k most frequent words in Google. No diagonals. <file_sep>--- layout: post title: Vector Resolution category: lore permalink: /lore/vector-resolution/ --- How about seeing the size of the feature vector as 'resolution', in the same way as the number of pixels used to represent an image? The more you have, the closer you get to human perception (e.g. x amount of millions of pixels for photographic accuracy). For word vectors, one might be able to discover the threshold of word vector complexity/size that corresponds to what humans use (and, of course, go beyond that). * (Still hoping to go through the [Stanford Course for Deep NLP](https://www.youtube.com/watch?v=OQQ-W_63UgQ&amp;list=PL3FW7Lu3i5Jsnh1rnUwq_TcylNr7EkRe6).) * (New discovery: <NAME>, an important figure of machine learning, giving a course specialisation on deep learning on [Coursera](https://www.coursera.org/learn/machine-learning), which is also available on [YouTube](https://www.youtube.com/watch?v=n1l-9lIMW7E&amp;index=2&amp;list=PLkDaE6sCZn6Ec-XTbcX1uRg2_u4xOEky0).) <file_sep>--- layout: post title: Autoradiographically date: 2018-08-21 10:04:47 category: subwords permalink: /subwords/autoradiographically/ --- ![autoradiographically autography radical oil ]({{ "/assets/subwords/batchIII/autoradiographically_autography_radical_oil.png" | absolute_url }}) &nbsp; --- &nbsp; Batch III from Subwords. Words from [litscape](https://www.litscape.com/). Autography: n. "The action of writing in one's own hand; a person's handwriting. Now rare." (OED) <file_sep>--- layout: post title: The best of the old date: 2018-08-25 19:05:47 category: ait permalink: /ait/the-best-of-the-old/ --- ![The best of the old ]({{ "/assets/AIT/lines/The_best_of_the_old_2018_8_26.png" | absolute_url }}) --- &nbsp; &nbsp; First batch from AIT. <file_sep>--- layout: post title: The old mind date: 2018-08-25 18:10:47 category: ait permalink: /ait/the-old-mind/ --- ![The old mind the old ]({{ "/assets/AIT/para/The_old_mind_the_old_2018_8_26.png" | absolute_url }}) --- &nbsp; &nbsp; Second batch from AIT. <file_sep>--- layout: post title: The Vi-rus category: lore permalink: /lore/the-vi-rus/ --- Started learning [Vim](https://www.vim.org/). Difficult to explain where that comes from. I think I like the command-based approach and the abstraction. As usual, thereis is the lure of 'productivity', hailed by Vim defenders as the new (in fact quite old) dawn of text processing. I can imagine now the sort of improvements one can get out of it, especially once one has stepped into the milky bath of macros. Soon enough. For now, still pretty much a battle, as I tend to want to learn all the commands in one go, without letting myself get into all that chunk by chunk. It still is fairly good, and not as hard as I expected, and if approached as a game it can be quite addictive (finding the best key combination for the task at hand, and feeling one continually improves), but it is essential to reach that level when the pressure is not too high that it impedes, rather than improves, productivity (which can be somewhat high in this program). A few resources that got me into the whole thing: <div class="video-container"> <iframe max-width="100%" height="auto" src="https://www.youtube.com/embed/_NUO4JEtkDw" frameborder="0" allow="autoplay; encrypted-media" allowfullscreen></iframe> </div> <div class="video-container"> <iframe max-width="100%" height="auto" src="https://www.youtube.com/embed/wlR5gYd6um0" frameborder="0" allow="autoplay; encrypted-media" allowfullscreen></iframe> </div> <div class="video-container"> <iframe max-width="100%" height="auto" src="https://www.youtube.com/embed/3TX3kV3TICU" frameborder="0" allow="autoplay; encrypted-media" allowfullscreen></iframe> </div> <div class="video-container"> <iframe max-width="100%" height="auto" src="https://www.youtube.com/embed/Qem8cpbJeYc" frameborder="0" allow="autoplay; encrypted-media" allowfullscreen></iframe> </div> --- Edit (25/09/18): it really does seem there is no end to discoveries on the vim front... <div class="video-container"> <iframe max-width="100%" height="auto" src="https://www.youtube.com/embed/XA2WjJbmmoM" frameborder="0" allow="autoplay; encrypted-media" allowfullscreen></iframe> </div> <file_sep>--- layout: post title: Bawd/Bard date: 2018-08-27 18:20:47 category: squares permalink: /squares/bawd/ --- ![bawd liar arse type ]({{ "/assets/squares/4/bawd_liar_arse_type_2018_8_27.png" | absolute_url }}) &nbsp; ![barf liar arse type ]({{ "/assets/squares/4/barf_liar_arse_type_2018_8_27.png" | absolute_url }}) &nbsp; ![bawd area rear darg ]({{ "/assets/squares/4/bawd_area_rear_darg_2018_8_27.png" | absolute_url }}) &nbsp; ![bawd area rear dart ]({{ "/assets/squares/4/bawd_area_rear_dart_2018_8_27.png" | absolute_url }}) &nbsp; ![bard urea rear part ]({{ "/assets/squares/4/bard_urea_rear_part_2018_8_27.png" | absolute_url }}) &nbsp; ![bard area read dads ]({{ "/assets/squares/4/bard_area_read_dads_2018_8_27.png" | absolute_url }}) &nbsp; ![bard area liar damn ]({{ "/assets/squares/4/bard_area_liar_damn_2018_8_27.png" | absolute_url }}) &nbsp; --- &nbsp; Composed with words from [litscape](https://www.litscape.com/). Including diagonals. Blat: n. "A bleating or shrill sound." and as v. " intr. To bleat, or make similar sounds. Also fig., to talk noisily or impulsively." or "A newspaper." (OED) Bise: n. "A keen dry N. or NNE. wind, prevalent in Switzerland and the neighbouring parts of France, Germany, and Italy." (OED) Dree: v. "To endure, undergo, suffer, bear (something burdensome, grievous, or painful).", and also as n. "The action of the verb dree v.; suffering, grief, trouble. (Mostly a modern archaism.)" (OED) Barf: v. " intr. To vomit or retch. Occasionally trans. (also with up)." and as n. "An attack of vomiting; vomit, sick; also int., a coarse exclamation of disgust." (OED) Rasp: n. "A type of coarse file having many projections or teeth on its surface; (also) any similar tool used for scraping, filing, or rubbing down." and v. "trans. To grate, file, or scrape with a rasp or other rough instrument." (OED) Darg: n. "A day's work, the task of a day; also, a defined quantity or amount of work, or of the product of work, done in a certain time or at a certain rate of payment; a task." (OED) Urea: n. "A soluble crystalline compound, forming an organic constituent of the urine in mammalia, birds, and some reptiles, and also found in the blood, milk, etc.; carbamide, CO(NH2)2." (OED) Deid: adj. Scottish for dead. (OED) Bran: " The husk of wheat, barley, oats, or other grain, separated from the flour after grinding; in technical use, the coarsest portion of the ground husk" or " Sort, class, quality. Obsolete." (OED) <file_sep>--- layout: post title: Max Woolf RNN category: lore permalink: /lore/max-woolf/ --- Thanks to [<NAME>](http://recoulesquang.com/), also in the course, I discovered <NAME>'s repo for neural text generation (using LSTMs). The project in built in Keras/TensorFlow. This will certainly be a stepping stone for my study of these networks and text generatio in general. The goal is clear: make experiments generating texts, but also, hopefully soon, pick apart the code and gradually acquire the skills to build such networks myself. - the [repo](https://github.com/minimaxir/textgenrnn); - the [Google Colaboratory notebook](https://drive.google.com/file/d/1mMKGnVxirJnqDViH7BDJxFqWrsXlPSoK/view), and [my copy](https://drive.google.com/open?id=1eymxSyGlPQfKl0zCa_Jdt8nuDQ_WXXDs); - his [walkthrough](https://minimaxir.com/2018/05/text-neural-networks/) and accompanying Youtube tutorial: <div class="video-container"> <iframe max-width="100%" height="auto" src="https://www.youtube.com/embed/RW7mP6BfZuY" frameborder="0" allow="autoplay; encrypted-media" allowfullscreen></iframe> </div> &nbsp; He is himself, however, a student of [Karpathy](https://twitter.com/karpathy)'s, whose [char-rnn model](https://github.com/karpathy/char-rnn) is the foundation of Woolf's project. The transition from Karpathy's code into TensorFlow is already a well-trodden path, see [here](https://r2rt.com/recurrent-neural-networks-in-tensorflow-ii.html), [here](https://github.com/sherjilozair/char-rnn-tensorflow), [here](https://github.com/crazydonkey200/tensorflow-char-rnn) and [there](https://github.com/sherjilozair/char-rnn-tensorflow). I'm assuming that [<NAME>'s Char RNN model](https://github.com/pkmital/pycadl/blob/577931dfffdd7cecbcb565c84a470aca12d2b214/cadl/charrnn.py), available in his Kadenze course, is also based on the same architecture. <file_sep>--- layout: post title: Over date: 2018-08-21 10:04:47 category: subwords permalink: /subwords/over/ --- ![oversentimentality orient enmity vestal ]({{ "/assets/subwords/batchIII/oversentimentality_orient_enmity_vestal.png" | absolute_url }}) &nbsp; &nbsp; ![overaggressiveness ogress ravens vegies ]({{ "/assets/subwords/batchIII/overaggressiveness_ogress_ravens_vegies.png" | absolute_url }}) &nbsp; &nbsp; ![overdiscouragement overage cunt sore dim ]({{ "/assets/subwords/batchIII/overdiscouragement_overage_cunt_sore_dim.png" | absolute_url }}) &nbsp; --- &nbsp; Batch III from Subwords. Words from [litscape](https://www.litscape.com/). Vestal: adj. "Pertaining to, characteristic of, a vestal virgin or virgins; marked by chastity or purity." (OED) Vegie: veggie.
cda6104b44d2f3f837e32d300e5ea623d8593302
[ "Markdown", "TeX", "Vim Script", "Python" ]
153
Markdown
jchwenger/recursus.co
56de0021cdec69b49f102b0dca0041505916a6c4
b5270c02f61a41d45d5b3aa17c5cdc5859a74e29
refs/heads/master
<repo_name>Sangdk/JavaT3h<file_sep>/AND_BTVN_Day4/src/com/t3h/ButVe/ButDo.java package com.t3h.ButVe; public class ButDo extends ButVe { public ButDo(String ten) { this.ten = ten; } @Override public void ve() { System.out.println("mau "+ten); } } <file_sep>/Buoi5/src/com/t3h/sinhvien/Main.java package com.t3h.sinhvien; public class Main { public static void main(String[] args) { SinhVien sv =new SinhVien("<NAME>",21,8.5); SinhVien sv1 =new SinhVien("<NAME>",22,9); SinhVien sv2 =new SinhVien("<NAME>",20,9.5); SinhVien sv3 =new SinhVien("<NAME>",19,10); SinhVien sv4 =new SinhVien("<NAME>",18,4); SinhVien sv5 =new SinhVien("<NAME>",22,1); Lop lop = new Lop(); lop.add(sv); lop.add(sv1); lop.add(sv2); lop.add(sv3); lop.add(sv4); lop.add(sv5); lop.set(2, sv2); lop.sort(); lop.setDiem(5); lop.deleteDiem(5); lop.inThongTin(); } } <file_sep>/Day10/src/com/t3h/model/MapTank.java package com.t3h.model; import image.ImageLoader; import java.awt.*; public class MapTank { private int x; private int y; private int bit; private Image[] img = {ImageLoader.getImage("brick.png"), ImageLoader.getImage("water.png"), ImageLoader.getImage("bird.png"), ImageLoader.getImage("tree.png"), ImageLoader.getImage("rock.png"), }; public MapTank(int x, int y, int bit) { this.x = x; this.y = y; this.bit = bit; } public void draw(Graphics2D g2d) { if (bit == 3) { g2d.drawImage(img[bit - 1], x, y, 38, 38, null); }else { g2d.drawImage(img[bit-1],x,y,null); } } public Rectangle getRect(){ int w = 38; int h =38; if(bit!=3){ w=img[bit-1].getWidth(null); h=img[bit-1].getHeight(null); } Rectangle rect = new Rectangle( x,y,w,h ); return rect; } public int getBit() { return bit; } } <file_sep>/HW_Day9/src/com/t3h/prime/MyPanel.java package com.t3h.prime; import com.t3h.base.BasePanel; import javax.swing.*; import java.awt.*; import java.awt.event.ActionEvent; import java.awt.event.ActionListener; import static com.t3h.base.BaseFrame.W_FRAME; public class MyPanel extends BasePanel implements ActionListener { private JLabel lb_Title; private JLabel lb_NumberCheck; private JLabel lb_NumberN; private JTextField tf_NumberCheck; private JTextField tf_NumberN; private JButton btn_Check; private JButton btn_Lísted; @Override protected void initComponent() { lb_Title = new JLabel(); lb_Title.setText("PRIME TOOL"); lb_Title.setBounds(0, 0, W_FRAME, 100); lb_Title.setHorizontalAlignment(SwingConstants.CENTER); lb_Title.setFont(new Font(null, Font.BOLD, 20)); add(lb_Title); lb_NumberCheck = new JLabel(); lb_NumberCheck.setText("Number Check"); lb_NumberCheck.setBounds(120, 100, W_FRAME, 30); lb_NumberCheck.setFont(new Font(null, Font.BOLD, 16)); add(lb_NumberCheck); lb_NumberN = new JLabel(); lb_NumberN.setText("Import N"); lb_NumberN.setBounds(120, 160, W_FRAME, 30); lb_NumberN.setFont(new Font(null, Font.BOLD, 16)); add(lb_NumberN); tf_NumberCheck = new JTextField(); tf_NumberCheck.setBounds(250, 100, 300, 40); add(tf_NumberCheck); tf_NumberN = new JTextField(); tf_NumberN.setBounds(250, 150, 300, 40); add(tf_NumberN); btn_Check = new JButton(); btn_Check.setText("Check"); btn_Check.setBounds(560, 100, 120, 40); btn_Check.addActionListener(this); add(btn_Check); btn_Lísted = new JButton(); btn_Lísted.setText("Listed"); btn_Lísted.setBounds(560, 150, 120, 40); btn_Lísted.addActionListener(this); add(btn_Lísted); } @Override public void actionPerformed(ActionEvent e) { if (e.getSource().equals(btn_Check)) { String nbCheck = tf_NumberCheck.getText(); MyPrime myPrime = new MyPrime(); if (nbCheck.isEmpty()) { JOptionPane.showMessageDialog( null, "No Data import", "Warning", JOptionPane.INFORMATION_MESSAGE ); } else if (!myPrime.check(nbCheck)) { JOptionPane.showMessageDialog( null, "Data not suitable", "Warning", JOptionPane.INFORMATION_MESSAGE ); } else { int nb = Integer.parseInt(nbCheck); if (myPrime.primeCheck(nb)) { JOptionPane.showMessageDialog( null, "Number " + nbCheck + " is a prime number!" ); } else JOptionPane.showMessageDialog( null, "Number " + nbCheck + " is not a prime number!" ); } } else { String nCheck = tf_NumberN.getText(); MyPrime myPrime = new MyPrime(); if (nCheck.isEmpty()) { JOptionPane.showMessageDialog( null, "No Data import", "Warning", JOptionPane.INFORMATION_MESSAGE ); } else if (!myPrime.check(nCheck)) { JOptionPane.showMessageDialog( null, "Data not suitable", "Warning", JOptionPane.INFORMATION_MESSAGE ); } else { int nb = Integer.parseInt(nCheck); JOptionPane.showMessageDialog( null, "The prime numbers are less than " + nCheck + " is : " + myPrime.primerListed(nb) ); String strToFile = "Number " + nCheck + "\n" + "The prime numbers are less than " + nCheck + " is " + myPrime.primerListed(nb)+"\n"; RandomAccessFile randomAccessFile = new RandomAccessFile(); randomAccessFile.writeFile(strToFile); } } } } <file_sep>/AND_BTVN_Day3/src/HinhChuNhat.java import static java.lang.Math.sqrt; public class HinhChuNhat extends HinhHoc { int a,b; public HinhChuNhat(String ten, int a, int b) { super(ten); this.a = a; this.b = b; } @Override public void inThongTin() { super.inThongTin(); } @Override public void tinhChuVi() { double chuVi = (a+b)*2; System.out.println("Chu vi hinh chu nhat la : "+chuVi); } @Override public void tinhDienTich() { double dienTich = a * b; System.out.println("Dien tich hinh chu nhat la : "+dienTich); } public void canh_Dc() { double dc = sqrt(a*b)*sqrt(2); System.out.println("Chieu dai duong cheo hinh chu nhat la : " + dc); System.out.println("Tong chieu dai cac canh va duong cheo la :" + (dc +(a+b)*2)); } } <file_sep>/helloworld/src/Main.java public class Main { public static void main(String[] args) { int[] a = new int[100]; for(int i=0;i<a.length;i++){ a[i] =i; } int tong = 0; for(int j=0 ; j<a.length;j++){ tong +=a[j]; } System.out.println("hello world"); System.out.println(tong); } } <file_sep>/BTVN_Buoi7/src/com/t3h/smartstring/Main.java package com.t3h.smartstring; public class Main { public static void main(String[] args) { SmartString smartStr = new SmartString(); smartStr.filter(); smartStr.printNewsList(); } } <file_sep>/HW_Day9/src/com/t3h/base/BaseFrame.java package com.t3h.base; import javax.swing.*; import java.awt.event.WindowAdapter; import java.awt.event.WindowEvent; public abstract class BaseFrame extends JFrame { public static final int W_FRAME = 800; public static final int H_FRAME = 400; public BaseFrame() { setTitle(getFrameTitle()); setSize(W_FRAME, H_FRAME); setResizable(false); setDefaultCloseOperation(DO_NOTHING_ON_CLOSE); WindowAdapter adapter = new WindowAdapter() { @Override public void windowClosing(WindowEvent e) { showConfirm(); } }; addWindowListener(adapter); setLocationRelativeTo(null); BasePanel panel = getPanel(); add(panel); } private void showConfirm() { int result = JOptionPane.showConfirmDialog( this, "Do you want to exit?", "Confirm", JOptionPane.YES_NO_OPTION ); if (result == JOptionPane.YES_OPTION) { System.exit(0); } } protected abstract BasePanel getPanel(); protected abstract String getFrameTitle(); } <file_sep>/AND_day4/src/com/t3h/ConNguoi/Main/Main.java package com.t3h.ConNguoi.Main; import com.t3h.ConNguoi.ConNguoi.NguoiMau; import com.t3h.ConNguoi.ConNguoi.VanDongVien; import com.t3h.ConNguoi.DongVat.Cho; import com.t3h.ConNguoi.DongVat.Meo; public class Main { public static void main(String[] args) { Cho cho = new Cho("Cucu",2,true,"tay tang"); VanDongVien vdv = new VanDongVien("<NAME>",30,"Ha noi","cau thu",cho,100,"Mu",7); vdv.inThongTin(); vdv.datDongVatDiDao(); System.out.println("================"); Meo meo = new Meo("kiki",2,false,"Tam the"); NguoiMau nm = new NguoiMau("<NAME>",21,"Ha noi","Nguoi mau" ,meo,"A"); nm.inThongTin(); nm.datDongVatDiDao(); } } <file_sep>/BTVN_Buoi7/src/com/t3h/manage_user_information/User.java package com.t3h.manage_user_information; public class User { private String userName; private String password; private String name; private String dateOfBirth; private int age; private String job; public User(String userName, String password, String name, String dateOfBirth, int age, String job) { this.userName = userName; this.password = <PASSWORD>; this.name = name; this.dateOfBirth = dateOfBirth; this.age = age; this.job = job; } public void showInfor(){ System.out.println("Name: "+name); System.out.println("UserName: "+userName); System.out.println("Password: "+password); System.out.println("Date Of Birth: "+dateOfBirth); System.out.println("Age: "+age); System.out.println("Job: "+job); System.out.println("========================="); } public void changePassword(String newPassword){ if(newPassword.equals(getPassword())) { System.out.println("password khong hop le"); } setPassword(newPassword); } public String getPassword() { return <PASSWORD>; } public String getUserName() { return userName; } public void setPassword(String password) { this.password = <PASSWORD>; } public String getName() { return name; } } <file_sep>/Day10/src/com/t3h/base/BaseFrame.java package com.t3h.base; import javax.swing.*; public class BaseFrame extends JFrame { public static final int W_FRAME = 500; public static final int H_FRAME = 525; BasePanel panel; public BaseFrame(){ setTitle("Tank90"); setSize(W_FRAME,H_FRAME); setLocationRelativeTo(null); setResizable(false); setDefaultCloseOperation(WindowConstants.EXIT_ON_CLOSE); panel = new BasePanel(); add(panel); } } <file_sep>/BTVN_Buoi6/src/com/t3h/mystring/MyString.java package com.t3h.mystring; import java.util.ArrayList; import java.util.Comparator; public class MyString { private String strb = new String(); public MyString(String strb) { this.strb = strb; } public String getStrb() { return strb; } public void sumAscii() { int sA = 0; for (int i = 0; i < strb.length(); i++) { int a = strb.charAt(i); sA += a; } System.out.println("Tong ma ASCII cua chuoi la : " + sA); } public void sort() { StringBuilder sb = new StringBuilder(strb); for (int i = 0; i < sb.length() - 1; i++) { for (int j = i + 1; j < sb.length(); j++) { if (sb.charAt(i) > sb.charAt(j)) { char temp = sb.charAt(j); sb.setCharAt(j, sb.charAt(i)); sb.setCharAt(i, temp); } } } System.out.println(sb.toString()); } public void sort_1() { ArrayList<Character> arr = new ArrayList(); for (int i = 0; i < strb.length(); i++) { char c = strb.charAt(i); arr.add(c); } arr.sort(new Comparator<Character>() { @Override public int compare(Character o1, Character o2) { if (o1 < o2) { return -1; } return 0; } } ); String result = ""; for (int i = 0; i < arr.size(); i++) { result += arr.get(i); } System.out.println(result); } public void findPrint() { for (int i = 0; i < strb.length(); i++) { if ('A' <= strb.charAt(i) && strb.charAt(i) <= 'Z') { System.out.print(strb.charAt(i) + "\t"); } } } public void checkReverse() { StringBuilder sb = new StringBuilder(strb); String sbr = sb.reverse().toString(); boolean check = strb.equals(sbr); System.out.println("\n" + check); } public void toUpCase() { StringBuilder sb = new StringBuilder(strb); int a = sb.indexOf(" "); while (a != -1) { int b = (int) sb.charAt(a + 1) - 32; char c = (char) b; sb.setCharAt(a + 1, c); a = sb.indexOf(" ", a + 2); } int first = (int) sb.charAt(0) - 32; char First = (char) first; sb.setCharAt(a + 1, First); System.out.println(sb); } public void reverseWord() { int i = strb.indexOf(" "); String v = strb.substring(0, i); StringBuilder vb = new StringBuilder(v); StringBuilder strbnew = new StringBuilder(); strbnew.append(vb.reverse()); System.out.println(i); while (i < strb.lastIndexOf(" ")) { String tt = strb.substring(i + 1, strb.indexOf(" ", i + 1)); vb = new StringBuilder(tt); strbnew.append(" " + vb.reverse()); i = strb.indexOf(" ", i + 1); } strbnew.append(" "); System.out.println(strbnew.append(new StringBuilder(strb.substring(i + 1, strb.length())).reverse())); } public void reverseWord1() { strb = strb.trim(); String[] xx = strb.split(" "); StringBuffer result = new StringBuffer(); for (int i = 0; i < xx.length; i++) { result.append(new StringBuffer(xx[i]).reverse().toString()).append(" "); } System.out.println(result.toString()); } public void sumCharNumber() { int S = 0; for (int i = 0; i < strb.length(); i++) { char a = strb.charAt(i); if ('0' <= a && a <= '9') { int b = (int) a - 48; S += b; } } System.out.println("SumChar = " + S); } public void sumNumber() { int S = 0; StringBuffer sb = new StringBuffer(strb); //chuyen ki tu khac so thanh dau ' ' for (int i = 0; i < sb.length(); i++) { if (sb.charAt(i) < '0' || sb.charAt(i) > '9') { sb.setCharAt(i, ' '); } } //cat thanh 1 mang chua cac chuoi so String ss = sb.toString().trim(); String[] ssub = ss.split(" "); //duyet lan luot cac phan tu cua mang cac so for (int i = 0; i < ssub.length; i++) { int a = ssub[i].length(); int count = 0; int Ssub = 0; //Tinh tung phan tu cua mang while (a > 0) { char e = ssub[i].charAt(a - 1); double c = ((int) e - 48) * Math.pow(10, count); Ssub += c; count++; a--; } S += Ssub; } System.out.println("SumNumber = " + S); } public void trimAndSplit() { StringBuffer sb = new StringBuffer(strb); while (sb.charAt(0) == ' ') { sb.delete(0, 1); } while (sb.charAt(sb.length() - 1) == ' ') { sb.delete(sb.length() - 1, sb.length()); } for (int i = sb.length() - 1; i > 0; i--) { if (sb.charAt(i) == ' ') { if (sb.charAt(i - 1) == ' ') { sb.delete(i - 1, i); } } } System.out.println(sb); } public void deleteUnicode() { strb = strb.toLowerCase(); char[] a = {'à', 'á', 'ạ', 'ả', 'ã', 'â', 'ầ', 'ấ', 'ậ', 'ẩ', 'ẫ', 'ă', 'ằ', 'ắ', 'ặ', 'ẳ', 'ẵ'}; char[] e = {'è', 'é', 'ẹ', 'ẻ', 'ẽ', 'ê', 'ề', 'ế', 'ệ', 'ể', 'ễ'}; char[] i = {'ì', 'í', 'ị', 'ỉ', 'ĩ'}; char[] o = {'ò', 'ó', 'ọ', 'ỏ', 'õ', 'ô', 'ồ', 'ố', 'ộ', 'ổ', 'ỗ', 'ơ', 'ờ', 'ớ', 'ợ', 'ở', 'ỡ'}; char[] u = {'ù', 'ú', 'ụ', 'ủ', 'ũ', 'ư', 'ừ', 'ứ', 'ự', 'ử', 'ữ'}; char[] y = {'ỳ', 'ý', 'ỵ', 'ỷ', 'ỹ'}; strb = strb.replace('đ', 'd'); for (int j = 0; j < a.length; j++) { strb = strb.replace(a[j], 'a'); } for (int j = 0; j < e.length; j++) { strb = strb.replace(e[j], 'e'); } for (int j = 0; j < i.length; j++) { strb = strb.replace(i[j], 'i'); } for (int j = 0; j < o.length; j++) { strb = strb.replace(o[j], 'o'); } for (int j = 0; j < e.length; j++) { strb = strb.replace(u[j], 'u'); } for (int j = 0; j < y.length; j++) { strb = strb.replace(y[j], 'y'); } System.out.println(strb); } public void standardized() { strb = strb.replace("+-", "-"); strb = strb.replace("-+", "-"); strb = strb.replace("++", "+0+"); strb = strb.replace("--", "-0-"); System.out.println(strb); } }<file_sep>/AND_BTVN_Day4/src/com/t3h/user/User.java package com.t3h.user; import com.t3h.file.Song; import com.t3h.file.Video; public class User { protected Song song; protected Video video; public void play(){ } public void pause(){ } public void next(){ } public void back(){ } } <file_sep>/HW_Day9/src/com/t3h/stdmnger/Student.java package com.t3h.stdmnger; import java.io.File; import java.io.FileOutputStream; public class Student { private String name; private String stdclass; private float finalScore; public String getName() { return name; } public String getStdclass() { return stdclass; } public float getFinalScore() { return finalScore; } public Student(String name, String stdclass, float finalScore) { this.name = name; this.stdclass = stdclass; this.finalScore = finalScore; } public String exportInfor(){ return name+"_"+stdclass+"_"+finalScore; } public void importInforToFile(String str){ try { File f = new File("C:/Users/Deki/Desktop/Student.txt"); if(!f.exists()){ f.getParentFile().mkdirs(); f.createNewFile(); } FileOutputStream out = new FileOutputStream(f,true); out.write(str.getBytes()); out.close(); } catch (Exception ex) { ex.printStackTrace(); } } } <file_sep>/AND_Day3/src/Main.java public class Main { public static void main(String[] args) { HocSinh hs = new HocSinh(); NhanVien nv = new NhanVien(); hs.nhap("<NAME>", 10, true, "Ha noi", 9, "Android"); hs.inThongTin(); hs.hoc(); hs.lamBai(); System.out.println("========================================="); nv.nhap("<NAME>", 28, false, "Ha noi", "Truong phong", 15000000); nv.inThongTin(); nv.hop(); nv.lamViec(); } } <file_sep>/Buoi5/src/com/t3h/mangtinh/MangTinh.java package com.t3h.mangtinh; import java.lang.reflect.Array; import java.util.Arrays; import java.util.Comparator; import static java.util.Arrays.*; public class MangTinh { private Integer[] arr = new Integer[5]; public MangTinh() { arr[0] = 10; arr[1] = 2; arr[2] = 5; arr[3] = 0; arr[4] = 7; } // public void sapXep() { // for (int i = 0; i < arr.length -1; i++) { // for (int j = i + 1; j < arr.length; j++) { // if (arr[i] > arr[j]) { // int temp = arr[i]; // arr[i] = arr[j]; // arr[j] = temp; // } // // } // } // // } public void sapXep() { Arrays.sort(arr, comparator); } private Comparator<Integer> comparator = new Comparator<Integer>() { @Override public int compare(Integer o1, Integer o2) { if (o1 > o2) { return -1; } return 0; } }; public void inMang() { for (int i = 0; i < arr.length; i++) { System.out.print(arr[i] + "\t"); } } } <file_sep>/Buoi9_Refactor/src/com/t3h/demo/DashBoardPanel.java package com.t3h.demo; import javax.swing.*; import java.awt.*; import java.awt.event.ActionEvent; import java.awt.event.ActionListener; import static com.t3h.demo.BaseFrame.W_FRAME; public class DashBoardPanel extends BasePanel implements ActionListener { private JLabel lb_Title; private JLabel lb_Content; private JButton btn_Back; private JButton btn_Exit; @Override protected void initComponent() { lb_Title = new JLabel(); lb_Title.setText("DashBoard"); lb_Title.setBounds(0, 0, W_FRAME, 100); lb_Title.setForeground(Color.white); lb_Title.setFont(new Font(null, Font.BOLD, 20)); lb_Title.setHorizontalAlignment(SwingConstants.CENTER); add(lb_Title); lb_Content = new JLabel(); lb_Content.setBounds(100, 70, W_FRAME, 100); lb_Content.setForeground(Color.white); lb_Content.setFont(new Font(null, Font.BOLD, 20)); // lb_Content.setHorizontalAlignment(SwingConstants.CENTER); add(lb_Content); btn_Back = new JButton(); btn_Back.setText("Back"); btn_Back.setBounds(100, 150, 80, 30); btn_Back.addActionListener(this); add(btn_Back); btn_Exit = new JButton(); btn_Exit.setText("Exit"); btn_Exit.setBounds(200, 150, 80, 30); btn_Exit.addActionListener(this); add(btn_Exit); } public void setText(String userName, String password) { lb_Content.setText(userName + " And " + password); } @Override public void actionPerformed(ActionEvent e) { if (e.getSource().equals(btn_Back)) { LoginFrame frame = new LoginFrame(); frame.setVisible(true); SwingUtilities.getWindowAncestor(this).dispose(); } else { System.exit(0); } } } <file_sep>/BTVN_Buoi7/src/com/t3h/manage_user_information/Manager.java package com.t3h.manage_user_information; import java.util.ArrayList; public class Manager { ArrayList<User> arrayUser = new ArrayList(); public void add(User newUser) { arrayUser.add(newUser); } public void register(User newUser) { for (User user : arrayUser) { if (newUser.getUserName().equals(user.getUserName())) { System.out.println("Dang ky that bai"); return; } } arrayUser.add(newUser); System.out.println("Dang ki thanh cong"); newUser.showInfor(); } public int login(String user, String password) { for (User u : arrayUser ) { if (user.equals(u.getUserName()) && password.equals(u.getPassword())) { System.out.println("Dang nhap thanh cong"); return arrayUser.indexOf(u); } } System.out.println("Tai khoan hoac mat khau khong dung"); return -1; } public void changePassword(String user,String password,String newPassword){ int index = login(user,password); if(index == -1){ return; } arrayUser.get(index).changePassword(newPassword); arrayUser.get(index).showInfor(); System.out.println("Mat khau da thay doi"); } public void deleteUser(String user,String password){ int index = login(user,password); if(index == -1){ return; } arrayUser.remove(arrayUser.get(index)); System.out.println("Xoa tai khoan thanh cong"); } public void findInforByName(String name){ for (User u:arrayUser ) { if(name.equalsIgnoreCase(u.getName())){ System.out.println("Infor of "+u.getName()+":"); u.showInfor(); return; } } } public void printList(){ for (User u:arrayUser ) { u.showInfor(); } } } <file_sep>/BTVN_day5/src/com/t3h/quanlydanhba/main/Main.java package com.t3h.quanlydanhba.main; import com.t3h.quanlydanhba.danhba.DanhBa; import com.t3h.quanlydanhba.danhba.QuanLy; public class Main { public static void main(String[] args) { QuanLy ql = new QuanLy(); DanhBa db1 = new DanhBa("Pham Van A", "0123456789"); DanhBa db2 = new DanhBa("Pham Van B", "0961960897"); DanhBa db3 = new DanhBa("Pham Thi C", "01689997145"); ql.add(db1); ql.add(db2); ql.add(db3); ql.printdb(); System.out.println("=========================="); ql.addDB("Pham Thi D", "0983037116"); System.out.println("============================"); ql.updateDB("0123456789","0977170484"); ql.printdb(); } } <file_sep>/Buoi8/src/com/t3h/gui/GUI.java package com.t3h.gui; import javax.swing.*; import java.awt.*; import java.awt.event.WindowAdapter; import java.awt.event.WindowEvent; public class GUI extends JFrame { private MyPanel myPanel = new MyPanel(); private MyPanelTwo myPanelTwo = new MyPanelTwo(); public GUI() { setSize(500, 500); setTitle("Demo first"); setBackground(Color.BLACK); setResizable(false); setLocation(100, 100); setLocationRelativeTo(null); // setDefaultCloseOperation( // EXIT_ON_CLOSE // ); //Catch event setDefaultCloseOperation(DO_NOTHING_ON_CLOSE); WindowAdapter adapter = new WindowAdapter() { @Override public void windowClosing(WindowEvent e) { showConfirm(); } }; addWindowListener(adapter); // setLayout(null); add(myPanel); add(myPanelTwo); } public void showConfirm() { int result = JOptionPane.showConfirmDialog( this, "Do you want to exits?", "Confirm", JOptionPane.YES_NO_OPTION ); if (result == JOptionPane.YES_OPTION) { System.exit(0); } } } <file_sep>/Buoi8/src/com/t3h/gui/MyPanelTwo.java package com.t3h.gui; import javax.swing.*; import java.awt.*; import java.awt.event.MouseEvent; import java.awt.event.MouseListener; public class MyPanelTwo extends JPanel { public MyPanelTwo() { setSize(200, 200); setBackground(Color.RED); addMouseListener(new MouseListener() { @Override public void mouseClicked(MouseEvent e) { System.out.println("Mouse clicked..."); int exScr = e.getXOnScreen(); int eyScr = e.getYOnScreen(); System.out.println("exScr : "+exScr); System.out.println("eYScr : "+eyScr); } @Override public void mousePressed(MouseEvent e) { System.out.println("Mouse Pressed..."); } @Override public void mouseReleased(MouseEvent e) { System.out.println("Mouse Released..."); } @Override public void mouseEntered(MouseEvent e) { System.out.println("Mouse Enter..."); } @Override public void mouseExited(MouseEvent e) { } }); } } <file_sep>/BTGiaiThuat/src/com/t3h/quanlycanbo/NhanVien.java package com.t3h.quanlycanbo; import java.util.Scanner; public class NhanVien extends CanBo { private String congViec; @Override public void nhap() { super.nhap(); Scanner sc = new Scanner(System.in); System.out.println("Nhap cong viec: "); congViec = sc.nextLine(); } @Override public void inThongTin() { super.inThongTin(); System.out.println("Cong viec: "+congViec); } } <file_sep>/Day10/src/com/t3h/base/Main.java package com.t3h.base; public class Main { public static void main(String[] args) { BaseFrame baseFrame = new BaseFrame(); baseFrame.setVisible(true); } } <file_sep>/Buoi9_Refactor/src/com/t3h/demo/LoginPanel.java package com.t3h.demo; import javax.swing.*; import java.awt.*; import java.awt.event.ActionEvent; import java.awt.event.ActionListener; import static com.t3h.demo.BaseFrame.W_FRAME; public class LoginPanel extends BasePanel implements ActionListener { private JLabel lb_Title; private JLabel lb_Username; private JLabel lb_Password; private JTextField tf_Username; private JTextField tf_Password; private JButton btn_Login; @Override protected void initComponent() { lb_Title = new JLabel(); lb_Title.setText("LOGIN"); lb_Title.setBounds(0, 0, W_FRAME, 100); lb_Title.setForeground(Color.white); lb_Title.setFont(new Font(null, Font.BOLD, 20)); lb_Title.setHorizontalAlignment(SwingConstants.CENTER); add(lb_Title); lb_Username = new JLabel(); lb_Username.setText("User name"); lb_Username.setBounds(100, 85, W_FRAME, 80); lb_Username.setForeground(Color.white); lb_Username.setFont(new Font(null, Font.BOLD, 15)); add(lb_Username); lb_Password = new JLabel(); lb_Password.setText("<PASSWORD>"); lb_Password.setBounds(100, 130, W_FRAME, 80); lb_Password.setForeground(Color.white); lb_Password.setFont(new Font(null, Font.BOLD, 15)); add(lb_Password); tf_Username = new JTextField(); tf_Username.setBounds(180, 110, 240, 30); add(tf_Username); tf_Password = new JTextField(); tf_Password.setBounds(180, 150, 240, 30); add(tf_Password); btn_Login = new JButton(); btn_Login.setText("Login"); btn_Login.setBounds(250, 200, 100, 30); btn_Login.addActionListener(this); add(btn_Login); } @Override public void actionPerformed(ActionEvent e) { String userName = tf_Username.getText(); String password = <PASSWORD>.getText(); DashBoardFrame frame = new DashBoardFrame(); frame.setText(userName,password); frame.setVisible(true); //close current frame SwingUtilities.getWindowAncestor(this).dispose(); } } <file_sep>/AND_day4/src/com/t3h/ConNguoi/DongVat/Meo.java package com.t3h.ConNguoi.DongVat; public class Meo extends DongVat { public Meo(String ten, int tuoi, boolean gioiTinh, String loai) { super(ten, tuoi, gioiTinh, loai); } @Override public void inThongTin() { super.inThongTin(); } public void batChuot(){ System.out.println("Bat chuot pha lua"); } } <file_sep>/AND_BTVN_Day3/src/HinhHoc.java public abstract class HinhHoc { protected String ten; public HinhHoc(String ten) { this.ten = ten; } public void inThongTin() { System.out.println(ten); } public abstract void tinhChuVi(); public abstract void tinhDienTich(); } <file_sep>/Buoi7/src/com/t3h/file/FileManager.java package com.t3h.file; import java.io.File; import java.io.FileInputStream; import java.io.FileOutputStream; import java.io.IOException; import java.text.SimpleDateFormat; import java.util.Date; public class FileManager { private int i = 0; public void manager() { try { String path = "E:/T3h/Android/Java/1902.txt"; File f = new File(path); boolean exists = f.exists(); System.out.println(exists); if (exists == false) { File parent = f.getParentFile(); parent.mkdirs(); f.createNewFile(); System.out.println("Tao file thanh cong"); } else { f.delete(); System.out.println("Xoa file thanh cong"); } } catch (IOException e) { e.printStackTrace(); } } public void readALLFile() { File f = new File("E:/xampp/htdocs/golgonphp/assets/images/products"); readFileInfor(f); } private void readFileInfor(File f) { try { for (File file : f.listFiles()) { if (file.isFile() && !file.getName().equals("LG-27UD681539175923929.jpg")) { i++; // SimpleDateFormat format = new SimpleDateFormat("dd/mm/yyyy HH: mm"); System.out.println("UPDATE products SET `pimage`=" +"'"+ file.getName()+"'" + " WHERE pid = " + i + ";"); // System.out.print("Name: " + file.getName()+','); // String time = format.format(new Date(file.lastModified())); // System.out.println("\tTime: " + format.format(new Date(file.lastModified()))); // System.out.println("\tPatch: "+file.getPath()); } else { readFileInfor(file); } } } catch (Exception e) { } } public void writeFile() { try { //tro vao file File f = new File("E:/T3h/Android/Java/1902.txt"); if (f.exists() == false) { f.getParentFile().mkdirs(); f.createNewFile(); } //mo luong FileOutputStream out = new FileOutputStream(f, true); //ghi file String str = "Hello world\n"; out.write(str.getBytes()); //dong luong out.close(); } catch (Exception ex) { ex.printStackTrace(); } } public void readFile() { try { File f = new File("E:/T3h/Android/Java/1902.txt"); if (f.exists() == false) { System.out.println("File chua ton tai"); return; } FileInputStream in = new FileInputStream(f); byte[] b = new byte[1024]; int count = in.read(b); String s = ""; while (count != -1) { s = new String(b, 0, count); count = in.read(b); } System.out.println(s); } catch (Exception ex) { ex.printStackTrace(); } } public void replacee() { String a = "(13, 'Keyboard Dare-U EK880 RGB 2019 - Black', 780000, 2, 'DareU', 'Keyboard', '', 'https://product.hstatic.net/1000026716/product/ek880_1_3495448427dc4b64b943d53f5cb72fe1_large.jpg'),\n" + "(14, 'Keyboard Fuhlen M87S RGB', 890000, 2, 'Fuhlen', 'Keyboard', '', 'https://product.hstatic.net/1000026716/product/gearvn-fuhlen-m87s-1_large.jpg'),\n" + "(15, 'Keyboard Gaming DareU DK1280 RGB', 990000, 2, 'DareU', 'Keyboard', '', 'https://product.hstatic.net/1000026716/product/gearvn_dareu1280_avatar_large.png'),\n" + "(16, 'Keyboard Fuhlen D (Destroyer)', 990000, 2, 'Fuhlen', 'Keyboard', '', 'https://product.hstatic.net/1000026716/product/test_03731e4f82234eb4ad12d953fc4f183c_large.jpg'),\n" + "(17, 'Keyboard Gaming DareU EK1280 RGB 2019', 1080000, 2, 'DareU', 'Keyboard', '', 'https://product.hstatic.net/1000026716/product/1280_1_8a65342e507f4785ab3e71a3bda62921_large.png'),\n" + "(18, 'Keyboard Rapoo V720 RGB', 1090000, 2, 'Rapoo', 'Keyboard', '', 'https://product.hstatic.net/1000026716/product/rapoo-v720s-gearvn_large.jpg'),\n" + "(19, 'Keyboard Fuhlen Subverter RGB', 1140000, 2, 'Fuhlen', 'Keyboard', '', 'https://product.hstatic.net/1000026716/product/gearvn_fuhlen_subverter_2gearvn_fuhlen_subverter_3_b54cd3be57eb4a05ad7979769afe9f22_large.jpg'),\n" + "(20, 'Keyboard Fuhlen G87 (Cherry Switches)', 1390000, 2, 'Fuhlen', 'Keyboard', '', 'https://product.hstatic.net/1000026716/product/gearvn-g87_large.jpg'),\n" + "(21, 'AMD Athlon™ 200GE 3.2GHz / 2 nhân 4 luồng / Radeon™ Vega 3 Graphics', 1460000, 2, 'AMD', 'CPU', '', 'https://product.hstatic.net/1000026716/product/gearvn_cpu_amd_large.jpg'),\n" + "(22, 'AMD Ryzen 3 2200G 3.5 GHz tích hợp VGA Radeon Vega 8/6MB/4 nhân 4 luồng', 2590000, 2, 'AMD', 'CPU', '', 'https://product.hstatic.net/1000026716/product/gearvn_amd_ryzen_3_2200g_3.5__2__large.jpg'),\n" + "(23, 'AMD Ryzen 5 2400G 3.6 GHz tích hợp VGA Radeon Vega 11/6MB /4 nhân 8 luồng', 4090000, 2, 'AMD', 'CPU', '', 'https://product.hstatic.net/1000026716/product/gearvn_amd_ryzen_5_2400g_3.6_ghz_a6c966b66cc743bb9f96e7559c0d99a8_large.jpg'),\n" + "(24, 'AMD Threadripper™ 2920X Socket TR4', 16800000, 2, 'AMD', 'CPU', '', 'https://product.hstatic.net/1000026716/product/threadripper_2970wx_gearvn_ac511b4f80524b1e9c0d75383fd5a8ba_large.jpg'),\n" + "(25, 'AMD Threadripper™ 2970WX Socket TR4', 34300000, 2, 'AMD', 'CPU', '', 'https://product.hstatic.net/1000026716/product/threadripper_2970wx_gearvn_large.jpg'),\n" + "(26, 'Core i5 9400F / 9M / 2.9GHz / 6 nhân 6 luồng', 4590000, 2, 'Intel', 'CPU', '', 'https://product.hstatic.net/1000026716/product/i5_9400_gearvn12_large.jpg'),\n" + "(27, 'CPU AMD Ryzen 5 2600/ 6 nhân 12 luồng/ SK AM4', 5050000, 3, 'AMD', 'CPU', '', 'https://product.hstatic.net/1000026716/product/ryzen_5_large.jpg'),\n" + "(28, 'CPU AMD Ryzen 5 2600X / 6 nhân 12 luồng/ SK AM4', 5690000, 3, 'AMD', 'CPU', '', 'https://product.hstatic.net/1000026716/product/ryzen_5_3763d84dca9f4585b255d0b4956d5ff5_large.jpg'),\n" + "(29, 'CPU AMD Ryzen 7 2700/ 8 nhân 16 luồng/ SK AM4', 7900000, 2, 'AMD', 'CPU', '', 'https://product.hstatic.net/1000026716/product/ryzen_7_large.png'),\n" + "(30, 'CPU AMD Ryzen 7 2700X / 8 nhân 16 luồng/ SK AM4', 8650000, 3, 'AMD', 'CPU', '', 'https://product.hstatic.net/1000026716/product/ryzen_2700x_best_overall_gaming_cpu_2018_1000x1000pixels_large.png'),\n" + "(31, 'MSI GeForce® GTX 1050 Ti AERO ITX OC 4GD5', 4190000, 3, 'MSI', 'VGA', '', 'https://product.hstatic.net/1000026716/product/gtx1050ti_aero_gearvn_90551edd91594b749b8a556b80a23387_large.png'),\n" + "(32, 'GIGABYTE GTX 1050 Ti WindForce OC 4GB GDDR5 128bit', 4690000, 5, 'Gigabyte', 'VGA', '', 'https://product.hstatic.net/1000026716/product/gigabyte_1050_ti_winforce_gearvn_0_large.jpg'),\n" + "(33, 'Asus ROG Strix GeForce® GTX 1050 Ti OC 4GD5 Gaming 128bit', 4890000, 4, 'Asus', 'VGA', '', 'https://product.hstatic.net/1000026716/product/814ny-jo8fl._sl1500__large.jpg'),\n" + "(34, 'ASUS Phoenix GTX 1660 OC edition 6GB GDDR5', 6240000, 3, 'Asus', 'VGA', '', 'https://product.hstatic.net/1000026716/product/ph1660_gearvn_53f9516998f44b71860d40d4a219f4e6_large.png'),\n" + "(35, 'GIGABYTE GeForce GTX™ 1660 OC 6G', 6500000, 7, 'Gigabyte', 'VGA', '', 'https://product.hstatic.net/1000026716/product/giga_1660_oc_gearvn_77930f3e488b49b68a18c4f874d78892_large.png'),\n" + "(36, 'MSI GTX 1660 Ventus XS 6G OC GDDR5', 6790000, 4, 'MSI', 'VGA', '', 'https://product.hstatic.net/1000026716/product/gtx_1660_ventus_xs_gearvn_8cbfd7128b934389b9175487724a51ed_large.png'),\n" + "(37, 'ASUS TUF GTX 1660 OC edition 6G Gaming GDDR5', 6840000, 3, 'Asus', 'VGA', '', 'https://product.hstatic.net/1000026716/product/tuf_gtx1660_o6g_gaming_box_vga_acc_ff055808694744ddb9ab095d5647d83e_large.png'),\n" + "(38, 'GIGABYTE GeForce GTX™ 1660 Gaming OC 6G', 6990000, 7, 'Gigabyte', 'VGA', '', 'https://product.hstatic.net/1000026716/product/gv_n1660gaming_oc_6gd_candb_3f58ec338f574b569d6fbdd70e07cb3c_large.png'),\n" + "(39, 'MSI GTX 1660 GAMING X 6G GDDR5', 7150000, 5, 'MSI', 'VGA', '', 'https://product.hstatic.net/1000026716/product/msi_gtx_1660_gaming_x_gearvn_d18ffac8bfa948e497fa8f84335d218c_large.png'),\n" + "(40, 'INNO3D GTX 1660 Ti TWIN X2 GDDR6', 7500000, 6, 'Twin', 'VGA', '', 'https://product.hstatic.net/1000026716/product/1660ti_invo_gearvn_3c66f62eb1ac43b39f27dde8400ff9f9_large.png'),\n" + "(41, 'H310CM DVS LGA 1151v2', 1290000, 4, 'Asrock', 'Mainboard', '', 'https://product.hstatic.net/1000026716/product/h310cm-dvs_gearvn_large.png'),\n" + "(42, 'Asrock H310CM HDV LGA 1151v2', 1390000, 5, 'Asrock', 'Mainboard', '', 'https://product.hstatic.net/1000026716/product/asrock_h310cm-hdv_gearvn_large.jpg'),\n" + "(43, 'Asus Prime H310M-E LGA1151v2', 1500000, 5, 'Asus', 'Mainboard', '', 'https://product.hstatic.net/1000026716/product/prime_h310m-e__with_box_large.png'),\n" + "(44, 'GIGABYTE B360M AORUS PRO LGA1151v2', 2090000, 5, 'Gigabyte', 'Mainboard', '', 'https://product.hstatic.net/1000026716/product/b360m_aorus_pro_gearvn_large.jpg'),\n" + "(45, 'GIGABYTE B360M AORUS GAMING 3 LGA1151v2', 2090000, 5, 'Gigabyte', 'Mainboard', '', 'https://product.hstatic.net/1000026716/product/b360m_aorus_gaming_3_gearvn_0_large.jpg'),\n" + "(46, 'Asrock B360M Pro4 LGA 1151v2', 2090000, 7, 'Asrock', 'Mainboard', '', 'https://product.hstatic.net/1000026716/product/b360m_pro4_gearvn_large.jpg'),\n" + "(47, 'Asus B360G ROG STRIX Gaming LGA 1151v2', 2290000, 5, 'Asus', 'Mainboard', '', 'https://product.hstatic.net/1000026716/product/asus_b360g_gearvn00_large.jpg'),\n" + "(48, 'MSI B360M Mortar LGA1151v2', 2290000, 6, 'MSI', 'Mainboard', '', 'https://product.hstatic.net/1000026716/product/msi_b360m_mortar_gearvn1_large.jpg'),\n" + "(49, 'MSI B360M Mortar Titanium LGA1151v2', 2890000, 6, 'MSI', 'Mainboard', '', 'https://product.hstatic.net/1000026716/product/b360m_mortar_titanium_gearvn1_large.jpg'),\n" + "(50, 'GIGABYTE B360 AORUS GAMING 3 LGA1151V2', 2890000, 5, 'Gigabyte', 'Mainboard', '', 'https://product.hstatic.net/1000026716/product/b360_aorus_gaming_3_22_large.jpg');"; String s = a.replace(" 'https://product.hstatic.net/1000026716/product/"," '"); System.out.println(s); } } <file_sep>/BTVN_AndDay2/src/soN.java import java.text.DecimalFormat; import java.util.Scanner; import static java.lang.Math.*; public class soN { int soN, x; public void nhapN() { Scanner scan = new Scanner(System.in); System.out.print("Nhap so x: "); x = scan.nextInt(); System.out.print("Nhap so N(3<n<50 ): "); soN = scan.nextInt(); while (soN < 3 || soN > 50) { System.out.print("Moi ban nhap lai: "); soN = scan.nextInt(); } System.out.println("Bai1 = " + bai1()); System.out.println("Bai2 = " + bai2()); System.out.println("Bai3 = " + bai3()); System.out.println("Bai4 = " + bai4()); System.out.println("Bai5 = " + bai5()); System.out.println("Bai6 = " + bai6()); System.out.println("Bai7 = " + bai7()); System.out.println("Bai8 = " + bai8()); System.out.println("Bai9 = " + bai9()); System.out.println("Bai10 = " + bai10()); System.out.println("Bai11 = " + bai11()); System.out.println("Bai12 = " + bai12()); System.out.println("Bai13 = " + bai13()); System.out.println("Bai14 = " + bai14()); System.out.println("Bai15 = " + bai15(soN)); scan.close(); } public int bai1() { int S = 0; for (int i = 1; i <= soN; i++) { S = S + i; } return S; } public double bai2() { double S = 0; for (double i = 1; i <= soN; i++) { S = S + Math.pow(i, 2); } return S; } public float bai3() { float S = 0; for (float i = 1; i <= soN; i++) { S = S + 1 / i; } return S; } public float bai4() { float S = 0; for (float i = 1; i <= soN; i++) { S = S + 1 / (2 * i); } return S; } public float bai5() { float S = 0; for (float i = 1; i <= soN; i++) { S = S + 1 / (2 * i + 1); } return S; } public float bai6() { float S = 0; for (float i = 1; i <= soN; i++) { S = S + 1 / (i * (i + 1)); } return S; } public float bai7() { float S = 0; for (float i = 1; i <= soN; i++) { S = S + i / (i + 1); } return S; } public float bai8() { float S = 0; for (float i = 1; i <= soN; i++) { S = S + (2 * i + 1) / (2 * i + 2); } return S; } public long bai9() { long S = 1; for (int i = 1; i <= soN; i++) { S = S * i; } return S; } public long bai9_1(long i) { long S = 1; for (long j = 1; j <= i; j++) { S = S * j; } return S; } public long bai10() { long S = 1; for (int i = 1; i <= soN; i++) { S = S * x; } return S; } public long bai10_1(long i) { long S = 1; for (int j = 1; j <= i; j++) { S = S * x; } return S; } public long bai11() { long S = 0; for (long i = 1; i <= soN; i++) { S = S + bai9_1(i); } return S; } public long bai12() { long S = 0; for (long i = 1; i <= soN; i++) { S = S + bai10_1(i); } return S; } public long bai13() { long S = 0; for (long i = 1; i <= soN; i++) { S = S + bai10_1(i * 2); } return S; } public long bai14() { long S = 0; for (long i = 0; i <= soN; i++) { S = S + bai10_1((i * 2) + 1); } return S; } public long bai15(int n){ if(n == 1 || n == 0){ return 1; }else{ return n*bai15(n -1); } } } <file_sep>/GameTank/src/Bullet.java public class Bullet { int speed; int damage; void input() { } void move() { } void fire() { } } <file_sep>/BTGiaiThuat/src/com/t3h/quanlycanbo/CanBo.java package com.t3h.quanlycanbo; import java.util.Scanner; public class CanBo { private String hoTen; private int namSinh; private boolean gioiTinh; private String diaChi; public void nhap() { Scanner sc = new Scanner(System.in); System.out.println("Nhap ho ten: "); hoTen = sc.nextLine(); System.out.println("Nhap nam sinh: "); namSinh = Integer.parseInt(sc.nextLine()); System.out.println("Nhap vao gioiTinh(nam/nu): "); String gt = sc.nextLine(); if (gt.equalsIgnoreCase("nam")) gioiTinh = false; else gioiTinh = true; System.out.println("Nhap vao dia chi: "); diaChi = sc.nextLine(); } public String getHoTen() { return hoTen; } public void inThongTin(){ System.out.println("Ho Ten: "+hoTen); System.out.println("Nam sinh: "+namSinh); System.out.println("Gioi tinh: "+(gioiTinh?"Nu":"Nam")); System.out.println("Dia chi: "+diaChi); } } <file_sep>/BTVN_AndDay2/src/Sothuc.java import java.util.Scanner; public class Sothuc { double a, b; public void Nhap() { Scanner scan = new Scanner(System.in); System.out.print("Nhap so a: "); a = scan.nextDouble(); System.out.print("Nhap so b: "); b = scan.nextDouble(); } public void Tinh() { int x = 0; Scanner scan = new Scanner(System.in); double cong = a + b; double tru = a - b; double nhan = a * b; double chia = a / b; double lay_du = a % b; do { System.out.println("Moi ban chon phep tinh:"); System.out.println("1: Cong"); System.out.println("2: Tru"); System.out.println("3: Nhan"); System.out.println("4: Chia"); System.out.println("5: Chia lay du"); System.out.println("6: Thoat"); x = scan.nextInt(); switch (x) { case 1: System.out.println(a + " + " + b + " = " + cong); break; case 2: System.out.println(a + " - " + b + " = " + tru); break; case 3: System.out.println(a + " * " + b + " = " + nhan); break; case 4: System.out.println(a + " / " + b + " = " + chia); break; case 5: System.out.println(a + " % " + b + " = " + lay_du); break; case 6: break; default: System.out.println("Moi ban chon lai: "); break; } } while (x != 6); } }
a0bd67d7370432f5911f474f51b53cf9f7b3659f
[ "Java" ]
31
Java
Sangdk/JavaT3h
0b20cc7600e1fb7fb51efbc3d250605e275decfe
41df0db309bf5a1b80748629100beef592f70434
refs/heads/master
<file_sep>cmake_minimum_required(VERSION 3.2) project(PE_Problem2) set(CMAKE_CXX_FLAGS "${CMAKE_CXX_FLAGS} -std=c++11") set(SOURCE_FILES main.cpp) add_executable(PE_Problem2 ${SOURCE_FILES})<file_sep>#include <iostream> #include <stdio.h> using namespace std; int findAddedMultiples(int m1, int m2, int n); int findAddedMultiples2(int m1, int m2, int n); int main() { int m1, m2, n; printf("Enter numbers <multiple 1>,<multiple 2>,<bound>\n"); scanf("%d,%d,%d", &m1, &m2, &n); cout << "Added: " << findAddedMultiples(m1,m2,n) << endl; cout << "Added: " << findAddedMultiples2(m1,m2,n) << endl; return 0; } int findAddedMultiples(int m1, int m2, int n){ int total = 0, counter = 0; for(int i = 0; i < n; i++){ counter++; if(i % m1 == 0 || i % m2 == 0){ total += i; } } cout << "(" << counter << ") "; return total; } int findAddedMultiples2(int m1, int m2, int n){ int counter = 0; int total = 0; for(int i = 0; i < n; i+=m1){ total += i; counter++; } for(int i = 0; i < n; i+=m2){ if(i % m1 != 0) total += i; counter++; } cout << "(" << counter << ") "; return total; } <file_sep>#include <iostream> using namespace std; int evenfibsum(int n); int main() { int n; cout << "Enter the bound" << endl; cin >> n; cout << "Sum of even fibonacci numbers: " << evenfibsum(n) << " (n="<< n <<")" << endl; return 0; } int evenfibsum(int n){ int prev = 1, temp, sum = 0; for(int i = 1; i < n; temp = prev, prev = i, i=i+temp){ if(i % 2 == 0){ sum+=i; } } return sum; }
46ea424e704c361032f8d79d538b918785d97c0b
[ "C++", "CMake" ]
3
C++
jpm61704/Project_Euler
901b6ff3349791cf482936b8bd14b8e3373bda0d
8f90a15c225bf2a33fbee97f5e7693f2f27650d6
refs/heads/master
<repo_name>HaiNam-Hybrid/hello-world<file_sep>/README.md # hello-world Hi, my name is Nam I'm fresher dev in Hybrid-tech
5334027264e46b14632e550207acf9e265124a18
[ "Markdown" ]
1
Markdown
HaiNam-Hybrid/hello-world
fe853fe31bd01e97c0083aaa1fa7af3d4aa05fe3
575cd67c1cd10c4ea953b60e7dc6618785461308
refs/heads/master
<repo_name>lswzjuer/tensorflow-quantity<file_sep>/README.md 详情请见pytorch-quantity 原理相同,针对不同的框架的实现版本 <file_sep>/quantity/configs.yml PATH: DATA_PATH: /private/liuzili/quantize/OneDrive_1_2019-5-10/obj_data OUTPUT: WEIGHT_BIT_TABLE: ./obj_workdir/weight.table FEAT_BIT_TABLE: ./obj_workdir/feat.table WEIGHT_DIR: ./obj_workdir/weight BIAS_DIR: ./obj_workdir/bias FINAL_BIAS_DIR: ./obj_workdir/new_bias SETTINGS: GPU: 0 WORKER_NUM: 12 INTERVAL_NUM: 2048 STATISTIC: 1 MAX_CALI_IMG_NUM: 400 MAX_SHIFT: 12 SUPPORT_DILATION: False
189f63dd4ca9d4526999318469a2d68030bf1072
[ "Markdown", "YAML" ]
2
Markdown
lswzjuer/tensorflow-quantity
4d32e93f58d9cf15a54ab180bbb6bcda87271d15
6dd8fe87243c9eb12de22590c89f7a52206ad25b
refs/heads/main
<repo_name>AdithyaSanyal/Text_Summarizer<file_sep>/README.md # Text-Summarizer Abstractive and extractive text summarizer. The abstractive text summarizer is done using the T5Tokenizer. The extractive text summarizer is done with the help of GloVe(Global Vectors) word embeddings. Along with this other NLP libraries like nltk used. Link for GloVe(Global Vectors) word embeddings: https://www.kaggle.com/danielwillgeorge/glove6b100dtxt
a89eb047fe515dce92c3be84d94161ef110b10a5
[ "Markdown" ]
1
Markdown
AdithyaSanyal/Text_Summarizer
b29b71c465b766ca311e3cd1df131a8685a10789
f89a0f076d3d16503c995002d34c05fcbf3c7d05
refs/heads/master
<repo_name>zhouqing86/rlang<file_sep>/jingxikongzhi.R par(no.readonly=TRUE) -> opar par(fig=c(0,0.8,0,0.8)) plot(mtcars$wt,mtcars$mpg, xlab="Miles Per Gallon", ylab="Car Weight") par(fig=c(0,0.8,0.55,1),new=TRUE) boxplot(mtcars$wt,horizontal=TRUE,axes=FALSE) par(fig=c(0.65,1,0,0.8),new=TRUE) boxplot(mtcars$mpg,axes=FALSE) mtext("Enhanced Scatterplot",side=3,outer=TRUE,line=-3) par(opar)<file_sep>/test.r print("hello world") x <- 1 y <- 2 z <- x + y<file_sep>/project_pie.R pieFunc.project = function(project,colname="Project",min=3, col=heat.colors(12)){ rep(1,nrow(project)) -> n; factor(project[[colname]]) -> project[[colname]]; tapply(n,project[[colname]],sum) -> projects; projects[projects >= min ] -> projects; paste(round(projects / sum(projects) * 100,1),"%",sep="") -> percent; gsub("TW China","",names(projects)) -> names(projects); gsub("-"," ",names(projects)) -> names(projects); gsub("FY15"," ",names(projects)) -> names(projects); gsub("FY2015","",names(projects)) -> names(projects); gsub("China","",names(projects)) -> names(projects); gsub(" "," ",names(projects)) -> names(projects); sort(projects,decreasing = TRUE) -> projects; pie(projects,label=paste(names(projects),projects,",",percent),col=col); } pieFunc.col = function(project,colname="Gender"){ tapply(rep(1,nrow(project)),project[[colname]],sum) -> res; } pieFunc.col.pie = function(project, colname="Gender",col=heat.colors(2),main="TW Project",cex=0.8){ pieFunc.col(project,colname) -> result; sort(result, decreasing = TRUE) -> result; paste(names(result)," ",result,",",round(result/sum(result)*100,1),"%", sep = "") -> labelstr; pie(result,label=labelstr,col=col,main=main,cex=cex); } <file_sep>/ch01/ch01/Untitled.R w = read.table("cofreewy.txt",header=T); a = lm(CO~.,w); summary(a); b = step(a,direction="backward"); summary(b); shapiro.test(b$res); <file_sep>/ContractApp_files/company_reference.js function CompanyReference(nameEl, idEl, agentRef) { var searchService = new CompanySearchService(); var companyView = new CompanyView(nameEl, idEl); this.setCompanyAutoComplete = function() { nameEl.autocomplete({ minLength: 3, source: function (request, response) { searchService.search(request.term, constructData(response)); }, focus: function(event, ui) { nameEl.val( ui.item.label ); return false; }, select: function(event, ui) { companyView.renderCompany(ui.item, agentRef); return false; } }).autocomplete("instance")._renderItem = function (ul, item) { return companyView.addCompanyOptions(ul, item); }; } } function CompanySearchService() { this.search = function(query, successb) { $.ajax({ url: '/companies', dataType: "json", data: { "name-like": query }, success: successb }); } } function CompanyView(nameEl, idEl) { this.renderCompany = function(companyItem, agentRef) { nameEl.val(companyItem.label); idEl.val(companyItem.value); agentRef.addAgentsBy(companyItem.value); } this.addCompanyOptions = function(ul, companyItem) { return $("<li>").append("<a>" + companyItem.label + "(ID: " + companyItem.value + ")" + "</a>").appendTo(ul); } } function constructData(func) { return function(data, textStatus, jqXHR) { func($.map(data, adaptToUI)); } } function adaptToUI(company, index) { return { value: company.id, label: company.name } } ; <file_sep>/dist/dbiom_test.R #!/usr/bin/Rscript --save # getDbinom <- function(c){ # x <- dbinom(c,size=length(c)-1,prob=0.5) # x # } # C <- c(0:10) # D <- getDbinom(C) # # plot(c,D) # # points(C,C,pch="+")<file_sep>/ContractApp_files/previous_contracts_reference.js function PreviousContractsReference(previousContractsService) { this.populate = function(agentId, ac_id_field, ac_value_field) { previousContractsService.search(agentId, this.config(ac_id_field, ac_value_field)); }; this.config = function(ac_id_field, ac_value_field) { var that = this; return function(results) { if(typeof results.contract_products == "undefined" || results.contract_products.length === 0) { that.setNoResults(ac_id_field, ac_value_field); } else { $(ac_value_field).prop('disabled', false); var previous_contracts_autocomplete = $(ac_value_field).autocomplete({ minLength: 0, source: that._mapPreviousContracts(results.contract_products), delay: 300, focus: function (event, ui) { if (ui.item != undefined) { $(ac_value_field).val(ui.item.value); } return false; }, select: function (event, ui) { if (ui.item != undefined) { $(ac_id_field).val(ui.item.value); $(ac_value_field).val(ui.item.value); } return false; } }).data('ui-autocomplete'); $(ac_value_field).focus(function() { $(this).data("ui-autocomplete").search($(this).val()); }); previous_contracts_autocomplete._renderMenu = that._renderMenu; previous_contracts_autocomplete._renderItem = that._renderItem; } }; }; this.clear = function(ac_id_field, ac_value_field) { $(ac_value_field).prop('disabled', true); $(ac_id_field).val(''); $(ac_value_field).val(''); }; this.setNoResults = function(ac_id_field, ac_value_field) { this.clear(); $(ac_value_field).val('No previous contracts found'); }; // Private this._renderMenu = function(ul, items) { var that = this; ul.addClass("previous-contract-ac"); $("<li aria-label='Nil'></li>").addClass('header') .data("item.autocomplete", {}) .append($('<div />').addClass('col').text('Contract ID')) .append($('<div />').addClass('col').text('Product')) .append($('<div />').addClass('col').text('Contract Status')) .append($('<div />').addClass('col').text('Expiry Date')) .appendTo(ul); $.each(items, function(index, item) { that._renderItemData(ul, item); }); $(ul).find("li:odd").addClass("stripe"); }; this._renderItem = function(ul, item) { return $("<li></li>") .data("item.autocomplete", item) .append($('<div />').addClass('col').text(item.value)) .append($('<div />').addClass('col').text(item.product)) .append($('<div />').addClass('col').text(item.contract_status)) .append($('<div />').addClass('col').text(item.expiry_date)) .appendTo(ul); }; this._mapPreviousContracts = function(unmapped_previous_contracts) { var that = this; return _.map(unmapped_previous_contracts, function(contract) { return { value: contract.contract_id, label: contract.product_code, product: contract.product_code + ' (' + contract.product_id + ')', expiry_date: moment(contract.end_date).format('DD[/]MM[/]YYYY'), contract_status: that._mapContractStatus(contract.status) }; }); }; this._mapContractStatus = function(unmapped_contract_status) { if (unmapped_contract_status === 'Act') { return 'Active'; } if (unmapped_contract_status === 'Can') { return 'Cancelled'; } if (unmapped_contract_status === 'Exp') { return 'Expired'; } if (unmapped_contract_status === 'Out') { return 'Out of Contract'; } if (unmapped_contract_status === 'Dra') { return 'Draft'; } return 'Unknown'; }; } function PreviousContractsService(URL) { this.search = function(agentId, successCallback) { $.ajax({ url: URL + agentId, dataType: 'json', success: successCallback } ); } } ; <file_sep>/dose_tuxing.R c(20,30,40,45,60) -> dose c(16,20,27,40,60) -> drugA c(15,18,25,31,40) -> drugB opar <- par(no.readonly=TRUE) par(lwd=2,cex=1.5,font.lab=2) plot(dose,drugA, type="b",pch=15,lty=1,col="red", ylim=c(0,60),main="Drug A vs. Drug B", xlab="Drug Dosage",ylab="Drug Response") lines(dose,drugB,type="b",pch=17,lty=2,col="blue") abline(h=c(30),lwd=1.5,lty=2,col="gray") library(Hmisc) minor.tick(nx=3,ny=3,tick.ratio=0.5) legend("topleft",inset=0.05,title="Drug Type",c("A","B"), lty=c(1,2),pch=c(15,17),col=c("red","blue")) par(opar)<file_sep>/page_rank.r #!/usr/bin/Rscript --save #未考虑阻尼系统的情况 #构建邻接矩阵 #列:源页面 行:目标页面 adjacencyMatrix <- function(pages){ maxn <- max(apply(pages,2,max)) A <- matrix(0,maxn,maxn) for(i in 0:nrow(pages)) A[pages[i,]$dist,pages[i,]$src] <- 1 A } #变换概率矩阵 probabiltyMatrix <- function(G){ cs <- colSums(G) cs[cs == 0] <- 1 n <- nrow(G) A <- matrix(0,n,ncol(G)) for(i in 0:n) A[i,] = G[i,]/cs A } #递归计算矩阵特征值 eigenMatrix<-function(G,iter=100){ iter<-10 n<-nrow(G) x <- rep(1,n) for (i in 1:iter) { x <- G %*% x print(x)} x/sum(x) } #变换概率矩阵,考虑d的情况 dProbabilityMatrix<-function(G,d=0.85){ cs <- colSums(G) cs[cs==0] <- 1 n <- nrow(G) delta <- (1-d)/n A <- matrix(delta,nrow(G),ncol(G)) for (i in 1:n) A[i,] <- A[i,] + d*G[i,]/cs A } #直接计算矩阵特征值 calcEigenMatrix<-function(G){ x <- Re(eigen(G)$vectors[,1]) x/sum(x) } pages<-read.table(file="pages.csv",header=FALSE,sep=",") names(pages)<-c("src","dist");pages # A <- probabiltyMatrix(A);A # result <- eigenMatrix(A); result A<-adjacencyMatrix(pages);A G<-dProbabilityMatrix(A);G q<-calcEigenMatrix(G);q
6227724d14a4b8556b245d18bbedb8db6b9749bc
[ "R", "JavaScript" ]
9
R
zhouqing86/rlang
f493733c44410a301c3bcc79ab43858c8fa71cde
42968457e6665117a8a96a047ea991194f555314
refs/heads/master
<repo_name>arnaudjuracek/kirby-iframe-field<file_sep>/README.md # kirby-iframe-field A very simple field to display an iframe in the panel ![preview.png](preview.png) ## Installation ### Download Download and copy this repository to `/site/plugins/iframe-field`. ### Git submodule ``` git submodule add https://github.com/arnaudjuracek/kirby-iframe-field.git site/plugins/iframe-field ``` ### Composer ``` composer require arnaudjuracek/iframe-field ``` ## Blueprint usage ```yaml fields: webpage: type: iframe src: https://getkirby.com/ ratio: 16/9 ``` ## Options ### `src: string` The source of the iframe. Can be either a relative path (if you want to display something related to the content of your website, a template, a panel page, etc…) or an absolute path (to display something related to another website, but be careful of CORS though). ### `ratio: fraction` Default is `4/3`. Define the aspect ratio of the iframe. Can be used in conjunction with the standard field `width` property. ## License [MIT](https://tldrlegal.com/license/mit-license). <file_sep>/index.php <?php require_once __DIR__ . '/lib/functions.php'; Kirby::plugin('arnaudjuracek/iframe-field', [ 'fields' => [ 'iframe' => [ 'props' => [ 'src' => function (string $src = null) { return $src; }, 'ratio' => function (string $ratio = '4/3') { return fraction($ratio); } ], 'computed' => [ 'style' => function () { return 'padding-top:' . str_replace(',', '.', round(1 / $this->ratio * 100, 3)) . '%;'; } ] ] ] ]); <file_sep>/lib/functions.php <?php function fraction ($fract, $dec = 6) { $numbers = explode('/', $fract); return round($numbers[0] / $numbers[1], $dec); } <file_sep>/index.js /* global panel */ panel.plugin('arnaudjuracek/iframe-field', { fields: { iframe: { props: { src: String, style: String }, template: ` <k-view class="iframe-field" style="{{style}}"> <iframe :src=src frameborder="0"></iframe> </k-view>` } } })
ec22810178e247e67ec9e7e23a0188eaf7930956
[ "Markdown", "JavaScript", "PHP" ]
4
Markdown
arnaudjuracek/kirby-iframe-field
48172366eacaf50d51cddbdba0670a49c25e5a55
cf593efa79e988cc1ae573605db070a17067e708
refs/heads/master
<repo_name>Anni1123/PopUpWindow<file_sep>/pop.js var parent=document.querySelector(".modal-parent"), btn=document.querySelector("button"), X=document.querySelector(".X"), section=document.querySelector("section"); btn.addEventListener("click",appear); function appear(){ parent.style.display="block" section.style.filter="blur(10px)" } X.addEventListener("click",disappear) function disappear() { // body... parent.style.display="none"; section.style.filter="blur(0px)" } parent.addEventListener("click",disappearP) function disappearP(e) { if(e.target.className == "modal-parent"){ // body... parent.style.display="none"; section.style.filter="blur(0px)" } }<file_sep>/README.md # PopUpWindow A Pop Up Window Appears After CLicking On Buttton Done Using Javascript
dc9d67b3ee1453317052f5cd8a5f7eccd30577d6
[ "Markdown", "JavaScript" ]
2
Markdown
Anni1123/PopUpWindow
6696beb17c21f6760521ba46df0fa0c209429aa6
9a967fb2b5dfab235a6b84c88348f57b59f8db51
refs/heads/master
<repo_name>jxced/DJ.RegSys<file_sep>/Dj.Repository/Class1.cs using System; using System.Collections.Generic; using System.Linq; using System.Text; using System.Threading.Tasks; namespace DJ.Repository { class Class1 { ClassInfoDAL ClassInfoDAL { get; } DBSession dBSession = new DBSession(); void v() { // dBSession.ClassInfoDAL.Add(); } } } <file_sep>/Dj.Repository/EFFactory.cs using System; using System.Collections.Generic; using System.Data.Entity; using System.Linq; using System.Runtime.Remoting.Messaging; using System.Text; using System.Threading.Tasks; namespace DJ.Repository { public class EFFactory { /// <summary> /// 检查当前线程是否存在ef容器,存在则直接返回当前线程的ef容器,不存在则新建ef容器,使当前线程ef容器唯一。 /// </summary> /// <returns>当前线程的ef容器</returns> public static DbContext GetEFContext() { DbContext db = CallContext.GetData("efContext") as DbContext; if (db==null) { db = new RegSysEntities(); CallContext.SetData("efContext", db); } return db; } /// <summary> /// 使用特性指定当前线程ef容器唯一 /// </summary> [ThreadStatic] static DbContext db = new RegSysEntities(); public static DbContext GetContextT() { return db; } } } <file_sep>/DJ.Web/Areas/Admin/Views/Account/Login.cshtml @model DJ.Models.ViewEntity.LoginVEntity @using DJ.Utility; @{ Layout = null; var isKeep = Request.Cookies[UtilityStr.USER_COOKIE_KEY]; } <!DOCTYPE html> <html> <head> <meta http-equiv="Content-Type" content="text/html; charset=utf-8" /> <meta name="viewport" content="width=device-width" /> <link href="/Areas/Admin/Content/style.css" rel="stylesheet" media="all" /> <title>管理员登陆界面</title> </head> <body> @using (Html.BeginForm("Login","Account",FormMethod.Post)) { <div class="login"> <div class="login-main"> <div class="login-top"> <img src="/Areas/Admin/Content/images/head-img.png" alt="" /> <h1>Login <span class="anc-color"> to your account</span> </h1> <h2>Login with</h2> <ul> <li><a class="fa" href="#"> </a></li> <li><a class="tw" href="#"> </a></li> <li><a class="g" href="#"> </a></li> </ul> <h3> or</h3> <div class="login-input"> @Html.AntiForgeryToken() @Html.TextBoxFor(Model => Model.Email, new { @class = "form-control", placeholder = "Email" }) @*<input type="text" placeholder="Email" required="">*@ @Html.PasswordFor(Model => Model.Pwd, new { @class = "form-control", placeholder = "<PASSWORD>" }) @*<input type="password" placeholder="<PASSWORD>" required="">*@ </div> <div class="login-Validation"> @Html.ValidationSummary("",new { @class = "text-danger" }) </div> <div class="login-bottom"> <div class="login-check"> <label class="checkbox">@Html.CheckBox("IsKeep",false,new { @onclick = "IsK()" })<i> <img id="checkImg" hidden="hidden" @*style="display:none"*@ src="~/Areas/Admin/Content/images/tick.png"/></i> Remember Me</label> </div> <div class="login-para"> <p><a href="#"> Forgot Password </a></p> </div> <div class="clear"> </div> </div> <input type="submit" value="Login" /> <h4>Don't have an account? <a href="#"> Register now! </a></h4> </div> </div> </div> } <div class="copyright"> <p>Template by <a href="http://www.smallseashell.com">.小贝壳网站模板</a></p> </div> <script> function IsK() { if ($("#checkImg").attr("hidden" == "")) { //$("#IsKeep").attr("checked", "checked"); $("#checkImg").attr("hidden" == "hidden"); } else { //$("#IsKeep").attr("checked", ""); $("#checkImg").attr("hidden" == "hidden"); } } </script> @Scripts.Render("~/bundles/jquery") @Scripts.Render("~/bundles/jqueryval") </body> </html> <file_sep>/DJ.Web/Areas/Admin/Controllers/AccountController.cs using DJ.UIHelper; using System; using System.Collections.Generic; using System.Linq; using System.Web; using System.Web.Mvc; using DJ.Utility; using System.Security.Cryptography; using System.Web.WebPages; namespace DJ.Web.Areas.Admin.Controllers { public class AccountController : BaseController { [HttpGet] public ActionResult Login() { return View(); } [HttpPost,ValidateAntiForgeryToken] public ActionResult Login(DJ.Models.ViewEntity.LoginVEntity entity) { ModelState.Remove("IsKeep"); if (ModelState.IsValid) { string name,pwd; using (MD5CryptoServiceProvider md5 =new MD5CryptoServiceProvider()) { name = entity.Email; pwd = entity.Pwd.ToMD5(md5); } var user = CurrentContext.ServiceSession.UserInfoBLL.Where(o => o.UserName == name).FirstOrDefault().ToPOCO(); if (user!=null) { if (user.UserPwd==pwd) { CurrentContext.SessionUserInfo= user; if (entity.IsKeep) { CurrentContext.Cookie = user.UserId.ToString(); } return Redirect("~/HtmlPage1.html"); //return RedirectToAction(""); } } } ModelState.AddModelError("", "用户名或密码错误"); return View(); } public ActionResult LoginOut() { return View(); } public ActionResult Check() { string name= Request.Form["Email"]; bool isexsit= CurrentContext.ServiceSession.UserInfoBLL.Where(o => o.UserName == name).Any(); return isexsit? Content("true"):Content("false"); } } }<file_sep>/Dj.Repository/DBSession.cs using System; using System.Collections.Generic; using System.Linq; using System.Text; using System.Threading.Tasks; namespace DJ.Repository { /// <summary> /// 数据仓储,作用: /// 1.调用EF容器 批量 执行 sql语句 /// 2.方便通过 子接口属性直接 获取 对应数据表的操作接口对象 /// </summary> public partial class DBSession:DJ.IRepository.IDBSession { /// <summary> /// 统一保存线程内的ef crud操作 /// </summary> /// <returns></returns> public int SaveChanges() { return EFFactory.GetEFContext().SaveChanges(); } } } <file_sep>/DJ.Service/ServiceSession.cs using System; using System.Collections.Generic; using System.Linq; using System.Text; using System.Threading.Tasks; namespace DJ.Service { /// <summary> /// 业务层仓储,作用: /// 1.调用EF容器 批量 执行 sql语句 /// 2.方便通过 子接口属性直接 获取 对应数据表的操作接口对象 /// </summary> public partial class ServiceSession : IService.IServiceSession { /// <summary> /// 统一保存线程内的ef crud操作 /// </summary> /// <returns></returns> public int SaveChanges() { return -1; //EFFactory.GetEFContext().SaveChanges(); } } } <file_sep>/DJ.UIHelper/OperationContext.cs using System; using System.Collections.Generic; using System.Linq; using System.Runtime.Remoting.Messaging; using System.Text; using System.Threading.Tasks; using System.Web; using System.Web.Mvc; using System.Web.SessionState; using System.Web.Caching; using DJ.Utility; using DJ.Models.TemplateModels; namespace DJ.UIHelper { /// <summary> /// UI层操作上下文,封装业务层常用方法和属性供UI使用; /// </summary> public class OperationContext { //定义用户session键的常量 //public const string USER_SESSION_KEY="uInfo"; //定义用户权限session键的常量 //public const string USER_PER_SESSION_KEY = "uPer"; //定义用户cookie session键的常量 //public const string USER_COOKIE_KEY = "ucookie"; private IService.IServiceSession _serviceSession; #region 封装当前线程的UI层操作上下文 /// <summary> /// 封装当前线程的UI操作上下文:从当前线程获取当前操作上下文对象,没有则新建; /// </summary> public static OperationContext Current { get { var context = CallContext.GetData(typeof(OperationContext).FullName) as OperationContext; if (context == null) { context = new OperationContext(); CallContext.SetData(typeof(OperationContext).FullName, context); } return context; } } #endregion #region 封装当前线程的业务层仓储 /// <summary> /// 获取业务层仓储 /// </summary> public IService.IServiceSession ServiceSession { get { if (_serviceSession == null) { _serviceSession = Utility.DI.GetObject<IService.IServiceSession>("ServiceSession"); } return _serviceSession; } } #endregion #region 封装当前线程http信息的上下文和上下文的属性 public HttpContext Context { get { return HttpContext.Current; } } public DJ.Models.UserInfo SessionUserInfo { get { return HttpContext.Current.Session[UtilityStr.USER_SESSION_KEY] as DJ.Models.UserInfo; } set { HttpContext.Current.Session[UtilityStr.USER_SESSION_KEY] = value; } } public HttpRequest Request { get { return HttpContext.Current.Request; } } public HttpResponse Response { get { return HttpContext.Current.Response; } } public HttpServerUtility Server { get { return HttpContext.Current.Server; } } public Cache Cache { get { return HttpContext.Current.Cache; } } public string Cookie { get { var cookie = Request.Cookies[UtilityStr.USER_COOKIE_KEY].Value; return cookie; } set { var cookie = new HttpCookie(UtilityStr.USER_COOKIE_KEY); cookie.Value = value; cookie.Expires = DateTime.Now.AddDays(7); HttpContext.Current.Response.Cookies.Add(cookie); } } #endregion #region 定义的json格式消息集合 /// <summary> /// 返回操作成功的json格式数据 /// </summary> /// <param name="msg"></param> /// <param name="backUrl"></param> /// <param name="data"></param> /// <returns></returns> public JsonResult MsgOK(string msgOk = "操作成功", string backUrl = "", object data = null) { return AjaxMsg(new AjaxMsg() { States = MsgState.OK, Msg = msgOk, BackUrl = backUrl, Data = data }); } /// <summary> /// 返回操作失败的json格式数据 /// </summary> /// <param name="msgFail"></param> /// <param name="backUrl"></param> /// <param name="data"></param> /// <returns></returns> public JsonResult MsgFail(string msgFail = "操作失败", string backUrl = "", object data = null) { return AjaxMsg(new AjaxMsg() { States = MsgState.OK, Msg = msgFail, BackUrl = backUrl, Data = data }); } public JsonResult MsgNoLogin(string msgNoLogin = "未登录", string backUrl = "", object data = null) { return AjaxMsg(new AjaxMsg() { States = MsgState.OK, Msg = msgNoLogin, BackUrl = backUrl, Data = data }); } public JsonResult MsgNoPermission(string msgNoPermission = "没有访问此操作的权限", string backUrl = "", object data = null) { return AjaxMsg(new AjaxMsg() { States = MsgState.OK, Msg = msgNoPermission, BackUrl = backUrl, Data = data }); } public JsonResult MsgErr(string msgErr = "操作异常", string backUrl = "", object data = null) { return AjaxMsg(new AjaxMsg() { States = MsgState.OK, Msg = msgErr, BackUrl = backUrl, Data = data }); } /// <summary> /// 返回ajax请求的json数据 /// </summary> /// <param name="ajaxMsg">传入json消息对象</param> /// <returns></returns> public JsonResult AjaxMsg(AjaxMsg ajaxMsg) { return new JsonResult() { Data = ajaxMsg, JsonRequestBehavior = JsonRequestBehavior.AllowGet }; } #endregion public ContentResult JsMsg(string msg="",string backUrl="") { StringBuilder jStr = new StringBuilder(); jStr.Append("<script> alert(\"").Append(msg) .Append("\"); if (window.top != window) { window.top.location =\"") .Append(backUrl).Append("\" }else { window.location=\"") .Append(backUrl).Append("\";} </script>"); return new ContentResult() { Content = jStr.ToString(), ContentEncoding = Encoding.UTF8 }; } } } <file_sep>/Dj.IRepository/IDBSession.cs using System; using System.Collections.Generic; using System.Linq; using System.Text; using System.Threading.Tasks; namespace DJ.IRepository { /// <summary> /// 数据仓储接口,作用: /// 1.调用EF容器 批量 执行 sql语句 /// 2.方便通过 子接口属性直接 获取 对应数据表的操作接口对象 /// </summary> public partial interface IDBSession { int SaveChanges(); } } <file_sep>/DJ.Service/DBSessionFactory.cs using System; using System.Collections.Generic; using System.Linq; using System.Runtime.Remoting.Messaging; using System.Text; using System.Threading.Tasks; namespace DJ.Service { public class DBSessionFactory { public static IRepository.IDBSession GetDBSession() { var db= CallContext.GetData("DBSession") ; if (db==null) { db = DJ.Utility.DI.GetObject< IRepository.IDBSession>("DBSession"); CallContext.SetData("DBSession", db); } return db as IRepository.IDBSession; } } } <file_sep>/DJ.Models/ViewEntity/LoginVEntity.cs using System; using System.Collections.Generic; using System.Linq; using System.Web; namespace DJ.Models.ViewEntity { using System.ComponentModel; using System.ComponentModel.DataAnnotations; public class LoginVEntity { [Required(ErrorMessage ="用户名不能为空")] public string Email { get; set; } [Required(ErrorMessage ="密码不能为空")] [MinLength(8,ErrorMessage ="密码长度至少8位")] public string Pwd { get; set; } public bool IsKeep { get; set; } } }<file_sep>/DJ.IService/IBaseService.cs using System; using System.Collections.Generic; using System.Linq; using System.Linq.Expressions; using System.Text; using System.Threading.Tasks; namespace DJ.IService { /// <summary> /// 数据层父接口 /// </summary> /// <typeparam name="TEntity">实体类,对应要操作的表</typeparam> public interface IBaseService<TEntity> where TEntity:class { /// <summary> /// 新增Tentity 类型的实体 /// </summary> /// <param name="entity">要新增的对象</param> /// <returns></returns> void Add(TEntity entity); /// <summary> /// 删除传入的TEntity类型对象 /// </summary> /// <param name="entity">要删除的对象</param> /// <returns></returns> void Remove(TEntity entity); /// <summary> /// 根据表达式expression条件更新 /// </summary> /// <param name="expression">表达式条件</param> /// <returns></returns> void Remove(Expression<Func<TEntity, bool>> expression); /// <summary> /// 根据传入的实体和属性名,修改数据 /// </summary> /// <param name="entity">传入的实体</param> /// <param name="properties">传入要修改的属性名</param> void Update(TEntity entity,params string[] properties); /// <summary> /// 根据传入的表达式、属性名和属性值,修改数据 /// </summary> /// <param name="expression">条件表达式</param> /// <param name="properties">传入的属性名</param> /// <param name="values">传入的属性值</param> void Update(Expression<Func<TEntity, bool>> expression, string[] properties, object[] values); /// <summary> /// 根据条件查询数据 /// </summary> /// <param name="expression">条件表达式</param> /// <returns></returns> IEnumerable<TEntity> Where(Expression<Func<TEntity, bool>> expression); } } <file_sep>/DJ.UIHelper/BaseController.cs using System; using System.Collections.Generic; using System.Linq; using System.Text; using System.Threading.Tasks; using System.Web.Mvc; using DJ.Models.TemplateModels; namespace DJ.UIHelper { public class BaseController:Controller { /// <summary> /// 当前线程操作上下文 /// </summary> public OperationContext CurrentContext { get { return OperationContext.Current; } } } } <file_sep>/DJ.Utility/UtilityStr.cs using System; using System.Collections.Generic; using System.Linq; using System.Text; using System.Threading.Tasks; namespace DJ.Utility { public class UtilityStr { //定义用户session键的常量 public const string USER_SESSION_KEY = "uInfo"; //定义用户权限session键的常量 public const string USER_PER_SESSION_KEY = "uPer"; //定义用户cookie session键的常量 public const string USER_COOKIE_KEY = "ucookie"; } } <file_sep>/DJ.Service/Class1.cs using System; using System.Collections.Generic; using System.Linq; using System.Text; using System.Threading.Tasks; namespace DJ.Service { //public partial class ClassInfoBLL : BaseService<Models.ClassInfo>, IService.IClassInfoBLL //{ // IRepository.IClassInfoDAL dal = null; // public override void SetRepository(out IBaseRepository<ClassInfo> baseRepository) // { // dal = base.DBSession.ClassInfoDAL; // baseRepository = dal as IBaseRepository<ClassInfo>; // } //} } <file_sep>/DJ.Service/BaseService.cs using System; using System.Collections.Generic; using System.Linq; using System.Text; using System.Threading.Tasks; using DJ.IRepository; using DJ.Models; using System.Linq.Expressions; using System.Reflection; using System.Web; namespace DJ.Service { public abstract class BaseService<TEntity> : IService.IBaseService<TEntity> where TEntity : class { IBaseRepository<TEntity> baseRepository; public BaseService() { SetRepository(out baseRepository); } public abstract void SetRepository(out IBaseRepository<TEntity> baseRepository); public IDBSession DBSession { get { return DBSessionFactory.GetDBSession(); } } /// <summary> /// 新增Tentity 类型的实体 /// </summary> /// <param name="entity">要新增的对象</param> /// <returns></returns> public void Add(TEntity entity) { if (entity==null) { throw new ArgumentNullException("新增数据为空"); } try { baseRepository.Add(entity); } catch (Exception ex) { throw new ArgumentException(ex.Message); } } /// <summary> /// 删除传入的TEntity类型对象 /// </summary> /// <param name="entity">要删除的对象</param> /// <returns></returns> public void Remove(TEntity entity) { try { baseRepository.Remove(entity); } catch (Exception ex) { throw new ArgumentException(ex.Message); } } /// <summary> /// 根据表达式pre条件更新 /// </summary> /// <param name="expression">表达式条件</param> /// <returns></returns> public void Remove(Expression<Func<TEntity, bool>> expression) { try { baseRepository.Remove(expression); } catch (Exception ex) { throw new ArgumentException(ex.Message); } } /// <summary> /// 根据传入的实体entity,修改数据 /// </summary> /// <param name="entity">传入的实体entity</param> /// <param name="propertes">要修改的属性</param> public void Update(TEntity entity,params string[] propertes) { try { baseRepository.Update(entity, propertes); } catch (Exception ex) { throw new ArgumentException(ex.Message); } } /// <summary> /// 根据传入的表达式、属性名和属性值,修改数据 /// </summary> /// <param name="expression">条件表达式</param> /// <param name="properties">传入的属性名</param> /// <param name="values">传入的属性值</param> public void Update(Expression<Func<TEntity, bool>>expression, string[] properties, object[] values) { try { baseRepository.Update(expression, properties, values); } catch (Exception ex) { throw new ArgumentException(ex.Message); } } /// <summary> /// 根据条件查询数据 /// </summary> /// <param name="expression">条件表达式</param> /// <returns></returns> public IEnumerable<TEntity> Where(Expression<Func<TEntity, bool>> expression) { return baseRepository.Where(expression); } } } <file_sep>/Dj.Repository/BaseRepository.cs using System; using System.Collections.Generic; using System.Linq; using System.Text; using System.Threading.Tasks; using DJ.IRepository; using DJ.Models; using System.Data.Entity; using System.Linq.Expressions; using System.Data.Entity.Infrastructure; using System.Reflection; namespace DJ.Repository { /// <summary> /// 数据仓储基类,实现数据仓储父接口 /// </summary> /// <typeparam name="TEntity">实体类 类型参数-对应 要操作的数据表</typeparam> public class BaseRepository<TEntity> : IBaseRepository<TEntity> where TEntity : class { DbContext db = EFFactory.GetEFContext(); DbSet<TEntity> _dbset; public DbSet<TEntity> DbSet { get=>_dbset;} public BaseRepository() { _dbset = db.Set<TEntity>(); } /// <summary> /// 新增Tentity 类型的实体 /// </summary> /// <param name="entity">要新增的对象</param> /// <returns></returns> public void Add(TEntity entity) { _dbset.Add(entity); } /// <summary> /// 删除传入的TEntity类型对象 /// </summary> /// <param name="entity">要删除的对象</param> /// <returns></returns> public void Remove(TEntity entity) { _dbset.Remove(entity); } /// <summary> /// 根据表达式pre条件更新 /// </summary> /// <param name="expression">表达式条件</param> /// <returns></returns> public void Remove(Expression<Func<TEntity, bool>> expression) { var list= _dbset.Where(expression); foreach (var item in list) { _dbset.Remove(item); } } /// <summary> /// 根据传入的实体entity,修改数据 /// </summary> /// <param name="entity">传入的实体entity</param> /// <param name="propertes">要修改的属性</param> public void Update(TEntity entity,params string[] propertes) { DbEntityEntry<TEntity> dbEntityEntry = db.Entry(entity); dbEntityEntry.State = EntityState.Unchanged; foreach (var item in propertes) { dbEntityEntry.Property(item).IsModified = true; } } /// <summary> /// 根据传入的表达式、属性名和属性值,修改数据 /// </summary> /// <param name="expression">条件表达式</param> /// <param name="properties">传入的属性名</param> /// <param name="values">传入的属性值</param> public void Update(Expression<Func<TEntity, bool>>expression, string[] properties, object[] values) { var list = _dbset.Where(expression);//根据表达式条件查询出数据集合; Type type = typeof(TEntity);//获得类的类型? foreach (var item in list) { for (int i = 0; i < properties.Length; i++) { PropertyInfo pro = type.GetProperty(properties[i]); pro.SetValue(item, values[i]); } } } /// <summary> /// 根据条件查询数据 /// </summary> /// <param name="expression">条件表达式</param> /// <returns></returns> public IEnumerable<TEntity> Where(Expression<Func<TEntity, bool>> expression) { return _dbset.Where(expression); } } } <file_sep>/DJ.Web/App_Start/FilterConfig.cs using System.Web; using System.Web.Mvc; namespace DJ.Web { public class FilterConfig { public static void RegisterGlobalFilters(GlobalFilterCollection filters) { filters.Add(new HandleErrorAttribute()); filters.Add(new Filter.AuthorizationAttribute()); } } } <file_sep>/DJ.Web/Filter/AuthorizationAttribute.cs using System; using System.Collections.Generic; using System.Linq; using System.Web; using System.Web.Mvc; using System.Web.WebPages; namespace DJ.Web.Filter { public class AuthorizationAttribute:AuthorizeAttribute { DJ.UIHelper.OperationContext operationContext = new UIHelper.OperationContext(); public override void OnAuthorization(AuthorizationContext filterContext) { if (IsLogin()) { } else { filterContext.Result = operationContext.JsMsg("未登陆,请重新登陆!","/index.html"); } //base.OnAuthorization(filterContext); } private bool IsLogin() { if (operationContext.SessionUserInfo==null) { var userId = operationContext.Cookie.AsInt(); if (userId>0) { return false; } else { var user= operationContext.ServiceSession.UserInfoBLL.Where(o => o.UserId == userId).SingleOrDefault(); if (user!=null) { operationContext.SessionUserInfo = user.ToPOCO(); return true; } return false; } } return true; } } }<file_sep>/DJ.Utility/Kits.cs using System; using System.Collections.Generic; using System.Linq; using System.Security.Cryptography; using System.Text; using System.Threading.Tasks; using System.Web; namespace DJ.Utility { public static class Kits { #region MD5加密 /// <summary> /// md5加密字符串 /// </summary> /// <param name="source">要加密的源</param> /// <param name="md5">传入md5类的实现</param> /// <returns></returns> public static string ToMD5(this string source, MD5CryptoServiceProvider md5) { //md5加密; //Encoding.UTF8.GetBytes(input) 把传入的字符串计算转换成utf8编码字节数组; //创建一个md5实例,调用其ComputeHash计算指定的字节数组的哈希值; byte[] data = md5.ComputeHash(Encoding.UTF8.GetBytes(source)); StringBuilder stringBuilder = new StringBuilder(); for (int i = 0; i < data.Length; i++) { stringBuilder.Append(data[i].ToString("X2")); } return stringBuilder.ToString().Replace("-", ""); } #endregion /// <summary> /// 封装cookie /// </summary> /// <param name="source">cookie的值</param> /// <param name="days">设置保存天数,默认7天</param> /// <param name="domain">设置域名</param> /// <returns></returns> public static HttpCookie Cookie(this string source,double days=7,string domain=null ) { var cookie = new HttpCookie(UtilityStr.USER_COOKIE_KEY, source); cookie.Expires = DateTime.Now.AddDays(days); HttpContext.Current.Response.Cookies.Add(cookie); return cookie; } } } <file_sep>/DJ.Models/TemplateModels/AjaxMsg.cs using System; using System.Collections.Generic; using System.Linq; using System.Text; using System.Threading.Tasks; namespace DJ.Models.TemplateModels { public class AjaxMsg { public MsgState States { get; set; } public string Msg { get; set; } public string BackUrl { get; set; } public object Data { get; set; } } public enum MsgState { OK=1, Fail=2, NoLogin=3, NoPermission=4, Error=5, Other=6 } }
d008d964521673909144f47c547ee0ad4ad25a4a
[ "HTML+Razor", "C#" ]
20
HTML+Razor
jxced/DJ.RegSys
ad8ea9628b8454348d251f047decb90d8362a427
dc1161cd8b278e59a7eb4264f463d1f22fdb6bbc
refs/heads/main
<repo_name>videosmath/VIDEOSMATHRM<file_sep>/README.md # VIDEOSMATHRM VIDEOS DE MATH RM
a1df57a9141caa927c5101acfca86414a0a20e39
[ "Markdown" ]
1
Markdown
videosmath/VIDEOSMATHRM
a6183e7da6d1525cb7e47b537cc53353a6ccfe88
5b439ade0e3b6f97b64376a1806b2cc13d15dd4d
refs/heads/master
<file_sep>spring: cloud: consul: discovery: instance_id: user-command rabbitmq: hostname: localhost port: 5672 username: axon password: <PASSWORD> application: exchange: microservice queue: axon index: 1<file_sep>myapp: name: config <file_sep>myapp: name: It's my API! <file_sep>name: yupeng spring: application: exchange: user.events.fanout.exchange # queue: user.default.queue queue: event.stream terminal: user.axon.terminal databaseName: user eventsCollectionName: events snapshotCollectionName: snapshots rabbitmq: hostname: localhost username: test password: <PASSWORD><file_sep>spring: rabbitmq: hostname: localhost port: 5672 username: axon password: <PASSWORD> application: exchange: microservice queue: axon.1 index: 1
34ff8b6e4673b1030316367c19e14e5afc0aea6d
[ "YAML" ]
5
YAML
jiangyupeng/config-repo
e8f5f878f716a010492f61e44e09d44b7dacfa50
828c172b273ec9758f645cc1b61cf4da9f2595cf
refs/heads/master
<repo_name>QuantumNovice/ArduinoAssembly<file_sep>/hello.asm ;hello.asm ; turns on an LED which is connected to PB5 (digital out 13) .include "./m328Pdef.inc" ldi r16,0b00100000 out DDRB,r16 out PortB,r16 Start: ldi r16,0b00100000 out PortB,r16 jmp loop1 end1: ldi r16,0b00000000 out PortB,r16 ldi r17, 160000 ; 1 cycle jmp loop2 loop1: nop ; 1 cycle dec r17 ; 1 cycle brne loop1 ; 2 cycles when jumping, 1 otherwise jmp end1 loop2: nop ; 1 cycle dec r17 ; 1 cycle brne loop1 ; 2 cycles when jumping, 1 otherwise jmp Start
993eb6bce90411385e35160ec48cfec7356185ed
[ "Assembly" ]
1
Assembly
QuantumNovice/ArduinoAssembly
6fc96ff81644f72c8269e3d40895ad848754468d
d927459aea5fa2db4f6976f3aa618b0da4c2be0b
refs/heads/master
<repo_name>MichaelDao/gcp-triangular-numbers<file_sep>/index.php <?php session_start(); function process() { $value = intval($_POST['content']); if (5 <= $value && $value <= 25) { $url = "gs://s3668300-bucket/triangular-". $value .".txt"; $handle = fopen($url, 'w'); // this is our string of triangles $triString = ""; $runningVal = 0; for ($row = 1; $row <= $value; $row++) { $runningVal = $runningVal + $row; $triString .= $runningVal; if ($row != $value) { $triString .= ","; } } fwrite($handle, $triString); fclose($handle); $_SESSION['arrayLength'] = $value; echo "<script>location.href='lastForm';</script>"; exit; } else { validateError(); } } function printError() { echo '<div class="' . 'alert alert-danger' . '"'; echo 'role="' . 'alert' . '">'; echo '<strong>Oh snap!</strong> This number is not between 5 or 25.</div>'; } ?> <html> <head> <title>PHP Triangle!</title> <style> .card { margin: 0 auto; float: none; margin-top: 100px; margin-bottom: 10px; } </style> <link rel="stylesheet" href="https://maxcdn.bootstrapcdn.com/bootstrap/4.0.0/css/bootstrap.min.css" integrity="<KEY>" crossorigin="anonymous"> </head> <body> <div class="form-group row"> <div class="card text-center"> <div class="card-header">Pyramid Numbers</div> <div class="card-body"> <h5 class="card-title">This is N:</h5> <p class="card-text">Please enter a number, we are gonna create a special pyramid.</p> <?php if (isset($_POST['submit'])) { process(); } function validateError() { printError(); } ?> <form action="/" method="post"> <input type="number" class="form-control mx-auto" style="width: 300px;" name="content" placeholder="N"> <input type="submit" value="Submit" name="submit" class="btn btn-primary"/> </form> </div> <div class="card-footer text-muted">Have a good time!</div> </div> </div> </body> </html><file_sep>/lastForm.php <?php session_start(); function display() { $findUrl = "gs://s3668300-bucket/triangular-" . $_SESSION['arrayLength'] . ".txt"; $primes = explode(",", file_get_contents($findUrl)); $arrlength = count($primes); $totalTri = 0; for ($x = 0; $x < $arrlength; $x++) { $totalTri += $primes[$x]; } // make sure you fix the problem with S displayed in the textfile // values from the textboxes $valueA = intval($_POST['content-a']); $valueB = intval($_POST['content-b']); $valueC = intval($_POST['content-c']); // S is the sum of A and B $valueS = $valueA + $valueB; // M is S multiplied by C $valueM = $valueS * $valueC; // T is the total sum of M and triangle text combined $valueT = $valueM + $totalTri; // R is the average of a + b + c + triangle text $valueR = ($valueA + $valueB + $valueC + $totalTri) / ($arrlength + 3); printResult($valueT, $valueR); $url = "gs://s3668300-bucket/result-" . $arrlength . ".txt"; $handle = fopen($url, 'w'); $writeString = "S: ".$totalTri. "\nA: ".$valueA. "\nB: ".$valueB. "\nC: ".$valueC. "\nT: ".$valueT. "\nR: ".$valueR; fwrite($handle, $writeString); fclose($handle); } ?> <html> <head> <title>PHP Triangle!</title> <style> .card { margin: 0 auto; float: none; margin-top: 100px; margin-bottom: 10px; } </style> <link rel="stylesheet" href="https://maxcdn.bootstrapcdn.com/bootstrap/4.0.0/css/bootstrap.min.css" integrity="<KEY>" crossorigin="anonymous"> </head> <body> <div class="form-group row"> <div class="card text-center"> <div class="card-header"> Pyramid </div> <div class="card-body"> <h5 class="card-title">Now for the last step:</h5> <p class="card-text">Provide three more numbers for variables a, b and c.</p> <form action="/lastform" method="post"> <input type="number" class="form-control mx-auto" style="width: 300px;" name="content-a" placeholder="A"> <h2>+</h2> <input type="number" class="form-control mx-auto" style="width: 300px;" name="content-b" placeholder="B"> <h2>x</h2> <input type="number" class="form-control mx-auto" style="width: 300px;" name="content-c" placeholder="C"> <br /> <input type="submit" value="Submit" name="submit" class="btn btn-primary"/> </form> <?php if (isset($_POST['submit'])) { display(); } function printResult($valueT, $valueR) { echo "<pre>"; echo "Total Sum (T): " . $valueT; echo "\nAverage (R): " . $valueR; echo "</pre>"; } ?> </div> <div class="card-footer text-muted"> Have a good time! </div> </div> </div> </form> </body> </html> <file_sep>/README.md # gcp-triangular-numbers download google sdk, setup your gcloud then clone this repo and type: - gcloud app deploy
c0a323c4834b71a4e32059214a6efae73c32cfdf
[ "Markdown", "PHP" ]
3
Markdown
MichaelDao/gcp-triangular-numbers
8060a1af14c68b62e6501abf7addb358283d9110
c154da8271541d2330e7695bd581c9e2a1df69e9
refs/heads/master
<repo_name>banedj11/EmployeeManagementSystem<file_sep>/src/main/java/com/baka/controllers/MyTasksController.java package com.baka.controllers; import java.security.Principal; import java.util.List; import java.util.Optional; import org.springframework.beans.factory.annotation.Autowired; import org.springframework.stereotype.Controller; import org.springframework.ui.Model; import org.springframework.validation.BindingResult; import org.springframework.web.bind.annotation.GetMapping; import org.springframework.web.bind.annotation.ModelAttribute; import org.springframework.web.bind.annotation.RequestMapping; import org.springframework.web.bind.annotation.RequestMethod; import org.springframework.web.bind.annotation.RequestParam; import org.springframework.web.bind.annotation.ResponseBody; import com.baka.models.Contract; import com.baka.models.Employee; import com.baka.models.Task; import com.baka.models.TaskStatus; import com.baka.service.EmployeeService; import com.baka.service.TaskService; import com.baka.service.TaskStatusService; @Controller public class MyTasksController { @Autowired private TaskService taskService; @Autowired private TaskStatusService taskStatusService; @Autowired private EmployeeService employeeService; @GetMapping("/myTasks") public String myTasks(Model model, Principal principal) { List<TaskStatus> taskStatuses = taskStatusService.getAll(); model.addAttribute("statuses", taskStatuses); String email = principal.getName(); Employee employee = employeeService.findByEmail(email); List<Task> tasks = taskService.findByEmployeeId(employee.getId()); model.addAttribute("tasks", tasks); return "my-tasks"; } @GetMapping("/selectedMyTask") @ResponseBody public Optional<Task> myTask(Integer id) { return taskService.getOne(id); } @RequestMapping(value = "/updateTaskStatus", method = {RequestMethod.PUT, RequestMethod.GET}) public String updateStatus(@ModelAttribute Task task) { taskService.updateTaskStatus(task); return "redirect:/myTasks"; } } <file_sep>/src/main/resources/static/js/task.js $('document').ready(function(){ $('.table #editButton').on('click', function(event){ event.preventDefault(); var href = $(this).attr('href'); $.get(href, function(task, status){ $('#idEdit').val(task.id); $('#employeeAddEdit').val(task.employee_id); $('#titleEdit').val(task.title); $('#descriptionEdit').val(task.description); $('#startDateEdit').val(task.startDate); $('#expectedFinishDateEdit').val(task.expectedFinishDate); }); $('#editModal').modal(); }); $('.table #deleteButton').on('click', function(event){ event.preventDefault(); var href = $(this).attr('href'); $('#confirmDeleteButton').attr('href', href); $('#deleteModal').modal(); }); });<file_sep>/src/main/java/com/baka/service/impl/ContractServiceImpl.java package com.baka.service.impl; import java.util.List; import java.util.Optional; import org.springframework.beans.factory.annotation.Autowired; import org.springframework.stereotype.Service; import com.baka.models.Contract; import com.baka.repositories.ContractRepository; import com.baka.service.ContractService; @Service public class ContractServiceImpl implements ContractService{ @Autowired private ContractRepository contractRepo; //Get all contracts @Override public List<Contract> getAll() { return contractRepo.findAll(); } //Get contract by id @Override public Optional<Contract> getOne(Integer id) { return contractRepo.findById(id); } //Create contract @Override public void saveContract(Contract contract) { contractRepo.save(contract); } //Delete contract by id @Override public void deleteContract(Integer id) { contractRepo.deleteById(id); } } <file_sep>/src/main/java/com/baka/controllers/PositionController.java package com.baka.controllers; import java.util.List; import java.util.Optional; import org.springframework.beans.factory.annotation.Autowired; import org.springframework.stereotype.Controller; import org.springframework.ui.Model; import org.springframework.web.bind.annotation.GetMapping; import org.springframework.web.bind.annotation.ModelAttribute; import org.springframework.web.bind.annotation.PostMapping; import org.springframework.web.bind.annotation.RequestMapping; import org.springframework.web.bind.annotation.RequestMethod; import org.springframework.web.bind.annotation.ResponseBody; import com.baka.models.Position; import com.baka.service.PositionService; @Controller public class PositionController { @Autowired private PositionService positionService; @GetMapping("/positionList") public String getAllPositions(Model model) { List<Position> positions = positionService.getAll(); model.addAttribute("positions", positions); return "position"; } @PostMapping("/createPosition") public String createPosition(@ModelAttribute Position position) { positionService.savePosition(position); return "redirect:/positionList"; } @GetMapping("/selectedPosition") @ResponseBody public Optional<Position> editForm(Integer id) { return positionService.getOne(id); } @RequestMapping(value = "/updatePosition", method = {RequestMethod.PUT, RequestMethod.GET}) public String editPosition(@ModelAttribute Position position) { positionService.savePosition(position); return "redirect:/positionList"; } @RequestMapping(value = "/deletePosition", method = {RequestMethod.DELETE, RequestMethod.GET}) public String deletePosition(Integer id) { positionService.deletePosition(id); return "redirect:/positionList"; } } <file_sep>/src/main/java/com/baka/service/impl/PositionServiceImpl.java package com.baka.service.impl; import java.util.List; import java.util.Optional; import org.springframework.beans.factory.annotation.Autowired; import org.springframework.stereotype.Service; import com.baka.models.Position; import com.baka.repositories.PositionRepository; import com.baka.service.PositionService; @Service public class PositionServiceImpl implements PositionService{ @Autowired private PositionRepository positionRepo; //Get all positions @Override public List<Position> getAll() { return positionRepo.findAll(); } //Get position by id @Override public Optional<Position> getOne(Integer id) { return positionRepo.findById(id); } //Create position @Override public void savePosition(Position position) { positionRepo.save(position); } //Delete position by id @Override public void deletePosition(Integer id) { positionRepo.deleteById(id); } } <file_sep>/src/main/java/com/baka/repositories/TaskRepository.java package com.baka.repositories; import java.util.List; import org.springframework.data.jpa.repository.JpaRepository; import com.baka.models.Task; public interface TaskRepository extends JpaRepository<Task, Integer> { List<Task> findByEmployeeId(Long employeeId); } <file_sep>/src/main/java/com/baka/service/ContractService.java package com.baka.service; import java.util.List; import java.util.Optional; import com.baka.models.Contract; ; public interface ContractService { List<Contract> getAll(); Optional<Contract> getOne(Integer id); void saveContract(Contract contract); void deleteContract(Integer id); } <file_sep>/src/main/java/com/baka/repositories/EmployeeRepository.java package com.baka.repositories; import java.util.List; import org.springframework.data.jpa.repository.JpaRepository; import org.springframework.data.jpa.repository.Query; import org.springframework.data.repository.query.Param; import org.springframework.stereotype.Repository; import com.baka.models.Employee; @Repository public interface EmployeeRepository extends JpaRepository<Employee, Long>{ Employee findEmployeeByEmail(String email); @Query(value = "select * from employee e where e.first_name like %:keyword% or e.last_name like %:keyword%", nativeQuery = true) List<Employee> findByKeyword(@Param("keyword") String keyword); } <file_sep>/src/main/java/com/baka/controllers/EmployeeController.java package com.baka.controllers; import java.io.File; import java.io.IOException; import java.util.Arrays; import java.util.List; import java.util.Optional; import org.springframework.beans.factory.annotation.Autowired; import org.springframework.stereotype.Controller; import org.springframework.ui.Model; import org.springframework.web.bind.annotation.GetMapping; import org.springframework.web.bind.annotation.ModelAttribute; import org.springframework.web.bind.annotation.PostMapping; import org.springframework.web.bind.annotation.RequestMapping; import org.springframework.web.bind.annotation.RequestMethod; import org.springframework.web.bind.annotation.RequestParam; import org.springframework.web.bind.annotation.ResponseBody; import org.springframework.web.multipart.MultipartFile; import com.baka.models.Contract; import com.baka.models.Employee; import com.baka.models.Position; import com.baka.service.ContractService; import com.baka.service.EmployeeService; import com.baka.service.PositionService; @Controller public class EmployeeController { @Autowired private EmployeeService employeeService; @Autowired private ContractService contractService; @Autowired private PositionService positionService; @GetMapping("/employeeList") public String getAllEmployees(Model model, String keyword) { List<String> genders = Arrays.asList("Male", "Female"); model.addAttribute("genders", genders); List<Contract> contracts = contractService.getAll(); model.addAttribute("contracts", contracts); List<Position> positions = positionService.getAll(); model.addAttribute("positions", positions); List<Employee> employees = employeeService.getAll(); if(keyword != null) { model.addAttribute("employees", employeeService.findByKeyword(keyword)); } else { model.addAttribute("employees", employees); } return "employee"; } @PostMapping("/createEmployee") public String createEmployee(@ModelAttribute Employee employee, Model model, @RequestParam("photo") MultipartFile photo) throws IllegalStateException, IOException { employeeService.saveEmployee(employee); String baseDirectory = "C:\\Users\\WINDOWS 10\\Documents\\SpringBoot\\MyEmployeeManagementSystem\\src\\main\\resources\\static\\img" ; photo.transferTo(new File(baseDirectory + employee.getId() + ".jpg")); return "redirect:/employeeList"; } @GetMapping("/selectedEmployee") @ResponseBody public Optional<Employee> editForm(Long id, Model model) { return employeeService.getOne(id); } @RequestMapping(value = "/updateEmployee", method = {RequestMethod.PUT, RequestMethod.GET}) public String editEmployee(@ModelAttribute Employee employee) { employeeService.updateEmployee(employee); return "redirect:/employeeList"; } @RequestMapping(value = "/deleteEmployee", method = {RequestMethod.DELETE, RequestMethod.GET}) public String deleteEmployee(Long id) { employeeService.deleteEmployee(id); return "redirect:/employeeList"; } } <file_sep>/src/main/java/com/baka/service/impl/TaskServiceImpl.java package com.baka.service.impl; import java.util.List; import java.util.Optional; import org.springframework.beans.factory.annotation.Autowired; import org.springframework.stereotype.Service; import com.baka.models.Task; import com.baka.models.TaskStatus; import com.baka.repositories.TaskRepository; import com.baka.repositories.TaskStatusRepository; import com.baka.service.TaskService; @Service public class TaskServiceImpl implements TaskService{ @Autowired private TaskRepository taskRepo; //Create Task @Override public void saveTask(Task task) { task.setTaskstatus_id(1); taskRepo.save(task); } //Get one task @Override public Optional<Task> getOne(Integer id) { return taskRepo.findById(id); } //Get all tasks @Override public List<Task> getAll() { return taskRepo.findAll(); } //Delete task @Override public void deleteTask(Integer id) { taskRepo.deleteById(id); } //Find task by employee id @Override public List<Task> findByEmployeeId(Long employeeId) { return taskRepo.findByEmployeeId(employeeId); } @Override public void updateTaskStatus(Task task) { Task curentTask = taskRepo.findById(task.getId()).orElse(new Task()); curentTask.setTaskstatus_id(task.getTaskstatus_id()); taskRepo.save(curentTask); } } <file_sep>/src/main/java/com/baka/controllers/LoginController.java package com.baka.controllers; import java.security.Principal; import org.springframework.beans.factory.annotation.Autowired; import org.springframework.stereotype.Controller; import org.springframework.ui.Model; import org.springframework.web.bind.annotation.GetMapping; import com.baka.models.Employee; import com.baka.service.EmployeeService; @Controller public class LoginController { @Autowired private EmployeeService employeeService; @GetMapping("/login") public String login() { return "login"; } @GetMapping("/") public String home(Model model, Principal principal) { String email = principal.getName(); Employee employee = employeeService.findByEmail(email); String name = employee.getFirstName() + " " + employee.getLastName(); model.addAttribute("employee", name); return "index"; } } <file_sep>/src/main/resources/static/js/employee.js $('document').ready(function(){ $('.table #editButton').on('click', function(event){ event.preventDefault(); var href = $(this).attr('href'); $.get(href, function(employee, status){ $('#idEdit').val(employee.id); $('#firstNameEdit').val(employee.firstName); $('#lastNameEdit').val(employee.lastName); $('#emailEdit').val(employee.email); $('#passwordEdit').val(<PASSWORD>); $('#mobileEdit').val(employee.mobile); $('#sallaryEdit').val(employee.sallary); $('#genderAddEdit').val(employee.gender); $('#addressEdit').val(employee.address); $('#dateOfBirthEdit').val(employee.dateOfBirth); $('#hireDateEdit').val(employee.hireDate); $('#contractAddEdit').val(employee.contract_id); $('#positionAddEdit').val(employee.position_id); }); $('#editModal').modal(); }); $('.table #detailsButton').on('click', function(event){ event.preventDefault(); var href = $(this).attr('href'); $.get(href, function(employee, status){ $('#idDetails').val(employee.id); $('#firstNameDetails').val(employee.firstName); $('#lastNameDetails').val(employee.lastName); $('#emailDetails').val(employee.email); $('#mobileDetails').val(employee.mobile); $('#sallaryDetails').val(employee.sallary); $('#genderDetails').val(employee.gender); $('#addressDetails').val(employee.address); $('#dateOfBirthDetails').val(employee.dateOfBirth); $('#hireDateDetails').val(employee.hireDate); $('#contractAddDetails').val(employee.contract.type); $('#positionAddDetails').val(employee.position.name); $('#createdByDetails').val(employee.createdBy); //$('#createdDateDetails').val(employee.createdDate.substr(0,19).replace("T", " ")); $('#lastModifiedByDetails').val(employee.lastModifiedBy); //$('#lastModifiedDateDetails').val(employee.lastModifiedDate.substr(0,19).replace("T", " ")); }); $('#detailsModal').modal(); }); $('.table #deleteButton').on('click', function(event){ event.preventDefault(); var href = $(this).attr('href'); $('#confirmDeleteButton').attr('href', href); $('#deleteModal').modal(); }); });<file_sep>/src/main/resources/static/js/task-status.js $('document').ready(function(){ $('.table #editButton').on('click', function(event){ event.preventDefault(); var href = $(this).attr('href'); $.get(href, function(task, status){ $('#idEdit').val(task.id); $('#employeeAddEdit').val(task.employee_id); }); $('#statusModal').modal(); }); });<file_sep>/src/main/java/com/baka/service/TaskStatusService.java package com.baka.service; import java.util.List; import com.baka.models.TaskStatus; public interface TaskStatusService { List<TaskStatus> getAll(); void updateTaskStatus(TaskStatus taskStatus); } <file_sep>/src/main/java/com/baka/models/Contract.java package com.baka.models; import java.util.List; import javax.persistence.Column; import javax.persistence.Entity; import javax.persistence.GeneratedValue; import javax.persistence.GenerationType; import javax.persistence.Id; import javax.persistence.OneToMany; import javax.validation.constraints.NotNull; import com.fasterxml.jackson.annotation.JsonIdentityInfo; import com.fasterxml.jackson.annotation.ObjectIdGenerators; import lombok.AllArgsConstructor; import lombok.Getter; import lombok.NoArgsConstructor; import lombok.Setter; @Entity @Getter @Setter @NoArgsConstructor @AllArgsConstructor @JsonIdentityInfo(generator = ObjectIdGenerators.PropertyGenerator.class, property = "id") public class Contract { @Id @GeneratedValue(strategy = GenerationType.IDENTITY) @Column(name = "contract_id") private Integer id; @NotNull(message = "Field can't be empty") private String type; @NotNull(message = "Field can't be empty") private String details; @OneToMany(mappedBy = "contract") private List<Employee> employees; public Integer getId() { return id; } public void setId(Integer id) { this.id = id; } public String getType() { return type; } public void setType(String type) { this.type = type; } public String getDetails() { return details; } public void setDetails(String details) { this.details = details; } public List<Employee> getEmployees() { return employees; } public void setEmployees(List<Employee> employees) { this.employees = employees; } } <file_sep>/src/main/java/com/baka/service/TaskService.java package com.baka.service; import java.util.List; import java.util.Optional; import com.baka.models.Task; public interface TaskService { Optional<Task> getOne(Integer id); List<Task> getAll(); void saveTask(Task task); void deleteTask(Integer id); List<Task> findByEmployeeId(Long employeeId); void updateTaskStatus(Task task); }
20cf01e3a4b290ecd7433075428cb7597f757000
[ "Java", "JavaScript" ]
16
Java
banedj11/EmployeeManagementSystem
00bdd2740e155454bb19b04b14327eae5ebf8d3a
ecab396c9a44380d7f81a751d1ffed5f11e60bec
refs/heads/main
<file_sep>let PokemonID = document.getElementById('ID'); let PokemonType = document.getElementById('Type'); let PokemonName = document.getElementById('Name'); let PokemonColor = document.getElementById('Color'); fetch('http://localhost:33600/Pokedex') .then(function(res) { res.json() .then(function(res) { PokemonID.innerHTML = `ID:` + res[0].Pokemon_ID; PokemonType.innerHTML = `Type: ` + res[0].Pokemon_Type; PokemonName.innerHTML = `Name:` + res[0].Pokemon_Name; PokemonColor.innerHTML = `Color:` + res[0].Pokemon_Color; console.log(res); }); }); <file_sep>ALTER USER 'root'@'localhost' IDENTIFIED WITH mysql_native_password BY '<PASSWORD>'; flush privileges; CREATE DATABASE Pokedex; use Pokedex; CREATE TABLE POKEMON_Card ( Pokemon_ID INT Primary KEY NOT NULL, Pokemon_Type VARCHAR(255), Pokemon_Name VARCHAR(255), Pokemon_Color VARCHAR(255), ); CREATE TABLE Types( types_ID INT Primary KEY NOT NULL, types_name VARCHAR(255) ); CREATE TABLE Poke_Type( PokeType_ID INT Primary KEY NOT NULL, Pokemon_ID INT NOT NULL, FOREIGN KEY (Pokemon_ID) REFERENCES POKEMON_Card (Pokemon_ID), types_ID INT NOT NULL, FOREIGN KEY (types_ID) REFERENCES Types (types_ID) )ALTER USER 'root'@'localhost' IDENTIFIED WITH mysql_native_password BY '<PASSWORD>'; flush privileges; CREATE DATABASE Pokedex; use Pokedex; CREATE TABLE POKEMON_Card ( Pokemon_ID INT Primary KEY NOT NULL, Pokemon_Type VARCHAR(255), Pokemon_Name VARCHAR(255), Pokemon_Color VARCHAR(255), ); CREATE TABLE Types( types_ID INT Primary KEY NOT NULL, types_name VARCHAR(255) ); CREATE TABLE Poke_Type( PokeType_ID INT Primary KEY NOT NULL, Pokemon_ID INT NOT NULL, FOREIGN KEY (Pokemon_ID) REFERENCES POKEMON_Card (Pokemon_ID), types_ID INT NOT NULL, FOREIGN KEY (types_ID) REFERENCES Types (types_ID) ); INSERT INTO POKEMON_Card (Pokemon_ID, Pokemon_Type, Pokemon_Name, Pokemon_Color) VALUES (1, 'Grass', 'BLue', 'Blueberry');
7eb3ee6a513ad919dcb0b8ff4f03e21524c65270
[ "SQL", "JavaScript" ]
2
SQL
lnguyen135/Pokedex-Full-Stack-App
8c07c6cb8442a1dee64a5da95faa7c992777f3ec
9b6820cb54583fa24873f48d9e82879840471710
refs/heads/master
<repo_name>water498/Feeding-machine<file_sep>/FEEDMACHINE/pth.c #include "feed.h" // Global variables extern int finished_animals ; extern char current_species; extern char change_species_mode; // f = false, t = true extern int all_food_dishes_area_busy; // f = false, t = true // Food dishes extern int number_of_food_dishes; extern int current_value_of_food_dishes_semaphore; // No output file, if to many animals exists extern char write_output_file; // f = false, t = true // Global mutex and semaphore extern pthread_mutex_t logger_mutex; extern pthread_mutex_t finished_animals_mutex; extern pthread_mutex_t feeding_machine_mutex; extern pthread_mutex_t statistics_mutex; extern sem_t food_dishes_semaphore; // Global condition variable extern pthread_cond_t feeding_machine_cv; void destroyMutexAndSemaphore() { // Destroy mutex pthread_mutex_destroy(&logger_mutex); pthread_mutex_destroy(&finished_animals_mutex); pthread_mutex_destroy(&feeding_machine_mutex); pthread_mutex_destroy(&statistics_mutex); // Destroy semaphore sem_destroy(&food_dishes_semaphore); // Destroy condition variable pthread_cond_destroy(&feeding_machine_cv); } <file_sep>/FEEDMACHINE/feed.h #include <stdio.h> #include <stdlib.h> #include <getopt.h> #include <string.h> #include <time.h> #include <pthread.h> #include <semaphore.h> #define RED "\x1b[31m" #define GREEN "\x1b[32m" #define YELLOW "\x1b[33m" #define BLUE "\x1b[34m" #define MAGENTA "\x1b[35m" #define CYAN "\x1b[36m" #define RESET "\x1b[0m" void printHelp(); <file_sep>/FEEDMACHINE/ph.c #include "feed.h" void printHelp() { printf(YELLOW"****************************************************************************\n"); printf("* HELP *\n"); printf("****************************************************************************\n"); printf("* --cn #arg: number of cats (Default 6) *\n"); printf("* --dn #arg: number of dogs (Default 4) *\n"); printf("* --mn #arg: number of mice (Default 2) *\n"); printf("* --ct #arg: time a cat is satisfied (Default 15) *\n"); printf("* --dt #arg: time a dog is satisfied (Default 10) *\n"); printf("* --mt #arg: time a mouse is satisfied (Default 1) *\n"); printf("* --ce #arg: how many times a cat wants to eat (Default 5) *\n"); printf("* --de #arg: how many times a dog wants to eat (Default 5) *\n"); printf("* --me #arg: how many times a mouse wants to eat (Default 5) *\n"); printf("* --dish #arg: number of Food Dishes (Default 2) *\n"); printf("* --e #arg: eating time interval lower boundary (Default 1) *\n"); printf("* --E #arg: eating time interval upper boundary (Default 1) *\n"); printf("* *\n"); printf("* --file #arg: file to flush data into. *\n"); printf("* --v Verbose print Statements *\n"); printf("* --h Help output *\n"); printf("****************************************************************************\n"RESET); exit(0); } <file_sep>/FEEDMACHINE/AutomaticFeedingMachine-master/Makefile ################################################################# # Makefile for the automatic feeding machine # ################################################################# CC=clang CFLAGS=-Wall -Wextra -Wconversion -Wpedantic -Werror -g LDFLAGS=-lpthread RM=rm -f SOURCES=scheduler.c BIN=scheduler output_file.txt TARGETS=$(SOURCES:.c=) .PHONY: all clean all: $(TARGETS) $(TARGET): $(SOURCES) $(CC) $(CFLAGS) -o $@ $^ $(LDFLAGS) clean: $(RM) $(BIN) <file_sep>/FEEDMACHINE/Makefile.in C = @CC@ CPP = @CPP@ CFLAGS = @CFLAGS@ DEFS = @DEFS@ LIB = @LIBS@ Feedmachine : main.c ifeq ($(CC), gcc) @echo "C compiler is GNU gcc!" else @echo "c Compiler is $(CC)!" endif $(CC) $(CFLAGS) $(DEFS) $(LIBS) -o Feedmachine main.c -L./ -lfeed -lpthread && echo "finish!" clean : -rm -rf Feedmachine <file_sep>/FEEDMACHINE/main.c /* * name: scheduler * autor: <NAME> * * source 1: http://stackoverflow.com/questions/17877368/getopt-passing-string-parameter-for-argument * source 2: http://www.jbox.dk/sanos/source/include/pthread.h.html * source 3: http://stackoverflow.com/questions/3219393/stdlib-and-colored-output-in-c * source 4: http://stackoverflow.com/questions/2509679/how-to-generate-a-random-number-from-within-a-range * source 5: http://stackoverflow.com/questions/11573974/write-to-txt-file * source 6: http://stackoverflow.com/questions/6154539/how-can-i-wait-for-any-all-pthreads-to-complete * source 7: http://stackoverflow.com/questions/26900122/c-program-to-print-current-time * source 8: http://stackoverflow.com/questions/3930363/implement-time-delay-in-c * source 9: http://stackoverflow.com/questions/5248915/execution-time-of-c-program *수정자 : 김상훈 노형섭 */ #include "feed.h" struct animal_parameters { int id; char species; // cat = c, dog = d, mouse = m int feeding_counter; // 0 will end the thread int eating_time; int statisfied_time; }; typedef struct animal_parameters animal_params; struct start_parameters { int number_of_cats; int number_of_dogs; int number_of_mice; int time_a_cat_is_statisfied; int time_a_dog_is_statisfied; int time_a_mouse_is_statisfied; int how_many_times_a_cat_wants_to_eat; int how_many_times_a_dog_wants_to_eat; int how_many_times_a_mouse_wants_to_eat; int number_of_food_dishes; int eating_time_interval_lower_boundary; int eating_time_interval_upper_boundary; char *output_file; int verbose_print; }; typedef struct start_parameters start_params; struct statistics_of_species { double cats_min; double cats_max; double cats_avg; double dogs_min; double dogs_max; double dogs_avg; double mice_min; double mice_max; double mice_avg; char *output_file; char cats_values_empty; char dogs_values_empty; char mice_values_empty; }; typedef struct statistics_of_species statistics; // Global variables int finished_animals = 0; char current_species = '0'; char change_species_mode = 'f'; // f = false, t = true int all_food_dishes_area_busy = 'f'; // f = false, t = true // Food dishes int number_of_food_dishes; int current_value_of_food_dishes_semaphore; // No output file, if to many animals exists char write_output_file = 't'; // f = false, t = true // Global statistics statistics stats; // Global mutex and semaphore pthread_mutex_t logger_mutex; pthread_mutex_t finished_animals_mutex; pthread_mutex_t feeding_machine_mutex; pthread_mutex_t statistics_mutex; sem_t food_dishes_semaphore; // Global condition variable pthread_cond_t feeding_machine_cv = PTHREAD_COND_INITIALIZER; void printParams(start_params params) { printf(YELLOW"****************************************************************************\n"); printf("* PARAMS *\n"); printf("****************************************************************************\n"); printf("* Number of cats (Default: 6, Current: %d) \n", params.number_of_cats); printf("* Number of dogs (Default: 4, Current: %d) \n", params.number_of_dogs); printf("* Number of mice (Default: 2, Current: %d) \n", params.number_of_mice); printf("* Time a cat is satisfied (Default: 15, Current: %d) \n", params.time_a_cat_is_statisfied); printf("* Time a dog is satisfied (Default: 10, Current: %d) \n", params.time_a_dog_is_statisfied); printf("* Time a mouse is satisfied (Default: 1, Current: %d) \n", params.time_a_mouse_is_statisfied); printf("* How many times a cat wants to eat (Default: 5, Current: %d) \n", params.how_many_times_a_cat_wants_to_eat); printf("* How many times a dog wants to eat (Default: 5, Current: %d) \n", params.how_many_times_a_dog_wants_to_eat); printf("* How many times a mouse wants to eat (Default: 5, Current: %d) \n", params.how_many_times_a_mouse_wants_to_eat); printf("* Number of Food Dishes (Default: 2, Current: %d) \n", params.number_of_food_dishes); printf("* Eating time interval lower boundary (Default: 1, Current: %d) \n", params.eating_time_interval_lower_boundary); printf("* Eating time interval upper boundary (Default: 1, Current: %d) \n", params.eating_time_interval_upper_boundary); printf("* Output file (Default: output_file.txt, Current: %s) \n", params.output_file); printf("****************************************************************************\n"RESET); } void initMutexAndSemaphore(start_params params) { // Init mutex pthread_mutex_init(&logger_mutex, NULL); pthread_mutex_init(&finished_animals_mutex, NULL); pthread_mutex_init(&feeding_machine_mutex, NULL); pthread_mutex_init(&statistics_mutex, NULL); // Init Semaphore sem_init(&food_dishes_semaphore, 0, (unsigned int)params.number_of_food_dishes); } int randomTime(int min, int max) { srand((unsigned int)time(NULL)); return rand()%(max-min + 1) + min; } void writeToFile(char *output_file, char *text_for_file) { FILE *f = fopen(output_file, "a"); if (f == NULL) { printf("Error opening file!\n"); exit(1); } fprintf(f, "%s\n", text_for_file); fclose(f); } char* getTime() { time_t current_time; char* c_time_string; current_time = time(NULL); c_time_string = ctime(&current_time); return c_time_string; } void wait(int secs) { unsigned int retTime = (unsigned int)(time(0) + secs); while (time(0) < retTime); } void statisticsOfAllSpeciesHandler(char species, double min, double max, double avg){ pthread_mutex_lock(&statistics_mutex); if((stats.cats_values_empty == 'f') && (species == 'c')){ if(min < stats.cats_min) stats.cats_min = min; if(max > stats.cats_max) stats.cats_max = max; stats.cats_avg = stats.cats_avg + avg; } else if((stats.dogs_values_empty == 'f') && (species == 'd')){ if(min < stats.dogs_min) stats.dogs_min = min; if(max > stats.dogs_max) stats.dogs_max = max; stats.dogs_avg = stats.dogs_avg + avg; } else if((stats.mice_values_empty == 'f') && (species == 'm')){ if(min < stats.mice_min) stats.mice_min = min; if(max > stats.mice_max) stats.mice_max = max; stats.mice_avg = stats.mice_avg + avg; } else if((stats.cats_values_empty == 't') && (species == 'c')){ stats.cats_min = min; stats.cats_max = max; stats.cats_avg = avg; stats.cats_values_empty = 'f'; } else if((stats.dogs_values_empty == 't') && (species == 'd')){ stats.dogs_min = min; stats.dogs_max = max; stats.dogs_avg = avg; stats.dogs_values_empty = 'f'; } else if((stats.mice_values_empty == 't') && (species == 'm')){ stats.mice_min = min; stats.mice_max = max; stats.mice_avg = avg; stats.mice_values_empty = 'f'; } pthread_mutex_unlock(&statistics_mutex); } void printStatisticsOfAllSpecies(start_params params){ pthread_mutex_lock(&statistics_mutex); stats.cats_avg = stats.cats_avg / (double)params.number_of_cats; stats.dogs_avg = stats.dogs_avg / (double)params.number_of_dogs; stats.mice_avg = stats.mice_avg / (double)params.number_of_mice; printf("**************************************************\n"); printf("* Statistics *\n"); printf("**************************************************\n"); printf("| "MAGENTA"Cats"RESET" | "BLUE"Dogs"RESET" | "CYAN"Mice"RESET" |\n"); printf("|--------------|----------------|----------------|\n"); printf("| "GREEN"Min"RESET": %04.1f | "GREEN"Min"RESET": %04.1f | "GREEN"Min"RESET": %04.1f |\n", stats.cats_min, stats.dogs_min, stats.mice_min); printf("| "RED"Max"RESET": %04.1f | "RED"Max"RESET": %04.1f | "RED"Max"RESET": %04.1f |\n", stats.cats_max, stats.dogs_max, stats.mice_max); printf("| "CYAN"Avg"RESET": %04.1f | "CYAN"Avg"RESET": %04.1f | "CYAN"Avg"RESET": %04.1f |\n", stats.cats_avg, stats.dogs_avg, stats.mice_avg); printf("**************************************************\n"); pthread_mutex_unlock(&statistics_mutex); } void statisticsHandler(char species, int id, double min, double max, double avg) { char *text_to_output_file = malloc(100 * sizeof(char)); sprintf(text_to_output_file, "Species: %c | ID: %d | Min: %3.1f | Max: %3.1f | Avg: %3.1f\n", species, id, min, max, avg); writeToFile(stats.output_file, text_to_output_file); free(text_to_output_file); } void destroyMutexAndSemaphore() { // Destroy mutex pthread_mutex_destroy(&logger_mutex); pthread_mutex_destroy(&finished_animals_mutex); pthread_mutex_destroy(&feeding_machine_mutex); pthread_mutex_destroy(&statistics_mutex); // Destroy semaphore sem_destroy(&food_dishes_semaphore); // Destroy condition variable pthread_cond_destroy(&feeding_machine_cv); } void printHelper(char species, int id, char* text) { time_t rawtime; struct tm * timeinfo; int current_value_of_food_dishes_semaphore_lokal; pthread_mutex_lock(&logger_mutex); time ( &rawtime ); timeinfo = localtime ( &rawtime ); printf("["GREEN"%02d"RESET":"GREEN"%02d"RESET":"GREEN"%02d"RESET"] [", timeinfo->tm_hour, timeinfo->tm_min, timeinfo->tm_sec); sem_getvalue(&food_dishes_semaphore, &current_value_of_food_dishes_semaphore_lokal); int free_food_dishes = number_of_food_dishes - current_value_of_food_dishes_semaphore_lokal; int count_used_prints_of_free_food_dishes = 0; for (int i = 0; i < number_of_food_dishes; i++) { if(i){ if(free_food_dishes - count_used_prints_of_free_food_dishes){ printf(":"RED"x"RESET); count_used_prints_of_free_food_dishes++; } else printf(":-"); } else{ if(free_food_dishes - count_used_prints_of_free_food_dishes){ printf(RED"x"RESET); count_used_prints_of_free_food_dishes++; } else printf("-"); } } if(species == 'c'){ printf("] "MAGENTA"Cat"RESET" (id %03d) %s\n", id, text); }else if(species == 'd'){ printf("] "BLUE"Dog"RESET" (id %03d) %s\n", id, text); }else if(species == 'm'){ printf("] "CYAN"Mouse"RESET" (id %03d) %s\n", id, text); } pthread_mutex_unlock(&logger_mutex); } void *feedingMachineScheduler(start_params *params) { while(finished_animals != (params->number_of_cats + params->number_of_dogs + params->number_of_mice)){ pthread_mutex_lock(&feeding_machine_mutex); change_species_mode = 't'; if(current_species == '0'){ current_species = 'c'; // Set cat }else if(current_species == 'c'){ current_species = '0'; sem_getvalue(&food_dishes_semaphore, &current_value_of_food_dishes_semaphore); while(current_value_of_food_dishes_semaphore != number_of_food_dishes){ pthread_cond_wait(&feeding_machine_cv, &feeding_machine_mutex); sem_getvalue(&food_dishes_semaphore, &current_value_of_food_dishes_semaphore); } current_species = 'd'; // Set dog }else if(current_species == 'd'){ current_species = '0'; sem_getvalue(&food_dishes_semaphore, &current_value_of_food_dishes_semaphore); while(current_value_of_food_dishes_semaphore != number_of_food_dishes){ pthread_cond_wait(&feeding_machine_cv, &feeding_machine_mutex); sem_getvalue(&food_dishes_semaphore, &current_value_of_food_dishes_semaphore); } current_species = 'm'; // Set mouse }else if(current_species == 'm'){ current_species = '0'; sem_getvalue(&food_dishes_semaphore, &current_value_of_food_dishes_semaphore); while(current_value_of_food_dishes_semaphore != number_of_food_dishes){ pthread_cond_wait(&feeding_machine_cv, &feeding_machine_mutex); sem_getvalue(&food_dishes_semaphore, &current_value_of_food_dishes_semaphore); } current_species = 'c'; // Set cat } change_species_mode = 'f'; pthread_mutex_unlock(&feeding_machine_mutex); pthread_cond_broadcast(&feeding_machine_cv); // Time to dispatch if((params->number_of_cats != 0 && current_species == 'c') || (params->number_of_dogs != 0 && current_species == 'd') || (params->number_of_mice != 0 && current_species == 'm')) wait(params->eating_time_interval_lower_boundary); } return NULL; } void *animal(animal_params *animal_args) { // Measuring vars time_t start_time, end_time; double waiting_time, min, max, avg; char first_round_init = 't'; // t = true, f = false int total_number_of_rounds = animal_args->feeding_counter; while(animal_args->feeding_counter != 0){ // Feeding machine scheduling condition check pthread_mutex_lock(&feeding_machine_mutex); sem_getvalue(&food_dishes_semaphore, &current_value_of_food_dishes_semaphore); // Measure the waiting time (start) time(&start_time); while(current_species != animal_args->species || current_value_of_food_dishes_semaphore == 0){ pthread_cond_wait(&feeding_machine_cv, &feeding_machine_mutex); sem_getvalue(&food_dishes_semaphore, &current_value_of_food_dishes_semaphore); } // --> Food dishes area <-- sem_wait(&food_dishes_semaphore); printHelper(animal_args->species, animal_args->id, "eating from a dish"); pthread_mutex_unlock(&feeding_machine_mutex); pthread_cond_broadcast(&feeding_machine_cv); // Measure the waiting time (end) time(&end_time); waiting_time = difftime(end_time, start_time); if(first_round_init == 'f'){ if(waiting_time < min) min = waiting_time; if(waiting_time > max) max = waiting_time; avg = avg + waiting_time; }else if(first_round_init == 't'){ min = waiting_time; max = waiting_time; avg = waiting_time; first_round_init = 'f'; } // A animal eat wait(animal_args->eating_time); pthread_mutex_lock(&feeding_machine_mutex); sem_post(&food_dishes_semaphore); printHelper(animal_args->species, animal_args->id, "finished eating from a dish"); pthread_mutex_unlock(&feeding_machine_mutex); pthread_cond_broadcast(&feeding_machine_cv); animal_args->feeding_counter--; if(animal_args->feeding_counter == 0) break; // A animal is statisfied wait(animal_args->statisfied_time); } // Calc avg avg = avg / total_number_of_rounds; if(write_output_file == 't') statisticsHandler(animal_args->species, animal_args->id, min, max, avg); statisticsOfAllSpeciesHandler(animal_args->species, min, max, avg); pthread_mutex_lock(&finished_animals_mutex); finished_animals++; pthread_mutex_unlock(&finished_animals_mutex); return NULL; } void threadHandler(start_params params) { char cat_specific_char = 'c'; char dog_specific_char = 'd'; char mouse_specific_char = 'm'; int number_of_threads = params.number_of_cats + params.number_of_dogs + params.number_of_mice; int number_of_feeding_machines = 1; pthread_t animal_threads[number_of_threads]; animal_params animal_args[number_of_threads]; pthread_t feeding_machines[number_of_feeding_machines]; // Init variable before starting number_of_food_dishes = params.number_of_food_dishes; sem_getvalue(&food_dishes_semaphore, &current_value_of_food_dishes_semaphore); stats.output_file = params.output_file; stats.cats_values_empty = 't'; stats.dogs_values_empty = 't'; stats.mice_values_empty = 't'; // Starts all Animal-Threads: // Feeding machine for(int i=0;i<number_of_feeding_machines;i++){ pthread_create(&feeding_machines[i],NULL, (void *(*)(void *)) feedingMachineScheduler, (void *) &params); } // Cats for(int i=0;i<params.number_of_cats;i++){ // Init parameters animal_args[i].id = i; animal_args[i].species = cat_specific_char; animal_args[i].feeding_counter = params.how_many_times_a_cat_wants_to_eat; animal_args[i].eating_time = randomTime(params.eating_time_interval_lower_boundary, params.eating_time_interval_upper_boundary); animal_args[i].statisfied_time = params.time_a_cat_is_statisfied; // Start thread pthread_create(&animal_threads[i],NULL, (void *(*)(void *)) animal, (void *) &animal_args[i]) ; } // Dogs for(int i=params.number_of_cats;i<params.number_of_cats + params.number_of_dogs;i++){ // Init parameters animal_args[i].id = i; animal_args[i].species = dog_specific_char; animal_args[i].feeding_counter = params.how_many_times_a_dog_wants_to_eat; animal_args[i].eating_time = randomTime(params.eating_time_interval_lower_boundary, params.eating_time_interval_upper_boundary); animal_args[i].statisfied_time = params.time_a_dog_is_statisfied; // Start thread pthread_create(&animal_threads[i],NULL, (void *(*)(void *)) animal, (void *) &animal_args[i]) ; } // Mice for(int i=params.number_of_cats + params.number_of_dogs;i<number_of_threads;i++){ // Init parameters animal_args[i].id = i; animal_args[i].species = mouse_specific_char; animal_args[i].feeding_counter = params.how_many_times_a_mouse_wants_to_eat; animal_args[i].eating_time = randomTime(params.eating_time_interval_lower_boundary, params.eating_time_interval_upper_boundary); animal_args[i].statisfied_time = params.time_a_mouse_is_statisfied; // Start thread pthread_create(&animal_threads[i],NULL, (void *(*)(void *)) animal, (void *) &animal_args[i]) ; } // Cleaning: // Animals for(int i=0;i<number_of_threads;i++){ long *statusp; pthread_join(animal_threads[i],(void *)&statusp); } // Feeding machine for(int i=0;i<number_of_feeding_machines;i++){ long *statusp; pthread_join(feeding_machines[i],(void *)&statusp); } } void runSequence(start_params params) { // Init mutex and semaphore initMutexAndSemaphore(params); // Debug output (console) if(params.verbose_print == 1) printParams(params); // Starts threads threadHandler(params); // Print statistics printStatisticsOfAllSpecies(params); // Clean up mutex and semaphore destroyMutexAndSemaphore(); } // Program start int main (int argc, char *argv[]) { start_params params; // Init defaults params.number_of_cats = 6; params.number_of_dogs = 4; params.number_of_mice = 2; params.time_a_cat_is_statisfied = 15; params.time_a_dog_is_statisfied = 10; params.time_a_mouse_is_statisfied = 1; params.how_many_times_a_cat_wants_to_eat = 5; params.how_many_times_a_dog_wants_to_eat = 5; params.how_many_times_a_mouse_wants_to_eat = 5; params.number_of_food_dishes = 2; params.eating_time_interval_lower_boundary = 1; params.eating_time_interval_upper_boundary = 1; params.output_file = "output_file.txt"; params.verbose_print = 0; // 1=true struct option long_options[] = { {"cn", required_argument, NULL, 'a'}, {"dn", required_argument, NULL, 'b'}, {"mn", required_argument, NULL, 'c'}, {"ct", required_argument, NULL, 'd'}, {"dt", required_argument, NULL, 'x'}, {"mt", required_argument, NULL, 'f'}, {"ce", required_argument, NULL, 'g'}, {"de", required_argument, NULL, 'z'}, {"me", required_argument, NULL, 'i'}, {"e", required_argument, NULL, 'e'}, {"E", required_argument, NULL, 'E'}, {"dish", required_argument, NULL, 'j'}, {"file", required_argument, NULL, 'k'}, {"v", no_argument, NULL, 'v'}, {"h", no_argument, NULL, 'h'}, {NULL, 0, NULL, 0} }; int opt; while ((opt = getopt_long(argc, argv, "a:b:c:d:x:f:g:z:i:j:k:e:E:vh", long_options, NULL)) != -1) { switch (opt) { case 'a': params.number_of_cats = atoi(optarg); break; case 'b': params.number_of_dogs = atoi(optarg); break; case 'c': params.number_of_mice = atoi(optarg); break; case 'd': params.time_a_cat_is_statisfied = atoi(optarg); break; case 'x': params.time_a_dog_is_statisfied = atoi(optarg); break; case 'f': params.time_a_mouse_is_statisfied = atoi(optarg); break; case 'g': params.how_many_times_a_cat_wants_to_eat = atoi(optarg); break; case 'z': params.how_many_times_a_dog_wants_to_eat = atoi(optarg); break; case 'i': params.how_many_times_a_mouse_wants_to_eat = atoi(optarg); break; case 'j': params.number_of_food_dishes = atoi(optarg); break; case 'k': params.output_file = optarg; break; case 'e': params.eating_time_interval_lower_boundary = atoi(optarg); break; case 'E': params.eating_time_interval_upper_boundary = atoi(optarg); break; case 'v': params.verbose_print = 1; break; case 'h': printHelp(); break; } } // Set global var false if((params.number_of_cats > 10) || (params.number_of_dogs > 10) || (params.number_of_mice > 10)) write_output_file = 'f'; runSequence(params); // End of Program return 0; } <file_sep>/FEEDMACHINE/AutomaticFeedingMachine-master/README.md AutomaticFeedingMachine ===================================== AutomaticFeedingMachine is an implementation of a static scheduler (Round-robin). See also: https://en.wikipedia.org/wiki/Round-robin_scheduling. Requirements -------------------- - Linux (operating system) - Clang (compiler front end) Installation -------------------- 1. Run the makefile 2. Execute the binary file Technologies ---------------------- ![](assets/icons/c.png) ![](assets/icons/gnu.png) ![](assets/icons/clang.png) License ------- AutomaticFeedingMachine is released under the terms of the MIT license. See https://opensource.org/licenses/MIT for more information.<file_sep>/FEEDMACHINE/configure.ac AC_INIT(Feedmachine,1.0.0, <EMAIL>) AC_PROG_CC AC_PROG_CPP AC_TYPE_SIZE_T AC_STRUCT_TM AC_CONFIG_FILES([Makefile]) AC_OUTPUT
e7ccc237aa4cd645e786cccbfdeaefcf84faba0c
[ "Makefile", "Markdown", "M4Sugar", "C" ]
8
Makefile
water498/Feeding-machine
454e2666c2a79fc29338f234f7d9b59f5acb04be
a797dc84eee57a5a8c529c311713b7a7004bf636
refs/heads/master
<repo_name>sakarkoot/HMS<file_sep>/application/templates/pharmacy/index.html {% extends 'layout.html' %} {% block title %} Home - Pharmacy {% endblock %} {% block content%} {% include "pharmacy/includes/pharmacy_navbar.html"%} {% endblock %}
54659b14b5f84fdf86d2ad70b0a176257be1d83d
[ "HTML" ]
1
HTML
sakarkoot/HMS
a73fdba0cba99d3c73f7525e582caf726d111cf7
8f50d3052e69caf8086394f35421aaa55dae04b7
refs/heads/master
<repo_name>ketankumarpatel/meeetup-backend<file_sep>/src/utils/consts.js module.exports = { port: process.env.PORT || 1337, parse: { databaseURL: process.env.DATABASE_URI || process.env.MONGODB_URI || 'mongodb://localhost:27017/dev', appID: process.env.APP_ID || 'myAppId', masterKey: process.env.MASTER_KEY || 'myMasterKey', } } <file_sep>/src/models/task.js const mongoose = require('mongoose'); const Schema = mongoose.Schema; // on the Properties of Mongoose // Define collection and schema for todo Item // database - > Tables - > Rows // database -> Collections --> documents var task = new Schema({ taskName: { type: String }, isDone: { type: Boolean } }, {collection: 'tasks'}) module.exports = mongoose.model('task', task); // first Arg is Collection Name<file_sep>/src/app.js /* jslint node: true */ 'use strict' var express = require('express') var morgan = require('morgan') // For Loggin var path = require('path') var bodyParser = require('body-parser') // Require configuration file defined in app/Config.js var config = require('./utils/Config') // Express var app = express() // Initisalize app.use(morgan('dev')) app.use(bodyParser.json()) app.use(bodyParser.urlencoded({extended: true})) // Inistalize Server const port = config.APP_PORT || 9090 // app.listen(port) // Listen on port defined in config file console.log('App listening on port ' + port) // Router Initialisaiton / Controllers var taskRoutes = require('./controllers/taskFunctions') // Use routes defined in Route.js and prefix with todo // app.use('/order/',orderRoutes) app.all('/*', function(req, res, next) { res.header("Access-Control-Allow-Origin", "*"); res.setHeader("Access-Control-Allow-Headers", "Access-Control-Allow-Headers, Origin,Accept, X-Requested-With, Content-Type, Access-Control-Request-Method, Access-Control-Request-Headers"); next(); }) app.use('/tasks', taskRoutes) var mongoose = require('mongoose') // Connect to database mongoose.connect(config.DB) // Sends static files from the public path directory app.use(express.static(path.join(__dirname, '/public'))) // Use morgan to log request in dev mode // app.listen(port) // Listen on port defined in config file // Server index.html page when request to the root is made // App.listen - Backstage // const http = require('http'); // http.createServer(function (req, res) { // res.writeHead(200, { 'Content-Type': 'text/plain' }); // res.end('Hello World\n'); // }).listen(8080, '127.0.0.1'); // console.log('Server running at http://127.0.0.1:8080/');
a5fa1897dc5a7967d8293c1776dd086463fd4b1c
[ "JavaScript" ]
3
JavaScript
ketankumarpatel/meeetup-backend
ef53703b82dcf28d4f1c8aa94a9ac89324e57d84
fe762b66d16033741682d68deb7b2a468773b50e
refs/heads/master
<repo_name>Badis-M/42sh<file_sep>/include/my_proto.h /* ** my_proto.h for 42sh in /home/alexis/Documents/Epitech/Semestre2/PSU/PSU_2015_42sh/include/ ** ** Made by <NAME> ** Login <<EMAIL>> ** ** Started on Wed Jun 1 16:55:51 2016 <NAME> ** Last update Sun Jun 5 20:38:53 2016 <NAME> */ #ifndef MY_PROTO_H_ # define MY_PROTO_H_ # ifndef LIB_PROTO # define LIB_PROTO char **wordtab(char **tab, int i); int len_controler(char *str); char **split_wordtab(char *str); void my_putchar_error(char c); void my_putstr_error(char *str); void my_putnbr_error(int nb); void my_putchar(char c); void my_putstr(char *str); void my_putnbr(int nbr); int my_getnbr(char *str); int len_wordtab(char *str, char key); char *my_epurstr(char *str); char **str_to_wordtab(char *str, char key); char *new_line(char *str, char c); char *get_next_line(const int fd); int my_isnum(char *str); # endif /* !LIB_PROTO */ # ifndef MAIN_PROTO # define MAIN_PROTO int process(t_cmds cmd, char ***env); int check_builtins(t_cmd cmd, char ***env); int execute_cmd(t_cmd cmd, char ***env); int check_redirections(t_cmd cmd); char *get_param(char **env, char *param); int main_process(t_cmds *cmd_tab, char ***env); void my_put_prompt(char **env); t_cmd *tab_to_strut(char **tab, char *str); int execute_builtins(char ***env, t_cmd cmd_tab); # endif /* !MAIN_PROTO */ # ifndef REDIR_PROTO # define REDIR_PROTO int redir_right_str(char **cmd, char *name_file); int dble_redir_right_str(char **cmd, char *name_file); int redir_left(char **cmd, char *name_file); void dble_redir_left_str(void); void simple_pipe(t_cmd *cmd, char **env); void double_pipe(void); # endif /* !REDIR_PROTO */ # ifndef SYSCALL_PROTO # define SYSCALL_PROTO char *add_exec_to_path(char *path, char *exec); char *check_executable(char **exec); int exec(char **cmd); void check_segfault(int statut); #endif /* !SYSCALL_PROTO */ # ifndef BUILTINS_PROTO # define BUILTINS_PROTO int all_unsetenv(char **cmd, char ***env); char *concat(char *src, char *src2, char a); char **cpy_env(char **env); void put_env(char **env, char *pwd, char *param); void switch_pwd(char **env); void manage_pwd(char **env); int condi_cd(char **env, char **cmd); int tab_len(char **tab); int my_unsetenv(char **cmd, char ***env); int my_setenv(char **cmd, char ***env); int cd(char **cmd); int echo(char **cmd); int my_exit(char **cmd_tab); # endif /* BUILTINS_PROTO */ # ifndef PARSING_PROTO # define PARSING_PROTO int count_controleur(char *str); int check_controleur(char *str); char **add_controlleur(char *str); t_cmd parse_simple_cmd(t_cmd cmd); t_cmds split_main_str(t_cmds cmds); char *get_file(char *str, int i); t_cmd init_struct_cmd(); t_cmds init_struct_cmds(int nbr_cmds); int count_cmd(char *str); t_cmds *start_parsing(char *str); t_cmds *main_parsing(char *str); # endif /* PARSING_PROTO */ #endif /* !MY_PROTO_H_ */ <file_sep>/srcs/builtins/echo.c /* ** echo.c for echo in /home/quentin/rendu/Other/PSU_2015_42sh/srcs/builtins ** ** Made by Quentin ** Login <<EMAIL>> ** ** Started on Fri Jun 03 20:05:03 2016 Quentin ** Last update Sun Jun 5 18:36:32 2016 <NAME> */ #include "mysh.h" void my_puts(char **cmd) { int i; i = 1; while (cmd[i] != NULL) { my_putstr(cmd[i]); if (cmd[i + 1] != NULL) my_putchar(' '); i++; } return ; } int echo(char **cmd) { if (strncmp(cmd[0], "echo", 4) == 0) { if (cmd[1] != NULL) { if (strcmp(cmd[1], "-n") == 0) my_puts(cmd + 1); else { my_puts(cmd); my_putchar('\n'); } } else my_putchar('\n'); return (0); } return (1); } <file_sep>/srcs/separators/redir_str.c /* ** redir_str.c for redir_str.c in /home/merakc_b/rendu/42sh/PSU_2015_42sh/srcs/ ** ** Made by <NAME> ** Login <<EMAIL>> ** ** Started on Mon May 30 15:33:46 2016 <NAME> ** Last update Sun Jun 05 18:11:06 2016 maucha_a */ #include "mysh.h" int redir_right_str(char **cmd, char *name_file) { int file; int file_save; int excmd; if ((file = open(name_file, O_WRONLY | O_CREAT | O_TRUNC, 0644)) == -1) { fprintf(stderr, "%s: %s.\n", name_file, strerror(errno)); return (1); } file_save = dup(1); dup2(file, 1); close(file); excmd = exec(cmd); dup2(file_save, 1); return (excmd); } int dble_redir_right_str(char **cmd, char *name_file) { int file; int file_save; int excmd; if ((file = open(name_file, O_WRONLY | O_CREAT | O_APPEND, 00644)) == -1) { fprintf(stderr, "%s: %s.\n", name_file, strerror(errno)); return (1); } file_save = dup(1); dup2(file, 1); close(file); excmd = exec(cmd); dup2(file_save, 1); return (excmd); } int redir_left(char **cmd, char *name_file) { int file; int file_save; int excmd; if ((file = open(name_file, O_RDONLY)) == -1) { fprintf(stderr, "%s: %s.\n", name_file, strerror(errno)); return (1); } file_save = dup(0); dup2(file, 0); close(file); excmd = exec(cmd); dup2(file_save, 0); return (excmd); } <file_sep>/include/mysh.h /* ** mysh.h for PSU_2015_42sh in /home/maucha_a/Tekpi/PSU/PSU_2015_42sh/include ** ** Made by maucha_a ** Login <<EMAIL>> ** ** Started on Mon May 30 16:23:51 2016 maucha_a ** Last update Sat Jun 4 23:11:27 2016 <NAME> */ #ifndef MYSH_H # define MYSH_H # include <string.h> # include <strings.h> # include <stdio.h> # include <stdlib.h> # include <unistd.h> # include <signal.h> # include <sys/wait.h> # include <sys/types.h> # include <sys/stat.h> # include <fcntl.h> # include <errno.h> # include "my_macro.h" # include "my_struct.h" # include "my_proto.h" char **my_env; #endif /* !MYSH_H */ <file_sep>/srcs/manage_env/manage_pwd.c /* ** manage_pwd.c for 42sh in /home/alexis/Documents/Epitech/Semestre2/PSU/PSU_2015_42sh/srcs/manage_env/ ** ** Made by <NAME> ** Login <<EMAIL>> ** ** Started on Tue May 31 20:50:07 2016 <NAME> ** Last update Sun Jun 5 20:00:47 2016 <NAME> */ #include "mysh.h" void manage_pwd(char **env) { char str[1024]; if (getcwd(str, 1024) == NULL) return ; put_env(env, get_param(env, "PWD="), "OLDPWD="); put_env(env, str, "PWD="); return ; } void switch_pwd(char **env) { char *pwd; char *old_pwd; old_pwd = get_param(env, "OLDPWD="); pwd = get_param(env, "PWD="); put_env(env, old_pwd, "PWD="); put_env(env, pwd, "OLDPWD="); return ; } void put_env(char **env, char *str, char *param) { int i; int j; int k; i = 0; j = 0; k = strlen(param); while (strncmp(env[i], param, k) != 0) i++; while (str[j]) { env[i][k] = str[j]; k++; j++; } env[i][k] = '\0'; return ; } <file_sep>/srcs/parsing/main_parsing.c /* ** main_parsing.c for 42sh in /home/alexis/Documents/Epitech/Semestre2/PSU/PSU_2015_42sh/srcs/parsing/ ** ** Made by <NAME> ** Login <<EMAIL>> ** ** Started on Thu Jun 2 22:27:09 2016 <NAME> ** Last update Sun Jun 5 19:44:32 2016 <NAME> */ #include "mysh.h" t_cmd init_struct_cmd() { t_cmd cmd; cmd.cmd_tab = NULL; cmd.main_str = NULL; cmd.input_file = NULL; cmd.output_file = NULL; cmd.double_file = NULL; return (cmd); } t_cmds init_struct_cmds(int nbr_cmds) { t_cmds cmds; int i; i = 0; cmds.controleur = NULL; cmds.main_str = NULL; if ((cmds.cmd = malloc(sizeof(t_cmd) * (nbr_cmds + 1))) == NULL) exit(EXIT_FAILURE); while (i < nbr_cmds) cmds.cmd[i++] = init_struct_cmd(); return (cmds); } int count_cmd(char *str) { int i; int nbr; i = 0; nbr = 1; while (str[i]) { if (((str[i] == '|' && str[i + 1] == '|') || (str[i] == '&' && str[i + 1] == '&')) && (str[i + 2] == ' ' && str[i - 1] == ' ')) nbr++; i++; } return (nbr); } t_cmds *start_parsing(char *str) { t_cmds *cmds; char **tab; int i; int len; i = 0; len = len_wordtab(str, ';'); if ((cmds = malloc(sizeof(t_cmds) * (len + 1))) == NULL) exit(EXIT_FAILURE); tab = str_to_wordtab(str, ';'); while (tab[i]) { cmds[i] = init_struct_cmds(count_cmd(tab[i])); if ((cmds[i].main_str = strdup(tab[i])) == NULL) exit(EXIT_FAILURE); i++; } cmds[i].main_str = NULL; free(tab[0]); free(tab); return (cmds); } t_cmds *main_parsing(char *str) { t_cmds *cmds; int i; i = 0; cmds = start_parsing(str); while (cmds[i].main_str != NULL) { cmds[i] = split_main_str(cmds[i]); i++; } free(str); return (cmds); } <file_sep>/srcs/parsing/cmds_parsing.c /* ** cmds_parsing.c for 42sh in /home/alexis/Documents/Epitech/Semestre2/PSU/PSU_2015_42sh/srcs/parsing/ ** ** Made by <NAME> ** Login <<EMAIL>> ** ** Started on Fri Jun 3 15:23:30 2016 <NAME> ** Last update Sun Jun 5 23:38:25 2016 <NAME> */ #include "mysh.h" int count_controleur(char *str) { int i; int nbr; i = 0; nbr = 0; while (str[i]) { if ((str[i] == '|' && str[i + 1] == '|') || (str[i] == '&' && str[i + 1] == '&')) nbr++; i++; } return (nbr); } int check_controleur(char *str) { int i; i = 0; while (str[i]) { if (str[i] == '|' && str[i + 1] == '|') { if (str[0] == '|' || str[strlen(str) - 1] == '|' || str[i - 1] != ' ' || str[i + 2] != ' ') { fprintf(stderr, "Invalid null command.\n"); return (0); } } if (str[strlen(str) - 1] == '&' && str[strlen(str) - 2] == '&') { fprintf(stderr, "Invalid null command.\n"); return (0); } i++; } return (1); } char **add_controlleur(char *str) { char **controleur; int i; int j; i = 0; j = 0; if (check_controleur(my_epurstr(str)) == 0) return (NULL); if ((controleur = malloc(sizeof(char *) * (count_controleur(str) + 1))) == NULL) return (NULL); while (str[i]) { while (str[i + 1] && str[i] != '&' && str[i] != '|' && str[i + 1] != '&' && str[i + 1] != '|') i++; if (str[i] == '&' && str[i + 1] == '&') controleur[j++] = strdup("&&"); else if (str[i] == '|' && str[i + 1] == '|') controleur[j++] = strdup("||"); i++; } controleur[j] = NULL; return (controleur); } t_cmd parse_simple_cmd(t_cmd cmd) { int i; i = 0; while (cmd.main_str[i] && cmd.main_str[i] != '>' && cmd.main_str[i] != '|' && cmd.main_str[i] != '<') i++; cmd.cmd_tab = str_to_wordtab(my_epurstr(strndup(cmd.main_str, i)), ' '); if (cmd.main_str[i] == '>' && cmd.main_str[i + 1] == ' ') cmd.output_file = my_epurstr(get_file(cmd.main_str, i + 1)); else if (cmd.main_str[i] == '>' && cmd.main_str[i + 1] == '>') cmd.double_file = my_epurstr(get_file(cmd.main_str, i + 2)); else if (cmd.main_str[i] == '<' && cmd.main_str[i + 1] == ' ') cmd.input_file = my_epurstr(get_file(cmd.main_str, i + 1)); else { cmd.input_file = NULL; cmd.output_file = NULL; cmd.double_file = NULL; } free(cmd.main_str); return (cmd); } t_cmds split_main_str(t_cmds cmds) { char **tab; int i; i = 0; tab = split_wordtab(cmds.main_str); while (tab[i]) { cmds.cmd[i].main_str = strdup(tab[i]); cmds.cmd[i] = parse_simple_cmd(cmds.cmd[i]); i++; } cmds.cmd[i].main_str = NULL; cmds.controleur = add_controlleur(cmds.main_str); free(tab[0]); free(tab); return (cmds); } <file_sep>/lib/display_success.c /* ** display_success.c for lib in /home/alexis/Documents/Epitech/Semestre2/PSU/PSU_2015_42sh/lib/ ** ** Made by <NAME> ** Login <<EMAIL>> ** ** Started on Mon May 30 15:11:06 2016 <NAME> ** Last update Tue May 31 12:04:29 2016 <NAME> */ #include "mysh.h" void my_putchar(char c) { write(1, &c, 1); } void my_putstr(char *str) { int i; i = 0; while (str[i]) i++; write(1, str, i); } void my_putnbr(int nbr) { if (nbr < 0) { my_putchar('-'); nbr = -nbr; } if (nbr > 9) my_putnbr(nbr / 10); my_putchar(nbr % 10 + '0'); } <file_sep>/srcs/main_process/main.c /* ** main.c for 42sh in /home/alexis/Documents/Epitech/Semestre2/PSU/PSU_2015_42sh/srcs/main_process/ ** ** Made by <NAME> ** Login <<EMAIL>> ** ** Started on Tue May 31 12:07:27 2016 <NAME> ** Last update Sun Jun 5 20:31:39 2016 <NAME> */ #include "mysh.h" void ctrl_c() { my_putchar('\n'); my_put_prompt(my_env); return ; } int execute_cmd(t_cmd cmd, char ***env) { int exit_value; exit_value = 0; if ((exit_value = check_redirections(cmd)) != -1) return (exit_value); else if ((exit_value = check_builtins(cmd, env)) == 0) return (exit_value); else if ((exit_value = exec(cmd.cmd_tab)) == -1) printf("%s: Command not found.\n", cmd.cmd_tab[0]); else return (exit_value); return (1); } int process(t_cmds cmd, char ***env) { int a; int debug; int j; a = 0; j = 0; while (cmd.cmd[j].main_str != NULL) { debug = execute_cmd(cmd.cmd[j], env); if (cmd.controleur[a] != NULL) { if ((debug == 0 && strcmp(cmd.controleur[a], "||") == 0) || (debug != 0 && strcmp(cmd.controleur[a], "&&") == 0)) j = j + 2; else if ((debug != 0 && strcmp(cmd.controleur[a], "||") == 0) || (debug == 0 && strcmp(cmd.controleur[a], "&&") == 0)) j = j + 1; else j = j + 1; a = a + 1; } else j = j + 1; } return (debug); } int main_process(t_cmds *cmd_tab, char ***env) { int i; int exit_value; i = 0; exit_value = 0; while (cmd_tab[i].main_str != NULL) { exit_value = process(cmd_tab[i], env); i++; } return (exit_value); } int main(int ac, char **av, char **env) { (void)ac; (void)av; t_cmds *cmd_tab; char *str; int exit_value; my_env = cpy_env(env); my_put_prompt(my_env); signal(SIGINT, ctrl_c); exit_value = 0; while ((str = get_next_line(0))) { if (str[0] != '\0') { cmd_tab = main_parsing(str); exit_value = main_process(cmd_tab, &my_env); } my_put_prompt(my_env); } my_putstr("exit\n"); return (exit_value); } <file_sep>/Makefile ## ## Makefile for 42sh in /home/maucha_a/Tekpi/PSU/PSU_2015_42sh ## ## Made by maucha_a ## Login <<EMAIL>> ## ## Started on Mon May 30 15:14:49 2016 maucha_a ## Last update Sat Jun 4 22:38:49 2016 <NAME> ## CC = cc CFLAGS += -Wno-padded -g CFLAGS += -W -Wall -Werror -Wextra CFLAGS += -I./include RM = rm -f NAME = 42sh SRCS = srcs/main_process/main.c \ srcs/main_process/prompt.c \ srcs/main_process/get_env.c \ lib/display_success.c \ lib/str_to_wordtab.c \ lib/str_manip.c \ lib/display_error.c \ lib/my_getline.c \ srcs/syscall/exec.c \ srcs/builtins/cd.c \ srcs/builtins/echo.c \ srcs/manage_env/manage_pwd.c \ srcs/builtins/exit.c \ srcs/builtins/setenv.c \ srcs/builtins/unsetenv.c \ srcs/separators/redir_str.c \ srcs/parsing/main_parsing.c \ srcs/parsing/cmds_parsing.c \ srcs/parsing/get_file.c \ lib/split_wordtab.c \ srcs/main_process/main_process.c OBJS = $(SRCS:.c=.o) all: $(NAME) $(NAME): $(OBJS) $(CC) -o $(NAME) $(OBJS) clean: $(RM) $(OBJS) fclean: clean $(RM) $(NAME) re: fclean all .PHONY: all clean fclean re <file_sep>/srcs/main_process/prompt.c /* ** prompt.c for 42sh in /home/alexis/Documents/GitHub/42sh-Epitech/ ** ** Made by <NAME> ** Login <<EMAIL>> ** ** Started on Tue May 10 15:40:43 2016 <NAME> ** Last update Sun Jun 5 18:30:28 2016 <NAME> */ #include "mysh.h" void my_put_prompt(char **env) { char *user; char *pwd; my_putstr(RED); my_putstr("| "); my_putstr(GREY); if ((user = get_param(env, "USER=")) == NULL) my_putstr("42sh-Epitech"); else my_putstr(user); my_putstr(RED); my_putstr(" || "); my_putstr(GREY); if ((pwd = get_param(env, "PWD=")) == NULL) my_putstr("~/"); else my_putstr(pwd); my_putstr(RED); my_putstr(" $> "); my_putstr(DEFAULT_COLOR); free(user); free(pwd); } <file_sep>/lib/str_manip.c /* ** str_manip.c for lib in /home/alexis/Documents/Epitech/Semestre2/PSU/PSU_2015_42sh/lib/ ** ** Made by <NAME> ** Login <<EMAIL>> ** ** Started on Mon May 30 15:16:19 2016 <NAME> ** Last update Sun Jun 5 23:43:40 2016 <NAME> */ #include "mysh.h" char *my_epurstr(char *str) { int i; int space; char *newstr; i = 0; space = 0; if ((newstr = malloc(sizeof(char) * strlen(str) + 1)) == NULL) return (NULL); while (str[i] == ' ' || str[i] == '\t') i = i + 1; while (str[i] != '\0') { if (str[i] != ' ' && str[i] != '\t') newstr[space++] = str[i++]; else if (str[i] == ' ' || str[i] == '\t') { while (str[i] == ' ' || str[i] == '\t') i = i + 1; if (str[i] != '\0') newstr[space++] = ' '; } } newstr[space] = 0; return (newstr); } int my_getnbr(char *str) { int len; long long int nbr; long long int power; short int neg; power = 1; nbr = 0; neg = 1; if (str[0] == '-') { str++; neg = -1; } len = strlen(str) - 1; while (len >= 0) { if (str[len] < '0' || str[len] > '9') return (0); nbr = nbr + ((str[len] - '0') * power); power = power * 10; len--; } return (nbr * neg); } int my_isnum(char *str) { int i; i = 0; if (str[i] == '-' && str[i + 1] != '\0') i++; while (str[i]) { if (str[i] < '0' || str[i] > '9') return (-1); i++; } return (0); } char *concat(char *src, char *src2, char a) { char *str; int i; int j; str = malloc(sizeof(char) * (strlen(src) + (strlen(src2) + 2))); if (str == NULL) exit(-1); i = 0; j = 0; while (src[i] != '\0') { str[i] = src[i]; i++; } str[i] = a; i++; while (src2[j] != '\0') { str[i] = src2[j]; j++; i++; } str[i] = '\0'; return (str); } <file_sep>/include/my_struct.h /* ** my_struct.h for 42sh in /home/alexis/Documents/Epitech/Semestre2/PSU/PSU_2015_42sh/include/ ** ** Made by <NAME> ** Login <<EMAIL>> ** ** Started on Tue May 31 11:58:48 2016 <NAME> ** Last update Sun Jun 5 20:21:50 2016 <NAME> */ #ifndef MY_STRUCT_H_ # define MY_STRUCT_H_ typedef struct s_redir { int file; char *name_file; char *write_file; char *cmd; } t_redir; typedef struct s_cmd { char **cmd_tab; char *input_file; char *output_file; char *double_file; char *main_str; } t_cmd; typedef struct s_cmds { t_cmd *cmd; char **controleur; char *main_str; } t_cmds; typedef struct s_env { char *path; char **stw_path; char *cat_path; char *oldpwd; char *home; char *user; } t_env; #endif /* !MY_STRUCT_H_ */ <file_sep>/srcs/builtins/cd.c /* ** cd.c for cd in /home/merakc_b/rendu/42sh/PSU_2015_42sh/srcs/ ** ** Made by <NAME> ** Login <<EMAIL>> ** ** Started on Mon May 30 15:33:34 2016 <NAME> ** Last update Sun Jun 5 18:51:35 2016 <NAME> */ #include "mysh.h" int cd(char **cmd) { int exit_value; exit_value = 0; if (strcmp(cmd[0], "cd") == 0) { if (cmd[1] != NULL) { if (strcmp(cmd[1], "-") == 0) { chdir(get_param(my_env, "OLDPWD=")); switch_pwd(my_env); } else if (strcmp(cmd[1], "-") != 0) exit_value = condi_cd(my_env, cmd); } else { chdir(get_param(my_env, "HOME=")); manage_pwd(my_env); } return (exit_value); } return (1); } int condi_cd(char **env, char **cmd) { struct stat file; if (stat(cmd[1], &file) == -1) { printf("%s: %s.\n", cmd[1], strerror(errno)); return (1); } else if (open(cmd[1], O_DIRECTORY) == -1) { printf("%s: %s.\n", cmd[1], strerror(errno)); return (1); } else if (stat(cmd[1], &file) == 0 && open(cmd[1], O_DIRECTORY) != -1) { chdir(cmd[1]); manage_pwd(env); return (0); } return (0); } <file_sep>/srcs/builtins/exit.c /* ** exit.c for 42sh in /home/alexis/Documents/Epitech/Semestre2/PSU/PSU_2015_42sh/srcs/builtins/ ** ** Made by <NAME> ** Login <<EMAIL>> ** ** Started on Wed Jun 1 00:12:40 2016 <NAME> ** Last update Sun Jun 5 18:37:53 2016 <NAME> */ #include "mysh.h" int my_exit(char **cmd_tab) { if (strcmp(cmd_tab[0], "exit") == 0) { if (cmd_tab[1] != NULL) { if (my_isnum(cmd_tab[1]) == 0) { exit(my_getnbr(cmd_tab[1])); return (1); } my_putstr("Syntax errors\n"); return (1); } my_putstr("exit\n"); exit(0); return (0); } return (1); } <file_sep>/include/my_macro.h /* ** my_macro.h for 42sh in /home/alexis/Documents/Epitech/Semestre2/PSU/PSU_2015_42sh/include/ ** ** Made by <NAME> ** Login <<EMAIL>> ** ** Started on Tue May 31 11:48:19 2016 <NAME> ** Last update Tue May 31 12:01:38 2016 <NAME> */ #ifndef MY_MACRO_H_ # define MY_MACRO_H_ # ifndef MY_COLOR # define BLACK "\033[1;30m" # define RED "\033[1;31m" # define GREEN "\033[1;32m" # define YELLOW "\033[1;33m" # define BLUE "\033[1;34m" # define PURPLE "\033[1;35m" # define CYAN "\033[1;36m" # define GREY "\033[1;37m" # define DEFAULT_COLOR "\033[0;m" # endif /* !MY_COLOR */ #endif /* !MY_MACRO_H_ */ <file_sep>/lib/my_getline.c /* ** my_getline.c for lib in /home/alexis/Documents/Epitech/Semestre2/PSU/PSU_2015_42sh/lib/ ** ** Made by <NAME> ** Login <<EMAIL>> ** ** Started on Mon May 30 15:16:38 2016 <NAME> ** Last update Tue May 31 16:15:04 2016 <NAME> */ #include "mysh.h" char *new_line(char *str, char c) { char *newstr; int i; i = 0; if ((newstr = malloc(sizeof(char) * (strlen(str) + 2))) == NULL) return (NULL); while (str[i]) { newstr[i] = str[i]; i++; } newstr[i++] = c; newstr[i] = 0; free(str); return (newstr); } char *get_next_line(const int fd) { int i; int len; char c; char *line; len = 0; i = 1; if ((line = malloc(sizeof(char) * 2)) == NULL) return (NULL); line[0] = 0; while (i) { if ((i = read(fd, &c, 1)) == -1) return (NULL); len = len + 1; if (i == 0) return (NULL); if (len == 1 && c == '\n') return (line); else if (c == '\n' || c == '\0') return (line); if ((line = new_line(line, c)) == NULL) return (NULL); } return (NULL); } <file_sep>/srcs/main_process/get_env.c /* ** get_env.c for 42sh in /home/alexis/Documents/GitHub/42sh-Epitech/ ** ** Made by <NAME> ** Login <<EMAIL>> ** ** Started on Tue May 10 20:32:14 2016 <NAME> ** Last update Tue May 31 12:15:45 2016 <NAME> */ #include "mysh.h" char *get_param(char **env, char *param) { int i; char *save; char *value; i = 0; if (env[0] == NULL) return (NULL); while (env[i] != NULL) { if ((strncmp(env[i], param, strlen(param))) == 0) { save = strdup(env[i]); save += strlen(param); value = strdup(save); save -= strlen(param); free(save); return (value); } i++; } return (NULL); } char **get_path(char **env) { return (str_to_wordtab(get_param(env, "PATH="), ':')); } <file_sep>/lib/split_wordtab.c /* ** split_wordtab.c for PSU in /home/illi_j/rendu/PSU/PSU_2015_42sh/lib/ ** ** Made by <NAME> ** Login <<EMAIL>> ** ** Started on Thu Jun 2 19:26:49 2016 <NAME> ** Last update Sun Jun 5 20:38:46 2016 <NAME> */ #include "mysh.h" int len_controler(char *str) { int i; int key; i = 0; key = 0; while (str[i]) { if ((str[i] == '&' && str[i + 1] == '&') || (str[i] == '|' && str[i + 1] == '|')) key = key + 1; i = i + 1; } return (key + 1); } char **wordtab(char **tab, int i) { if (strcmp(tab[i - 1], "\0") == 0) tab[i - 1] = NULL; tab[i] = NULL; return (tab); } char **split_wordtab(char *str) { char **tab; char *newstr; int line; int i; i = 1; newstr = strdup(str); line = len_controler(newstr); if ((tab = malloc(sizeof(char *) * (line + 2))) == NULL) exit(1); tab[0] = newstr; while (i < line) { if ((*newstr == '&' && newstr[1] == '&') || (*newstr == '|' && newstr[1] == '|')) { *newstr = 0; newstr += 2; if (*newstr == ' ') newstr++; tab[i++] = newstr; } newstr++; } return (wordtab(tab, i)); } <file_sep>/srcs/syscall/exec.c /* ** exec.c for PSU in /home/illi_j/rendu/PSU/PSU_2015_42sh/srcs/ ** ** Made by <NAME> ** Login <<EMAIL>> ** ** Started on Tue May 31 11:46:03 2016 <NAME> ** Last update Sun Jun 5 17:49:55 2016 <NAME> */ #include "mysh.h" char *add_exec_to_path(char *path, char *exec) { int i; int j; int len; char *str; i = 0; j = 0; len = strlen(path) + strlen(exec); if ((str = malloc(sizeof(char) * (len + 2))) == NULL) return (NULL); while (path[i]) { str[i] = path[i]; i++; } str[i] = '/'; i++; while (exec[j]) { str[i] = exec[j]; i++; j++; } str[i] = 0; return (str); } char *check_executable(char **exec) { int i; char *str; char *gpath; char **path; i = 0; if (access(exec[0], X_OK) != 0) { if ((str = get_param(my_env, "PATH=")) == NULL) str = "/bin"; path = str_to_wordtab(str, ':'); if ((strncmp(exec[0], "./", 2)) == 0 || strncmp(exec[0], "/", 1) == 0) return (exec[0]); while (path[i]) { gpath = add_exec_to_path(path[i], exec[0]); if (access(gpath, X_OK) == 0) return (gpath); i++; } } else return (exec[0]); return (NULL); } int exec(char **cmd) { int execv; pid_t pid; char *exec; if ((exec = check_executable(cmd)) == NULL) return (-1); if (exec != NULL) { pid = fork(); if (pid == 0) { if ((execv = execve(exec, cmd, my_env)) == -1) exit(EXIT_FAILURE); } else { waitpid(pid, &execv, WUNTRACED); check_segfault(execv); if (WEXITSTATUS(execv) == 1) printf("%s: %s.\n", cmd[0], "Command not found"); return (WEXITSTATUS(execv)); } } return (-1); } void check_segfault(int statut) { if (WIFSIGNALED(statut)) { if (WTERMSIG(statut) == SIGSEGV) fprintf(stderr, "%s\n", strerror(errno)); if (WTERMSIG(statut) == SIGFPE) fprintf(stderr, "%s\n", strerror(errno)); if (WCOREDUMP(statut)) fprintf(stderr, "%s\n", strerror(errno)); } } <file_sep>/srcs/main_process/main_process.c /* ** main_process.c for 42sh in /home/alexis/Documents/Epitech/Semestre2/PSU/PSU_2015_42sh/srcs/main_process/ ** ** Made by <NAME> ** Login <<EMAIL>> ** ** Started on Sat Jun 4 22:24:00 2016 <NAME> ** Last update Sun Jun 5 18:16:01 2016 <NAME> */ #include "mysh.h" int check_builtins(t_cmd cmd, char ***env) { int exit_value; exit_value = 1; if ((exit_value = cd(cmd.cmd_tab)) == 0) return (exit_value); else if ((exit_value = echo(cmd.cmd_tab)) == 0) return (exit_value); else if ((exit_value = my_exit(cmd.cmd_tab)) == 0) return (exit_value); else if ((exit_value = my_setenv(cmd.cmd_tab, env)) == 0) return (exit_value); else if ((exit_value = my_unsetenv(cmd.cmd_tab, env)) == 0) return (exit_value); return (1); } int check_redirections(t_cmd cmd) { int exit_value; exit_value = 0; if (cmd.input_file != NULL) { exit_value = redir_left(cmd.cmd_tab, cmd.input_file); return (exit_value); } else if (cmd.output_file != NULL) { exit_value = redir_right_str(cmd.cmd_tab, cmd.output_file); return (exit_value); } else if (cmd.double_file != NULL) { exit_value = dble_redir_right_str(cmd.cmd_tab, cmd.double_file); return (exit_value); } return (-1); } <file_sep>/srcs/builtins/setenv.c /* ** setenv.c for setenv in /home/merakc_b/rendu/42sh/PSU_2015_42sh/srcs/builtins/ ** ** Made by <NAME> ** Login <<EMAIL>> ** ** Started on Tue May 31 16:03:54 2016 <NAME> ** Last update Sun Jun 5 18:06:28 2016 <NAME> */ #include "mysh.h" void aff_tab(char **tab) { int i; i = 0; while (tab[i]) { puts(tab[i]); i++; } } int my_setenv(char **cmd, char ***env) { int i; i = 0; if (strcmp(cmd[0], "setenv") != 0) return (1); if (strcmp(cmd[0], "setenv") == 0 && cmd[1] == NULL) { aff_tab(*env); return (0); } while ((*env)[i] && strncmp((*env)[i], cmd[1], strlen(cmd[1]))) i++; if ((*env)[i] == NULL) { *env = realloc(*env, (sizeof(char *) * (tab_len(*env) + 2))); (*env)[i + 1] = NULL; } else free((*env)[i]); if (cmd[2] != NULL) (*env)[i] = concat(cmd[1], cmd[2], '='); else (*env)[i] = concat(cmd[1], "", '='); return (0); } char **cpy_env(char **env) { int i; char **new_env; i = 0; new_env = malloc((tab_len(env) + 1) * (sizeof(char *))); while (env[i] != NULL) { new_env[i] = strdup(env[i]); i++; } new_env[i] = NULL; return (new_env); } int tab_len(char **tab) { int i; i = 0; while (tab[i] != NULL) { i++; } return (i); } <file_sep>/lib/str_to_wordtab.c /* ** str_to_wordtab.c for PSU in /home/illi_j/rendu/PSU/PSU_2015_42sh/lib ** ** Made by <NAME> ** Login <<EMAIL>> ** ** Started on Mon May 30 15:39:31 2016 <NAME> ** Last update Sun Jun 5 16:40:57 2016 <NAME> */ #include "mysh.h" int len_wordtab(char *str, char key) { int space; int i; space = 0; i = 0; while (str[i] != '\0') { if (str[i] == key) space = space + 1; i = i + 1; } return (space + 1); } char **str_to_wordtab(char *str, char key) { char **tab; char *new_str; int line; int i; i = 1; new_str = strdup(my_epurstr(str)); line = len_wordtab(new_str, key); if ((tab = malloc(sizeof(char *) * (line + 1))) == NULL) return (NULL); tab[0] = new_str; while (i < line) { if (*new_str == key) { *new_str = 0; new_str++; tab[i++] = new_str; } new_str++; } if (strcmp(tab[i - 1], "\0") == 0) tab[i - 1] = NULL; tab[i] = NULL; return (tab); } <file_sep>/srcs/builtins/unsetenv.c /* ** unsetenv.c for unsetenv in /home/merakc_b/rendu/42sh/PSU_2015_42sh/srcs/builtins/ ** ** Made by <NAME> ** Login <<EMAIL>> ** ** Started on Thu Jun 2 22:14:09 2016 <NAME> ** Last update Sun Jun 5 18:43:05 2016 <NAME> */ #include "mysh.h" int my_unsetenv(char **cmd, char ***env) { int i; i = 0; if (strcmp(cmd[0], "unsetenv") != 0) return (1); if (strcmp(cmd[0], "unsetenv") == 0 && cmd[1] == NULL) { puts("unsetenv: Too few arguments."); return (1); } if (strcmp(cmd[1], "*") == 0) all_unsetenv(cmd, env); while ((*env)[i] && strncmp((*env)[i], cmd[1], strlen(cmd[1]))) i++; if ((*env)[i] != NULL) { free((*env)[i]); while ((*env)[i + 1] != NULL) { (*env)[i] = (*env)[i + 1]; i++; } } (*env)[i] = NULL; return (0); } int all_unsetenv(char **cmd, char ***env) { int i; i = 0; if (strcmp(cmd[0], "unsetenv") != 0) return (0); if (strcmp(cmd[0], "unsetenv") == 0 && strcmp(cmd[1], "*") == 0) { free((*env)[i]); while ((*env)[i + 1] != NULL) { (*env)[i] = NULL; i++; } } (*env)[i] = NULL; return (1); } <file_sep>/README.md # 42sh Epitech's Unix Programming Module's final project. The "42sh" is a shell with its own built-in <file_sep>/lib/display_error.c /* ** display_error.c for lib in /home/alexis/Documents/Epitech/Semestre2/PSU/PSU_2015_42sh/lib/ ** ** Made by <NAME> ** Login <<EMAIL>> ** ** Started on Mon May 30 15:11:06 2016 <NAME> ** Last update Tue May 31 12:04:24 2016 <NAME> */ #include "mysh.h" void my_putchar_error(char c) { write(2, &c, 1); } void my_putstr_error(char *str) { int i; i = 0; while (str[i]) i++; write(2, str, i); } void my_putnbr_error(int nb) { if (nb < 0) { my_putchar_error('-'); nb = -nb; } if (nb > 9) my_putnbr_error(nb / 10); my_putchar_error(nb % 10 + '0'); } <file_sep>/srcs/parsing/get_file.c /* ** get_file.c for 42SH in /home/alexis/Documents/Epitech/Semestre2/PSU/PSU_2015_42sh/srcs/parsing/ ** ** Made by <NAME> ** Login <<EMAIL>> ** ** Started on Sat Jun 4 15:18:45 2016 <NAME> ** Last update Sun Jun 5 12:06:24 2016 <NAME> */ #include "mysh.h" char *get_file(char *str, int i) { char *file; int a; a = 0; if ((file = malloc(sizeof(char) * (strlen(str) - i + 1))) == NULL) return (NULL); while (str[i] && str[i] != '|' && str[i] != '<' && str[i] != '>') { file[a++] = str[i++]; } file[a] = '\0'; return (file); }
7a84b76909fdb8f08f8d6a1dd35589832649671f
[ "Makefile", "Markdown", "C" ]
27
Makefile
Badis-M/42sh
e944a3baba0c48ba176239ba88fe68208b9a48f1
aa447e88c09d6b913c7637cefb0d940dabee1c22
refs/heads/master
<file_sep>#!/bin/bash #echo 'PS1="\[\e[01;95m\]\u\[\e[m\]\[\e[01;94m\]@\[\e[m\]\[\e[01;96m\]\h\[\e[m\]\[\e[01;92m\]:\[\e[m\]\[\e[01;93m\]\w\[\e[m\]\[\e[01;91m\]$\[\e[m\] "' >> ~/.bashrc echo 'PS1="\[\e[01;96m\]\u\[\e[m\]\[\e[01;92m\]@\[\e[m\]\[\e[01;94m\]\h\[\e[m\]\[\e[01;97m\]:\[\e[m\]\[\e[01;95m\]\w\[\e[m\]\[\e[01;97m\]$\[\e[m\] "' >> ~/.bashrc source ~/.bashrc mkdir -p ~/.vim/pack/themes/opt cd ~/.vim/pack/themes/opt git clone https://github.com/dracula/vim.git dracula #cp ./vim/colors/dracula.vim /usr/share/vim/vim80/colors/ echo -e "packadd! dracula\nset number\nsyntax on\ncolor dracula\nset t_Co=256" > ~/.vimrc <file_sep># change bash and vim colorscheme! git clone https://github.com/nsbb/change_color.git cd change_color chmod +x change_color source change_color <file_sep>#!/bin/bash echo 'PS1="\[\e[01;91m\]\u\[\e[m\]\[\e[01;93m\]@\[\e[m\]\[\e[01;92m\]\h\[\e[m\]\[\e[01;96m\]:\[\e[m\]\[\e[01;94m\]\w\[\e[m\]\[\e[01;95m\]$\[\e[m\] "' >> ~/.bashrc source ~/.bashrc git clone https://github.com/dracula/vim.git sudo mv ./vim/colors/dracula.vim /usr/share/vim/vim80/colors/ rm -rf ./vim echo -e "set number\nsyntax on\ncolor dracula\nset t_Co=256" > ~/.vimrc
26618d68070f629aacfd7f90d99e859631d03142
[ "Markdown", "Shell" ]
3
Markdown
nsbb/change_color
78943bf61d0ba897df1c46d821d7be21ed1aa4d6
cc33020a7b9baef6814605b369be617832ce0dc8
refs/heads/main
<file_sep>const API_URL = { Serch: 'http://www.omdbapi.com/?apikey=96218485&s=', Id: 'http://www.omdbapi.com/?apikey=96218485&i=' } export default API_URL; <file_sep>import React from 'react' import styles from "./About.module.css" export const About =()=>{ return( <div className={styles.navigation}> <h2>About</h2> <div className='Biography'> Intern JavaScrpit developer: <NAME> <p/> <a href="https://github.com/WladimirMihalev">My page on GIT</a> </div> </div>) }<file_sep>import React from 'react' import {useState, useEffect} from 'react' import { FilmsItem } from './Items/FilmsItem' import styles from "./FilmsList.module.css" import { useSelector} from "react-redux"; export const FilmsList =()=>{ const [films, setFilms] = useState <any[]>([]) const filmsList = useSelector((state:any) => state.Search) useEffect(() => { setFilms(filmsList) }, [filmsList]) function sortByAlphabet() { const sorted = [...films].sort((a, b) =>{ if(a.Title.toLowerCase() > b.Title.toLowerCase()){ return 1; } if (a.Title.toLowerCase() < b.Title.toLowerCase()) { return -1 } return 0; }); setFilms(sorted); } return( <div> <button className={styles.button} onClick={sortByAlphabet}>Sort by alphabet</button> <div className={styles.filmList}> {films.map(el=> ( <FilmsItem film={el} key={el.imdbID}/>))} </div> </div>) }<file_sep>import { filmReducers } from "./reducer"; import mySaga from './sagas' import { createStore, applyMiddleware } from 'redux'; import { composeWithDevTools } from 'redux-devtools-extension'; import createSagaMiddleware from "redux-saga" const { reducer } = filmReducers; const saga = createSagaMiddleware() const store = createStore( reducer, composeWithDevTools( applyMiddleware(saga) )); saga.run(mySaga) export default store;<file_sep>import React from "react"; import styles from "./Deafult.module.css"; export const DeafultMain = () => { return ( <div> <p className={styles.text}> Welcome to OMDb base! </p> </div> ); }; <file_sep>import * as React from "react"; import { useState, useEffect } from "react"; import { useDispatch, useSelector } from "react-redux"; import { DeafultMain } from "./Deafult/DeafultMain"; import { FilmsList } from "./List/FilmList"; import "./Main.module.css"; import styles from "./Main.module.css"; export const Main = () => { const [films, setFilms] = useState([]); const [title, setTitle] = useState(""); const filmsList = useSelector((state: any) => state); const dispatch = useDispatch(); useEffect(() => { setFilms(filmsList.Search); }, [filmsList]); async function ButtonClicked(event) { event.preventDefault(); await dispatch({ type: "GET_FILMS", title }); } return ( <div> <div className={styles.head}> <h2 className={styles.title}>Search in OMDb base</h2> <form onSubmit={ButtonClicked}> <button className={styles.button}>Search</button> <input className={styles.input} onChange={(event) => setTitle(event.target.value)} placeholder="I'm wait your search request!"></input> </form> </div> {films.length < 1 ? <DeafultMain /> : <FilmsList />} </div> ); }; <file_sep>import { createSlice } from "@reduxjs/toolkit"; const initialState = { Search: [], message: "", }; export const filmReducers = createSlice({ name: "@films", initialState: initialState, reducers: { getFilms: (state, { type, payload }) => ({ ...state, ...payload, }), errorMesage: (state, action) => ({ ...state, message: action.payload, }), getOneFilm: (state, { type, payload }) => ({ ...state, ...payload, }), }, }); export const { getFilms, errorMesage } = filmReducers.actions; export default filmReducers.reducer; <file_sep>import React from 'react' import { BrowserRouter as Router, Switch, Route, Link } from "react-router-dom"; import {About} from "../about/About" import { Films } from '../main/List/Items/Film/Film'; import {Main} from "../main/Main" import "./RouterStyles.module.css" function Routs() { return ( <Router> <div > <nav> <ul> <li> <Link to="/" >Main page</Link> </li> <li> <Link to="/about">About team</Link> </li> </ul> </nav> <Switch> <Route path="/about"> <About /> </Route> <Route exact path="/"> <Main /> </Route> <Route exact path="/:id"> <Films /> </Route> </Switch> </div> </Router> ); } export default Routs; <file_sep>import { put, takeEvery } from "redux-saga/effects"; import * as Effects from "redux-saga/effects"; import axios from "axios"; import { filmReducers } from "./reducer"; import API_URL from "../components/API/API_URL" const call: any = Effects.call; function* getFilmsList(action) { const { actions: { getFilms, errorMesage }, } = filmReducers; try { const films = yield call(() => axios({ method: "GET", url: `${API_URL.Serch}${action.title}`, }) ); yield put(getFilms(films.data)); } catch (e) { yield put(errorMesage(e.message)); } } function* getOneFilm(action) { const { actions: { getOneFilm, errorMesage }, } = filmReducers; try { const films = yield call(() => axios({ method: "GET", url: `${API_URL.Id}${action.id}`, }) ); yield put(getOneFilm(films.data)); } catch (e) { yield put(errorMesage(e.message)); } } export default function* mySaga() { yield takeEvery("GET_FILMS", getFilmsList); yield takeEvery("GET_ONE_FILM", getOneFilm); } <file_sep>import React from "react"; import { useEffect, useState } from "react"; import { useDispatch, useSelector } from "react-redux"; import { useParams } from "react-router-dom"; import styles from "./Film.module.css"; interface Film { Title: String; Poster: String; Year: String; Runtime: String; Language: String; Actors: String; Type: String; Genre: String; Production: String; Plot: String; imdbID: String; } interface id { id?: string; } export const Films = () => { const getFilm = useSelector((state: Film) => state); const [film, setFilm] = useState<any>({}); let { id }: id = useParams(); const dispatch = useDispatch(); useEffect(() => { dispatch({ type: "GET_ONE_FILM", id }); }, []); useEffect(() => { setFilm(getFilm); }, [getFilm]); return ( <div> <div className={styles.item}> <img className={styles.img} src={film.Poster} alt="Poster" /> <div className={styles.desc}> <h2 className={styles.title}>{film.Title}</h2> <p className={styles.text}>Year: {film.Year}</p> <p className={styles.text}>Runtime: {film.Runtime}</p> <p className={styles.text}>Plot: {film.Plot}</p> <p className={styles.text}>Language: {film.Language}</p> <p className={styles.text}>Actors: {film.Actors}</p> <p className={styles.text}>Type: {film.Type}</p> <p className={styles.text}>Genres: {film.Genre}</p> <p className={styles.text}>Production: {film.Production}</p> </div> </div> </div> ); }; <file_sep>import React from "react"; import styles from "./FilmsItem.module.css"; export const FilmsItem = ({ film }) => { function openOneFilm(id: String) { const win: any = window.open(`/${id}`, `/${id}`); win.focus(); } return ( <div> <div className={styles.item}> <h2 className={styles.title}> {film.Title}, ({film.Year}) </h2> <div className={styles.desc}> <img className={styles.img} src={film.Poster} alt="Poster" /> <button onClick={() => openOneFilm(film.imdbID)} className={styles.button} > More details </button> </div> </div> </div> ); };
a7774a4f16084498fb27577b8b3bfd2a54c7d907
[ "TSX" ]
11
TSX
WladimirMihalev/OMDB
cdfee2a6ec37961dc37d8969dba4dbe8db377daf
edbb6f871a4e532d6c5b2b27987613449232e5b8
refs/heads/master
<file_sep># mutiny information and resources for contributors
d1aab00370e9781cef6812d06dfd91180956c8b7
[ "Markdown" ]
1
Markdown
mutiny/mutiny
f0b80b99edb051a5f2c065bb1623b3d30a452a3c
aee05a52f454f6bfbf17b7d73682b00c5b8b2aae
refs/heads/main
<repo_name>trent-hodgins-01/ICS3U-Unit4-05-Python<file_sep>/adding.py # !/user/bin/env python3 # Created by <NAME> # Created on 10/05/2021 # This is an adding program # The user enters in the number of numbers they would like to add # The user then enters the numbers they would like to add def main(): # this function does addition math answer = 0 # input number_of_numbers = input("How many numbers are you going to add: ") # input process and output try: number_of_numbers_integer = int(number_of_numbers) for loop_counter in range(number_of_numbers_integer): number_to_add = input("Enter a number to add: ") number_to_add_as_int = int(number_to_add) if number_to_add_as_int < 0: continue answer = answer + number_to_add_as_int print("Sum of the positive numbers is: {0}".format(answer)) except Exception: print("You didn’t enter in a number.") print("\nDone") if __name__ == "__main__": main()
6b47f05f01f2e41ac47e9b02188d86ee030ca209
[ "Python" ]
1
Python
trent-hodgins-01/ICS3U-Unit4-05-Python
c6048c892692ce0bb9d3580e6e9bb009162fc946
c9d6a4d25864e96c84ed47ced645f08e48a7434f
refs/heads/master
<file_sep># EXIFPhotoReorder Reorder photos renaming using EXIF date. It also divides photos in folders using different criteria (extension, year, month, etc...). Download Windows executable from here: [PhotoReorder.exe](https://github.com/fdivitto/EXIFPhotoReorder/raw/master/PhotoReorder.exe) Application screenshot: ![screenshot1](https://github.com/fdivitto/EXIFPhotoReorder/raw/master/screenshot1.jpg)
56ded107eee85cc1e5b7ae0a012e5ba41c89bb12
[ "Markdown" ]
1
Markdown
fdivitto/EXIFPhotoReorder
62f8fc615d284301fd0770ba442f65e7ad062955
4c10a35e78c3197c876a51371f9fe7841aab3ae9
refs/heads/master
<repo_name>mayur305/Quiz<file_sep>/game.js const question = document.getElementById('question'); const choice = Array.from(document.getElementsByClassName("choice-text")); const progressText = document.getElementById('progessText'); const scoreText = document.getElementById('score'); const progressBarFull = document.getElementById('progressBarFull'); const loader = document.getElementById('loader'); const game = document.getElementById('game'); let currentQuestion={}; let acceptingAnswers=false; let score=0; let questionCounter=0; let availableQuestion=[]; let questions=[]; // fetch("question.json") // if you have set of question than pass file location// fetch("https://opentdb.com/api.php?amount=10&category=9&difficulty=easy&type=multiple") .then(res => { return res.json(); }) .then(loadedQuestions => { console.log(loadedQuestions.results); questions = loadedQuestions.results.map(loadedQuestions => { const formattedQuestion = { question:loadedQuestions.question }; const answerChoices = [...loadedQuestions.incorrect_answers]; formattedQuestion.answer = Math.floor(Math.random() * 3) +1; answerChoices.splice(formattedQuestion.answer -1,0, loadedQuestions.correct_answer); answerChoices.forEach((choice, index) => { formattedQuestion["choice" + (index+1)] =choice; }) return formattedQuestion; }); // questions = loadedQuestions; startGame(); }) .catch(err => { console.error(err); }); //Constant// const CORRECT_BONUS=10; const MAX_QUESTIONS=5; startGame=()=>{ questionCounter=0; score=0; availableQuestion=[...questions]; console.log(availableQuestion); getNewQuestion(); game.classList.remove("hidden"); loader.classList.add("hidden"); }; getNewQuestion = () => { if(availableQuestion.length === 0 || questionCounter >= MAX_QUESTIONS) { localStorage.setItem('mostRecentScore',score); //Go to end page return window.location.assign('/end.html'); } questionCounter++; progressText.innerText= "Question " + questionCounter + "/" + MAX_QUESTIONS; // this is another method for concatenate variable // // progressText.innerText=`Question ${questionCounter}/${MAX_QUESTIONS}`; // Update the ProgressBar // progressBarFull.style.width = `${(questionCounter / MAX_QUESTIONS) * 100 }%`; const questionIndex = Math.floor(Math.random() * availableQuestion.length ); currentQuestion=availableQuestion[questionIndex]; question.innerText = currentQuestion.question; choice.forEach(choice =>{ const number=choice.dataset['number']; choice.innerText = currentQuestion['choice'+number]; }); availableQuestion.splice(questionIndex,1); acceptingAnswers=true; }; choice.forEach(choice =>{ choice.addEventListener('click',e => { if(!acceptingAnswers) return; acceptingAnswers=false; const selectedChoice = e.target; const selectedAnswer = selectedChoice.dataset['number']; const classToApply = selectedAnswer == currentQuestion.answer ? "correct" : "incorrect"; if(classToApply === 'correct') { incrementScore(CORRECT_BONUS); } selectedChoice.parentElement.classList.add(classToApply); setTimeout( () =>{ selectedChoice.parentElement.classList.remove(classToApply); getNewQuestion(); },1000); }); }); incrementScore = num => { score += num; scoreText.innerText = score; };
fa570f52fc4033e807f6be9d7adefb6ab59354b9
[ "JavaScript" ]
1
JavaScript
mayur305/Quiz
d2eb16aed17c380c34d571d89d5572ef78f738d5
346b547446e22ac5868d1dcf4393e52e2495e0cb
refs/heads/master
<file_sep>- name: Launch the new EC2 Instance ec2: region: "{{ aws_region }}" aws_access_key: "{{ aws_access_key }}" aws_secret_key: "{{ aws_secret_key }}" group: "{{ security_group }}" wait: true instance_type: "{{ instance_type }}" group: "{{ security_group }}_{{ name }}" user_data: | #!/bin/sh sudo apt -y update sudo apt install -y python-minimal image: "{{ image }}" keypair: "key_{{ name }}" register: ec2 - name: sleep for 60 seconds and continue with play wait_for: timeout=60 delegate_to: localhost - name: Add IP address of all hosts to all hosts lineinfile: path: "./hosts_{{name}}" insertafter: '^\[master\]' line: "{{ec2.public_ip }} ansible_connection=ssh ansible_ssh_private_key_file=keys/key_{{name}}.pem ansible_user=ubuntu" with_items: "{{ec2.instances}}" when: node.value.master loop_control: loop_var: ec2 - name: Add the newly created host so that we can further contact it add_host: name: "{{ ec2.public_ip }}" ansible_user: ubuntu ansible_ssh_private_key_file: "keys/key_{{name}}.pem" groups: master with_items: "{{ ec2.instances }}" when: node.value.master loop_control: loop_var: ec2 - name: Add IP address of all hosts to all hosts lineinfile: path: "./hosts_{{name}}" insertafter: '^\[worker\]' line: "{{ec2.public_ip }} ansible_connection=ssh ansible_ssh_private_key_file=keys/key_{{name}}.pem ansible_user=ubuntu" with_items: "{{ec2.instances}}" when: node.value.worker loop_control: loop_var: ec2 - name: Add the newly created host so that we can further contact it add_host: name: "{{ ec2.public_ip }}" ansible_user: ubuntu ansible_ssh_private_key_file: "keys/key_{{name}}.pem" groups: worker with_items: "{{ ec2.instances }}" when: node.value.worker loop_control: loop_var: ec2 - name: Add tag to Instance(s) ec2_tag: aws_access_key: "{{ aws_access_key }}" aws_secret_key: "{{ aws_secret_key }}" resource: "{{ item.id }}" region: "{{ aws_region }}" state: "present" with_items: "{{ ec2.instances }}" args: tags: Type: master - name: Wait for SSH to come up wait_for: host: "{{ item.public_ip }}" port: 22 state: started with_items: "{{ ec2.instances }}" <file_sep># kubernetes_training Kubernetes training
48d1a1291adefbbf5ae807f23eaae26e6355ac8e
[ "Markdown", "YAML" ]
2
Markdown
fsanys/kubernetes_training
35bca4a8bf7ff422a6acb9f656f7285ddf963d06
fda7809cc2aadfd4b32e959f13ead8a26a18a7a5
refs/heads/master
<repo_name>Marly1994/MisNotificacionesClase<file_sep>/MiPrimerEntorno/MiProyectoDjango/catalogos/admin.py from django.contrib import admin from .models import Categoria, Producto # Register your models here. admin.site.register(Categoria) @admin.register(Producto) class AdminProducto(admin.ModelAdmin): list_display = ("producto","categoria","existencia", "pMenudeo",) list_filter = ("categoria",)<file_sep>/MiPrimerEntorno/MiProyectoDjango/catalogos/models.py from django.db import models # Create your models here. class Categoria(models.Model): categoria = models.CharField(max_length=255) descripcion = models.CharField(max_length=255) def __str__(self): return self.categoria class Producto(models.Model): categoria = models.ForeignKey(Categoria) producto = models.CharField("Nombre del producto",max_length=60) existencia = models.IntegerField("Existencia en almacen") defectos = models.IntegerField("Productos defectuosos") pMayoreo = models.DecimalField("Precio Mayoreo", max_digits=6, decimal_places=2) pMedMay = models.DecimalField("Precio Medio Mayoreo", max_digits=6, decimal_places=2) pMenudeo = models.DecimalField("Precio Menudeo", max_digits=6, decimal_places=2) imagen = models.ImageField(blank=True) def __str__(self): return self.producto<file_sep>/MiPrimerEntorno/MiProyectoDjango/catalogos/forms.py from django import forms from .models import Producto class ProductoForm(forms.ModelForm): class Meta: model = Producto fields = ('__all__') <file_sep>/MiPrimerEntorno/MiProyectoDjango/catalogos/serializers.py from rest_framework import serializers from .models import Categoria class CategoriaSerializer(serializers.Serializer): pk = serializers.IntegerField(read_only=True) categoria = serializers.CharField() descripcion = serializers.CharField() def create(self, validated_data): return Categoria.objects.create(**validated_data) def update (self, instance, validated_data): instance.categoria = validated_data.get('categoria', instance.categoria) instance.descripcion = validated_data.get('descripcion', instance.descripcion) instance.save() return instance class CategoriaModelSerializer(serializers.ModelSerializer): class Meta: model = Categoria fields = ('id','categoria','descripcion')<file_sep>/MiPrimerEntorno/MiProyectoDjango/templates/productos_list.html <!DOCTYPE html> <html lang="en"> <head> <meta charset="UTF-8"> <title>Document</title> {% load staticfiles %} <link rel="stylesheet" type="text/css" href="{% static 'estilos.css' %}"> </head> <body> <a href="{% url 'catalogos:nuevo_producto' %}">Nuevo Producto</a> <ul> {% for item in productos %} <li> <a href="{% url 'catalogos:detalle' pk=item.pk %}"> {{item.producto}} </a> <img src="{{item.imagen.url}}"> </li> {% endfor %} </ul> </body> </html><file_sep>/MiPrimerEntorno/MiProyectoDjango/catalogos/migrations/0002_producto.py # -*- coding: utf-8 -*- # Generated by Django 1.10.5 on 2017-02-16 17:34 from __future__ import unicode_literals from django.db import migrations, models import django.db.models.deletion class Migration(migrations.Migration): dependencies = [ ('catalogos', '0001_initial'), ] operations = [ migrations.CreateModel( name='Producto', fields=[ ('id', models.AutoField(auto_created=True, primary_key=True, serialize=False, verbose_name='ID')), ('producto', models.CharField(max_length=60, verbose_name='Nombre del producto')), ('existencia', models.IntegerField(verbose_name='Existencia en almacen')), ('defectos', models.IntegerField(verbose_name='Productos defectuosos')), ('pMayoreo', models.DecimalField(decimal_places=2, max_digits=6, verbose_name='Precio Mayoreo')), ('pMedMay', models.DecimalField(decimal_places=2, max_digits=6, verbose_name='Precio Medio Mayoreo')), ('pMenudeo', models.DecimalField(decimal_places=2, max_digits=6, verbose_name='Precio Menudeo')), ('categoria', models.ForeignKey(on_delete=django.db.models.deletion.CASCADE, to='catalogos.Categoria')), ], ), ] <file_sep>/MiPrimerEntorno/MiProyectoDjango/catalogos/urls.py from django.conf.urls import url from . import views from rest_framework.urlpatterns import format_suffix_patterns urlpatterns = [ url(r'^autenticacion/$', views.hello_world, name="hello"), url(r'^$', views.mensajeria, name="mensajes"), url(r'^template/', views.hello_template, name="template"), url(r'^categorias/', views.obtener_categorias, name="ctgrs"), url(r'^producto/$', views.listado_productos, name="listado"), url(r'^producto/(?P<pk>[0-9]+)/$', views.product_detail, name="detalle"), url(r'^producto/new', views.nuevo_producto, name="nuevo_producto"), url(r'^categoriaAPI/$', views.categoria_list,name='apicats'), url(r'^categoriaAPI/(?P<pk>[0-9]+)/$', views.categoria_detail,name='apicatsby'), ] + format_suffix_patterns( [url(r'^categoriaapiview/$', views.categoria_list_api), url(r'^categoriaapiview/(?P<pk>[0-9]+)/$', views.categoria_detail_api), url(r'^categoriaclassview/$', views.CategoriaListClassView.as_view()), url(r'^categoriaclassview/(?P<pk>[0-9]+)/$', views.CategoriaDetailClassView.as_view()), ] ) <file_sep>/MiPrimerEntorno/MiProyectoDjango/catalogos/views.py from django.shortcuts import render, get_object_or_404 from django.http import HttpResponse, HttpResponseRedirect, JsonResponse from .models import Categoria, Producto from django.template import loader from .forms import ProductoForm from django.views.generic import ListView from django.views.decorators.csrf import csrf_exempt from rest_framework.renderers import JSONRenderer from rest_framework.parsers import JSONParser from .serializers import CategoriaSerializer, CategoriaModelSerializer from rest_framework.decorators import api_view from rest_framework.response import Response from rest_framework.views import APIView #mensajeria push from fcm.utils import get_device_model Device = get_device_model() def index(request): return render(request,"index.html") class indexView(): template_name="index.html" # Create your views here. def mensajeria(request): if request.method == 'POST': dvs=[] for k in request.POST.keys(): print(k) if k.isdigit(): dvs.append(int(k)) print(dvs) devices=Device.objects.filter(dev_id__in=dvs) print(devices) r=devices.send_message(request.POST['mensaje']) print(r) return HttpResponse(r) else: devices = Device.objects.all() #print(devices[0].reg_id) context = {'devices' : devices} template = loader.get_template('mensajeria.html') return HttpResponse(template.render(context,request)) def hello_world(request): return render(request,"index.html") def hello_template(request): return render(request,"index.html") def obtener_categorias(request): c = Categoria(categoria = "<NAME>", descripcion = "Todo tipo de embutido") c.save() categorias = Categoria.objects.order_by('categoria') context = {'categorias' : categorias} return render(request,'categorias.html', context) def listado_productos(request): p = Producto.objects.order_by('id') template = loader.get_template('productos_list.html') context = {'productos' : p} return HttpResponse(template.render(context,request)) def product_detail(request, pk): product = get_object_or_404(Producto, pk=pk) template = loader.get_template('producto_detail.html') context = { 'product': product } return HttpResponse(template.render(context,request)) def nuevo_producto(request): if request.method == 'POST': form = ProductoForm(request.POST,request.FILES) if form.is_valid(): product = form.save() product.save() return HttpResponseRedirect('/catalogos/producto/') else: form = ProductoForm() template = loader.get_template('nuevo_producto.html') context = { 'form':form } return HttpResponse(template.render(context,request)) class JSONResponse(HttpResponse): def __init__(self, data, **kwargs): content = JSONRenderer().render(data) kwargs['content_type'] = 'aplication/json' super(JSONResponse,self).__init__(content, **kwargs) @csrf_exempt def categoria_list(request): if request.method == 'GET': categorias = Categoria.get_objects.all() serializer = CategoriaModelSerializer(categorias, many=True) #return JSONResponse(serializer.data) return JsonResponse(serializer.data, safe=False) elif request.method == 'POST': data = JSONParser().parse(request) serializer = CategoriaModelSerializer(data=data) if serializer.is_valid(): serializer.save() return JSONResponse(serializer.data, status=201) return JSONResponse(serializer.errora, status=400) @api_view(['GET', 'POST']) def categoria_list_api(request, format=None): if request.method == 'GET': categorias = Categoria.objects.all() serializer = CategoriaModelSerializer(categorias, many=True) #return JSONResponse(serializer.data) #return JsonResponse(serializer.data, safe=False) return Response(serializer.data) elif request.method == 'POST': #data = JSONParser().parse(request) serializer = CategoriaModelSerializer(data=request.data) if serializer.is_valid(): serializer.save() #return JSONResponse(serializer.data, status=201) return Response(serializer.data, status=status.HTTP_201_CREATED) #return JSONResponse(serializer.errors, status=400) return Response(serializer.error, status=status.HTTP_400_BAD_REQUEST) @csrf_exempt def categoria_detail(request, pk): """ Retrieve, update or delete a serie. """ try: categoria = Categoria.objects.get(pk=pk) except Categoria.DoesNotExist: return HttpResponse(status=404) if request.method == 'GET': serializer = CategoriaModelSerializer(categoria) #return JSONResponse(serializer.data) return JsonResponse(serializer.data) elif request.method == 'PUT': data = JSONParser().parse(request) serializer = CategoriaModelSerializer(categoria, data=data) if serializer.is_valid(): serializer.save() return JSONResponse(serializer.data) return JSONResponse(serializer.errors, status=400) elif request.method == 'DELETE': categoria.delete() return HttpResponse(status=204) @api_view(['GET','PUT','DELETE']) def categoria_detail_api(request, pk, format=None): """ Retrieve, update or delete a serie. """ try: categoria = Categoria.objects.get(pk=pk) except Categoria.DoesNotExist: return Response(status=status.HTTP_404_NOT_FOUND) if request.method == 'GET': serializer = CategoriaModelSerializer(categoria) #return JSONResponse(serializer.data) return JsonResponse(serializer.data) elif request.method == 'PUT': #data = JSONParser().parse(request) serializer = CategoriaModelSerializer(categoria, data=request.data) if serializer.is_valid(): serializer.save() #return JSONResponse(serializer.data) return Response(serializer.data) #return JSONResponse(serializer.errors, status=400) return Response(serializer.errors, status=status.HTTP_400_BAD_REQUEST) elif request.method == 'DELETE': categoria.delete() #return HttpResponse(status=204) return Response(status=status.HTTP_204_NO_CONTENT) class CategoriaListClassView(APIView): """ List all snippets, or create a new snippet. """ def get(self, request, format=None): snippets = Categoria.objects.all() serializer = CategoriaModelSerializer(snippets, many=True) return Response(serializer.data) def post(self, request, format=None): serializer = CategoriaModelSerializer(data=request.data) if serializer.is_valid(): serializer.save() return Response(serializer.data, status=status.HTTP_201_CREATED) return Response(serializer.errors, status=status.HTTP_400_BAD_REQUEST) class CategoriaDetailClassView(APIView): """ Retrieve, update or delete a snippet instance. """ def get_object(self, pk): try: return Categoria.objects.get(pk=pk) except Categoria.DoesNotExist: raise Http404 def get(self, request, pk, format=None): categoria = self.get_object(pk) serializer = CategoriaModelSerializer(categoria) return Response(serializer.data) def put(self, request, pk, format=None): categoria = self.get_object(pk) serializer = CategoriaModelSerializer(categoria, data=request.data) if serializer.is_valid(): serializer.save() return Response(serializer.data) return Response(serializer.errors, status=status.HTTP_400_BAD_REQUEST) def delete(self, request, pk, format=None): categoria = self.get_object(pk) categoria.delete() return Response(status=status.HTTP_204_NO_CONTENT)
ec25252b80f13e3ce9c667710443481b6073f0d3
[ "HTML", "Python" ]
8
HTML
Marly1994/MisNotificacionesClase
62e4201c0b1a0ec78d651ed043ae05d561a3ab59
aeeffcac07c839bb7cc08de24824e9fe3a4c957f
refs/heads/main
<file_sep>/* * To change this license header, choose License Headers in Project Properties. * To change this template file, choose Tools | Templates * and open the template in the editor. */ package listasjavi; /** * * @author DAW202 */ public class Lista { private Nodo primero; public Lista(Nodo primero) { this.primero = primero; } public Lista() { } public Nodo getPrimero() { return primero; } public void setPrimero(Nodo primero) { this.primero = primero; } public boolean esVacia() { return this.primero == null; } public void añadirElemento(int x) { Nodo nuevo = new Nodo(x, null); if (this.esVacia()) { primero = nuevo; } else { nuevo.setSig(primero); primero = nuevo; } } public void mostrarLista() { Nodo aux = primero; if (this.esVacia()){ System.out.println("La lista es vacía"); }else{ while(aux !=null){ System.out.println(aux.getInfo()); aux = aux.getSig(); } } } public boolean existe(int x) { Nodo aux = primero; boolean esta = false; while (aux != null) { if (aux.getInfo() == x) { esta = true; } aux = aux.getSig(); } return esta; } public int cuantasVecesAparece(int x){ Nodo aux = primero; int aparicion = 0; while (aux != null) { if (aux.getInfo() == x) { aparicion++; } aux = aux.getSig(); } return aparicion; } public boolean eliminarElemento(int x){ boolean borrado = false; Nodo aux = primero; Nodo anterior = aux; while (aux != null){ if (aux.getInfo() == x){ borrado = true; anterior.setSig(aux.getSig()); }else{ anterior = aux; } aux = aux.getSig(); } return borrado; } }
729b633293e106efcd10dad7206cc251011121f6
[ "Java" ]
1
Java
Rxndy777/DES
7d8ab4cec1c305923f4ba9389cb4a3b026b83fba
e0ef323cc593c87f25941569678c697ec05cc8d8
refs/heads/master
<repo_name>cozma/MazeSolver<file_sep>/src/cs2114/mazesolver/MazeSolverScreen.java package cs2114.mazesolver; import sofia.graphics.Color; import sofia.app.ShapeScreen; import sofia.graphics.RectangleShape; import java.util.Stack; // ------------------------------------------------------------------------- /** * This class controls the screen for the Maze Solver app * * @author <NAME> dagmawi * @version 2013.03.17 */ public class MazeSolverScreen extends ShapeScreen { // ~ Fields ................................................................ private Maze maze; private boolean drawButtonSelected; private boolean eraseButtonSelected; private boolean startButtonSelected; private boolean goalButtonSelected; // ~ Public methods ........................................................ /** * This initializes a new maze for the solver */ public void initialize() { // Initialized the maze int mazeSize = 8; maze = new Maze(mazeSize); // Create tiles float minDim = Math.min(getShapeView().getWidth(), getShapeView().getHeight()); float x = (minDim / 8); for (int i = 0; i < 8; i++) { for (int j = 0; j < 8; j++) { RectangleShape tile = new RectangleShape(j * x, i * x, (j + 1) * x, (i + 1) * x); this.add(tile); tile.setColor(Color.black); } } } // ---------------------------------------------------------- // ---------------------------------------------------------- /** * This method returns the maze that was initialized * * @return the maze */ public IMaze getMaze() { return maze; } /** * This method reacts to the user touch the screen down * * @param x * the x coordinate * @param y * the y coodinate * @return tile that was touched down */ public RectangleShape onTouchDown(float x, float y) { RectangleShape tile = getShapes().locatedAt(x, y).withClass(RectangleShape.class).front(); return tile; } /** * This method reacts to the user moving thier finger on the screen * * @param x * the x coordinate * @param y * the y coodinate * @return tile that was touched while the user moved on screen */ public RectangleShape onTouchMove(float x, float y) { // Reacts RectangleShape tile = getShapes().locatedAt(x, y).withClass(RectangleShape.class).front(); return tile; } /** * This tells the application that it's in the drawing walls mode * @return true if the wall click button is pressed */ public boolean drawWalls() { // return true; } } <file_sep>/src/cs2114/mazesolver/Maze.java package cs2114.mazesolver; import java.util.Stack; // ------------------------------------------------------------------------- /** * This is the maze class that implements the maze structure that will be * created for the solver * * @author <NAME> PID: dagmawi * @version Feb 25, 2013 */ public class Maze implements IMaze { private MazeCell[][] maze1; private int size; private Location end; private Location start; // ---------------------------------------------------------- /** * Create a new Maze object. * * @param size * the size of the maze */ public Maze(int size) { this.size = size; maze1 = new MazeCell[size][size]; end = new Location(size - 1, size - 1); start = new Location(0, 0); for (int i = 0; i < size; i++) { for (int j = 0; j < size; j++) { maze1[i][j] = MazeCell.UNEXPLORED; } } } /** * This method gets the cell that is selected * * @param location * the location to obtain * @return cell that is selected */ public MazeCell getCell(ILocation location) { // Checks within boundaries if (checkBounds(location)) { return maze1[location.x()][location.y()]; } return MazeCell.INVALID_CELL; } /** * This method checks bounds * * @param location * to check for position in bounds * @return true if the cell is within the bounds of the maze */ public boolean checkBounds(ILocation location) { // Check to see if the cell is inside the maze if (location.x() < size && location.y() < size && location.x() >= 0 && location.y() >= 0) // check if its less than zero { return true; } return false; } /** * This gets the end location that is at the end of the maze * * @return end of the maze */ public ILocation getGoalLocation() { // how to find the end of the maze return end; } /** * This method returns the start location of the maze * * @return start of the maze */ public ILocation getStartLocation() { return start; } /** * This method sets the location for a cell * * @param location * the location to set the cell at * @param cell * the cell to be set to the location */ public void setCell(ILocation location, MazeCell cell) { if (maze1[start.x()][start.y()] != MazeCell.WALL && maze1[end.x()][end.y()] != MazeCell.WALL && checkBounds(location)) { maze1[location.x()][location.y()] = cell; } } /** * This method sets the end of the maze, which is the goal * * @param location * the location of the goal */ public void setGoalLocation(ILocation location) { end = (Location)location; } /** * This method sets the starting location of the maze * * @param location * the starting location */ public void setStartLocation(ILocation location) { start = (Location)location; } /** * This returns the size of the maze * * @return the size of the maze */ public int size() { return size; } /** * Path Reset */ public void resetPath() { for (int i = 0; i < size; i++) { for (int j = 0; j < size; j++) { if (maze1[i][j] == MazeCell.CURRENT_PATH || maze1[i][j] == MazeCell.FAILED_PATH) maze1[i][j] = MazeCell.UNEXPLORED; } } } /** * This is the method that will solve the maze have the computer search * down, right, up, then left. if it can do either of those, it goes that * direction. it continues to do this and once it hits a dead end it pops * off the coordinates and continues to try to solve the maze. * * @return finalSolution the solution to the maze in reverse */ public String solve() { resetPath(); Stack<ILocation> solution = new Stack<ILocation>(); solution.push(start); // this.setCell(position, maze[position.x()][position.y()]); while (!solution.isEmpty()) { // Stack the solution ILocation position = solution.peek(); this.setCell(position, MazeCell.CURRENT_PATH); if (position.equals(end)) { String finalSolution = new String(); while (!solution.empty()) { finalSolution = solution.pop().toString() + finalSolution; } return finalSolution; } if (this.getCell(position.south()) == MazeCell.UNEXPLORED) { solution.push(position.south()); } else if (this.getCell(position.west()) == MazeCell.UNEXPLORED) { solution.push(position.west()); } else if (this.getCell(position.north()) == MazeCell.UNEXPLORED) { solution.push(position.north()); } else if (this.getCell(position.east()) == MazeCell.UNEXPLORED) { solution.push(position.east()); } else { setCell(position, MazeCell.FAILED_PATH); solution.pop(); } } return null; } } <file_sep>/src/cs2114/mazesolver/MazeSolverScreenTests.java package cs2114.mazesolver; import android.widget.TextView; import android.widget.Button; import android.widget.CompoundButton; import sofia.graphics.ShapeView; //------------------------------------------------------------------------- /** * This class tests the Maze Solver class * * @author <NAME> * @version 2013.03.17 */ public class MazeSolverScreenTests extends student.AndroidTestCase<MazeSolverScreen> { //~ Fields ................................................................ // References to the widgets that you have in your layout. They // will be automatically filled in by the test class before your // tests run. private ShapeView shapeView; private Button drawWalls; private Button eraseWalls; private Button setStart; private Button setGoal; private Button solve; private TextView infoLabel; // This field will store the pixel width/height of a cell in the maze. private int cellSize; //~ Constructors .......................................................... // ---------------------------------------------------------- /** * Test cases that extend AndroidTestCase must have a parameterless * constructor that calls super() and passes it the screen/activity class * being tested. */ public MazeSolverScreenTests() { super(MazeSolverScreen.class); } //~ Public methods ........................................................ // ---------------------------------------------------------- /** * Initializes the text fixtures. */ public void setUp() { float viewSize = Math.min(getScreen().getWidth(), getScreen().getHeight()); // TODO set cellSize to be the viewSize divided by the size of your // maze //cellSize = ... // TODO Add any other setup code that you need. } // TODO Add your test methods here. //~ Private methods ....................................................... // ---------------------------------------------------------- /** * Simulates touching down on the middle of the specified cell in the maze. */ private void touchDownCell(int x, int y) { touchDown(shapeView, (x + 0.5f) * cellSize, (y + 0.5f) * cellSize); } // ---------------------------------------------------------- /** * Simulates moving the finger instantaneously to the middle of the * specified cell in the maze. */ private void touchMoveCell(int x, int y) { touchMove((x + 0.5f) * cellSize, (y + 0.5f) * cellSize); } // ---------------------------------------------------------- /** * Simulates clicking the middle of the specified cell in the maze. This is * equivalent to calling: touchDownCell(x, y); touchUp(); */ private void clickCell(int x, int y) { touchDownCell(x, y); touchUp(); } } <file_sep>/src/cs2114/mazesolver/MazeTest.java package cs2114.mazesolver; import junit.framework.TestCase; // ------------------------------------------------------------------------- /** * This is the test class for the Maze class * * @author <NAME> PID: dagmawi * @version Feb 25, 2013 */ public class MazeTest extends TestCase { private Maze maze; private int size; private Location end; private Location start; private Location south; // Maze 2-------------------------------------------------- private Maze maze2; private int size2; private Location south2; private Location east2; // Maze 3-------------------------------------------------- private Maze maze3; private int size3; private Location south3; // Maze 4-------------------------------------------------- private Maze maze4; private int size4; private Location east4; /** * This is the setup method to test the Maze class */ public void setUp() { size = 4; maze = new Maze(size); start = new Location(0, 0); end = new Location(size - 1, size - 1); south = new Location(1, 0); maze.setCell(south, MazeCell.WALL); // Maze 2------------------------------------------------- size2 = 2; maze2 = new Maze(size2); south2 = new Location(1, 0); east2 = new Location(0, 1); maze2.setCell(south2, MazeCell.WALL); maze2.setCell(east2, MazeCell.WALL); } // ------------------------------------------------------------------------- /** * This test the method to retreive the selected cell for the Maze class */ public void testGetCell() { Location outBounds = new Location(5, 0); assertEquals(MazeCell.UNEXPLORED, maze.getCell(start)); assertEquals(MazeCell.INVALID_CELL, maze.getCell(outBounds)); } /** * This method tests the get location methods of the maze class */ public void testGetLocations() { assertEquals(end, maze.getGoalLocation()); assertEquals(start, maze.getStartLocation()); } /** * This method tests the method that returns the size for the Maze class */ public void testSize() { int x = 4; assertEquals(x, maze.size()); } /** * This method tests the set location methods of the maze class */ public void testSetLocations() { maze.setGoalLocation(end); assertEquals(end, maze.getGoalLocation()); maze.setStartLocation(start); assertEquals(start, maze.getStartLocation()); } /** * This method tests the solve method for the maze class */ public void testSolve() { assertEquals( "(0,0)(0,1)(0,2)(0,3)(1,3)(1,2)(1,1)(2,1)(2,2)(2,3)(3,3)", maze.solve()); assertEquals(null, maze2.solve()); // Maze 3-------------------------------------------------- // This tests the condition for east movement size3 = 2; maze3 = new Maze(size3); south3 = new Location(1, 1); maze.setCell(south3, MazeCell.WALL); assertEquals("(0,0)(0,1)(1,1)", maze3.solve()); // Maze 4-------------------------------------------------- size4 = 2; maze4 = new Maze(size4); east4 = new Location(0, 1); maze4.setCell(east4, MazeCell.WALL); assertEquals("(0,0)(1,0)(1,1)", maze4.solve()); //assertEquals(null, maze4.solve()); // Maze 5---------------------------------------------------- // Tests west int size5 = 4; Maze maze5 = new Maze(size5); Location start5 = new Location(0, 0); Location end5 = new Location(size - 1, size - 1); maze5.setStartLocation(start5); maze5.setGoalLocation(end5); Location block = new Location(1, 0); Location block2 = new Location(2, 0); Location block3 = new Location(3, 0); Location block4 = new Location(3, 1); Location block5 = new Location(3, 2); Location block6 = new Location(2, 1); Location block7 = new Location(0, 2); Location block8 = new Location(0, 3); Location block9 = new Location(1, 3); maze5.setCell(block, MazeCell.WALL); maze5.setCell(block2, MazeCell.WALL); maze5.setCell(block3, MazeCell.WALL); maze5.setCell(block4, MazeCell.WALL); maze5.setCell(block5, MazeCell.WALL); maze5.setCell(block6, MazeCell.WALL); maze5.setCell(block7, MazeCell.WALL); maze5.setCell(block8, MazeCell.WALL); maze5.setCell(block9, MazeCell.WALL); assertEquals("(0,0)(0,1)(1,1)(1,2)(2,2)(2,3)(3,3)", maze5.solve()); maze.setGoalLocation(start); assertEquals("(0,0)", maze.solve()); } } <file_sep>/src/cs2114/mazesolver/Location.java package cs2114.mazesolver; // ------------------------------------------------------------------------- /** * This is the Location class. It will implement the ILocation interface to give * positions of things in the maze. * * @author <NAME> PID: dagmawi * @version Feb 20, 2013 */ public class Location implements ILocation { private int x; private int y; // ---------------------------------------------------------- /** * Constructor to make a location for an object * * @param x * the east west directional path of the object * @param y * the north south directional path of the object */ public Location(int x, int y) { this.x = x; this.y = y; } /** * overwritten version of equals method * * @param thing * the object to compare * @return true if the object passed to it is the same location with the * same x- and y- coordinates */ public boolean equals(Object thing) { // boolean input = super.equals(thing); if (thing.equals(this.x()) && thing.equals(this.y())) { return true; } return false; } /** * overwritten toString method * * @return returns the x and y coordinates */ public String toString() { return "(" + x + "," + y + ")"; } /** * This is how the maze solution will turn east * * @return east the new location to the east of the given location */ public ILocation east() { Location east = new Location(x + 1, y); return east; } /** * This is how the maze solution will turn north * * @return north the new location to the north of the given location */ public ILocation north() { Location north = new Location(x, y - 1); return north; } /** * This is how the maze solution will turn south * * @return south the new location to the south of the given location */ public ILocation south() { Location south = new Location(x, y + 1); return south; } /** * This is how the maze solution will turn west * * @return west the new location to the west of the given location */ public ILocation west() { Location west = new Location(x - 1, y); return west; } /** * This method returns the x value of the location * * @return x as the horizontal location */ public int x() { return x; } /** * This method return the y value of the location * * @return y as the vertical location */ public int y() { return y; } } <file_sep>/README.md MazeSolver ========== Maze Solver Android Application This application lets the user create a maze then systematically solves the user created maze.
26d6f086eecd308e44734ba7d110572b3b06dc39
[ "Java", "Markdown" ]
6
Java
cozma/MazeSolver
dd704988c8c4ceda692690e89c26c3d9864c88b7
d7058b3a3c0973d9352ebf5ce09f88f7fa1c734f
refs/heads/master
<repo_name>shallomc/centrahub<file_sep>/README.md # centrahub centralhub
816376d8d8bb758f070589265ca8344ed567fd82
[ "Markdown" ]
1
Markdown
shallomc/centrahub
6330e994aeace4c670ea7e9f14d49fa19c01ed86
0dbe4f38bbaaf354ad029f8b1a6374f682b9cbca
refs/heads/main
<repo_name>Tchao770/CV-Project<file_sep>/src/components/Educational.js import React, { useState, useReducer, useRef } from 'react'; import { MdDone, MdClear } from 'react-icons/md'; import { IconContext } from 'react-icons'; export default function EducationInfo(props) { const temp = useRef(); const [editMode, setEditMode] = useState(true); const [educationFields, setEducationFields] = useReducer ( (state, newState) => ({ ...state, ...newState }), { schoolName: "", major: "", gradDate: "", } ) const toggleEdit = () => { temp.current = educationFields; setEditMode(true); } const handleChange = (event) => { const { name, value } = event.target setEducationFields({ [name]: value, }) } const handleSave = (event) => { event.preventDefault(); const [school, major, date] = event.target; const options = [school.value, major.value, date.value] if (options.indexOf("") > -1) { alert("Please fill out all fields in Educational section"); } else { setEditMode(false); } } function handleCancel() { setEducationFields(temp.current); setEditMode(false); } const { schoolName, major, gradDate } = educationFields; function renderDisplay() { return ( <div className="eduDisplay" onClick={toggleEdit}> <h3>{major}</h3> <p>{schoolName}</p> <p>Graduation: {gradDate}</p> </div> ); } function FancyButtons() { return ( <IconContext.Provider value={{ size: "2em" }}> <button type="submit"> <MdDone className="buttons" /> </button> <button> <MdClear className="buttons" onClick={handleCancel} /> </button> </IconContext.Provider> ) } function renderEdit() { const { classname } = props; return ( <form className={classname} onSubmit={handleSave}> <label>Institution</label><br /> <input name="schoolName" placeholder="University" value={schoolName} onChange={handleChange} /><br /> <label>Major</label><br /> <input name="major" placeholder="BS/AA, Major" value={major} onChange={handleChange} /><br /> <label>Graduation Date</label><br /> <input name="gradDate" placeholder="Expected MM/YYYY, or MM/YYYY" value={gradDate} onChange={handleChange} /><br /> <FancyButtons /> </form> ); } return (editMode) ? renderEdit() : renderDisplay(); } <file_sep>/src/components/Skills.js import React, { useState, useRef } from 'react'; import { MdDone, MdClear, MdDelete } from 'react-icons/md'; import { IconContext } from 'react-icons'; export default function SkillInfo(props) { const temp = useRef(""); const [skill, setSkill] = useState(""); const [editMode, setEditMode] = useState(true); const toggleEdit = () => { temp.current = skill setEditMode(true); } const handleChange = (event) => { const { value } = event.target setSkill(value); } const handleSave = (event) => { event.preventDefault(); if (event.target[0].value === "") { alert("Please fill out all fields in Skills section") } else { setEditMode(false); } } const handleCancel = () => { setSkill(temp.current); setEditMode(false); } const removeButton = () => { props.handleRemove(props.itemId); } function renderDisplay() { return ( <div className="eduDisplay" onClick={toggleEdit}> <h3>- {skill}</h3> </div> ); } function FancyButtons() { return ( <IconContext.Provider value={{ size: "2em" }}> <button type="submit"> <MdDone className="buttons" /> </button> <button> <MdClear className="buttons" onClick={handleCancel} /> </button> <button> <MdDelete className="buttons" onClick={removeButton} /> </button> </IconContext.Provider> ) } function renderEdit() { const { classname } = props; return ( <form className={classname} onSubmit={handleSave}> <label>Skill</label><br /> <input name="skill" placeholder="C++, Python, etc." value={skill} onChange={handleChange} /><br /> <FancyButtons /> </form> ); } return (editMode) ? renderEdit() : renderDisplay(); } <file_sep>/src/components/Practical.js import React, { useState, useReducer, useRef } from 'react'; import { MdDone, MdClear, MdDelete } from 'react-icons/md'; import { IconContext } from 'react-icons'; export default function PracticalInfo(props) { const temp = useRef(); const [editMode, setEditMode] = useState(true); const [practicalFields, setPracticalFields] = useReducer( (state, newState) => ({ ...state, ...newState }), { companyName: "", position: "", timeBegin: "", timeEnd: "", task: "", } ); const toggleEdit = () => { temp.current = practicalFields; setEditMode(true); } const handleChange = (event) => { const { name, value } = event.target setPracticalFields({ [name]: value }); } const handleSave = (event) => { event.preventDefault(); const [company, position, timeB, timeE] = event.target; const options = [company.value, position.value, timeB.value, timeE.value]; if (options.indexOf("") > -1) { alert("Please fill out all fields in Practical Experience section") } else { setEditMode(false); } } const handleCancel = () => { setPracticalFields(temp.current); setEditMode(false); } const removeButton = () => props.handleRemove(props.itemId); const { companyName, position, timeBegin, timeEnd, task } = practicalFields; function renderDisplay() { const taskArr = task.split(/\r?\n/); return ( <div className="eduDisplay" onClick={toggleEdit}> <h3>{position}</h3> <p>{companyName}, {timeBegin} - {timeEnd}</p> <ul> { taskArr.map(task => { return <li>{task}</li> }) } </ul> </div> ); } function FancyButtons() { return ( <IconContext.Provider value={{ size: "2em" }}> <button type="submit"> <MdDone className="buttons" /> </button> <button> <MdClear className="buttons" onClick={handleCancel} /> </button> <button> <MdDelete className="buttons" onClick={removeButton} /> </button> </IconContext.Provider> ) } function renderEdit() { const { classname } = props; return ( <form className={classname} onSubmit={handleSave}> <label>Company Name</label><br /> <input name="companyName" placeholder="Name of Company" value={companyName} onChange={handleChange} /><br /> <label>Position</label><br /> <input name="position" placeholder="Fullstack Developer, etc." value={position} onChange={handleChange} /><br /> <label>First Month of Employment</label><br /> <input name="timeBegin" placeholder="MM/YYYY" value={timeBegin} onChange={handleChange} /><br /> <label>Last Month of Employment</label><br /> <input name="timeEnd" placeholder="MM/YYYY or Current" value={timeEnd} onChange={handleChange} /><br /> <label>Relevant Tasks</label><br /> <textarea name="task" placeholder="Press enter for new task" value={task} rows="5" cols="33" onChange={handleChange} /><br /> <FancyButtons /> </form> ); } return (editMode) ? renderEdit() : renderDisplay(); }
96fc730356086021a777c87eab32d610d6b32e7a
[ "JavaScript" ]
3
JavaScript
Tchao770/CV-Project
32ce51785b718eba758720935367a8c7c07d307d
09e4980cc4c6aea3059bf25732060d1b86707021
refs/heads/master
<repo_name>devel0/SearchAThing.Arduino.UnitTests<file_sep>/README.md # SearchAThing.Arduino.UnitTests UnitTest for SearchAThing.Arduino libraries Whitepaper document available here https://searchathing.com/?p=763
da0d5cf3a5a50da2a102d88da53bdfd4c732564a
[ "Markdown" ]
1
Markdown
devel0/SearchAThing.Arduino.UnitTests
c0837745867f91c80d123a80439f2a145c3ec9cd
a1d727867fd67e031b9f03c82d8221645f6722e0
refs/heads/master
<repo_name>kddeisz/vernacular<file_sep>/lib/vernacular/modifiers/uri_sigil.rb # frozen_string_literal: true module Vernacular module Modifiers # Extends Ruby syntax to allow URI sigils, or ~u(...). The expression # inside contains a valid URL. class URISigil < RegexModifier def initialize super(/~u\((.+?)\)/, 'URI.parse("\1")') end end end end <file_sep>/test/test_loader.rb # frozen_string_literal: true $LOAD_PATH.unshift File.expand_path('../lib', __dir__) require 'vernacular' Vernacular.configure(&:give_me_all_the_things!) <file_sep>/README.md # Vernacular [![Build Status](https://github.com/kddeisz/vernacular/workflows/Main/badge.svg)](https://github.com/kddeisz/vernacular/actions) [![Gem Version](https://img.shields.io/gem/v/vernacular.svg)](https://rubygems.org/gems/vernacular) Allows extending ruby's syntax and compilation process. ## Installation Add this line to your application's Gemfile: ```ruby gem 'vernacular' ``` And then execute: $ bundle Or install it yourself as: $ gem install vernacular ## Usage At the very beginning of your script or application, require `vernacular`. Then, configure your list of modifiers so that `vernacular` knows how to modify your code before it is compiled. For example, ```ruby Vernacular.configure do |config| pattern = /~n\(([\d\s+-\/*\(\)]+?)\)/ modifier = Vernacular::RegexModifier.new(pattern) do |match| eval(match[3..-2]) end config.add(modifier) end ``` will extend Ruby syntax to allow `~n(...)` symbols which will evaluate the interior expression as one number. This reduces the number of objects and instructions allocated for a given segment of Ruby, which can improve performance and memory. ### `Modifiers` Modifiers allow you to modify the source of the Ruby code before it is compiled by injecting themselves into the require chain through `RubyVM::InstructionSequence::load_iseq`. They can be any of the preconfigured modifiers built into `Vernacular`, or they can just be a plain ruby class that responds to the method `modify(source)` where `source` is a string of code. The method should returned the modified source. ### `RegexModifier` Regex modifiers take the same arguments as `String#gsub`. Either configure them with a string, as in: ```ruby Vernacular::RegexModifier.new(/~u\((.+?)\)/, 'URI.parse("\1")') ``` or configure them using a block, as in: ```ruby Vernacular::RegexModifier.new(pattern) do |match| eval(match[3..-2]) end ``` ### `ASTModifier` For access to and documentation on the `ASTModifier`, check out the [`vernacular-ast`](https://github.com/kddeisz/vernacular-ast) gem. ## Development After checking out the repo, run `bin/setup` to install dependencies. Then, run `rake test` to run the tests. You can also run `bin/console` for an interactive prompt that will allow you to experiment. To install this gem onto your local machine, run `bundle exec rake install`. To release a new version, update the version number in `version.rb`, and then run `bundle exec rake release`, which will create a git tag for the version, push git commits and tags, and push the `.gem` file to [rubygems.org](https://rubygems.org). ## Contributing Bug reports and pull requests are welcome on GitHub at https://github.com/kddeisz/vernacular. ## License The gem is available as open source under the terms of the [MIT License](http://opensource.org/licenses/MIT). <file_sep>/test/test_helper.rb # frozen_string_literal: true require 'minitest/autorun' <file_sep>/test/date_sigil_test.rb require 'test_helper' class DateSigilTest < Minitest::Test def test_sigil assert_equal Date.parse('2017-01-01'), ~d(January 1st, 2017) end def test_variable_sigil value = '2017-01-01' assert_equal Date.parse(value), ~d(value) end end <file_sep>/lib/vernacular/regex_modifier.rb # frozen_string_literal: true module Vernacular # Represents a modification to Ruby source that should be injected into the # require process that modifies the source via a regex pattern. class RegexModifier attr_reader :pattern, :replacement, :block def initialize(pattern, replacement = nil, &block) @pattern = pattern @replacement = replacement @block = block end def modify(source) if replacement source.gsub(pattern, replacement) else source.gsub(pattern, &block) end end def components [pattern, replacement] + (block ? block.source_location : []) end end end <file_sep>/lib/vernacular.rb # frozen_string_literal: true require 'date' require 'digest' require 'fileutils' require 'uri' require 'vernacular/configuration_hash' require 'vernacular/regex_modifier' require 'vernacular/source_file' require 'vernacular/version' Dir[File.expand_path('vernacular/modifiers/*', __dir__)].sort.each do |file| require file end # Allows extending ruby's syntax and compilation process module Vernacular # Module that gets included into `RubyVM::InstructionSequence` in order to # hook into the require process. module InstructionSequenceMixin def load_iseq(filepath) ::Vernacular::SourceFile.load_iseq(filepath) end end # Module that gets included into `Bootsnap::CompileCache::ISeq` in order to # hook into the bootsnap compilation process. module BootsnapMixin def input_to_storage(contents, filepath) contents = ::Vernacular.modify(contents) iseq = RubyVM::InstructionSequence.compile(contents, filepath, filepath) iseq.to_binary rescue SyntaxError raise ::Bootsnap::CompileCache::Uncompilable, 'syntax error' end end class << self attr_reader :iseq_dir, :modifiers def add(modifier) modifiers << modifier end def clear Dir.glob(File.join(iseq_dir, '**/*.yarb')) { |path| File.delete(path) } end def configure @modifiers = [] yield self hash = ConfigurationHash.new(modifiers).hash @iseq_dir = File.expand_path(File.join('../.iseq', hash), __dir__) FileUtils.mkdir_p(iseq_dir) unless File.directory?(iseq_dir) install end # Use every available pre-configured modifier def give_me_all_the_things! @modifiers = Modifiers.constants.map { |constant| Modifiers.const_get(constant).new } end def modify(source) modifiers.each do |modifier| source = modifier.modify(source) end source end def iseq_path_for(source_path) source_path .gsub(/[^A-Za-z0-9\._-]/) { |c| '%02x' % c.ord } .gsub('.rb', '.yarb') end private def install @install ||= if defined?(Bootsnap) && using_bootsnap_compilation? class << Bootsnap::CompileCache::ISeq prepend ::Vernacular::BootsnapMixin end else class << RubyVM::InstructionSequence prepend ::Vernacular::InstructionSequenceMixin end end end def using_bootsnap_compilation? filepath, = RubyVM::InstructionSequence.method(:load_iseq).source_location filepath =~ %r{/bootsnap/} rescue NameError false end end end <file_sep>/lib/vernacular/modifiers/number_sigil.rb # frozen_string_literal: true module Vernacular module Modifiers # Extends Ruby syntax to allow number sigils, or ~n(...). The expression # inside is parsed and evaluated, and is replaced by the result. class NumberSigil < RegexModifier def initialize super(%r{~n\(([\d\s+-/*\(\)]+?)\)}) do |match| eval(match[3..-2]) # rubocop:disable Security/Eval end end end end end <file_sep>/test/number_sigil_test.rb require 'test_helper' class NumberSigilTest < Minitest::Test def test_sigil assert_equal 86400, ~n(24 * 60 * 60) end end <file_sep>/lib/vernacular/modifiers/date_sigil.rb # frozen_string_literal: true module Vernacular module Modifiers # Extends Ruby syntax to allow date sigils, or ~d(...). The date inside is # parsed and as an added benefit if it is a set value it is replaced with # the more efficient `strptime`. class DateSigil < RegexModifier FORMAT = '%FT%T%:z' def initialize super(/~d\((.+?)\)/) do |match| content = match[3..-2] begin date = Date.parse(content) "Date.strptime('#{date.strftime(FORMAT)}', '#{FORMAT}')" rescue ArgumentError "Date.parse(#{content})" end end end end end end <file_sep>/test/uri_sigil_test.rb require 'test_helper' class URISigilTest < Minitest::Test def test_sigil assert_equal URI('https://github.com/kddeisz/vernacular'), ~u(https://github.com/kddeisz/vernacular) end end <file_sep>/lib/vernacular/source_file.rb # frozen_string_literal: true module Vernacular # Represents a file that contains Ruby source code that can be read from and # compiled down to instruction sequences. class SourceFile attr_reader :source_path, :iseq_path def initialize(source_path, iseq_path) @source_path = source_path @iseq_path = iseq_path end def dump source = Vernacular.modify(File.read(source_path)) iseq = RubyVM::InstructionSequence.compile(source, source_path, source_path) digest = ::Digest::MD5.file(source_path).digest File.binwrite(iseq_path, iseq.to_binary("MD5:#{digest}")) iseq rescue SyntaxError, RuntimeError nil end def load if File.exist?(iseq_path) && (File.mtime(source_path) <= File.mtime(iseq_path)) RubyVM::InstructionSequence.load_from_binary(File.binread(iseq_path)) else dump end end def self.load_iseq(source_path) new( source_path, File.join(Vernacular.iseq_dir, Vernacular.iseq_path_for(source_path)) ).load end end end <file_sep>/lib/vernacular/configuration_hash.rb # frozen_string_literal: true module Vernacular # Builds a hash out of the given modifiers that represents that current state # of configuration. This ensures that if the configuration of `Vernacular` # changes between runs it doesn't pick up the old compiled files. class ConfigurationHash attr_reader :modifiers def initialize(modifiers = []) @modifiers = modifiers end def hash digest = Digest::MD5.new modifiers.each do |modifier| digest << modifier.components.inspect end digest.to_s end end end
ab7b06a140ff47fda62d51bfa53395d7572de186
[ "Markdown", "Ruby" ]
13
Markdown
kddeisz/vernacular
cdafc4dc7ad03a2ed93f6f826045ce15a98f6601
72915327fd3d1d7dfa9c0cf6fb44fd7c58aab4ac
refs/heads/master
<file_sep>function change() { var i; i = document.querySelector("body"); i.classList.add("color"); }
cc3011a639a08cdba80a008b22eb17d5097b489b
[ "JavaScript" ]
1
JavaScript
Justinnnp/Click-me-11535896
ba7fa8f581b00a1cadbc61f0e2e5bdae4f6eb638
eab51c996ce949d1efbe798b5efaf71eec084447
refs/heads/master
<file_sep>import express from "express"; import path from "path"; import config from "../../configs/config.project"; const app = express(); const DIST_DIR = __dirname; const HTML_FILE = path.join(DIST_DIR, "index.html"); const PORT = config.server.port; app.use(express.static(DIST_DIR)); app.get("*", (req, res) => { res.sendFile(HTML_FILE); }); app.listen(PORT, () => { console.log(`App listening to ${PORT}....`); }); <file_sep>### **REXPACK - React Express Webpack boilerplate** --- This is a minimalistic boilerplate for developing desktop applications, built on top of [rexpack](https://github.com/bengrunfeld/rexpack), with some changes based on my personal project structure preferences. #### Usage Installation git clone https://github.com/Vishnu-Dhanabalan/rexpack.git cd rexpack npm install Start developing npm run dev App will open up with hot reloading support. Configure settings using `configs/config.project.js` file Build the production npm run prod #### Useful packages installed - Redux - React Router - Styled Components
1def2a5ffff8a4e1ef1f010bd8f586e2d4e6ec67
[ "Markdown", "JavaScript" ]
2
Markdown
Vishnu-Dhanabalan/rexpack
754c4fb6fb0a4a496f32a3aca1775f9bd5b34171
e7c5c9bea9448f705cd45f004ae1f50b5d6f21a4
refs/heads/main
<file_sep># WWF 3D This web app contains the code for 3d rendering the Animal Models.<file_sep>import React from "react" import ReactDOM from "react-dom" import "./styles.css" function App() { let rawdata = document.location.href.split("?")[1] || "" let rawparams = rawdata.split("&") let params = {} let isError = false let error = <div className="error"></div> rawparams.forEach(elem=>{ let paramdata = elem.split("=") params[paramdata[0]] = paramdata[1] }) if(params["url"]==undefined){ document.location.assign("https://wwf-jr.netlify.app") } if(params["error"]!=undefined){ isError = true error = <div className="error">{params["error"].replaceAll("+", " ")}</div> } return ( <> <iframe src={`https://3dviewer.net/embed.html#model=${params["url"]}`}></iframe> {isError && error} <a href={`https://wwf-jr.netlify.app/app/run/viewar?url=${params["url"]}`} target="_blank" className="showAR">See this in Real World</a> </> ); } ReactDOM.render( <React.StrictMode> <App /> </React.StrictMode>, document.getElementById("root"), )
e86f02be9fa93c1817024a99fb5633848da6279c
[ "Markdown", "JavaScript" ]
2
Markdown
WWF-Jr/wwf-3d
a5baa2e8476e390adef0b48c99cb31b8292a446f
814d3c18322e8ff17780e41316aba5a39ecaacaa
refs/heads/master
<file_sep># Udacity Projects ### Completed projects - Build a portfolio site (HTML/CSS) (folder named: 1-Project-Rubric) ### Upcoming projects - Memory Game (Javascript) - Classic Arcade Game Clone (Javascript) - Feed Reader Testing (Testing) - Restaurant Reviews (AJAX)
c2d40a8425e33f7052e935bf2d93acb2cf2693ac
[ "Markdown" ]
1
Markdown
millus/udacity-projects
ba6703e47126722e9f34b86bd07ff62084b1d04f
2acfeb85548167c66047352c4e5fd605c06c9d15
refs/heads/master
<file_sep>package uz.suem.psycho; import android.content.ContentValues; import android.content.Context; import android.database.Cursor; import android.database.sqlite.SQLiteDatabase; import android.database.sqlite.SQLiteOpenHelper; import android.provider.BaseColumns; public class DatabaseHelper extends SQLiteOpenHelper implements BaseColumns { private static String DB_NAME = "database.db"; private static final int DB_VERSION = 1; // версия базы данных private static final String TABLE = "saved_results"; private String KEY_ID = "id"; private String KEY_NAME = "name"; private String KEY_TEST_NAME = "test_name"; private String KEY_RESULT = "result"; private String KEY_NOTES = "notes"; private String KEY_TIME = "time"; SQLiteDatabase database; DatabaseHelper(Context context) { super(context, DB_NAME, null, DB_VERSION); Context myContext = context; } @Override public void onCreate(SQLiteDatabase db) { // String CREATE_TABLE = "CREATE TABLE "+TABLE +"("+KEY_ID +" INTEGER PRIMARY KEY AUTOINCREMENT," + // KEY_NAME +" TEXT," +KEY_TEST_NAME+" TEXT,"+KEY_RESULT+" TEXT,"+KEY_NOTES+" TEXT,"+KEY_TIME+" TEXT);"; // // db.execSQL(CREATE_TABLE); } @Override public void onUpgrade(SQLiteDatabase db, int oldVersion, int newVersion) { } void addNewNote(String name, String test_name, String result, String notes, String time) { database = this.getWritableDatabase(); ContentValues values = new ContentValues(); values.put(KEY_NAME, name); values.put(KEY_TEST_NAME, test_name); values.put(KEY_RESULT, result); values.put(KEY_NOTES, notes); values.put(KEY_TIME, time); database.insert(TABLE, null, values); database.close(); } void deleteRow(Integer id) { database = this.getWritableDatabase(); database.execSQL("DELETE FROM " + TABLE + " WHERE " + KEY_ID + " = " + id + ";"); database.close(); } Cursor selectAll() { database = this.getReadableDatabase(); Cursor cursor = database.rawQuery("SELECT * FROM " + TABLE, null); //database.close(); return cursor; } } <file_sep>package uz.suem.psycho; import android.app.Activity; import android.content.Intent; import android.os.Bundle; import android.view.View; import android.widget.Button; import android.widget.TextView; import java.util.ArrayList; import java.util.Arrays; import java.util.Collections; import java.util.List; public class MoodEvalActivity extends Activity implements View.OnClickListener { TextView question; Button BtnYes, BtnNo, BtnConversely; List<Integer> chain = new ArrayList<>(); String result = "В момент обследования преобладает "; @Override protected void onCreate(Bundle savedInstanceState) { super.onCreate(savedInstanceState); setContentView(R.layout.activity_mood_evaluation); init(); } public void init() { question = findViewById(R.id.question); BtnYes = findViewById(R.id.yes); BtnYes.setOnClickListener(this); BtnNo = findViewById(R.id.no); BtnNo.setOnClickListener(this); BtnConversely = findViewById(R.id.conversely); BtnConversely.setOnClickListener(this); changeQuestion(); } @Override public void onClick(View v) { switch (v.getId()) { case R.id.yes: chain.add(1); break; case R.id.no: chain.add(2); break; case R.id.conversely: chain.add(3); break; } changeQuestion(); } public void changeQuestion() { switch (chain.size()) { case 0: question.setText("1.\tЧувствую себя исключительно бодро"); break; case 1: question.setText("2.\tСоседи (другие учащиеся и т. п.) очень мне надоели"); break; case 2: question.setText("3.\tИспытываю какое-то тягостное чувство"); break; case 3: question.setText("4.\tСкорее бы испытать чувство покоя (закончились бы урок, занятия, четверть и т. п.)"); break; case 4: question.setText("5.\tОставили бы меня в покое, не беспокоили бы"); break; case 5: question.setText("6.\tСостояние такое, что, образно говоря, готов горы свернуть"); break; case 6: question.setText("7.\tОценка по тесту неприятна, вызывает чувство неудовлетворенности"); break; case 7: question.setText("8.\tУдивительное настроение: хочется петь и плясать, целовать от радости каждого, кого вижу"); break; case 8: question.setText("9.\tВокруг меня очень много людей, способных поступить неблагородно, сделать зло. От любого человека можно ожидать неблаговидного поступка"); break; case 9: question.setText("10.\tВсе здания вокруг, все постройки на улицах кажутся мне удивительно неудачными"); break; case 10: question.setText("11.\tКаждому, кого встречаю, способен сказать грубость"); break; case 11: question.setText("12.\tИду радостно, не чувствую под собой ног"); break; case 12: question.setText("13.\tНикого не хочется видеть, ни с кем не хочется разговаривать"); break; case 13: question.setText("14.\tНастроение такое, что хочется сказать: «Пропади все пропадом!»"); break; case 14: question.setText("15.\tХочется сказать: «Перестаньте меня беспокоить, отвяжитесь!»"); break; case 15: question.setText("16.\tВсе люди без исключения мне кажутся чрезвычайно благожелательными, хорошими. Все они без исключения мне симпатичны."); break; case 16: question.setText("17.\tНе вижу впереди никаких трудностей. Все легко! Все доступно!"); break; case 17: question.setText("18.\tМое будущее мне кажется очень печальным"); break; case 18: question.setText("19.\tБывает хуже, но редко"); break; case 19: question.setText("20.\tНе верю даже самым близким людям"); break; case 20: question.setText("21.\tАвтомашины гудят на улице резко, но зато эти звуки воспринимаются как приятная музыка"); break; default: Intent intent = new Intent(this, Results.class); intent.putExtra("test_name", "ТЕСТBОПРОСНИК «ОЦЕНКА НАСТРОЕНИЯ»"); intent.putExtra("result", result + calculate()); startActivity(intent); finish(); break; } } public String calculate() { int[] sum = new int[3]; //обычное настроение Integer count = 0; for (int i = 0; i < chain.size(); i++) { if (chain.get(i) == 2) { count++; } } if (count == 20) sum[0] = 9; else if (count == 19) sum[0] = 8; else if (count == 18) sum[0] = 7; else if (count == 17 || count == 16) sum[0] = 6; else if (count >= 13 && count <= 15) sum[0] = 5; else if (count >= 10 && count <= 12) sum[0] = 4; else if (count == 8 || count == 9) sum[0] = 3; else if (count == 6 || count == 7) sum[0] = 2; else if (count <= 5) sum[0] = 1; //Астеническое состояние count = 0; for (int i = 0; i < chain.size(); i++) { if (chain.get(i) == 1) { if ((i == 2) || (i == 3) || (i == 4) || (i == 5) || (i == 7) || (i == 9) || (i == 10) || (i == 11) || (i == 13) || (i == 14) || (i == 15) || (i == 18) || (i == 19) || (i == 20)) count++; } else if (chain.get(i) == 3) { if ((i == 1) || (i == 6) || (i == 8) || (i == 12) || (i == 16) || (i == 17)) { count++; } } } if (count == 1 || count == 2) sum[1] = 9; else if (count == 3) sum[1] = 8; else if (count == 4) sum[1] = 7; else if (count == 5 || count == 6) sum[1] = 6; else if (count == 7 || count == 8) sum[1] = 5; else if (count == 9 || count == 10) sum[1] = 4; else if (count >= 11 || count <= 13) sum[1] = 3; else if (count == 14 || count == 15) sum[1] = 2; //Состояние эйфории count = 0; for (int i = 0; i < chain.size(); i++) { if (chain.get(i) == 1) { if ((i == 1) || (i == 6) || (i == 8) || (i == 12) || (i == 16) || (i == 17)) count++; } else if (chain.get(i) == 3) { if ((i == 2) || (i == 3) || (i == 4) || (i == 5) || (i == 7) || (i == 9) || (i == 10) || (i == 11) || (i == 13) || (i == 14) || (i == 15) || (i == 18) || (i == 19) || (i == 20)) { count++; } } } if (count <= 6) sum[2] = 9; else if (count == 7) sum[2] = 8; else if (count == 8 || count == 9) sum[2] = 7; else if (count == 10 || count == 11) sum[2] = 6; else if (count == 12 || count == 13) sum[2] = 5; else if (count == 14 || count == 15) sum[2] = 4; else if (count == 16 || count == 17) sum[2] = 3; else if (count == 18 || count == 19) sum[2] = 2; else if (count >= 20) sum[2] = 1; Arrays.sort(sum); if (sum[sum.length - 1] == sum[0]) { return "обычное состоянпе."; } else if (sum[sum.length - 1] == sum[1]) return "негативное (астеническое) состояние."; else return "cостояние эйфории"; } } <file_sep>package uz.suem.psycho; import android.app.Activity; import android.content.Intent; import android.os.Bundle; import android.view.View; import android.widget.Button; import android.widget.EditText; public class SaveResults extends Activity implements View.OnClickListener { String testName, testResult; DatabaseHelper sqlHelper; Button saveBtn, cancelBtn; EditText name, notes; @Override protected void onCreate(Bundle savedInstanceState) { testName = getIntent().getStringExtra("test_name"); testResult = getIntent().getStringExtra("result"); super.onCreate(savedInstanceState); setContentView(R.layout.activity_save_results); saveBtn = findViewById(R.id.button_save); saveBtn.setOnClickListener(this); cancelBtn = findViewById(R.id.button_cancel); cancelBtn.setOnClickListener(this); name = findViewById(R.id.editName); notes = findViewById(R.id.editNotes); sqlHelper = new DatabaseHelper(this); } @Override public void onClick(View v) { String _name = name.getText().toString(); String _notes = notes.getText().toString(); Long tsLong = System.currentTimeMillis() / 1000; String time = tsLong.toString(); switch (v.getId()) { case R.id.button_save: { sqlHelper.addNewNote(_name, testName, testResult, _notes, time); break; } case R.id.button_cancel: { break; } } startActivity(new Intent(this, MainActivity.class)); finish(); } } <file_sep>package uz.suem.psycho; import android.app.Activity; import android.content.Intent; import android.database.Cursor; import android.os.Bundle; import android.view.View; import android.widget.Button; import android.widget.LinearLayout; import android.widget.TextView; import java.util.ArrayList; import java.util.List; public class ShowAllResultsActivity extends Activity implements View.OnClickListener { private List<View> allEds = new ArrayList(); DatabaseHelper sqlHelper; @Override protected void onCreate(Bundle savedInstanceState) { super.onCreate(savedInstanceState); setContentView(R.layout.show_all_results_activity); final LinearLayout linear = findViewById(R.id.linear); final View view = getLayoutInflater().inflate(R.layout.custom_row_layout, null); sqlHelper = new DatabaseHelper(this); final Cursor cursor = sqlHelper.selectAll(); System.out.println("cursor.getCount() = " + cursor.getCount()); if (cursor.getCount() > 0) { cursor.moveToFirst(); while (cursor.moveToNext()) { Button deleteField = view.findViewById(R.id.button2); System.out.println("cursor.getInt(0) = " + cursor.getInt(0)); deleteField.setId(cursor.getInt(0)); deleteField.setOnClickListener(new View.OnClickListener() { @Override public void onClick(View v) { try { sqlHelper.deleteRow(v.getId()); ((LinearLayout) view.getParent()).removeView(view); allEds.remove(view); } catch (IndexOutOfBoundsException ex) { ex.printStackTrace(); } } }); TextView text = view.findViewById(R.id.editText); text.setText(cursor.getString(1)); allEds.add(view); linear.addView(view); } } } @Override public void onClick(View v) { switch (v.getId()) { case R.id.button_start_test: startActivity(new Intent(this, LyusherActivity.class)); break; } } } <file_sep>package uz.suem.psycho; import android.annotation.SuppressLint; import android.app.Activity; import android.content.Intent; import android.os.Bundle; import android.os.CountDownTimer; import android.view.View; import android.widget.TextView; import java.util.ArrayList; import java.util.List; import java.util.Random; import java.util.concurrent.ThreadLocalRandom; public class LyusherActivity extends Activity implements View.OnClickListener { List<CC> fields = new ArrayList<>(); TextView timer; int[] colors; String result = ""; // + + * * = = - - List<Integer> colorSequence1 = new ArrayList<>(); List<Integer> colorSequence2 = new ArrayList<>(); boolean next = true; @Override protected void onCreate(Bundle savedInstanceState) { super.onCreate(savedInstanceState); setContentView(R.layout.activity_lyusher); initViews(); setViewsColor(); } void initViews() { colors = getResources().getIntArray(R.array.allCoors); List<View> textViews = new ArrayList<>(8); textViews.add(findViewById(R.id.textView1)); textViews.add(findViewById(R.id.textView2)); textViews.add(findViewById(R.id.textView3)); textViews.add(findViewById(R.id.textView4)); textViews.add(findViewById(R.id.textView5)); textViews.add(findViewById(R.id.textView6)); textViews.add(findViewById(R.id.textView7)); textViews.add(findViewById(R.id.textView8)); for (int i = 0; i < 8; i++) { fields.add(new CC(textViews.get(i), 0)); } timer = findViewById(R.id.timer); timer.setVisibility(View.INVISIBLE); } void setViewsColor() { int[] c = colors; shuffleArray(c); for (int i = 0; i < 8; i++) { fields.get(i).textView.setBackgroundColor(c[i]); fields.get(i).color = c[i]; fields.get(i).textView.setOnClickListener(this); } } static void shuffleArray(int[] ar) { // If running on Java 6 or older, use `new Random()` on RHS here Random rnd = ThreadLocalRandom.current(); for (int i = ar.length - 1; i > 0; i--) { int index = rnd.nextInt(i + 1); // Simple swap int a = ar[index]; ar[index] = ar[i]; ar[i] = a; } } @Override public void onClick(View v) { switch (v.getId()) { case R.id.textView1: fields.get(0).textView.setVisibility(View.INVISIBLE); if (next) colorSequence1.add(fields.get(0).color); else colorSequence2.add(fields.get(0).color); break; case R.id.textView2: fields.get(1).textView.setVisibility(View.INVISIBLE); if (next) colorSequence1.add(fields.get(1).color); else colorSequence2.add(fields.get(1).color); break; case R.id.textView3: fields.get(2).textView.setVisibility(View.INVISIBLE); if (next) colorSequence1.add(fields.get(2).color); else colorSequence2.add(fields.get(2).color); break; case R.id.textView4: fields.get(3).textView.setVisibility(View.INVISIBLE); if (next) colorSequence1.add(fields.get(3).color); else colorSequence2.add(fields.get(3).color); break; case R.id.textView5: fields.get(4).textView.setVisibility(View.INVISIBLE); if (next) colorSequence1.add(fields.get(4).color); else colorSequence2.add(fields.get(4).color); break; case R.id.textView6: fields.get(5).textView.setVisibility(View.INVISIBLE); if (next) colorSequence1.add(fields.get(5).color); else colorSequence2.add(fields.get(5).color); break; case R.id.textView7: fields.get(6).textView.setVisibility(View.INVISIBLE); if (next) colorSequence1.add(fields.get(6).color); else colorSequence2.add(fields.get(6).color); break; case R.id.textView8: fields.get(7).textView.setVisibility(View.INVISIBLE); if (next) colorSequence1.add(fields.get(7).color); else colorSequence2.add(fields.get(7).color); break; } System.out.println("colorSequence1.size() = " + colorSequence1.size()); System.out.println("colorSequence2.size() = " + colorSequence2.size()); if (((colorSequence1.size() == 8) && next) || ((colorSequence2.size() == 8) && !next)) { if (next) { next = false; timer.setVisibility(View.VISIBLE); new CountDownTimer(1000, 1000) { @SuppressLint("SetTextI18n") public void onTick(long millisUntilFinished) { timer.setText("" + millisUntilFinished / 1000); } public void onFinish() { timerOf(); } }.start(); } else { interpretation(); } } } public void timerOf() { timer.setVisibility(View.INVISIBLE); for (int i = 0; i < 8; i++) { fields.get(i).textView.setVisibility(View.VISIBLE); } setViewsColor(); } public void interpretation() { List<List<Integer>> sequences = new ArrayList<>(); sequences.add(colorSequence1); sequences.add(colorSequence2); for (int i = 0; i < sequences.size(); i++) { if (i == 0) result += "Желаемое состояние: \n"; else result += "Действительное состояние:\n"; // + + if (sequences.get(i).get(0) == colors[0]) { if (sequences.get(i).get(1) == colors[1]) result += " - чувство удовлетворенности, спокойствия, стремление к спокойной обстановке, нежелание участвовать в конфликтах, стрессе.\n"; if (sequences.get(i).get(1) == colors[2]) result += " - чувство целостности, активное и не всегда осознанное стремление к тесным отношениям. Потребность во внимании со стороны других.\n"; if (sequences.get(i).get(1) == colors[4]) result += " - небольшое беспокойство, потребность в тонком окружении, стремление к эстетическому.\n"; if (sequences.get(i).get(1) == colors[5]) result += " - чувство беспокойства, страх одиночества, стремление уйти от конфликта, избежать стресса.\n"; if (sequences.get(i).get(1) == colors[6]) result += " - негативное состояние, стремление к покою, отдыху, неудовлетворенность отношением к себе, негативное отношение к ситуации.\n"; if (sequences.get(i).get(1) == colors[7]) result += " - негативное состояние, потребность освободиться от стресса, стремление к покою, отдыху.\n"; } if (sequences.get(i).get(0) == colors[1]) { if (sequences.get(i).get(1) == colors[0]) result += " - позитивное состояние, стремление к признанию, к деятельности, обеспечивающей успех.\n"; if (sequences.get(i).get(1) == colors[2]) result += " - активное стремление к успеху, к самостоятельным решениям, преодолению преград в деятельности.\n"; if (sequences.get(i).get(1) == colors[3]) result += " - небольшое беспокойство, стремление к признанию, популярности, желание произвести впечатление.\n"; if (sequences.get(i).get(1) == colors[4]) result += " - небольшое беспокойство, стремление к признанию, популярности, желание супервпечатлений, повышенное внимание к реакциям окружающих на свои поступки.\n"; if (sequences.get(i).get(1) == colors[5]) result += " - чувство неудовлетворенности, усталости, переоценка значимости отношения к себе со стороны окружающих.\n"; if (sequences.get(i).get(1) == colors[6]) result += " - чувство обиды, злости, стремление к жалости, авторитарности в отношениях.\n"; if (sequences.get(i).get(1) == colors[7]) result += " - чувство неудовлетворенности, стремление к признанию, желание произвести впечатление.\n"; } if (sequences.get(i).get(0) == colors[2]) { if (sequences.get(i).get(1) == colors[0]) result += " - деловое возбуждение, активное стремление к деятельности, впечатлениям, удовольствиям.\n"; if (sequences.get(i).get(1) == colors[1]) result += " - деловое возбуждение, активное стремление к цели, преодоление всех трудностей, стремление к высокой оценке своей деятельности.\n"; if (sequences.get(i).get(1) == colors[3]) result += " - деловое, слегка повышенное возбуждение, увлеченность, оптимизм, стремление к контактам, расширение сферы деятельности.\n"; if (sequences.get(i).get(1) == colors[4]) result += " - повышенное возбуждение, не всегда адекватная увлеченность, стремление произвести впечатление.\n"; if (sequences.get(i).get(1) == colors[5]) result += " - негативное настроение, огорчение из-за неудачи, нежелание лишиться благоприятной ситуации.\n"; if (sequences.get(i).get(1) == colors[6]) result += " - негативное настроение, злость, стремление уйти из неблагоприятной ситуации.\n"; if (sequences.get(i).get(1) == colors[7]) result += " - чувство неудовлетворенности, направленность на рискованное действие.\n"; } if (sequences.get(i).get(0) == colors[3]) { if (sequences.get(i).get(1) == colors[0]) result += " - настроение в общем положительное, стремление к позитивному эмоциональному состоянию, выдержке.\n"; if (sequences.get(i).get(1) == colors[1]) result += " - настроение в общем положительное, желание поиска верных путей решения стоящих задач, стремление к самоутверждению.\n"; if (sequences.get(i).get(1) == colors[2]) result += " - несколько повышенное деловое возбуждение, стремление к широкой активности.\n"; if (sequences.get(i).get(1) == colors[4]) result += " - небольшая эйфория, стремление к ярким событиям, желание произвести впечатление.\n"; if (sequences.get(i).get(1) == colors[5]) result += " - негативное настроение, огорчение и потребность в эмоциональной разрядке, отдыхе.\n"; if (sequences.get(i).get(1) == colors[6]) result += " - весьма негативное настроение, стремление уйти от любых проблем, склонность к необходимым, малоадекватным решениям.\n"; if (sequences.get(i).get(1) == colors[7]) result += " - негативное угнетенное состояние, стремление выйти из неприятной ситуации, нечеткое представление о том, как это сделать.\n"; } if (sequences.get(i).get(0) == colors[4]) { if (sequences.get(i).get(1) == colors[0]) result += " - неопределенное настроение, стремление к согласию и гармонии.\n"; if (sequences.get(i).get(1) == colors[1]) result += " - настороженность, желание произвести впечатление.\n"; if (sequences.get(i).get(1) == colors[2]) result += " - некоторое возбуждение, увлеченность, активное стремление произвести впечатление.\n"; if (sequences.get(i).get(1) == colors[3]) result += " - возбуждение, фантазирование, стремление к ярким событиям.\n"; if (sequences.get(i).get(1) == colors[5]) result += " - возбуждение, направленность на сильные эмоциональные переживания.\n"; if (sequences.get(i).get(1) == colors[6]) result += " - негативное состояние.\n"; if (sequences.get(i).get(1) == colors[7]) result += " - напряжение, стремление оградить себя от конфликтов, стресса.\n"; } if (sequences.get(i).get(0) == colors[5]) { if (sequences.get(i).get(1) == colors[0]) result += " - напряжение, страх одиночества, желание выйти из неблагоприятной ситуации.\n"; if (sequences.get(i).get(1) == colors[1]) result += " - чувство беспокойства, стремление к строгому контролю над собой, чтобы избежать ошибки.\n"; if (sequences.get(i).get(1) == colors[2]) result += " - активное стремление к эмоциональной разрядке.\n"; if (sequences.get(i).get(1) == colors[3]) result += " - утрата веры в положительные перспективы, вероятность необдуманных решений («мне все равно»).\n"; if (sequences.get(i).get(1) == colors[4]) result += " - чувство неудовлетворенности, стремление к комфорту.\n"; if (sequences.get(i).get(1) == colors[6]) result += " - негативное состояние, разочарованность, стремление к покою, желание уйти от активности.\n"; if (sequences.get(i).get(1) == colors[7]) result += " - весьма негативное состояние, стремление уйти от сложных проблем, а не бороться с ними.\n"; } if (sequences.get(i).get(0) == colors[6]) { if (sequences.get(i).get(1) == colors[0]) result += " - весьма негативное состояние, стремление уйти от проблем («оставили бы в покое»).\n"; if (sequences.get(i).get(1) == colors[1]) result += " - возбуждение, гневное отношение к окружающим, не всегда адекватное упрямство.\n"; if (sequences.get(i).get(1) == colors[2]) result += " - сильное возбуждение, возможны аффективные поступки.\n"; if (sequences.get(i).get(1) == colors[3]) result += " - весьма негативное состояние, отчаяние, суицидные мысли.\n"; if (sequences.get(i).get(1) == colors[4]) result += " - напряженность, мечты о гармонии.\n"; if (sequences.get(i).get(1) == colors[5]) result += " - возбуждение, постановка нереальных задач, стремление уйти от беспокойных мыслей, неблагоприятных ситуаций.\n"; if (sequences.get(i).get(1) == colors[7]) result += " - чувство безнадежности, обреченности, стремление сопротивляться всему, неадекватность.\n"; } if (sequences.get(i).get(0) == colors[7]) { if (sequences.get(i).get(1) == colors[0]) result += " - негативное состояние, желание спокойной ситуации.\n"; if (sequences.get(i).get(1) == colors[1]) result += " - негативное состояние, ощущение враждебности окружающих и желание оградиться от среды.\n"; if (sequences.get(i).get(1) == colors[2]) result += " - негативное состояние, повышенные требования к окружающим, не всегда адекватная активность.\n"; if (sequences.get(i).get(1) == colors[3]) result += " - негативное состояние, стремление уйти от проблем, а не решить их.\n"; if (sequences.get(i).get(1) == colors[4]) result += " - чувство беспокойства, настороженности, стремление скрыть это чувство.\n"; if (sequences.get(i).get(1) == colors[5]) result += " - весьма негативное состояние, стремление уйти от всего сложного, трудного, волнующего.\n"; if (sequences.get(i).get(1) == colors[6]) result += " - весьма негативное состояние, обида, чувство угнетенности, вероятность неадекватных решений.\n"; } // - - if (sequences.get(i).get(6) == colors[0]) { if (sequences.get(i).get(7) == colors[1]) result += " - сильное напряжение, стремление избавиться от негативного стрессового состояния.\n"; if (sequences.get(i).get(7) == colors[2]) result += " - сильное напряжение, чувство беспомощности, желание выйти из эмоциональной ситуации.\n"; if (sequences.get(i).get(7) == colors[3]) result += " - состояние, близкое к стрессу, эмоциональные негативные переживания, чувство беспомощности.\n"; if (sequences.get(i).get(7) == colors[4]) result += " - состояние, близкое к стрессу, сложность взаимоотношений.\n"; if (sequences.get(i).get(7) == colors[5]) result += " - эмоциональная неудовлетворенность, самоограничение, поиск поддержки.\n"; if (sequences.get(i).get(7) == colors[6]) result += " - состояние, близкое к стрессу, эмоциональная неудовлетворенность, стремление выйти из психогенной ситуации.\n"; if (sequences.get(i).get(7) == colors[7]) result += " - несколько угнетенное состояние, тревожность, ощущение бесперспективности.\n"; } if (sequences.get(i).get(6) == colors[1]) { if (sequences.get(i).get(7) == colors[0]) result += " - угнетенное состояние, неверие в свои силы, стремление выйти из неприятной ситуации.\n"; if (sequences.get(i).get(7) == colors[2]) result += " - сильное возбуждение, тягостные переживания, отношения со средой считает для себя враждебными, возможны аффективные поступки.\n"; if (sequences.get(i).get(7) == colors[3]) result += " - состояние, близкое к фрустрации, чувство разочарования, нерешительности.\n"; if (sequences.get(i).get(7) == colors[4]) result += " - состояние, близкое к стрессовому, чувство оскорбленного достоинства, неверие в свои силы.\n"; if (sequences.get(i).get(7) == colors[5]) result += " - состояние, близкое к стрессовому, неадекватно повышенный самоконтроль, необоснованное стремление к признанию.\n"; if (sequences.get(i).get(7) == colors[6]) result += " - состояние фрустрации из-за ограничения амбициозных требований, недостаточная целеустремленность.\n"; if (sequences.get(i).get(7) == colors[7]) result += " - состояние фрустрации, раздраженность из-за ряда неудач, снижение волевых качеств.\n"; } if (sequences.get(i).get(6) == colors[2]) { if (sequences.get(i).get(7) == colors[0]) result += " - подавляемое возбуждение, раздражительность, нетерпеливость, поиск выхода из негативных отношений, сложившихся с близкими людьми.\n"; if (sequences.get(i).get(7) == colors[1]) result += " - состояние стресса из-за неадекватной самооценки.\n"; if (sequences.get(i).get(7) == colors[3]) result += " - мнительность, тревожность, неадекватная оценка среды, стремление к самооправданию.\n"; if (sequences.get(i).get(7) == colors[4]) result += " - состояние стресса из-за неудачных попыток достичь взаимопонимания, чувство неуверенности, беспомощности, желание сочувствия.\n"; if (sequences.get(i).get(7) == colors[5]) result += " - сильное напряжение, вызванное иногда сексуальным самоограничением, отсутствие дружеских контактов, неуверенность в своих силах.\n"; if (sequences.get(i).get(7) == colors[6]) result += " - состояние стресса из-за глубокого разочарования, фрустрация, чувство тревожности, бессилия решить конфликтную проблему, желание выйти из фрустрирующей ситуации любым путем, сомнение в том, что это удастся.\n"; if (sequences.get(i).get(7) == colors[7]) result += " - сдерживаемое возбуждение, чувство утрачиваемой перспективы, вероятность нервного истощения.\n"; } if (sequences.get(i).get(6) == colors[3]) { if (sequences.get(i).get(7) == colors[0]) result += " - чувство разочарования, состояние, близкое к стрессу, стремление подавить негативные эмоции.\n"; if (sequences.get(i).get(7) == colors[1]) result += " - состояние нерешительности, тревожности, разочарования.\n"; if (sequences.get(i).get(7) == colors[6]) result += " - напряженность, чувство неуверенности, настороженности, стремление избежать контроля извне.\n"; if (sequences.get(i).get(7) == colors[7]) result += " - напряженность, чувство боязни потерять что-то важное, упустить возможности, напряженное ожидание.\n"; } if (sequences.get(i).get(6) == colors[4]) { if (sequences.get(i).get(7) == colors[0]) result += " - чувство неудовлетворенности, стимулирующее к активности; стремление к сотрудничеству.\n"; if (sequences.get(i).get(7) == colors[1]) result += " - стрессовое состояния из-за неосуществившегося самоутверждения.\n"; if (sequences.get(i).get(7) == colors[2]) result += " - стрессовое состояние из-за неудач в активных, иногда необдуманных действиях.\n"; if (sequences.get(i).get(7) == colors[3]) result += " - настороженность, подозрительность, разочарование, замкнутость.\n"; if (sequences.get(i).get(7) == colors[5]) result += " - стресс, вызванный нарушением желательных взаимоотношений, повышенная взыскательность к другим.\n"; if (sequences.get(i).get(7) == colors[6]) result += " - напряжение из-за ограничения в самостоятельных решениях, стремление к взаимопониманию, откровенному выражению мысли.\n"; if (sequences.get(i).get(7) == colors[7]) result += " - проявление нетерпения, но в то же время стремление к самоконтролю, что вызывает некоторое эмоциональное возбуждение.\n"; } if (sequences.get(i).get(6) == colors[5]) { if (sequences.get(i).get(7) == colors[0]) result += " - негативное состояние, чувство неудовлетворенности из-за недостаточного признания заслуг (реальных и предполагаемых), стремление к самоограничению и самоконтролю.\n"; if (sequences.get(i).get(7) == colors[1]) result += " - негативное состояние из-за чрезмерного самоконтроля, упрямое желание выделиться, сомнения в том, что это удастся.\n"; if (sequences.get(i).get(7) == colors[2]) result += " - стрессовое состояние из-за подавленности эротических и других биологических потребностей, стремление к сотрудничеству для выхода из стресса.\n"; if (sequences.get(i).get(7) == colors[3]) result += " - напряженность из-за стремления скрыть тревогу под маской уверенности и беспечности.\n"; if (sequences.get(i).get(7) == colors[4]) result += " - негативное состояние из-за неудовлетворенного стремления к чувственной гармонии.\n"; if (sequences.get(i).get(7) == colors[6]) result += " - стремление уйти из подчинения, негативное отношение к различным запретам.\n"; if (sequences.get(i).get(7) == colors[7]) result += " - стрессовое состояние из-за подавления биологических сексуальных потребностей.\n"; } if (sequences.get(i).get(6) == colors[6]) { if (sequences.get(i).get(7) == colors[0]) result += " - состояние беспокойства в связи со скрываемым вниманием получить помощь, поддержку.\n"; if (sequences.get(i).get(7) == colors[1]) result += " - состояние, близкое к фрустрации из-за ограничения свободы желаемых действий, стремление избавиться от помех.\n"; if (sequences.get(i).get(7) == colors[2]) result += " - стрессовое состояние, вызванное разочарованием в ожидаемой ситуации, эмоциональное возбуждение.\n"; if (sequences.get(i).get(7) == colors[3]) result += " - стрессовое состояние из-за боязни дальнейших неудач, отказ от разумных компромиссов.\n"; if (sequences.get(i).get(7) == colors[4]) result += " - поиски идеализированной ситуации.\n"; if (sequences.get(i).get(7) == colors[5]) result += " - стрессовое состояние из-за неприятных ограничений, запретов, стремление сопротивляться ограничениям, уйти от заурядности.\n"; if (sequences.get(i).get(7) == colors[7]) result += " - стремление выйти из неблагоприятной ситуации.\n"; } if (sequences.get(i).get(6) == colors[7]) { if (sequences.get(i).get(7) == colors[0]) result += " - чувство неудовлетворенности, эмоциональной напряженности.\n"; if (sequences.get(i).get(7) == colors[1]) result += " - эмоциональная напряженность, желание выйти из неблагоприятной ситуации.\n"; if (sequences.get(i).get(7) == colors[2]) result += " - раздраженность, чувство беспомощности.\n"; if (sequences.get(i).get(7) == colors[3]) result += " - тревожность, неуверенность в своих силах.\n"; if (sequences.get(i).get(7) == colors[4]) result += " - небольшое контролируемое возбуждение.\n"; if (sequences.get(i).get(7) == colors[5]) result += " - тревожность, неуверенность в своих силах, но при этом повышенная требовательность, желание достичь признания своей личности.\n"; if (sequences.get(i).get(7) == colors[6]) result += " - отрицание каких-либо ограничений своей личности, активное стремление к деятельности.\n"; } } startResultActivity(); } public void startResultActivity() { Intent intent = new Intent(this, Results.class); intent.putExtra("test_name", "<NAME>"); intent.putExtra("result", result); startActivity(intent); finish(); } } <file_sep>package uz.suem.psycho; import android.app.Activity; import android.content.Intent; import android.os.Bundle; import android.view.View; import android.widget.Button; import android.widget.TextView; public class Results extends Activity implements View.OnClickListener { String testName; TextView result; Button saveTest, endTest; @Override protected void onCreate(Bundle savedInstanceState) { super.onCreate(savedInstanceState); setContentView(R.layout.activity_results); result = findViewById(R.id.mood_eval_result); result.setText(getIntent().getStringExtra("result")); testName = getIntent().getStringExtra("test_name"); saveTest = findViewById(R.id.button_save_test); saveTest.setOnClickListener(this); endTest = findViewById(R.id.button_end_test); endTest.setOnClickListener(this); } @Override public void onClick(View v) { switch (v.getId()) { case R.id.button_save_test: Intent intent = new Intent(this, SaveResults.class); intent.putExtra("test_name", testName); intent.putExtra("result", result.getText().toString()); startActivity(intent); break; case R.id.button_end_test: startActivity(new Intent(this, MainActivity.class)); break; } } }
9601c0004e453e4c627a524e385917abae2c6d31
[ "Java" ]
6
Java
Suembeka/Psycho
dceebe0eb89d9957a1d0f400439cecef9b17ce6c
c6633956529c59db0d80b33dfc87682263dbf363
refs/heads/master
<file_sep>/* * To change this license header, choose License Headers in Project Properties. * To change this template file, choose Tools | Templates * and open the template in the editor. */ package subbussinesTier.entities; import java.time.LocalDate; import org.junit.After; import org.junit.AfterClass; import org.junit.Before; import org.junit.BeforeClass; import org.junit.Test; import static org.junit.Assert.*; import testdata.TestData; /** * * @author Win8 */ public class ReservationTest { public ReservationTest() { } static TestData data; @BeforeClass public static void setUpClass() { } @AfterClass public static void tearDownClass() { } @Before public void setUp() { data = new TestData(); } @After public void tearDown() { } /** * Test of interferes method, of class Reservation. */ @Test public void testInterferes() { System.out.println("interferes"); LocalDate dateS = data.dates[0]; Reservation instance = data.reservation[0]; boolean expResult = true; boolean result = instance.interferes(dateS); assertEquals(expResult, result); } /** * Test of equals method, of class Reservation. */ @Test public void testEquals() { System.out.println("equals"); Object o = data.reservation[0]; Reservation instance = data.reservations[0]; boolean expResult = true; boolean result = instance.equals(o); assertEquals(expResult, result); } } <file_sep>/* * To change this license header, choose License Headers in Project Properties. * To change this template file, choose Tools | Templates * and open the template in the editor. */ package subbussinesTier.entities; import java.util.ArrayList; import java.util.Arrays; import java.util.Collection; import org.junit.After; import org.junit.AfterClass; import org.junit.Before; import org.junit.BeforeClass; import org.junit.Test; import static org.junit.Assert.*; import org.junit.FixMethodOrder; import org.junit.experimental.categories.Category; import org.junit.runner.RunWith; import org.junit.runners.MethodSorters; import org.junit.runners.Parameterized; import testdata.TestData; /** * * @author Win8 */ @FixMethodOrder(MethodSorters.NAME_ASCENDING) @Category({TestEntity.class}) @RunWith(Parameterized.class) public class GameTest { public GameTest() { } static TestData data; static Game game; @BeforeClass public static void setUpClass() { data = new TestData(); } @AfterClass public static void tearDownClass() { } @Parameterized.Parameter public int number1; @Parameterized.Parameters public static Collection<Object[]> data() { Object[][] data1 = new Object[][]{{0}, {1}}; return Arrays.asList(data1); } @Before public void setUp() { game = data.game[number1]; } @After public void tearDown() { } /** * Test of addReservation method, of class Game. */ @Test public void testAddReservation() { System.out.println("addReservation"); int i = 0; for (Reservation r : data.reservation) { game.addReservation(r); assertSame(r, game.getReservations().get(i)); i++; } } /** * Test of equals method, of class Game. */ @Test public void testEquals() { System.out.println("equals"); for (int i = number1; i < 2; i++) { if (number1 == i) { assertTrue(data.game[number1].equals(data.game[i])); } else { assertFalse(data.game[number1].equals(data.game[i])); } } } /** * Test of isFree method, of class Game. */ @Test public void testIsFree() { System.out.println("isFree"); boolean result; result = game.isFree(data.dates[0]); assertFalse(result); result = game.isFree(data.dates[1]); assertFalse(result); } } <file_sep>/* * To change this license header, choose License Headers in Project Properties. * To change this template file, choose Tools | Templates * and open the template in the editor. */ package subbussinesTier.entities; import java.time.LocalDate; public class Reservation { private Game game; private Client client; private int number; private LocalDate date; public Reservation() { } public Reservation(Client client, LocalDate date, Game game) { this.client = client; this.date = date; this.game = game; } public Game getGame() { return game; } public void setGame(Game game) { this.game = game; } public Client getClient() { return client; } public void setClient(Client client) { this.client = client; } public int getNumber() { return number; } public void setNumber(int number) { this.number = number; } public LocalDate getDate() { return date; } public void setDate(LocalDate date) { this.date = date; } public boolean interferes(LocalDate dateS) { if (date.isAfter(dateS.plusDays(14))) { return false; } else if (date.plusDays(14).isBefore(dateS)) { return false; } else { return true; } } @Override public boolean equals(Object o) { if (o instanceof Reservation) { if (this.getGame().equals(((Reservation) o).getGame())) { if (this.getClient().equals(((Reservation) o).getClient())) { if (this.date.equals(((Reservation) o).getDate())) { return true; } } } } return false; } public String[] toStringMap() { String[] map = new String[2]; // in progress return map; } } <file_sep>package subbussinesTier.entities; import java.time.LocalDate; import java.util.ArrayList; import java.util.Objects; import subbussinesTier.Factory; public class Client { private String name; private int number; private ArrayList<Reservation> reservation; public Client() { } public Client(String name, String number){ this.name = name; this.number = Integer.valueOf(number); reservation = new ArrayList(); } public String getName() { return name; } public void setName(String name) { this.name = name; } public int getNumber() { return number; } public void setNumber(int number) { this.number = number; } public ArrayList<Reservation> getReservation() { return reservation; } public void setReservation(ArrayList<Reservation> reservation) { this.reservation = reservation; } public String[] toStringMap(){ String[] map = new String[2]; map[0]=name; map[1]=Integer.toString(number); return map; } public void addReservation(LocalDate date, Game game){ Factory factory = Factory.getInstance(); Reservation r = factory.createReservation(game, date, this); game.addReservation(r); this.reservation.add(r); } @Override public boolean equals(Object o){ if(o==this){ return true; }else if(o instanceof Client){ Client c = (Client) o; if(this.name.equals(c.getName())) if(this.number==c.getNumber()) return true; } return false; } @Override public int hashCode() { int hash = 5; hash = 83 * hash + Objects.hashCode(this.name); hash = 83 * hash + this.number; return hash; } } <file_sep>/* * To change this license header, choose License Headers in Project Properties. * To change this template file, choose Tools | Templates * and open the template in the editor. */ package subbussinesTier.entities; import java.time.LocalDate; import java.util.ArrayList; public class Game { private int number; private GameTitle gameTitle; private ArrayList<Reservation> reservations; public Game() { reservations = new ArrayList(); } public Game(int number){ this.number=number; reservations = new ArrayList(); } public Game(GameTitle gameTitle) { this.gameTitle = gameTitle; reservations = new ArrayList(); } public Game(int number, GameTitle gameTitle) { this.number = number; this.gameTitle = gameTitle; reservations = new ArrayList(); } public int getNumber() { return number; } public void setNumber(int number) { this.number = number; } public GameTitle getGameTitle() { return gameTitle; } public void setGameTitle(GameTitle gameTitle) { this.gameTitle = gameTitle; } public ArrayList<Reservation> getReservations() { return reservations; } public void setReservations(ArrayList<Reservation> reservations) { this.reservations = reservations; } public void addReservation(Reservation reservation) { this.reservations.add(reservation); } @Override public boolean equals(Object o) { if (o instanceof Game) { if (((Game) o).getNumber() == this.number) { if (this.gameTitle.equals(((Game) o).getGameTitle())) { //if(this.reservations.equals(((Game) o).getReservations())) return true; } } } return false; } public boolean isFree(LocalDate date) { for (Reservation r : reservations) { if (!(date.plusDays(7).isBefore(r.getDate()) || date.isAfter(r.getDate().plusDays(7)))) { return false; } } return true; } public String[] toStringMap() { String[] map = new String[2]; map[0] = Integer.toString(number); map[1] = gameTitle.toString(); return map; } } <file_sep>package subbussinesTier; import java.time.LocalDate; import java.util.ArrayList; import subbussinesTier.entities.Client; import subbussinesTier.entities.GameTitle; import subbussinesTier.entities.Reservation; public class Facade { private ArrayList<Client> clients; private ArrayList<GameTitle> gameTitles; private ArrayList<Reservation> reservations; private static Facade instance; public Facade() { clients = new ArrayList<Client>(); gameTitles = new ArrayList<GameTitle>(); reservations = new ArrayList<Reservation>(); } public static Facade getInstance(){ if(instance==null){ instance=new Facade(); } return instance; } //Client public String[] addClient(String[] data) { Client client = null; Factory factory = Factory.getInstance(); client = factory.createClient(data); if (this.findClient(client)==null) { clients.add(client); } return client.toStringMap(); } public Client findClient(Client client) { int index = gameTitles.indexOf(client); if (index != -1) return this.clients.get(index); return null; } // Game Title private GameTitle searchGameTitle(GameTitle gameTitle) { int idx; if((idx = gameTitles.indexOf(gameTitle))!=-1){ return gameTitles.get(idx); } return null; } public String[] addGameTitle(String[] data) { GameTitle gameTitle = null; Factory factory = Factory.getInstance(); gameTitle = factory.createGameTitle(data); GameTitle fGameTitle = searchGameTitle(gameTitle); if (fGameTitle == null) { gameTitles.add(gameTitle); return gameTitle.toStringMap(); } return null; } //Game public String[] addGame(String data1[], String data2[]) { GameTitle temp, gameTitleExist; Factory factory = Factory.getInstance(); temp = factory.createGameTitle(data1); if ((gameTitleExist = searchGameTitle(temp)) != null) { return gameTitleExist.addGame(data2); } return null; } //Reservation public String[] addReservation(String[] dataGameTitle, String[] dataClient, LocalDate date) { Reservation reservation = null; Factory factory = Factory.getInstance(); GameTitle gameTitle = factory.createGameTitle(dataGameTitle),gameTitleExist; gameTitleExist=this.searchGameTitle(gameTitle); if (gameTitleExist != null) { if(gameTitleExist.getFreeGame(date)) { Client client = findClient(factory.createClient(dataClient)); if (client != null) { client.addReservation(date,gameTitleExist.getGame()); } } } return reservation.toStringMap(); } public static void main(String[] args) { Facade facade = new Facade(); Factory factory = Factory.getInstance(); String[] data1 = new String[2]; data1[0] = "<NAME>"; data1[1] = "7"; Client client = factory.createClient(data1); String[] data2 = new String[6]; data2[0] = "0"; data2[1] = "12345678"; GameTitle gameTitle = factory.createGameTitle(data2); // Game game = factory.createGame(gameTitle); LocalDate date = LocalDate.now(); //Reservation R = facade.addReservation(data2,data1,date); } } <file_sep>/* * To change this license header, choose License Headers in Project Properties. * To change this template file, choose Tools | Templates * and open the template in the editor. */ package subbussinesTier; import subbussinesTier.entities.Client; import subbussinesTier.entities.Game; import subbussinesTier.entities.GameTitle; import subbussinesTier.entities.Genre; import subbussinesTier.entities.Reservation; import java.time.LocalDate; public class Factory { private static Factory factory; public static Factory getInstance(){ if(factory==null){ factory=new Factory(); } return factory; } public Factory() { } public GameTitle createGameTitle(String[] data) { GameTitle gameTitle = null; if (data[0].equals("0")) { gameTitle = new GameTitle(); gameTitle.setBarCode(Integer.parseInt(data[1])); } else if (data[0].equals("1")) { gameTitle = new GameTitle(); gameTitle.setBarCode(Integer.parseInt(data[1])); gameTitle.setStudio(data[2]); gameTitle.setTitle(data[3]); gameTitle.setPublisher(data[4]); } else if (data[0].equals("2")) { gameTitle = new GameTitle(); gameTitle.setBarCode(Integer.parseInt(data[1])); gameTitle.setStudio(data[2]); gameTitle.setTitle(data[3]); gameTitle.setPublisher(data[4]); Genre genre1 = null; switch (data[5]) { case "shooter": genre1 = Genre.shooter; break; case "strategyr": genre1 = Genre.strategy; break; case "rolePlay": genre1 = Genre.rolePlay; break; case "simulation": genre1 = Genre.simulation; break; case "battleArena": genre1 = Genre.battleArena; break; case "storyBased": genre1 = Genre.storyBased; break; case "cardGame": genre1 = Genre.cardGame; break; case "indie": genre1 = Genre.indie; break; case "platformer": genre1 = Genre.platformer; break; } gameTitle.setGenre(genre1); } return gameTitle; } public Client createClient(String[] data) { Client client = new Client(); client.setName(data[0]); client.setNumber(Integer.parseInt(data[1])); return client; } public Reservation createReservation(Game game, LocalDate date, Client client){ Reservation reservation = new Reservation(); reservation.setClient(client); reservation.setDate(date); reservation.setGame(game); return reservation; } public Game createGame(GameTitle gameTitle){ Game game = new Game(); game.setGameTitle(gameTitle); return game; } public Game createGame(String[] data) { Game game = null; game = new Game(); game.setNumber(Integer.parseInt(data[0])); return game; } } <file_sep>/* * To change this license header, choose License Headers in Project Properties. * To change this template file, choose Tools | Templates * and open the template in the editor. */ package subbussinesTier.entities; import java.time.LocalDate; import java.util.ArrayList; import java.util.Objects; import subbussinesTier.Factory; public class GameTitle { private String studio, title, publisher; private LocalDate releaseDate; private int barCode; private Genre genre; private ArrayList<Game> games; private Game game; public GameTitle() { } public GameTitle(int barCode) { this.barCode = barCode; } public GameTitle(int barCode, String studio, String title, String publisher) { this.barCode = barCode; this.studio = studio; this.title = title; this.publisher = publisher; } public GameTitle(int barCode, String studio, String title, String publisher, String genre) { this.barCode = barCode; this.studio = studio; this.title = title; this.publisher = publisher; Genre genre1 = null; switch (genre) { case "shooter": genre1 = Genre.shooter; break; case "strategyr": genre1 = Genre.strategy; break; case "rolePlay": genre1 = Genre.rolePlay; break; case "simulation": genre1 = Genre.simulation; break; case "battleArena": genre1 = Genre.battleArena; break; case "storyBased": genre1 = Genre.storyBased; break; case "cardGame": genre1 = Genre.cardGame; break; case "indie": genre1 = Genre.indie; break; case "platformer": genre1 = Genre.platformer; break; } this.genre = genre1; } public String getStudio() { return studio; } public void setStudio(String studio) { this.studio = studio; } public String getTitle() { return title; } public void setTitle(String title) { this.title = title; } public String getPublisher() { return publisher; } public void setPublisher(String publisher) { this.publisher = publisher; } public LocalDate getReleaseDate() { return releaseDate; } public void setReleaseDate(LocalDate releaseDate) { this.releaseDate = releaseDate; } public int getBarCode() { return barCode; } public void setBarCode(int barCode) { this.barCode = barCode; } public Genre getGenre() { return genre; } public void setGenre(Genre genre) { this.genre = genre; } public ArrayList<Game> getGames() { return games; } public void setGames(ArrayList<Game> games) { this.games = games; } public Game getGame() { return game; } public void setGame(Game game) { this.game = game; } public String[] addGame(String[] data) { Factory factory = Factory.getInstance(); Game newGame; newGame = factory.createGame(data); if (searchGame(newGame) == null) { newGame.setGameTitle(this); games.add(newGame); return newGame.toStringMap(); } return null; } public Game searchGame(Game game) { int idx; if ((idx = games.indexOf(game)) != -1) { game = (Game) games.get(idx); return game; } return null; } @Override public boolean equals(Object o) { if (o instanceof GameTitle) { if (this.studio.equals(((GameTitle) o).getStudio())) { if (this.title.equals(((GameTitle) o).getTitle())) { if (this.publisher.equals(((GameTitle) o).getPublisher())) { if (this.barCode == ((GameTitle) o).getBarCode()) { return true; } } } } } return false; } @Override public int hashCode() { int hash = 5; hash = 67 * hash + Objects.hashCode(this.studio); hash = 67 * hash + Objects.hashCode(this.title); hash = 67 * hash + Objects.hashCode(this.publisher); hash = 67 * hash + this.barCode; hash = 67 * hash + Objects.hashCode(this.genre); return hash; } public boolean getFreeGame(LocalDate date) { for (Game g : games) { if (g.isFree(date)) { game = g; return true; } } return false; } @Override public String toString() { return title ; } public String[] toStringMap() { String[] map = new String[6]; if (genre != null) { map[0] = "0"; map[5] = genre.toString(); map[4] = publisher; map[3] = title; map[2] = studio; map[1] = Integer.toString(barCode); } else if (publisher != null && studio != null && title != null) { map[0] = "1"; map[4] = publisher; map[3] = title; map[2] = studio; map[1] = Integer.toString(barCode); } else { map[0] = "0"; map[1] = Integer.toString(barCode); } return map; } } <file_sep>/* * To change this license header, choose License Headers in Project Properties. * To change this template file, choose Tools | Templates * and open the template in the editor. */ package testdata; import java.time.LocalDate; import java.time.Month; import subbussinesTier.entities.Client; import subbussinesTier.entities.Game; import subbussinesTier.entities.GameTitle; import subbussinesTier.entities.Reservation; /** * * @author Bartek */ public class TestData { public String clientData[][] = { {"Name1", "12"}, {"Name2", "23"}, {"Name3", "34"},}; public Client client[] = { new Client("Name1", "12"), new Client("Name2", "23"), new Client("Name3", "34") }; public GameTitle gameTitle[] = { new GameTitle(1234443, "Marvel", "Avengers", "Olek"), new GameTitle(1234, "Marvel", "Avengers", "Olek"), new GameTitle(1234, "Marvel", "Avengers", "Olek", "shooter") }; public String gameTitleData[][] = { {"1", "1234443", "Marvel", "Avengers", "Olek"}, {"1", "1234", "Marvel", "Avengers", "Olek"}, {"2", "1234", "Marvel", "Avengers", "Olek", "shooter"} }; public Game game[] = { new Game(gameTitle[0]), new Game(gameTitle[1]), new Game(gameTitle[2]) }; public Game games[]={ new Game(1,gameTitle[0]) }; public String gameResult[][]={ {"1", "Avengers"} }; public String gameData[][]={ {"0"}, {"1"}, {"2"} }; public LocalDate dates[] = { LocalDate.of(2018, Month.MARCH, 4), LocalDate.of(2018, Month.MARCH, 14), LocalDate.of(2018, Month.APRIL, 20) }; public Reservation reservation[] = { new Reservation(client[0], dates[0], game[0]), new Reservation(client[1], dates[1], game[1]), new Reservation(client[2], dates[2], game[2]) }; public Reservation reservations[] = { new Reservation(client[0], dates[0], game[0]), new Reservation(client[1], dates[1], game[0]), new Reservation(client[2], dates[2], game[0]) }; }
bc0869b0541796b81f88129a0e633976d4f04296
[ "Java" ]
9
Java
Barsolar/GamesIO
741e5b36c66101c0499ce166eea25dbecb3e0573
77d3e221d4869c4195605f87a03892513b131d27
refs/heads/master
<file_sep>BeautifulTime_Java ================== This is another BeautifulTime program implemented with Java programming language. In fact, this is the first version of BeautifulTime. <file_sep>package cn.kunsland; public class TimeListener extends Thread { private String time=""; private TimeProcessor tp; public TimeListener(TimeProcessor tp){ this.tp = tp; } public void run(){ while(true){ try { Thread.sleep(1*1000); String t = TimeHelper.getHourMinute(); if(!t.equals(time)){ time = t; tp.processTimeChanged(time); } } catch (InterruptedException e) { // TODO Auto-generated catch block e.printStackTrace(); } } } }
7f4a0962a5ccc2994440d3f96c1928f586f02d84
[ "Java", "Markdown" ]
2
Java
KunsLand/BeautifulTime_Java
aa5d94a02477d3fb71d7e0d4cf3a4ff5c5b793e3
cbc7327f83666c21ec0e091341afb58aa2639fd5
refs/heads/master
<file_sep>library(dplyr) library(stringr) library(ggplot2) library(purrr) library(forcats) temp = list.files("data",pattern="*.csv") myfiles = lapply(paste0("data/",temp), read_csv) GA_all_blog_by_week <- myfiles[[1]] GA_data <- myfiles[[2]] approved_companies <- myfiles[[3]] cms_data <- myfiles[[4]] names(GA_all_blog_by_week) names(GA_data) names(approved_companies) names(cms_data) str(cms_data) CONTENT_ID_REGEXP = "-(\\d+)\\.?" REMOVE_CHARACTERS = "[\\.-]" approved_companies <- approved_companies %>% mutate_all(as.character) cms_cleaned_data <- cms_data %>% select(`Content ID`, Sections) %>% mutate(Sections = as.character(Sections)) %>% filter(Sections!="") %>% mutate(Sections = gsub(", Inc\\.*","",Sections)) %>% mutate(Sections = gsub("Inc\\.*","",Sections)) %>% mutate(SplitSection = strsplit(gsub(", ",",",Sections),",") ) approved_companies <- approved_companies %>% mutate(name = gsub(", Inc\\.*","",name),",") %>% mutate(name = str_trim(gsub("Inc\\.*","",name))) unique_sections <- unique(c(unlist(cms_cleaned_data$SplitSection))) sparse_sections <- cms_cleaned_data %>% separate(Sections, paste0('section-', sep='', seq(1, length(unique_sections), 1)), sep = ",") section_wide_df <- sparse_sections %>% select(-SplitSection) %>% gather(key = "section_name", value = "Section", -c(`Content ID`)) %>% mutate(Section = str_trim(Section)) %>% filter(!is.na(Section) & Section %in% approved_companies$name) A <- GA_data %>% mutate(ContentId = gsub(REMOVE_CHARACTERS, '',str_extract(Page, CONTENT_ID_REGEXP ) )) %>% filter(ContentId == 2641658620) analytics_data_join <- GA_data %>% mutate(ContentId = gsub(REMOVE_CHARACTERS, '',str_extract(Page, CONTENT_ID_REGEXP ) )) %>% mutate(`Bounce Rate` = as.numeric(sub("%","",`Bounce Rate`))/100) %>% mutate(`% Exit` = as.numeric(sub("%","",`% Exit`))/100) %>% filter(!is.na(ContentId)) %>% mutate(ContentId = as.numeric(ContentId), Pageviews = as.numeric(Pageviews)) %>% inner_join(section_wide_df, by= c("ContentId"="Content ID")) %>% select(-`Page Value`) #select(ContentId, Pageviews, Section, `Bounce Rate`, `Unique Pageviews`, `Avg. `) company_pageviews <- analytics_data_join %>% group_by(Section) %>% summarise(TotalPageViews = sum(Pageviews), AvgBR = mean(`Bounce Rate`)) %>% arrange(desc(TotalPageViews)) BRPV <- analytics_data_join %>% group_by(Section) %>% summarise(`Bounce Rate per Page view` = sum(Pageviews) * mean(`Bounce Rate`)) %>% arrange(desc(`Bounce Rate per Page view`)) analytics_data_join %>% group_by(ContentId) %>% summarise(Percentage = sum(Pageviews)/sum(analytics_data_join$Pageviews)) %>% arrange(desc(Percentage)) %>% head(50) %>% mutate(ContentId = as.factor(ContentId)) %>% ggplot(aes(x = fct_reorder(ContentId, Percentage), y = Percentage)) + geom_bar(stat="identity") + coord_flip() company_pageviews %>% ggplot(aes(x = fct_reorder(Section, TotalPageViews), y = TotalPageViews)) + geom_bar(stat="identity") + coord_flip() <file_sep>library(readr) library(skimr) library(dplyr) library(stringr) data <- readr::read_csv('data.csv') skimr::skim(data) data_cleaned <- data %>% filter(!stringr::str_detect(Page, "@powertofly\\.com")) %>% mutate(Registrations = case_when(stringr::str_detect(Page, "\\?show_confirmation") ~ 1, T ~ Registrations) ) write_csv(data_cleaned, "data_cleaned.csv") cleaned_data_without_pages <- readr::read_csv('cleaned_data_without_pages.csv') pageviews_campaign_sucess_table <- readr::read_csv('pageviews_campaign_sucess_table.csv') cleaned_data_without_pages %>% pull(Registrations) %>% sum pageviews_campaign_sucess_table %>% count(Campaign, `Source / Medium`, `Ad Content`, sort = T) cleaned_data_without_pages %>% right_join(pageviews_campaign_sucess_table) %>% mutate(Registrations = case_when(is.na(Registrations) ~ 0, T ~ Registrations) ) %>% group_by(Campaign, `Source / Medium`, `Ad Content`, sort = T) %>% summarise(`Total Registrations` = sum(Registrations)) %>% arrange(-`Total Registrations`)
6918f31267e725e3f9cf6390d8997f7695bc6cec
[ "R" ]
2
R
necronet/PTF-Analyisis
d63c578ca06c74828e99825b7a58b16e8a6a2cff
cbd8d07b4196eaa4d5d4638a618f99ce65854e92
refs/heads/master
<repo_name>fishnyips/soundbored<file_sep>/Procfile web: python app/strokeInit.py<file_sep>/heroku-config/Procfile web: python strokeInit.py<file_sep>/app/backend/models/Entry.js import mongoose from 'mongoose'; const Schema = mongoose.Schema; let Entry = new Schema({ title: { type: String }, date: { type: String }, description: { type: String }, feeling: { type: String }, }); export default mongoose.model('Entry', Entry, 'test');<file_sep>/design/design.md # Initial Design ## Tech Stack ### Java -> Spring MVC? vs. flask? ### Persistence postgreSQL ? mongoDB + GridFS for image storing ? ### Deployment Heroku <file_sep>/app/frontend/src/app/components/list/list.component.ts import { Component, OnInit } from '@angular/core'; import { EntryService } from '../../entry.service'; import {Router} from '@angular/router'; import {Entry} from '../../entry.model'; import { MatTableDataSource } from '@angular/material'; @Component({ selector: 'app-list', templateUrl: './list.component.html', styleUrls: ['./list.component.css'] }) export class ListComponent implements OnInit { entries: Entry[]; displayedColumns = ['title', 'date', 'description', 'feeling']; constructor(private entryService: EntryService, private router: Router) { } ngOnInit() { this.fetchEntries(); } fetchEntries() { this.entryService .getEntries() .subscribe((data: Entry[]) => { this.entries = data; console.log('Data requested ... '); console.log(this.entries); }); } } <file_sep>/app/frontend/src/app/entry.model.ts export interface Entry { title: String; date: String; description: String; feeling: String; } <file_sep>/design/notes.txt Frontend: Angular -> routing: 2 things = path + component Backend: Express > subset of Node -> Persistence: mongoDB Misc: Babel -> js compiler Mongoose -> modelling tool for mongoDB
d73e3e8129667d40f47b80849e4000923aeb0e58
[ "Markdown", "Procfile", "JavaScript", "TypeScript", "Text" ]
7
Markdown
fishnyips/soundbored
4be4ee5ac5e67d9a9da3f12b0133bee5a6dff04f
01445144c740de0abeaaa0a4f324849cfaa8632f
refs/heads/master
<repo_name>kenMarquez/AndroidPokemonApi<file_sep>/app/src/main/java/com/bambu/mobile/requestexample/model/Pokemon.java package com.bambu.mobile.requestexample.model; import com.google.gson.annotations.Expose; import com.google.gson.annotations.SerializedName; /** * Created by Ken on 11/07/16. */ public class Pokemon { @SerializedName("name") @Expose String name; @SerializedName("weight") @Expose String weight; public String getName() { return name; } public void setName(String name) { this.name = name; } public String getWeight() { return weight; } public void setWeight(String weight) { this.weight = weight; } @Override public String toString() { return "Pokemon{" + "name='" + name + '\'' + ", weight='" + weight + '\'' + '}'; } }
f2f109b60a2d041c66b3c4a8b8c334f694c4206c
[ "Java" ]
1
Java
kenMarquez/AndroidPokemonApi
0fffab8e947b46d2b64533ccb789d87239e24eb7
5787b1819edc2b3fab942a0cb7e6ef745545d8ef
refs/heads/master
<file_sep>package com.cxs.filter; /** * @Author:chenxiaoshuang * @Date:2019/3/29 20:11 */ public class Function { /** * 种子 */ private int seed; /** * 长度 */ private int length; public Function(int seed, int length) { this.seed = seed; this.length = length; } /** * 获得缩影的方法 * * @param object * @return */ public int getPosition(Object object) { int hash = hashCode(object.toString()); //做与运算,hash出不同的索引 return hash & (length - 1); } /** * 定义hash算法 * * @param valueStr * @return */ public int hashCode(String valueStr) { //转成char类型 char[] value = valueStr.toCharArray(); int h = 0; if (h == 0 && value.length > 0) { char val[] = value; for (int i = 0; i < value.length; i++) { h = this.seed * h + val[i]; } } return h; } } <file_sep>package com.cxs.anno; import java.lang.annotation.ElementType; import java.lang.annotation.Retention; import java.lang.annotation.RetentionPolicy; import java.lang.annotation.Target; /** * @Author:chenxiaoshuang * @Date:2019/3/27 16:10 * 设计缓存的注解 */ @Target(ElementType.METHOD) @Retention(RetentionPolicy.RUNTIME) public @interface EnableCache { String namespace() default ""; String label() default ""; } <file_sep>package com.cxs.test.service; import com.cxs.service.IService; import com.cxs.test.domain.User; /** * @Author:chenxiaoshuang * @Date:2019/3/22 16:26 */ public interface UserService extends IService<User> { } <file_sep>redis.host=vm redis.port=6379 redis.min.idle=10 redis.max.idle=15 redis.max.total=20 <file_sep>package com.cxs.model; import java.io.Serializable; /** * @Author:chenxiaoshuang * @Date:2019/3/29 16:46 * 与前台对应的实体类对象 */ public class SearchGoodsVo implements Serializable { private String id; private String goodsImg; private String goodsNameHl; private String goodsPrice; private Integer size; public Integer getSize() { return size; } public void setSize(Integer size) { this.size = size; } public String getId() { return id; } public void setId(String id) { this.id = id; } public String getGoodsImg() { return goodsImg; } public void setGoodsImg(String goodsImg) { this.goodsImg = goodsImg; } public String getGoodsNameHl() { return goodsNameHl; } public void setGoodsNameHl(String goodsNameHl) { this.goodsNameHl = goodsNameHl; } public String getGoodsPrice() { return goodsPrice; } public void setGoodsPrice(String goodsPrice) { this.goodsPrice = goodsPrice; } } <file_sep>package com.cxs.aspect; import org.aspectj.lang.ProceedingJoinPoint; import org.aspectj.lang.Signature; import org.aspectj.lang.annotation.Around; import org.aspectj.lang.annotation.Aspect; import org.slf4j.Logger; import org.slf4j.LoggerFactory; import org.springframework.stereotype.Component; /** * @Author:chenxiaoshuang * @Date:2019/3/22 19:49 * 切面类 */ @Component @Aspect public class LogAspect { /** * slf4j */ private static Logger log = LoggerFactory.getLogger(LogAspect.class); @Around("execution(* com.cxs.service.impl.*.*(..))") public Object logPrint(ProceedingJoinPoint point) { //该方法属于哪个类型 Object target = point.getTarget(); //方法签名 Signature signature = point.getSignature(); //方法参数 Object[] args = point.getArgs(); log.debug("{" + target.getClass().getName() + " => " + signature.getName() + " => " + args.toString()); Object result = null; try { result = point.proceed(args); } catch (Throwable throwable) { throwable.printStackTrace(); } return result; } } <file_sep>package com.cxs.model; import com.fasterxml.jackson.annotation.JsonProperty; import java.io.Serializable; import java.util.HashMap; import java.util.Map; /** * @Author:chenxiaoshuang * @Date:2019/4/4 13:19 */ public class WeChatMessage implements Serializable { @JsonProperty("touser") private String toUser; @JsonProperty("template_id") private String templateId; private Map<String, Map<String, String>> data; public static Map<String, String> buildInterMap(String value, String color) { HashMap<String, String> map = new HashMap<>(16); map.put("value", value); map.put("color", color); return map; } public String getToUser() { return toUser; } public void setToUser(String toUser) { this.toUser = toUser; } public String getTemplateId() { return templateId; } public void setTemplateId(String templateId) { this.templateId = templateId; } public Map<String, Map<String, String>> getData() { return data; } public void setData(Map<String, Map<String, String>> data) { this.data = data; } } <file_sep>appid=wx11ddb08846719c71 secret=d48ac81e8a380046d2d50d1bedd32ed7 wechat.token.url=https://api.weixin.qq.com/cgi-bin/token?grant_type=client_credential&appid=APPID&secret=APPSECRET wechat.message.url=https://api.weixin.qq.com/cgi-bin/message/template/send?access_token=ACCESS_TOKEN<file_sep>db.url=jdbc:mysql://vm:3306/ego db.username=root db.password=<PASSWORD> db.driverClassName=com.mysql.jdbc.Driver<file_sep>package com.cxs.redis; import redis.clients.jedis.Jedis; import redis.clients.jedis.JedisCluster; import redis.clients.jedis.JedisPool; import java.util.Map; /** * @Author:chenxiaoshuang * @Date:2019/3/27 12:54 */ public class RedisClient { /** * redis池 */ private JedisPool pool; /** * redis集群 */ private JedisCluster jedisCluster; public RedisClient(JedisPool pool) { this.pool = pool; } public RedisClient(JedisCluster jedisCluster) { this.jedisCluster = jedisCluster; } public void set(String key, String value) { if (jedisCluster != null) { jedisCluster.set(key, value); } else { Jedis jedis = null; try { jedis = pool.getResource(); jedis.set(key, value); } catch (Exception e) { e.printStackTrace(); } finally { jedis.close(); } } } public void set(byte[] key, byte[] value) { if (jedisCluster != null) { jedisCluster.set(key, value); } else { Jedis jedis = null; try { jedis = pool.getResource(); jedis.set(key, value); } catch (Exception e) { e.printStackTrace(); } finally { jedis.close(); } } } public String get(String key) { String value = null; if (jedisCluster != null) { value = jedisCluster.get(key); } else { Jedis jedis = null; try { jedis = pool.getResource(); value = jedis.get(key); } catch (Exception e) { e.printStackTrace(); } finally { jedis.close(); } } return value; } public byte[] get(byte[] key) { byte[] value = null; if (jedisCluster != null) { value = jedisCluster.get(key); } else { Jedis jedis = null; try { jedis = pool.getResource(); value = jedis.get(key); } catch (Exception e) { e.printStackTrace(); } finally { jedis.close(); } } return value; } public Long incre(String key) { Long value = 0L; if (jedisCluster != null) { value = jedisCluster.incr(key); } else { Jedis jedis = null; try { jedis = pool.getResource(); value = jedis.incr(key); } catch (Exception e) { e.printStackTrace(); } finally { jedis.close(); } } return value; } public void setExpire(String key, long timeOut) { if (jedisCluster != null) { jedisCluster.expire(key, (int) timeOut); } else { Jedis jedis = null; try { jedis = pool.getResource(); jedis.expire(key, (int) timeOut); } catch (Exception e) { e.printStackTrace(); } finally { jedis.close(); } } } public void del(String... key) { if (jedisCluster != null) { jedisCluster.del(key); } else { Jedis jedis = null; try { jedis = pool.getResource(); jedis.del(key); } catch (Exception e) { e.printStackTrace(); } finally { jedis.close(); } } } public void del(byte[]... key) { if (jedisCluster != null) { jedisCluster.del(key); } else { Jedis jedis = null; try { jedis = pool.getResource(); jedis.del(key); } catch (Exception e) { e.printStackTrace(); } finally { jedis.close(); } } } public boolean isExsit(String key) { boolean flag = false; if (jedisCluster != null) { // 优先使用集群版的redis 做 flag = jedisCluster.exists(key); } else { Jedis jedis = null; try { jedis = pool.getResource(); flag = jedis.exists(key); } catch (Exception e) { e.printStackTrace(); } finally { jedis.close(); } } return flag; } public boolean isExist(byte[] key) { boolean flag = false; if (jedisCluster != null) { // 优先使用集群版的redis 做 flag = jedisCluster.exists(key); } else { Jedis jedis = null; try { jedis = pool.getResource(); flag = jedis.exists(key); } catch (Exception e) { e.printStackTrace(); } finally { jedis.close(); } } return flag; } public boolean set(String key, int pos, boolean flag) { Boolean f = false; if (jedisCluster != null) { f = jedisCluster.setbit(key, pos, flag); } else { Jedis jedis = null; try { jedis = pool.getResource(); f = jedis.setbit(key, pos, flag); } catch (Exception e) { e.printStackTrace(); } finally { jedis.close(); } } return f; } public boolean get(String key, int pos) { boolean f = false; if (jedisCluster != null) { f = jedisCluster.getbit(key, pos); } else { Jedis jedis = null; try { jedis = pool.getResource(); f = jedis.getbit(key, pos); } catch (Exception e) { e.printStackTrace(); } finally { jedis.close(); } } return f; } public void zadd(String goodsList, Long score, String goodsNum) { if (jedisCluster != null) { jedisCluster.zadd(goodsList, score.doubleValue(), goodsNum); } else { Jedis jedis = null; try { jedis = pool.getResource(); jedis.zadd(goodsList, score.doubleValue(), goodsNum); } catch (Exception e) { e.printStackTrace(); } finally { jedis.close(); } } } public boolean hashExit(String goodsInfo, String goodsId) { boolean f = false; if (jedisCluster != null) { f = jedisCluster.hexists(goodsInfo, goodsId); } else { Jedis jedis = null; try { jedis = pool.getResource(); f = jedis.hexists(goodsInfo, goodsId); } catch (Exception e) { e.printStackTrace(); } finally { jedis.close(); } } return f; } public String getHash(String goodsInfo, String goodsId) { String value = null; if (jedisCluster != null) { value = jedisCluster.hget(goodsInfo, goodsId); } else { Jedis jedis = null; try { jedis = pool.getResource(); value = jedis.hget(goodsInfo, goodsId); } catch (Exception e) { e.printStackTrace(); } finally { jedis.close(); } } return value; } public void hset(String goodsInfo, String goodsId, String goodsNum) { if (jedisCluster != null) { jedisCluster.hset(goodsInfo, goodsId, goodsNum); } else { Jedis jedis = null; try { jedis = pool.getResource(); jedis.hset(goodsInfo, goodsId, goodsNum); } catch (Exception e) { e.printStackTrace(); } finally { jedis.close(); } } } public Map<String, String> hgetAll(String goodsInfo) { Map<String, String> value = null; if (jedisCluster != null) { value = jedisCluster.hgetAll(goodsInfo); } else { Jedis jedis = null; try { jedis = pool.getResource(); value = jedis.hgetAll(goodsInfo); } catch (Exception e) { e.printStackTrace(); } finally { jedis.close(); } } return value; } } <file_sep>sso.url=http://localhost:8082<file_sep>solr.url=http://vm:8983/solr/cxs<file_sep>package com.cxs.service; import com.cxs.model.PageBean; import java.io.Serializable; /** * @Author:chenxiaoshuang * @Date:2019/3/22 16:00 */ public interface IService<T> { /** * 添加一个实体 * * @param t * @return */ T add(T t); /** * 根据id删除一个实体 * * @param id * @return */ int delete(Serializable id); /** * 修改一个实体 * * @param t * @return */ int update(T t); /** * 查询一个实体 * * @param id * @return */ T find(Serializable id); /** * 分页查询 * * @param page * @param size * @return */ PageBean<T> findAll(int page, int size); } <file_sep>package com.cxs.aspect; import org.aspectj.lang.ProceedingJoinPoint; import org.aspectj.lang.Signature; import org.aspectj.lang.annotation.Around; import org.aspectj.lang.annotation.Aspect; import org.slf4j.Logger; import org.slf4j.LoggerFactory; import org.springframework.stereotype.Component; /** * @Author:chenxiaoshuang * @Date:2019/3/22 19:57 */ @Component @Aspect public class RuntimeCountAspect { private static Logger log = LoggerFactory.getLogger(RuntimeCountAspect.class); @Around("execution(* com.cxs.service.impl.*.*(..))") public Object countMethodExeTime(ProceedingJoinPoint point) { long start = System.currentTimeMillis(); Object result = null; try { result = point.proceed(point.getArgs()); } catch (Throwable throwable) { throwable.printStackTrace(); } long end = System.currentTimeMillis(); //方法签名 Signature signature = point.getSignature(); log.debug("{" + signature.getName() + "=" + (end - start) + "}"); return result; } } <file_sep><?xml version="1.0" encoding="UTF-8"?> <project xmlns="http://maven.apache.org/POM/4.0.0" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" xsi:schemaLocation="http://maven.apache.org/POM/4.0.0 http://maven.apache.org/xsd/maven-4.0.0.xsd"> <modelVersion>4.0.0</modelVersion> <artifactId>ego-core</artifactId> <parent> <groupId>com.cxs</groupId> <artifactId>ego</artifactId> <version>1.0</version> <relativePath>../ego/pom.xml</relativePath> </parent> <dependencies> <dependency> <groupId>org.springframework</groupId> <artifactId>spring-webmvc</artifactId> </dependency> <!-- spring 依赖 begin --> <dependency> <groupId>org.springframework</groupId> <artifactId>spring-context</artifactId> </dependency> <dependency> <groupId>org.springframework</groupId> <artifactId>spring-jdbc</artifactId> </dependency> <!-- spring 依赖 end --> <!-- 分页工具 --> <dependency> <groupId>com.github.pagehelper</groupId> <artifactId>pagehelper</artifactId> </dependency> <!-- mybatis 依赖 begin --> <dependency> <groupId>org.mybatis</groupId> <artifactId>mybatis</artifactId> </dependency> <dependency> <groupId>org.mybatis</groupId> <artifactId>mybatis-spring</artifactId> </dependency> <!-- mybatis 依赖 end --> <!-- 切面aop --> <dependency> <groupId>org.aspectj</groupId> <artifactId>aspectjweaver</artifactId> </dependency> <!-- mysql begin --> <dependency> <groupId>mysql</groupId> <artifactId>mysql-connector-java</artifactId> </dependency> <!-- 数据库连接池 --> <dependency> <groupId>com.alibaba</groupId> <artifactId>druid</artifactId> </dependency> <!-- 日志打印 --> <dependency> <groupId>org.slf4j</groupId> <artifactId>slf4j-log4j12</artifactId> </dependency> <dependency> <groupId>com.alibaba</groupId> <artifactId>dubbo</artifactId> <!-- 排除旧版本的spring依赖 --> <exclusions> <exclusion> <groupId>org.springframework</groupId> <artifactId>spring</artifactId> </exclusion> </exclusions> </dependency> <!-- zk-client --> <dependency> <groupId>com.101tec</groupId> <artifactId>zkclient</artifactId> </dependency> <dependency> <groupId>com.cxs</groupId> <artifactId>ego-commons</artifactId> <version>1.0</version> </dependency> <!-- redis --> <dependency> <groupId>redis.clients</groupId> <artifactId>jedis</artifactId> </dependency> <dependency> <groupId>org.apache.solr</groupId> <artifactId>solr-solrj</artifactId> </dependency> <dependency> <groupId>javax.servlet</groupId> <artifactId>javax.servlet-api</artifactId> <scope>provided</scope> </dependency> <!-- 使用该jar 可以实现activemq 和spring的集成 --> <dependency> <groupId>org.springframework</groupId> <artifactId>spring-jms</artifactId> </dependency> <dependency> <groupId>org.apache.activemq</groupId> <artifactId>activemq-core</artifactId> <version>5.4.2</version> </dependency> <!--activemq-client --> <dependency> <groupId>org.apache.activemq</groupId> <artifactId>activemq-client</artifactId> <version>5.14.5</version> </dependency> <!-- activemq-broker --> <dependency> <groupId>org.apache.activemq</groupId> <artifactId>activemq-broker</artifactId> <version>5.14.5</version> </dependency> </dependencies> <build> <resources> <resource> <directory>src/main/java</directory> <includes> <include>**/*.xml</include> </includes> </resource> <resource> <directory>src/main/resources</directory> <includes> <include>**/*.xml</include> <include>**/*.properties</include> </includes> </resource> </resources> </build> </project>
f86f52cdfe300f2b90e4b5e8a4789798c2c34af1
[ "Java", "INI", "Maven POM" ]
15
Java
smiledouble/mall-core
00910d2fa1d55d364456e0a43db5e1eac62ab5ee
2d101ad08acada5e17c84327d22ec07e827fac10
refs/heads/master
<file_sep>DROP KEYSPACE properties; /* build cassandra schema based on queries */ CREATE KEYSPACE properties WITH replication = {'class': 'SimpleStrategy', 'replication_factor': 1}; USE properties; /* took out service fee and cleaning fee because they are calculated as a percentage of total cost and can be calculated in the server later */ CREATE TABLE property_info ( property_id INT, rating DECIMAL, total_reviews INT, maximum_guests INT, minimum_stay INT, nightly_fee INT, PRIMARY KEY (property_id) ); /* this would be the table for adding or updating a reservation could also use for get request data will be clustered on the basis of reservation_id */ CREATE TABLE reservations_by_property ( reservation_id INT, property_id INT, guests INT, check_in VARCHAR, check_out VARCHAR, PRIMARY KEY ((property_id, reservation_id), check_in) ); /* this will be used to populate the calendar for the user to see what has been booked */ CREATE TABLE days_of_year ( reservation_id INT, property_id INT, day_of_year DATE, rate SMALLINT, PRIMARY KEY (property_id, day_of_year) ); CREATE TABLE reservations ( reservation_id INT, property_id INT, guests INT, check_in VARCHAR, check_out VARCHAR, PRIMARY KEY ((property_id, reservation_id), check_in) );<file_sep>#!/bin/bash sudo -u sdc psql -d properties -c "COPY property_info(maximum_guests, minimum_stay, nightly_fee, rating, total_reviews) FROM '$(pwd)/noIdPropertyInfo.csv' DELIMITER ',' CSV HEADER"<file_sep>DROP SCHEMA IF EXISTS sdc CASCADE; CREATE SCHEMA sdc; DROP DATABASE IF EXISTS properties; CREATE DATABASE properties OWNER sdc; USE properties; CREATE TABLE property_info( property_id SERIAL PRIMARY KEY, maximum_guests SMALLINT, minimum_stay SMALLINT, nightly_fee SMALLINT, rating DECIMAL(3,2), total_reviews SMALLINT ); CREATE TABLE reservations ( reservation_id SERIAL PRIMARY KEY, property_id INT, check_in DATE, check_out DATE, guests SMALLINT, FOREIGN KEY (property_id) REFERENCES property_info(property_id) );<file_sep># Airbnb Calendar CRUD API ## Server API ### Get info for a specific property * GET `/properties/:property_id/` **Path Parameters:** * `property_id` property id **Success Status Code:** `200` **Returns:** JSON ```json { "rating": "Number", "reviews": "Number", "maximum_guests": "Number", "minimum_stay": "Number", "rate": "Number" } ``` ### Get reservation info for a specific property * GET `/properties/:property_id/reservations` **Path Parameters:** * `property_id` property id **Success Status Code:** `200` **Returns:** JSON ```json { "reservations": [{ "check_in": "Date", "check_out": "Date" }], "rate": "Number" } ``` ### Add reservation * POST `/properties/:property_id/reservations` **Path Parameters:** * `property_id` property id **Success Status Code:** `201` **Request Body**: Expects JSON with the following keys. ```json { "reservation_id": "Number", "check_in": "Date", "check_out": "Date", "adults": "Number", "children": "Number", "infants": "Number" } ``` ### Update reservation info * PUT `/reservations/:reservation_id` **Path Parameters:** * `reservation_id` reservation_id **Success Status Code:** `204` **Request Body**: Expects JSON with any of the following keys (include only keys to be updated) ```json { "adults": "Number", "children": "Number", "infants": "Number", "check_in": "Date", "check_out": "Date" } ``` ### Delete reservation * DELETE `/properties/:property_id/reservations/:reservation_id` **Path Parameters:** * `property_id` property id * `reservation_id` reservation id **Success Status Code:** `204`<file_sep>import http from 'k6/http'; import { check, sleep } from 'k6'; export let options = { stages: [ { duration: '30s', target: 15 }, { duration: '30s', target: 30 }, ], // vus: 15, // duration: "60s", }; // export default function() { // let id = Math.floor(Math.random() * 10000000) + 1; // let res = http.get(`http://localhost:3002/rooms/${id}/reservation`); // check(res, { 'status was 200': r => r.status == 200 }); // sleep(1); // } export default function() { let room = Math.floor(Math.random() * 10000000); let address = `http://localhost:3002/rooms/${room}/reservation`; let response = http.get(address); };<file_sep>#!/bin/bash psql -U sdc -d properties -c "COPY reservations(property_id, check_in, check_out, guests) FROM '$(pwd)/noidreservations.csv' DELIMITER ',' CSV HEADER" sudo -u postgres psql -d properties -c "COPY reservations(property_id, check_in, check_out, guests) FROM '$(pwd)/4noidreservations.csv' DELIMITER ',' CSV HEADER"<file_sep>// Dependency const newRelic = require('newrelic'); const express = require('express'); const bodyParser = require('body-parser'); const moment = require('moment'); const path = require('path'); const expressStaticGzip = require("express-static-gzip"); const db = require('../database/PostgreSQL/index.js'); const app = express(); const PORT = 3002; const publicPath = path.join(__dirname, '/../public'); // Middleware app.use(bodyParser.json()); app.use(bodyParser.urlencoded({extended: true})); app.use('/rooms/:room_id', expressStaticGzip(publicPath, { enableBrotli: true, orderPreference: ['br'], })); // Route // GET request to '/rooms/:room_id/reservation' route app.get('/rooms/:room_id/reservation', (req, res) => { // declare query string let queryString = 'SELECT * FROM property_info, reservations WHERE property_info.property_id = $1 AND reservations.property_id = property_info.property_id ORDER BY reservations.check_in;'; // declare query params let queryParams = [req.params.room_id]; // get all the informations and reservations of a specify room with the room_id from the endpoint db.query(queryString, queryParams, function(error, results, fields){ if (error) { console.log("Failed to get data from databases: ", error); res.status(404).send(error); } else { let dates = []; for (let j = 0; j < results.rows.length; j++) { let oneRes = results.rows[j]; let checkIn = moment(oneRes.check_in); let checkOut = moment(oneRes.check_out); // console.log('oneRes ', oneRes.check_in); for (let i = checkIn; i <= checkOut; checkIn.add(1, 'days')) { dates.push(checkIn.format('YYYY-MM-DD')); } } console.log("Succeed to get data from databases"); results.rows.push(dates); res.status(200).send(results.rows); } }); }); // POST request to '/rooms/:room_id/reservation' route app.post('/rooms/:room_id/reservation', (req, res) => { // get the check_in date from request let check_in = moment(req.body.check_in); // get the check_out date from request let check_out = moment(req.body.check_out); const guests = req.body.guests; console.log('req.body ', req.body); // declare query string let queryString = 'INSERT INTO reservations (property_id, check_in, check_out, guests) VALUES ($1, $2, $3, $4)'; // declare query params let queryParams = [req.params.room_id, check_in, check_out, guests]; // insert current date into reservations table where room_id is equal to the room_id from the endpoint db.query(queryString, queryParams, (error, results, fields) => { if (error) { console.log(`Failed to insert data to reservations table where property id = ${req.params.room_id}: `, error); res.status(404).send(error); } else { console.log('queryParams ', queryParams); console.log(`Successfully inserted data to reservations table where property id = ${req.params.room_id}`); res.status(200).send(); } }); }); // Start server app.listen(PORT, () => { console.log(`listening on port ${PORT}`); }); <file_sep>const { Pool, Client } = require('pg'); const pool = new Pool({ user: 'sdc', host: '172.16.58.3', database: 'properties', }); pool.connect(() => (console.log('Connected to PostgreSQL server'))); const client = new Client({ user: 'sdc', host: 'localhost', database: 'properties', }); client.connect(); // client.query('SELECT NOW()', (err, res) => { // console.log('Connected to PostgreSQL'); // // console.log(err, res); // client.end(); // }); module.exports = pool;
43e446028422a1b4c25c43372a122002b9143187
[ "Markdown", "SQL", "Shell", "JavaScript" ]
8
Markdown
C-R-E-A-M-6/calendar_service
00eaba72a77cdb39a8f753ca13051eb76149e3f9
5e2640e25439d85e9f258eccc284f3830e494b49
refs/heads/master
<repo_name>ITDeveloper123/TestSDK<file_sep>/settings.gradle include ':app', ':demolibsdk'
f2df10c1a7695dd6c0736beb357f2dedb151d706
[ "Gradle" ]
1
Gradle
ITDeveloper123/TestSDK
3877efdecb748e99ba6d3efc5458d7843fc8ec3e
84a681ab3f021501ed8dd00bea44b47673d627eb
refs/heads/master
<repo_name>LKBlum/datasciencecoursera<file_sep>/HelloWorld.md ## This is a markdown file * For the Data Science course * Week 2 * Learning to use GitHub and Markdown <file_sep>/README.md # datasciencecoursera Week 2 Project for Data Science Coursera Course Thanks for evaluating my project! Here is a whale. :whale:
597c5febe5e6f56437c700291024bf69a0d0fb0a
[ "Markdown" ]
2
Markdown
LKBlum/datasciencecoursera
4e0ff918ee11360b3bd6ecda15c3c73af717a1f4
2770989f5a743cba3658e9d500cbfbfdd21ffd3e
refs/heads/master
<file_sep>--- layout: post title: "How I turned my problem into a passion" date: 2018-11-29 16:29:15 +0000 permalink: how_i_turned_my_problem_into_a_passion --- I never imagined that I could be one of those people who could possibly change the world. I didn't believe that I had what it took to create and build something from scratch, to watch it grow into something else, and see how it could positively effect the world around me. That is, until I decided to learn how to code, and entered into this amazing program. Flatiron has created a way for me to not only change the trajectory of my career, but to do something that is fulfilling and challenging, which is software development. My first initial reasoning for wanting to learn, was so that I could rebuild my app that I outsourced to other developers, who did a poor job. Many days I struggled with understanding what they were doing on their end, there was a major language barrier ( as most of the developers where from India or Russia), a huge time difference, as well as the fact that they could care less about how the product would peform in the future, and only wanted to produce what they could get paid for immediately. As a result, I decided to take action and learn how to build these softwares myself, not only to rebuild my product, but to build better products in the future. No longer will I ever be in a position to get taken advantage of by anyone because of a lack of knowledge of this domain. I am honored to be apart of such an amazing program that has given me the opportunity to gain the knowledge needed to create amazing things. <file_sep>--- layout: post title: "Sinatra Application from Scratch" date: 2019-03-20 13:40:43 -0400 permalink: sinatra_application_from_scratch --- For my Flatiron School Sinatra Portfolio project, I created a shoe inventory application. As an avid collector of all types of shoes, I wanted to be able to keep them well organized and easily accessible at any time. Throughout the years, shoes have taken on attitudes of their own, becoming an extension of a person’s personality. Just like with coding, shoes give you the ability to be creative. With code, you are the creator, and as a creator, you have the freedom to make your canvas look any way you choose. **What is Sinatra?** Sinatra is a domain specific language, written by <NAME>, implemented in Ruby, and is used for writing dynamic web applications. The language is Rack-based, meaning it can fit into any Rack-based application stack, including Rails. In lamens terms, Sinatra is simply a bunch of pre-written methods that developers can include in applications to turn them into Ruby web apps. The requirements for this project were: * Build an MVC(models, views, controller) in Sinatra * Use multiple models with at least one has_many and belongs_to relationship * Have user accounts- users must have the ability to sign up, sign in, and sign out * Validate user login and input * Once logged in, a user must be able to CRUD(create, read, update and destroy) their own resources and not those of another user **Building an MVC** Before beginning to code, I needed to have a clear idea of what I was going to build to determine what my project would look like, as well as how many models, views, and controllers (MVC) I would need in order for the user to be able to interact with the application. MVC is a framework for web applications that provide a separate group of files that have specific jobs and interact with each other in clearly defined ways. I decided to create a user and shoe_entry model, which is where the logic of the app lives and data is manipulated and saved. These models would both inherit from Active Record and Sinatra Base. Our user model has a has_many relationship with the shoe_entry model, while the shoe_entry model has a belongs_to relationship with the user model. The views directory is considered the “front-end”, user-facing portion of a web app. Here, is where the HTML, CSS, and Javascript code live and is the only part of the app the user interacts with directly. The controller's directory communicates data from the browser to the app, as well as from the app to the browser, and is the go-between for models and views. The app directory is the heart and soul of the Sinatra app, holds our MVC directories, handles all incoming requests to the application, then sends back the appropriate data responses made by the user. ``` ├── Gemfile ├── README.md ├── app │ ├── controllers │ │ └── application_controller.rb │ ├── models │ │ └── model.rb │ └── views │ └── index.erb ├── config │ └── environment.rb ├── config.ru ├── public │ └── stylesheets └── spec ├── controllers ├── features ├── models └── spec_helper.rb ``` **Creating an Environment** Creating an environment for any application is very important. Here is where the environment database will connect to whatever it is that you specify. The config directory holds an environment.rb file that connects all of the files in the application to each other and it’s corresponding gems. A config.ru file is also required when building Rack-based apps. After all of the code is loaded, the config.ru file stipulates which controllers to load as part of the app using run or use. ``` require_relative './config/environment' if ActiveRecord::Migrator.needs_migration? raise 'Migrations are pending. Run `rake db:migrate` to resolve the issue.' end use Rack::MethodOverride use UsersController use ShoeEntriesController run ApplicationController ``` **User Input and Validations** ``` configure do set :public_folder, 'public' set :views, 'app/views' enable :sessions set :session_secret, "<PASSWORD>" register Sinatra::Flash end ``` In order to give users the ability to sign up, sign in, and sign out, a session must first be created, validated, and then securely processed. A session stores data on the server then passes that data to the client as a cookie, in order for the data to later be accessible. Sessions are enabled within the application controller, along with a line of code that validates and encrypts a user’s password: set:session_secret, “secret”. This encryption key, which is provided by the gem bcrypt, is used to create a session_id unique to every user’s session, and stores the data in the browsers’ cookie. In order to ensure that the user’s input is valid, parameters are put in place, and error messages are given when an input is invalid. Once a session is created, a user has the ability to create a new entry, read(or preview) all entries created, or update and delete any entry in their collection. **Conclusion** Sinatra is a great framework to use for any developer at any programming level. The code is clear, concise, and easy to understand. The use of such gems as Active Record, Sinatra Base, and brcypt, with its built-in methods, make implementing functionality quick and simple. If you would like to check out my code, you can do so [here](https://github.com/Patech-Patrice/True_Shoe_Lovers_Haven.git). <file_sep>--- layout: post title: "A Brief Synopsis of Ruby Sinatra Methods" date: 2019-03-25 18:07:37 -0400 permalink: a_brief_synopsis_of_ruby_sinatra_methods --- After completing my Sinatra project, I decided to dive a little deeper into some of the methods, operators, and relationships I used in order to build my shoe collection application. Below, I will briefly discuss a few of these in hopes that it may help someone else on their journey to Ruby Sinatra greatness. **The Bang Operator** The logical negation operator (!), commonly referred to as the bang operator, reverses the meaning of its operand. The operand must either be a number or an expression that evaluates to be either true or false. The operand is then converted to a boolean value(true or false). The result is true if the converted operand is false, and false if the converted operand is true. Simply put, (!) will convert the argument to a boolean and return the opposite of the boolean value of the operand(e.g. true if it's nil or false, and false otherwise.) When two (!!) are placed together, the second operator negates the first, providing you with a boolean value of the argument(e.g. false for nil or false, true for pretty much everything else). In the examples below, you can see how these operators are used and what the expression evaluates to: * !!current_user: this helper method returns true or false if a user is logged in or out. * !!logged_in?: this helper method returns true or false based on a session created by a user. In Ruby, the convention is to attach a (?) or (!) when the value you are returning is a boolean. * Current_user != @shoe_entry.user: this line of code states that the current user is not equal to the user of that instance of a shoe entry. This line would be used in order to protect a user’s entries and make them uneditable by others. **** Authenticating Users by Securing Passwords**** Making sure that a user’s data is secure is one of the most important jobs of being a developer. Although people are warned against using the same password across many platforms, some will still do so. For this reason, we developers use an open-source gem called bcrypt. Bcrypt allows us to run a user’s password through a hashing algorithm that manipulates data so that it can not be un-manipulated. ActiveRecord, a Ruby gem, gives us access to a macro method has_secure_password, that works with bcrypt to give us the ability to secure passwords in the database, and is applied in our user model. ``` class User < ActiveRecord::Base has_secure_password end ``` The line @user.authenticate(params[:password]) authenticates or verifies the user password making sure that it is the correct password that is securely saved to the database. We call the authenticate method on a new instance of a user, and pass in the param argument [:password], to ensure the user’s password is correct. The authenticate method validates the password and matches it to the database. If the versions match each other, the authenticate method will return the instance of that user. It is important to note, that once the password is encrypted, the only one with access to it, is the user who created it. **Associations** The purpose of setting up has_many and belongs_to relationships, or associations, are so that apps can mimic real-world behavior. In my Sinatra app, I created two models, user.rb and shoe_entry.rb. The users model has a has_many relationship with shoes, and the shoe model, a belongs_to relationship with users. ActiveRecord provides the macros belongs_to and has_many , and below you can find an example of what an association looks like in Ruby: ``` class Cat belongs_to :owner end class Owner has_many :cats end ``` In order to showcase these associations, I had to create a database table using ActiveRecord. This table was created by running rake db:create_migration NAME="create_users" and rake db:create_migration NAME="create_shoe_entries". This created an empty migration table in the db/migrate/ folder, and I added the attributes that I wanted my table to have. With these tables and attributes, I was able to identify my primary key values, which uniquely identify each record in the table. Once I created my tables, I needed to tell them how to relate to one another. This is where the foreign key comes in. A foreign key points to a primary key in another table. In ActiveRecord, the tablename_id convention is used. With foreign keys, they always sit on the table of the objects that they belong to. ``` class AddColumnToCats < ActiveRecord::Base def change add_column :cats, :owner_id, :integer end end ``` In the example above, cats belong to an owner, so the owner_id becomes a column in the cat's table. We now have the ability to create a new instance of our object, and save that instance to our database. These are just some of the terminology and methods used by Sinatra and Ruby to build functional, beautifully well-executed applications. I hope you have enjoyed learning a little bit more, and that you will be inspired to seek out your own resources to expand your knowledge. <file_sep>--- layout: post title: "React Redux Final Portfolio Project" date: 2020-03-13 20:03:19 -0400 permalink: react_redux_final_portfolio_project --- The final project for Flatiron School was to build a simple app in React using create react app. I decided to build a bucket list destination app to showcase some of the places that I would like to visit before I kick the bucket. This project had quite a few moving parts, and in this blog, I will discuss Redux, one of the libraries I used to accomplish completing this task. The requirements of the project were to: * Code in ES6 as much as possible. * Use the create-react-app generator to start the project. * Include one HTML page to render the react-redux application. * Have 2 container components, 5 stateless components, and 3 routes. * Application must make use of react-router and proper RESTful routing. * Use Redux middleware to respond to and modify state change. * Make use of async actions to send data to and receive data from the server. * Must build a backend API using Rails which should handle data persistence. * Must use fetch within actions to GET and POST data from the API without the use of jQuery methods. * Client-side app(React) should handle the display of data with minimal data manipulation. **What is Redux?** Redux is a predictable state container for JavaScript apps that makes managing the state(data that can change from time to time) of your application simpler. This allows you to display data to your users as well as helps you manage how you respond to user actions. However, redux is more than just state management, with a major focus on the inner workings of the app itself. The state of the app is determined by what is displayed on the user interface. There are three factors of data needed in order to manage state in an app: * Changing data * Fetching and storing data * Assigning data to UI elements Using redux does come with a few rules that developers must abide by, but these rules are worth it because they allow redux to power at its full potential. **Where to setup Redux?** There are a few ways in which a store can be set-up. The store can be created inside of the index.js file, or inside of a separate file called store.js and imported inside of the index.js file. I chose to create my store inside of index.js. Below is an example of how to set up a store in React. ``` import React from 'react'; import ReactDOM from 'react-dom'; import {createStore, applyMiddleware, compose, combineReducers} from 'redux'; import thunk from 'redux-thunk'; import { Provider } from 'react-redux'; import destinationReducer from './reducers/destinationReducer.js'; import attractionReducer from './reducers/attractionReducer.js'; import commentReducer from './reducers/commentReducer.js'; import { BrowserRouter as Router } from 'react-router-dom'; import App from './App'; const composeEnhancers = window.__REDUX_DEVTOOLS_EXTENSION_COMPOSE__ || compose; const reducer = combineReducers({ destination: destinationReducer, attraction: attractionReducer, comment: commentReducer }) let store = createStore(reducer, composeEnhancers(applyMiddleware(thunk))) ReactDOM.render( <Provider store={store}> <Router> <App /> </Router> </Provider> , document.getElementById('root')); export default store; ``` Overall this project was challenging yet fun to create. Learning the fundamentals of redux and state management has been valuable in teaching me the required knowledge needed in order for me to not only build web apps, but cross platform apps as well. I plan to utilize what I have learned here, and apply it to a React Native app that I am currently working on. I am grateful to Flatiron for this amazing journey, and look forward to applying what I have I learned everyday in the future upon graduation. <file_sep>--- layout: post title: "Rails with Javascript Portfolio Project" date: 2020-01-19 19:58:53 -0500 permalink: rails_with_javascript_portfolio_project --- The Javascript portfolio project proved to be the most challenging project to date at Flatiron School. I wanted to build something that I would be able to expand on down the line, and decided on a winery management system that keeps track of all the wineries I have visited or plan to visit in the near future. The requirements for this project seemed simple, however, implementing the fundamentals proved otherwise. The tasks were to: * Build an application with a HTML, CSS, and JavaScript frontend and a Rails API backend * All interactions must be asynchronous and use JSON as the communication format * The javascript application must use Object Oriented JavaScript or classes to encapsulate related data and behavior * The backend must include a resource with at least one has-many relationship * The backend and frontend must collaborate, and your app should have at least 3 AJAX calls * Must use Fetch with the appropriate HTTP verb on the frontend, and the backend should use RESTful conventions # The Backend: First I needed to generate a new project, making sure to include the --api flag so rails knows to set up the project as an API. ``` rails new <my_app_name> --database=postgresql --api ``` I also needed to include the database I was using inside the creation of my project, which is Postgres. I needed to ensure that I used RESTful conventions. A RESTful API is an application program interface (API) that uses HTTP requests to GET, PUT, POST and DELETE data. Inside of my controllers lives the code that renders the wineries in the form of JSON data. ``` class Api::V1::WineriesController < ApplicationController before_action :find_winery, only: [:show, :edit, :update, :destroy] def index @wineries = Winery.all render json: @wineries end def show @winery = Winery.find(params[:id]) render json: @winery.to_json(include: [:wines]), status: :ok end def create @winery = Winery.create(winery_params) render json: @winery, status: 200 end def destroy winery = Winery.find_by(id: params[:id]) winery.destroy render json: winery end private def winery_params params.permit(:name, :year_founded, :types_offered, :location, :affordable) end def find_winery @winery = Winery.find(params[:id]) end end ``` Parameters must be created for the winery because those same parameters must be included in the POST and PATCH requests of the fetch method. I will provide more details about the Fetch API when I talk about the front-end. For the representation of the has-many relationship, a winery has many wines they carry at their vineyards. Since PostgresSQL was the database of choice, I had to make sure to create the database before migration by running rails db:create & then rails db:migrate. I am now able to run the rails server in my text editor terminal, and access my application which is hosted at localhost:3000. Since this is an API, my url looks like this ``` http://localhost:3000/api/v1/wineries ``` # The Frontend My single page app had to include the use of javascript classes, or object oriented javascript in order to encapsulate data and behavior. Object-Oriented JavaScript is prototype-based so it does not utilize or support class statements. Instead, functions are used to represent a class as well as new objects are derived by using a prototyping technique and by calling the object’s native constructor. ``` class Winery { constructor(data) { this.id = data.id this.name = data.name this.year_founded = data.year_founded this.types_offered = data.types_offered this.location = data.location this.affordable = data.affordable this.wines = data.wines } ``` With my objects created and my parameters specified, I am now ready to implement the fetch method in my single page app. The Fetch API provides a JavaScript interface for accessing and manipulating parts of the HTTP pipeline, such as requests and responses. It also yields a global fetch() method that lends a simple, logical way to fetch resources asynchronously across networks. I implemented a getWineries function that would fetch the wineries and the data associated with them, and render the contents to the DOM without redirecting to another page. This method fires off an AJAX request to the index route in api/v1/wineries. ``` function getWineries() { fetch("http://localhost:3000/api/v1/wineries") .then(resp => resp.json()) .then(data => { renderWinery(data) addWineriesClickListeners() getWines() }) } ``` # Conclusion My app also makes AJAX calls using fetch to create a new instance of the Winery object, as well as to delete an entry, which satifies the requirements of the 3 AJAX calls. Overall, this project required a lot of effort to complete. Everything that we have learned so far at Flatiron School is starting to come together, and it makes the challenges that much more rewarding. I look forward to building my final portfolio project and graduating from the program. <file_sep>--- layout: post title: "Building my first CLI Application" date: 2019-01-31 11:11:16 -0500 permalink: building_my_first_cli_application --- I’ve always prided myself on never taking the easy way out. I work hard and never back down from a challenge. Since beginning my coding journey, every day there is a new obstacle to overcome. After all, learning any new language is challenging, and Ruby definitely had its share. My very first project as a student at Flatiron School was to build a Ruby Gem that provided a Command Line Interface to an external data source and had to be composed of an Object Oriented Ruby application. Requirements of the project were to: * Provide a CLI * scrape data from a website using Nokogiri and Open-URI * provide data that was at least one level deep A “level” generally shows what choice a user can make, and then gives detailed information about that choice to the user. From there, we are able to drill down to a specific item or request. I was really nervous starting out. This was the very first time that I actually had to write code from scratch! No tests to help point out errors, no notes in the code to tell me what should go where. I even had to give permissions in the terminal for the user to be able to interact with the application, which was always a given in lessons on Learn. After spending many weeks going through the lessons and doing the labs, I was confident that I was ready to tackle the task before me. I decided that I needed to first figure out what I wanted my project to be about. I chose movies because I am a huge fanatic, and there are many websites dedicated to that topic. The next step was determining what the users would be doing and how I wanted them to interact with the application. I wanted it to be as simple as possible, so as not to confuse anyone. Once I had those steps figured out, I needed to choose a website that was scrapeable, which was not easy! Four websites into my search, I finally found one deemed worthy to the Ruby gods. Without the right site, I would not be able to write a lick of code. The site determines what your application does by the information that it provides. Now we’re off to the races! I know what my application will do and how I want it to interact with users. Time to write some code! **The SetUp** First things first, you have to create an executable file. This file is located in the bin/, and code here relates to actually running our program. Without this directory, we are unable to run our program from the command line, nor will users be able to interact with it. File permissions must also be given in order to execute a file via command. Since my project was based on movies, I gave it the name of top_movies. The code I would write to interact with the interface would be located in the lib/top_movies/cli.rb, and would be called in the executable file bin/top_movies. I created a scraper.rb and a movie.rb class, and used the bin/ command to test out my intended code, looking particularly for expected behavior. My movie.rb class would house all the code about my movie object that I wanted to share with the user. The categories that will be scraped are listed as attributes of the movie class. I began by writing the code for a user interface that would mirror the behavior of my app. I wanted the user to be greeted with a welcome message, and then asked to choose a number from the list of movies that populate. A nice thing about this process is that you are free to play around with your code as much as you would like. Functionality and flow are totally up to you, and it was that freedom that made it even more exciting to write. The data I provided, would go one level deep, giving the user an option to view more information on a movie if they chose to do so. **Scraping with Nokogiri** The scraper.rb class would gather the data from the website of my choice, and use that data to output information back to the user. Once I successfully scraped the data I needed from the website, it was time to implement that data into my code. Boy was that fun! Creating variable names, which you wouldn’t think is difficult, actually can be at times. I scraped data from a list of 100 Top Hollywood Rated Movies, and these movies were accompanied by their year of release, genre, cast, director, a brief synopsis, and the critic review from Timeout.com. With all of this information, this website proved to be a good fit for what I needed. In order to scrape the website, I used an HTML Parser called Nokogiri, and Open-URI, a Ruby easy-to-use wrapper for net/http, net/https and net/ftp, and is considered the most popular way to read URL content, as well as make a request to get information or download a file from a particular site. Nokogiri is a gem library that serves virtually all of the HTML scraping requirements. To install Nokogiri, one must simply enter gem install nokogiri in their terminal, and let the rest happen. This process can take a few minutes, and may or may not be seamless, so patience is key. It makes sense to install nokogiri, as it is a tool that all developers will likely use the remainder of their career. If you do find yourself running into issues installing Nokogiri, follow the official Nokogiri installation guide here. This guide will walk you through the installation from start to finish. With Nokogiri installed, I now have the means to search documents using CSS selectors. A CSS selector is the section of a CSS rule set that literally selects the content you want, which allowed me to drill down on the specific HTML elements containing the data or information that I desired to portray to the user. With all of this information, I was able to create a scraper method inside of the scraper class, that scraped the website, iterated over each instance of a new movie that was created, then add the desired information to the new instance, and return the results. Once that was complete, I returned to focus on my CLI class, which is where the scraper.rb and movie.rb classes are combined to produce movie objects, that would mimic individual movies filled with information about that movie. Here is where the scraper.rb and movie.rb classes transfer data from the scraper class to the movie class, giving them the ability to work together, while simultaneously being independent. I included some methods that enabled easy navigation from option to option, by implementing some if else statements in my CLI class. Voila! I know have a fully functioning Ruby command-line-application! **Conclusion** Before I could officially claim victory, I had to make sure everything was working correctly. I took care to package, install, and test my gem and made sure to include instructions in the Readme.md on how to package and install the application locally. You can view my code[ here](https://github.com/Patech-Patrice/top_movies.git). Building this application was truly a test of the skills and knowledge that I have acquired up to this point as a student at Flatiron School. In the midst of the fear, the long hours, late nights, and arm and back spasms from spending 10-12 hours straight at the computer, I had accomplished a major feat, and it was all worth it! I am genuinely proud of what I achieved and am looking forward to building more applications in different languages in the future. Thank you for reading my blog. I hope you enjoyed reading it and learned something as well! <file_sep>--- layout: post title: "My Transitional Journey into Ruby" date: 2019-01-04 15:41:19 +0000 permalink: my_transitional_journey_into_ruby --- As a fellow July baby, I have a special place in my heart for Rubies. With it's pink to blood-red colored gemstone, Rubies are amongst the rarest of gems througout the entire world. It symbolizes passion and is said to bring love and success. The same manner in which I admire this precious stone, I also admire the language of Ruby. <NAME>, the language creater, designed Ruby to be portable, simple, complete and extensible, and it works well across most platforms. It's interpreted, object-oriented language has led to better structure and programs that are much easier to maintain. I found that after coding in HTML and CSS for a brief time period, the transition back to the Ruby language was very simple. In fact, it was quite welcoming. Ruby has this way of putting code in language that is easy to read and iterate over, with it's clear and concise use of variable and method terminology. It is a great baseline language because of it's simplicity in reading and writing methods, as well as a great starting point for those who are seeking a language that is easy to learn, in comparison to others like Java and Javascript. An important thing to remember about learning any new language is making sure that you make it apart of your life. You must embrace the long days, late hours, extra studying, researching, broken code, and many, many error messages. Ruby is a great place to begin, and has proven to be a confidence booster for someone like me, who had no previous coding knowledge prior to becoming a student at Flatiron. Although I am still learning the in's and out's of Ruby, I am positive this is a language I will dive deeper into to gain a more in-depth knowledge of in the future. <file_sep>--- layout: post title: "Using Ruby on Rails to build a CRUD Application" date: 2019-08-20 11:56:02 -0400 permalink: using_ruby_on_rails_to_build_a_rails_application --- After completing my Sinatra application from scratch, my next project was to build a complete Ruby on Rails application. The app must be able to manage data that is related to one another through complex nested forms and RESTful routes. The requirements for the project where to use the Ruby on Rails framework, include associations and reasonable validations in models, have at least one chainable ActiveRecord scope method and a third-party login authentication system. I will briefly discuss some of these fundamentals I learned while building my Rails portfolio project. # Rails Framework Rails is an open source, full-stack web framework, written in Ruby, that was designed to make programming more productive and efficient. It allows you to spend less time configuring an application, giving you more time to write good, DRY( Don’t Repeat Yourself) code, as well as it creates a directory structure for your application that includes every file you will need to accept user requests, query databases, and respond with data rendered in templates. In order to get started with creating a Rails app, you must first make sure rails is installed in your editor. In your terminal enter the below command to be sure that rails is installed: $ rails --version If it is not installed, enter the following command in your terminal to install rails: $ gem install rails Once rails is installed, you are then able to create a new project using the $ rails new command. This prompt creates all of the necessary files needed for your application. To view your app, you must open a server. This is done by typing $ rails s or $ rails server in your terminal. Once started, go to the address http://localhost:3000, and your application will be rendered to you in your browser. # Rails Principles and Architecture Rails is based on two important philosophies; convention over configuration and Don’t Repeat Yourself (DRY). Convention over configuration is simply Rails’ way of deciding what conventions will work best for you when you create your app, including which web server and database server to run in development mode. The DRY principle means to avoid duplicating knowledge and code within your app, ultimately leading to less errors. Like Ruby apps, Rails apps are structured using models, views, and controllers (MVC), which is designed to separate an app’s data from user interaction, known as separation of concerns. The model holds all of the apps data or state, and rules or logic for manipulating that state. The models also contain code for validations and associations between models. The view is the user interface of the app which consists mainly of HTML since it is a web application, and it uses Embedded Ruby (ERB), a template system by default. ERB allows the inclusion of Ruby code to access data within an HTML template. The controller is the glue that holds the model and the view together. It accepts requests from the user, gathers necessary data from the model, and then renders the correct view. All of these components work together in order to create an app that is easy to understand and maintain. # Associations and Validations ActiveRecord associations are used to describe relationships between models, and are important because they make frequent operations more straight-forward, and are implemented using macro-style calls. When an association is created in a model, Rails automatically defines several methods for that model. There are six types of Rails associations: * belongs_to * has_one * has_many * has_many :through * has_one :through * has_and_belongs_to_many These complex associations allow our applications to mimic real-world behavior, enabling more robust apps that can handle large amounts of data and logic. Below is an example of an association inside of a review model in my Rails project: ``` class Review < ApplicationRecord belongs_to :user belongs_to :designer , optional: true end ``` Validations are sets of rules that you create to protect your data from invalid input and information, making sure that only good data persists to the database, and they are implemented as class methods: ``` class Review < ApplicationRecord validates :title, presence: true validates :stars, numericality: {only_integer: true, greater_than_or_equal_to: 0, less_than: 6} validates :designer, uniqueness: { scope: :user, message: "has already been reviewed by you" } end ``` This validates the presence of a title, stars, and designer. The :presence validator ensures that there is text inside of the title field, while the :uniqueness validator ensures that a user cannot review the same designer more than once, and provides an error message when a user makes an attempt to duplicate. # Conclusion Rails is a great framework for any developer at any programming level who would like the ability to quickly start an application with everything you will need in the beginning. Equipped with a large community of developers who are constantly working to make the features better, Rails has plenty of support if you run into issues in development. If you would like to view my Rails portfolio project, you can do so [here](https://github.com/Patech-Patrice/luxcloset).
53c4e3c1eec06cec6d862b6c61c6e1df1521579b
[ "Markdown" ]
8
Markdown
Patech-Patrice/Patech-Patrice.github.io
958ea84b025614cfcfd2a1f40a50e98f165b3c36
e99d89c939fe7b8082bc1f5f519907087d6e7a25
refs/heads/master
<repo_name>pistonsky/ispeak-app<file_sep>/components/Subtitle.js import React, { Component } from 'react'; import { View, Text } from 'react-native'; const colors = { r: 'rgb(206, 44, 5)', g: 'rgb(0, 146, 47)', b: 'rgb(0, 116, 200)', o: 'rgb(228, 116, 16)', k: 'black' }; const positions = { u: { top: 0, height: 50, justifyContent: 'flex-end' }, d: { bottom: 0, height: 50, justifyContent: 'flex-start' } }; class SubtitleLine extends Component { _parse(encodedText) { const encodedWords = encodedText.split(/\s/); return encodedWords.map((word, index) => <Text key={index} style={{ color: colors[word[0]], fontSize: 20 }}> {word.substr(1)}{' '} </Text> ); } render() { return ( <View style={{ width: '100%' }}> <Text style={this.props.textStyle}> {this._parse(this.props.encodedText)} </Text> </View> ); } } class SubtitleBlock extends Component { _parse(encodedText) { const lines = encodedText.split(/\n/); return lines.map((encodedText, index) => <SubtitleLine key={index} encodedText={encodedText} textStyle={this.props.textStyle} /> ); } render() { return ( <View style={[ { position: 'absolute', width: '100%', backgroundColor: 'transparent' }, positions[this.props.encodedText[0]] ]} > {this._parse(this.props.encodedText.substr(1))} </View> ); } } export default class Subtitle extends Component { _parse(encodedText) { const encodedBlocks = encodedText.split(/[\s](?=[ud])/); return encodedBlocks.map((encodedText, index) => <SubtitleBlock key={index} textStyle={this.props.textStyle} encodedText={encodedText} /> ); } render() { return ( <View style={{ position: 'absolute', top: 0, right: 0, bottom: 0, left: 0, opacity: this.props.visible ? 1 : 0 }} > {this._parse(this.props.encodedText)} </View> ); } } <file_sep>/navigation/AppNavigator.js import { StackNavigator } from 'react-navigation'; import HomeScreen from '../screens/HomeScreen'; import WeekScreen from '../screens/WeekScreen'; import LinkScreen from '../screens/LinkScreen'; import ResourcesScreen from '../screens/ResourcesScreen'; const LecturesNavigator = StackNavigator( { Home: { screen: HomeScreen, }, Week: { screen: WeekScreen, }, Link: { screen: LinkScreen, }, }, { mode: 'card' } ); const ResourceNavigator = StackNavigator({ Resources: { screen: ResourcesScreen, }, Link: { screen: LinkScreen, }, }); export default (AppNavigator = StackNavigator( { Home: { screen: LecturesNavigator, }, Resources: { screen: ResourceNavigator, }, }, { mode: 'modal', headerMode: 'none' } )); <file_sep>/utils/DownloadManager.js import { AppState } from 'react-native'; import { FileSystem } from 'expo'; import _ from 'lodash'; export const STATES = { NOTSTARTED: 'NOTSTARTED', START_DOWNLOAD: 'START_DOWNLOAD', DOWNLOADING: 'DOWNLOADING', STALLED: 'STALLED', DOWNLOADED: 'DOWNLOADED', ERROR: 'ERROR', }; export default class DownloadManager { STATES = { NOTSTARTED: 'NOTSTARTED', START_DOWNLOAD: 'START_DOWNLOAD', DOWNLOADING: 'DOWNLOADING', STALLED: 'STALLED', DOWNLOADED: 'DOWNLOADED', ERROR: 'ERROR', }; constructor(store) { this._store = store; this._data = store.getState().courseData; this._firstRun = true; this._downloads = {}; this._previousAppState = 'active'; this._store.subscribe(() => { this._startNewDownloads(); }); this._restartInterruptedDownloads(); this._resumeAllDownloads(); AppState.addEventListener('change', this._handleAppStateChange); } teardown() { AppState.removeEventListener('change', this._handleAppStateChange); } // NetInfo.fetch().then(reach => { // // console.log('Initial: ' + reach); // }); // NetInfo.addEventListener('change', reach => { // // console.log('Change: ' + reach); // // TODO: Change to STATES.STALLED // }); _handleAppStateChange = nextAppState => { console.log('[app state]', nextAppState); if (nextAppState === 'active' && this._previousAppState !== 'active') { this._resumeAllDownloads(); } else if ( nextAppState !== 'active' && this._previousAppState === 'active' ) { this._stopAllDownloads(); } this._previousAppState = nextAppState; }; _restartInterruptedDownloads() { let offlineState = this._store.getState().offline; for (let id of Object.keys(offlineState)) { let { state } = offlineState[id]; if (state === STATES.DOWNLOADING) { this._startDownload(id); } } } _startNewDownloads() { let offlineState = this._store.getState().offline; for (let id of Object.keys(offlineState)) { let { state } = offlineState[id]; if (state === STATES.START_DOWNLOAD && !this._downloads[id]) { this._startDownload(id); } } } _getDataWithId(id) { for (let week of this._data) { if (week.weekNumber.toString() == id.toString()) { return week; } } } _createDownloadProgressHandler(id) { return ({ totalBytesWritten, totalBytesExpectedToWrite }) => { const speedBytesPerMs = 1; const timeRemainingMs = (totalBytesExpectedToWrite - totalBytesWritten) / speedBytesPerMs; // console.log('status ', id, totalBytesWritten, totalBytesExpectedToWrite); this._store.dispatch({ type: 'OFFLINE', id: id, status: { totalBytes: totalBytesExpectedToWrite, currentBytes: totalBytesWritten, state: STATES.DOWNLOADING, }, }); }; } async _startDownload(id) { const data = this._getDataWithId(id); const videoUri = data.videos['240p']; const fileUri = FileSystem.documentDirectory + id + '.mp4'; // TODO: Catch errors const { exists } = await FileSystem.getInfoAsync(fileUri); if (exists) { await FileSystem.deleteAsync(fileUri); } const downloadResumable = FileSystem.createDownloadResumable( videoUri, fileUri, {}, this._createDownloadProgressHandler(id) ); this._startDownloadFromResumable(downloadResumable, id); } async _startDownloadFromResumable(downloadResumable, id, resume = false) { this._downloads[id] = downloadResumable; try { if (resume) { const url = await downloadResumable.resumeAsync(); if (!url) { return; } } else { const url = await downloadResumable.downloadAsync(); if (!url) { return; } } this._store.dispatch({ type: 'OFFLINE', id, status: { state: STATES.DOWNLOADED, }, }); // Remove from downloads delete this._downloads[id]; } catch (e) { console.log(e); } } async _stopAllDownloads() { for (let id of Object.keys(this._downloads)) { let downloadResumable = this._downloads[id]; await downloadResumable.pauseAsync(); const savable = JSON.stringify(downloadResumable.savable()); this._store.dispatch({ type: 'OFFLINE', id, status: { state: STATES.STALLED, savable, }, }); } this._downloads = {}; } async _resumeAllDownloads() { // TODO: Catch errors let offlineState = this._store.getState().offline; for (let id of Object.keys(offlineState)) { let { state, savable } = offlineState[id]; if (state === STATES.STALLED && savable) { const downloadFromStore = JSON.parse(savable); if (downloadFromStore !== null) { downloadResumable = new FileSystem.DownloadResumable( downloadFromStore.url, downloadFromStore.fileUri, downloadFromStore.options, this._createDownloadProgressHandler(id), downloadFromStore.resumeData ); this._startDownloadFromResumable(downloadResumable, id, true); } } } } } <file_sep>/CHANGELOG.md ## 0.1.2 (September 20, 2017) * Orange/blue color scheme. * SHOW RUSSIAN/NO RUSSIAN text for subtitles button. * Orange/blue app icon and blue loading screen background. * Landscape mode fixes. <file_sep>/components/AnimatedIcon.js import React from 'react'; import Expo from 'expo'; const THREE = require('three'); import ExpoTHREE from 'expo-three'; import colors from '../styles/colors'; // THREE warns us about some GL extensions that `Expo.GLView` doesn't support // yet. This is ok, most things will still work, and we'll support those // extensions hopefully soon. console.disableYellowBox = true; class AnimatedIcon extends React.Component { _onGLContextCreate = async gl => { // Based on https://threejs.org/docs/#manual/introduction/Creating-a-scene // In this case we instead use a texture for the material (because textures // are cool!). All differences from the normal THREE.js example are // indicated with a `NOTE:` comment. const scene = new THREE.Scene(); const camera = new THREE.PerspectiveCamera( 100, gl.drawingBufferWidth / gl.drawingBufferHeight, 0.1, 10 ); // NOTE: How to create an `Expo.GLView`-compatible THREE renderer const renderer = ExpoTHREE.createRenderer({ gl }); renderer.setSize(gl.drawingBufferWidth, gl.drawingBufferHeight); const geometry = new THREE.BoxGeometry(1, 1, 1); const material = new THREE.MeshBasicMaterial({ color: colors.primary }); const cube = new THREE.Mesh(geometry, material); scene.add(cube); camera.position.z = 1.3; const render = () => { requestAnimationFrame(render); cube.rotation.x += 0.03; cube.rotation.y += 0.01; renderer.render(scene, camera); // NOTE: At the end of each frame, notify `Expo.GLView` with the below gl.endFrameEXP(); }; render(); }; render() { // Create an `Expo.GLView` covering the whole screen, tell it to call our // `_onGLContextCreate` function once it's initialized. return ( <Expo.GLView style={{ flex: 1, width: 80, height: 80, }} onContextCreate={this._onGLContextCreate} /> ); } } export default AnimatedIcon; <file_sep>/styles/colors.js //import { Platform } from 'react-native'; const Platform = { OS: 'ios', }; const colors = { primary: '#019FDB', // crimson: #6E001C secondary: '#3AC9FF', tertiary: '#FF9E00', complementary: Platform.OS === 'ios' ? '#FFFFFF' : '#A41034', // Android doesn't need duplicate feedback for Touchables grey: '#CCC', transparent: 'rgba(0,0,0,0)', }; export default colors; <file_sep>/screens/OnboardScreen.js import React from 'react'; import { View, TouchableHighlight, Text } from 'react-native'; import Swiper from 'react-native-swiper'; import Expo, { DangerZone } from 'expo'; const { Lottie } = DangerZone; import styles from '../styles/style'; import colors from '../styles/colors'; class OnboardScreen extends React.Component { state = { animation: null, }; componentWillMount() { this._loadAnimationAsync(); } _loadAnimationAsync = async () => { let result = await fetch( 'https://cdn.rawgit.com/airbnb/lottie-react-native/635163550b9689529bfffb77e489e4174516f1c0/example/animations/Watermelon.json' ); this.setState({ animation: JSON.parse(result._bodyText) }, () => { this.animation.reset(); this.animation.play(); }); }; render() { const Panel = ({ text, style, animated }) => <View style={[ { flex: 1, justifyContent: 'center', alignItems: 'center', paddingHorizontal: 30, }, style, ]}> {animated && this.state.animation && <Lottie ref={animation => { this.animation = animation; }} style={{ width: 400, height: 400, backgroundColor: colors.tertiary, }} source={this.state.animation} />} <Text style={{ color: colors.primary, fontSize: styles.fontSize(2), textAlign: 'center', }}> {text} </Text> <TouchableHighlight onPress={() => this.props.startApp()}> <Text>Go to app</Text> </TouchableHighlight> </View>; return ( <Swiper loop={false} activeDotColor={colors.primary}> <Panel animated={true} style={{ backgroundColor: colors.tertiary }} text="Watch lectures and access course materials" /> <Panel style={{ backgroundColor: '#97CAE5' }} text="Download lecture videos for offline viewing" /> <Panel style={{ backgroundColor: '#92BBD9' }} text="Get notifications when lectures are posted" /> </Swiper> ); } } export default OnboardScreen; <file_sep>/styles/fonts.js // Roboto // const fonts = { // 'custom-light': require('../assets/fonts/Roboto-Light.ttf'), // 'custom-regular': require('../assets/fonts/Roboto-Regular.ttf'), // 'custom-bold': require('../assets/fonts/Roboto-Bold.ttf'), // 'custom-black': require('../assets/fonts/Roboto-Black.ttf'), // }; // Stratum const fonts = { 'custom-light': require('../assets/fonts/stratum2-regular-webfont.ttf'), 'custom-regular': require('../assets/fonts/stratum2-medium-webfont.ttf'), 'custom-bold': require('../assets/fonts/stratum2-bold-webfont.ttf'), 'custom-black': require('../assets/fonts/stratum2-bold-webfont.ttf'), }; export default fonts; <file_sep>/utils/Analytics.js import { Amplitude } from 'expo'; import config from './config'; const events = { USER_WATCHED_VIDEO: 'USER_WATCHED_VIDEO', }; let isInitialized = false; const maybeInitialize = () => { if (config.AMPLITUDE_API_KEY && !isInitialized) { Amplitude.initialize(config.AMPLITUDE_API_KEY); isInitialized = true; } }; const track = (event, options = null) => { return; maybeInitialize(); if (options) { Amplitude.logEventWithProperties(event, options); } else { Amplitude.logEvent(event); } }; export default { events, track, }; <file_sep>/components/WeekBox.js import React from 'react'; import { Text, View, Image, TouchableHighlight } from 'react-native'; import styles from '../styles/style'; import colors from '../styles/colors'; import { RegularText } from '../components/Texts'; class WeekBox extends React.Component { state = { active: false, }; render() { const textStyle = { color: this.state.active ? colors.complementary : colors.primary, fontSize: styles.fontSize(2), }; return ( <TouchableHighlight onPress={this.props.onPress} style={{ borderRadius: 5, borderWidth: 2, borderColor: colors.primary, //backgroundColor: colors.secondary, }} onShowUnderlay={() => this.setState({ active: true })} onHideUnderlay={() => this.setState({ active: false })} underlayColor={colors.secondary}> <View style={{ paddingTop: 50, paddingBottom: 50, flexDirection: 'row', justifyContent: 'flex-start', alignItems: 'center', }}> <View style={{ width: 100, height: 100, alignItems: 'center', marginLeft: 10, marginRight: 10, }}> <Image style={{ width: 100, height: 100 }} source={{ uri: this.props.thumb }} /> </View> <View style={{ width: this.props.textWidth + this.props.imageWidth - 140, alignItems: 'flex-start', marginRight: 20, }}> <RegularText style={textStyle} numberOfLines={1}> {this.props.desc} </RegularText> <RegularText style={[textStyle, { fontSize: styles.fontSize(1) }]} numberOfLines={1}> {this.props.title} </RegularText> </View> </View> </TouchableHighlight> ); } } export default WeekBox; <file_sep>/components/CrossTouchable.js import { TouchableHighlight, TouchableNativeFeedback, Platform, } from 'react-native'; const CrossTouchable = Platform.select({ ios: TouchableHighlight, android: TouchableNativeFeedback, }); export default CrossTouchable; <file_sep>/screens/ResourcesScreen.js import React from 'react'; import { ScrollView, Text, TouchableOpacity } from 'react-native'; import Row from '../components/Row'; import { RegularText } from '../components/Texts'; import colors from '../styles/colors'; import styles from '../styles/style'; const RESOURCES = [ { name: 'Discuss', url: 'https://cs50.net/discuss', icon: 'wechat' }, { name: 'Gradebook', url: 'http://cs50.net/gradebook', icon: 'thumbs-up' }, { name: 'Study', url: 'https://study.cs50.net/', icon: 'book' }, { name: 'Reference', url: 'https://reference.cs50.net', icon: 'list-ul' }, { name: 'Style Guide', url: 'https://manual.cs50.net/style/', icon: 'deviantart', }, { name: 'Final project', url: 'https://cs50.harvard.edu/project', icon: 'flask', }, { name: 'Seminars', url: 'https://manual.cs50.net/seminars/', icon: 'graduation-cap', }, { name: 'Staff', url: 'https://cs50.harvard.edu/staff', icon: 'child' }, { name: 'Sections', url: 'https://cs50.harvard.edu/sections', icon: 'group' }, { name: 'FAQs', url: 'https://cs50.harvard.edu/faqs', icon: 'question-circle-o', }, { name: 'Credits', url: 'https://gist.github.com/abi/05c7a199ced36d56da5a2fe3a4a52829', icon: 'heart', }, { name: 'This app is open source.', url: 'https://github.com/expo/harvard-cs50-app', icon: 'github-alt', }, ]; class ResourcesScreen extends React.Component { static navigationOptions = ({ navigation }) => { return { title: 'Resources', headerTintColor: styles.headerTintColor, headerTitleStyle: styles.headerTitleStyle, headerStyle: styles.headerStyle, headerBackTitle: 'Back', headerMode: 'float', headerRight: ( <TouchableOpacity style={{ paddingRight: 20 }} hitSlop={{ top: 20, left: 20, bottom: 20, right: 20 }} onPress={() => { // Because this header is in the second-level navigator, to go back to the first-level navigator, we can `null` // to go back anywhere navigation.goBack(null); }}> <RegularText style={{ color: colors.primary, fontSize: styles.fontSize(0) }}> Close </RegularText> </TouchableOpacity> ), }; }; onPress = (url, title) => { this.props.navigation.navigate('Link', { url, title }); }; render() { return ( <ScrollView style={{ backgroundColor: 'white' }}> {RESOURCES.map(({ url, name, icon }) => <Row key={url} text={name} onPress={this.onPress.bind(this, url, name)} icon={icon} /> )} </ScrollView> ); } } export default ResourcesScreen; <file_sep>/components/svgs/Arrays.js import React from 'react'; import Svg, { Circle, Ellipse, G, LinearGradient, RadialGradient, Line, Path, Polygon, Polyline, Rect, Symbol, Text, Use, Defs, Stop, } from 'react-native-svg'; const Arrays = ({ ...otherProps }) => { return (<Svg width="100" height="100" viewBox="0 0 500 500" xmlns="http://www.w3.org/2000/svg"><Path d="M222.848 103H112.209a9.228 9.228 0 0 0-9.209 9.21v110.638a9.228 9.228 0 0 0 9.21 9.21h110.638a9.25 9.25 0 0 0 9.21-9.21V112.209a9.243 9.243 0 0 0-9.21-9.209zm165.943 0H278.152a9.228 9.228 0 0 0-9.21 9.21v110.638a9.228 9.228 0 0 0 9.21 9.21h110.639a9.255 9.255 0 0 0 9.209-9.21V112.209a9.234 9.234 0 0 0-9.21-9.209zM222.848 268.943H112.209a9.228 9.228 0 0 0-9.209 9.209v110.639a9.228 9.228 0 0 0 9.21 9.209h110.638a9.25 9.25 0 0 0 9.21-9.21V278.153a9.25 9.25 0 0 0-9.21-9.21zm165.943 0H278.152a9.228 9.228 0 0 0-9.21 9.209v110.639a9.228 9.228 0 0 0 9.21 9.209h110.639a9.255 9.255 0 0 0 9.209-9.21V278.153a9.243 9.243 0 0 0-9.21-9.21z" fill-rule="nonzero" fill="#A41034"/></Svg> ); }; export default Arrays;<file_sep>/App.js import React from 'react'; import { Font, Asset, AppLoading } from 'expo'; import { Provider } from 'react-redux'; import _ from 'lodash'; import loadData from './utils/data-loader'; import AppNavigator from './navigation/AppNavigator'; import OnboardScreen from './screens/OnboardScreen'; import Store from './state/Store'; import fonts from './styles/fonts'; import config from './utils/config'; import DownloadManager from './utils/DownloadManager'; import { EvilIcons, FontAwesome, MaterialIcons, Ionicons, Foundation, } from '@expo/vector-icons'; //import Sentry from 'sentry-expo'; //Sentry.config(config.SENTRY_KEY).install(); class AppContainer extends React.Component { state = { appIsReady: false, firstLoad: config.firstLoad, }; componentWillMount() { this._loadAssetsAsync(); } _cacheFonts(fonts) { return fonts.map(font => Font.loadAsync(font)); } _cacheImages(images) { return images.map(image => { if (typeof image === 'string') { return Image.prefetch(image); } else { return Asset.fromModule(image).downloadAsync(); } }); } async _loadAssetsAsync() { const imageAssets = this._cacheImages([require('./assets/svgs/processed/memory.svg')]); const fontAssets = this._cacheFonts([ fonts, EvilIcons.font, FontAwesome.font, Ionicons.font, MaterialIcons.font, Foundation.font, ]); try { await Promise.all([ Store.rehydrateAsync(), ...imageAssets, ...fontAssets, ]); let data = await loadData(); Store.dispatch({ type: 'SET_DATA', data }); } catch (e) { console.log('Error downloading assets', e); } this._downloadManager = new DownloadManager(Store); this.setState({ appIsReady: true }); } render() { if (!this.state.appIsReady) { return <AppLoading />; } return this.state.firstLoad ? <OnboardScreen startApp={() => this.setState({ firstLoad: false })} /> : <Provider store={Store}> <AppNavigator /> </Provider>; } } export default AppContainer; <file_sep>/utils/svg-component-generator.js import fs from 'fs'; import path from 'path'; import SVGO from 'svgo'; import _ from 'lodash'; import colors from '../styles/colors'; const attr = (name, value) => { return { name: name, value: value, prefix: '', local: name }; }; const svgo = new SVGO({ plugins: [ { removeTitle: true }, { changeSvgWidth: { type: 'full', description: '', params: {}, fn: function(data) { const svg = data.content[0]; svg.addAttr(attr('width', '100')); svg.addAttr(attr('height', '100')); return data; }, }, }, { convertToSvg: { type: 'perItem', description: '', params: { text: true }, fn: function(item, params) { item.elem = _.capitalize(item.elem); if (item.elem === 'Path') { item.addAttr(attr('fill', colors.primary)); } return true; }, }, }, ], }); const SVG_PATH = 'assets/svgs/sketch'; const SVG_COMPONENTS_PATH = 'components/svgs'; fs.readdirSync(SVG_PATH).forEach(file => { if (path.extname(file) == '.svg') { let outerText = `import React from 'react'; import Svg, { Circle, Ellipse, G, LinearGradient, RadialGradient, Line, Path, Polygon, Polyline, Rect, Symbol, Text, Use, Defs, Stop, } from 'react-native-svg'; const [[NAME]] = ({ ...otherProps }) => { return (REPLACE ); }; export default [[NAME]];`; svgo.optimize(fs.readFileSync(path.join(SVG_PATH, file)), function(result) { const iconName = _.capitalize(path.basename(file, '.svg')); const svgText = result.data; outerText = outerText.replace(/\[\[NAME\]\]/gi, iconName); outerText = outerText.replace('REPLACE', svgText); fs.writeFileSync( path.resolve(path.join(SVG_COMPONENTS_PATH, iconName + '.js')), outerText ); }); } }); <file_sep>/README.md # iSpeak Learn English with songs!<file_sep>/components/svgs/C.js import React from 'react'; import Svg, { Circle, Ellipse, G, LinearGradient, RadialGradient, Line, Path, Polygon, Polyline, Rect, Symbol, Text, Use, Defs, Stop, } from 'react-native-svg'; const C = ({ ...otherProps }) => { return (<Svg width="100" height="100" viewBox="0 0 500 500" xmlns="http://www.w3.org/2000/svg"><G fill-rule="nonzero" fill="#000"><Path d="M298.727 104H116v292h243.636v-48.667H384V213.5h-24.364v-48.667L298.727 104zm48.728 279.833H128.182V116.167h170.545v48.666h48.728V213.5h-194.91v133.833h194.91v36.5zm24.363-158.166v109.5h-207.09v-109.5h207.09z" fill="#A41034"/><Path d="M189 299.8h12.167V312H189v-12.2zm24.333 12.2H262v-12.2h-36.5v-36.6H262V251h-48.667v61z" fill="#A41034"/></G></Svg> ); }; export default C;<file_sep>/utils/data-loader.js import axios from 'axios'; async function loadData() { const result = await axios.get('https://ispeakapp.herokuapp.com/'); return result.data; } export default loadData; <file_sep>/components/Texts.js import React from 'react'; import { Text } from 'react-native'; const generateTextComponent = ({ style = {}, children, ...otherProps }, font) => <Text {...otherProps} style={[{ fontFamily: font }, style]}> {children} </Text>; export class LightText extends React.Component { render = () => generateTextComponent(this.props, 'custom-light'); } export class RegularText extends React.Component { render = () => generateTextComponent(this.props, 'custom-regular'); } export class BoldText extends React.Component { render = () => generateTextComponent(this.props, 'custom-bold'); } <file_sep>/components/Downloader.js import React from 'react'; import { Text, View, TouchableHighlight } from 'react-native'; import * as Progress from 'react-native-progress'; import prettyMs from 'pretty-ms'; import reactMixin from 'react-mixin'; import TimerMixin from 'react-timer-mixin'; import { connect } from 'react-redux'; import { MaterialIcons } from '@expo/vector-icons'; import colors from '../styles/colors'; import { RegularText } from './Texts'; import { STATES } from '../utils/DownloadManager'; // console.log(DownloadManager); class Downloader extends React.Component { render() { const Status = ({ iconName, text }) => <View style={{ flexDirection: 'row', alignItems: 'center', justifyContent: 'flex-start', }}> <MaterialIcons style={{ marginRight: 5 }} name={iconName} size={28} color={colors.tertiary} /> <RegularText style={{ color: colors.tertiary }}> {text} </RegularText> </View>; let progress = 0; if ( this.props.downloadState.currentBytes && this.props.downloadState.totalBytes ) { progress = this.props.downloadState.currentBytes / this.props.downloadState.totalBytes; } return ( <View style={{ paddingTop: 10, paddingBottom: 10, }}> {this.props.downloadState.state === STATES.NOTSTARTED && <View> <TouchableHighlight onPress={this.props.download}> <View> <Status iconName={'play-for-work'} text={'Download for offline viewing'} /> </View> </TouchableHighlight> </View>} {(this.props.downloadState.state === STATES.DOWNLOADING || this.props.downloadState.state === STATES.STALLED || this.props.downloadState.state === STATES.START_DOWNLOAD) && <View style={{ display: 'flex', flexDirection: 'row', justifyContent: 'flex-start', alignItems: 'center', }}> <View style={{ marginRight: 5 }}> {/* <Progress.Circle size={30} progress={this.state.progress} /> */} <Progress.Pie size={30} progress={progress} color={colors.tertiary} /> </View> <View> <RegularText style={{ color: colors.tertiary }}> Downloading for offline viewing... </RegularText> {/* <RegularText style={{ color: colors.tertiary }}> {this.state.timeRemaining} remaining </RegularText> */} </View> </View>} {this.props.downloadState.state === STATES.DOWNLOADED && <Status iconName={'offline-pin'} text={'Lecture available for offline viewing'} />} {this.props.downloadState.state === STATES.ERROR && <Status iconName={'error'} text={this.state.error.toString()} />} </View> ); } } reactMixin(Downloader.prototype, TimerMixin); const mapDispatchToProps = (dispatch, ownProps) => { return { download: status => { dispatch({ type: 'OFFLINE', id: ownProps.id, status: { state: STATES.START_DOWNLOAD }, }); }, }; }; const mapStateToProps = (state, ownProps) => { return { downloadState: state.offline[ownProps.id] || { state: STATES.NOTSTARTED }, }; }; export default connect(mapStateToProps, mapDispatchToProps)(Downloader); <file_sep>/utils/config.js const common = { // AMPLITUDE_API_KEY: 'XXX', // SENTRY_KEY: 'XXX', }; // Prod const prod = { ...common, secondScreen: false, muteVideo: false, autoplayVideo: true, resourcesScreen: false, firstLoad: false, }; // Dev const dev = { ...common, secondScreen: true, resourcesScreen: false, muteVideo: true, autoplayVideo: true, firstLoad: true, }; export default prod;
982e946e031529cc714a0663374522b3ea9f970c
[ "Markdown", "JavaScript" ]
21
Markdown
pistonsky/ispeak-app
cbf1e7cb9abd1a2cb36fe13f454bb7c684662301
5a2ad5f09368d491846a7971ac834939cbd82fac
refs/heads/master
<repo_name>EugeneSmirnov/TMDb<file_sep>/app/src/main/java/net/esfun/tmdb/Utils.kt package net.esfun.tmdb import android.widget.ImageView import com.bumptech.glide.annotation.GlideModule import com.bumptech.glide.load.resource.bitmap.CenterCrop import com.bumptech.glide.module.AppGlideModule @GlideModule class MyAppGlideModule : AppGlideModule() fun <T> ImageView.loadUsualImage( model: T ) { GlideApp.with(context) .asBitmap() .load(model) .fitCenter() //.transform(CenterCrop()) .into(this) } <file_sep>/app/src/main/java/net/esfun/tmdb/MainViewModel.kt package net.esfun.tmdb import androidx.lifecycle.LiveData import androidx.lifecycle.MutableLiveData import androidx.lifecycle.ViewModel import androidx.lifecycle.viewModelScope import kotlinx.coroutines.* import kotlinx.coroutines.GlobalScope.coroutineContext import net.esfun.tmdb.data.model.TmdbMovie import net.esfun.tmdb.data.model.TmdbTV import net.esfun.tmdb.data.source.remote.ImplRemoteDAO class MainViewModel : ViewModel() { private val serviceApi = ImplRemoteDAO lateinit var movies: MutableLiveData<List<TmdbMovie>> var movieList: List<TmdbMovie>? = null var syncMovie = false lateinit var tvs: MutableLiveData<List<TmdbTV>> var tvList: List<TmdbTV>? = null var syncTV = false fun getMovies(): LiveData<List<TmdbMovie>> { if (!syncMovie) { movies = MutableLiveData() fetchMovie() } return movies } fun getTVs(): LiveData<List<TmdbTV>> { if (!syncTV) { tvs = MutableLiveData() fetchTV() } return tvs } fun fetchMovie() { viewModelScope.launch(coroutineContext) { try { //load from database movieList = TMDbApp.database?.TmdbDAO()?.getMovies()!! //movies= MutableLiveData() movies.postValue(movieList) } catch (ex: Exception) { print("error: $ex") } } getFromServerAndLoadMoviesToDatabase(3) } private fun getFromServerAndLoadMoviesToDatabase(pages: Int) { for (page in 1..pages) { viewModelScope.launch(coroutineContext) { try { // start refresh info and insert database and select val response = serviceApi.getPopularMovies(page) TMDbApp.database?.TmdbDAO()?.insertMovies(response.results) movieList = TMDbApp.database?.TmdbDAO()?.getMovies() movies.postValue(movieList) } catch (ex: Exception) { print("error: $ex") syncMovie = false } } } syncMovie = true } fun fetchTV() { viewModelScope.launch(coroutineContext) { try { //load from database tvList = TMDbApp.database?.TmdbDAO()?.getTVs()!! //movies= MutableLiveData() tvs.postValue(tvList) } catch (ex: Exception) { print("error: $ex") } } getFromServerAndLoadTVsToDatabase(3) } private fun getFromServerAndLoadTVsToDatabase(pages: Int) { for (page in 1..pages) { viewModelScope.launch(coroutineContext) { try { // start refresh info and insert database and select val response = serviceApi.getPopularTV(page) TMDbApp.database?.TmdbDAO()?.insertTVs(response.results) tvList = TMDbApp.database?.TmdbDAO()?.getTVs() tvs.postValue(tvList) } catch (ex: Exception) { print("error: $ex") syncTV = false } } } syncTV = true } }<file_sep>/app/src/main/java/net/esfun/tmdb/data/source/remote/API.kt package net.esfun.tmdb.data.source.remote import net.esfun.tmdb.data.model.TmdbMovie import net.esfun.tmdb.data.model.TmdbMovieResponse import net.esfun.tmdb.data.model.TmdbTV import net.esfun.tmdb.data.model.TmdbTVResponse import retrofit2.http.GET import retrofit2.http.Path import retrofit2.http.Query interface API { @GET("/movie/{id}") suspend fun getMovie(@Path("id") id: Int, @Query("language") language: String): TmdbMovie @GET("movie/popular") suspend fun getPopularMovie( @Query("language") language: String, @Query("page") page: Int ): TmdbMovieResponse @GET("movie/top_rated") suspend fun getTopRatedMovies( @Query("language") language: String, @Query("page") page: Int): TmdbMovieResponse @GET("tv/{id}") suspend fun getTV(@Path("id") id: Int, @Query("language") language: String): TmdbTV @GET("tv/popular") suspend fun getPopularTV( @Query("language") language: String, @Query("page") page: Int):TmdbTVResponse @GET("tv/latest") suspend fun getLatestTV(@Query("language") language: String):TmdbTVResponse @GET("movie/latest") suspend fun getLatestMovie(@Query("language") language: String):TmdbMovieResponse }<file_sep>/app/src/main/java/net/esfun/tmdb/data/source/local/LocalDAO.kt package net.esfun.tmdb.data.source.local import androidx.room.Dao import androidx.room.Insert import androidx.room.Query import net.esfun.tmdb.data.model.TmdbMovie import net.esfun.tmdb.data.model.TmdbTV import androidx.room.OnConflictStrategy @Dao interface LocalDAO { @Query("Select * FROM movies") suspend fun getMovies(): List<TmdbMovie>? @Query("SELECT * FROM movies WHERE id = :id") suspend fun getMovieById(id: Int): TmdbMovie? @Query("Select * FROM tv") suspend fun getTVs(): List<TmdbTV>? @Query("SELECT * FROM tv WHERE id = :id") suspend fun getTVById(id: Int): TmdbTV? @Insert(onConflict = OnConflictStrategy.REPLACE) suspend fun insertMovies(movies: List<TmdbMovie>) @Insert(onConflict = OnConflictStrategy.REPLACE) suspend fun insertTVs(tvs: List<TmdbTV>) }<file_sep>/app/src/main/java/net/esfun/tmdb/TMDbApp.kt package net.esfun.tmdb import android.app.Application import net.esfun.tmdb.data.source.local.TMDbDatabase class TMDbApp : Application() { companion object { var database: TMDbDatabase? = null } override fun onCreate() { super.onCreate() database = TMDbDatabase.getInstance(this) } } <file_sep>/app/src/main/java/net/esfun/tmdb/data/TmdbDataSource.kt package net.esfun.tmdb.data import net.esfun.tmdb.data.model.TmdbMovie import net.esfun.tmdb.data.model.TmdbMovieResponse import net.esfun.tmdb.data.model.TmdbTV import net.esfun.tmdb.data.model.TmdbTVResponse interface TmdbDataSource { suspend fun getMovie(id: Int): TmdbMovie suspend fun getPopularMovies(page: Int): TmdbMovieResponse suspend fun getTopRatedMovies(page:Int): TmdbMovieResponse suspend fun getTV(id:Int):TmdbTV suspend fun getPopularTV(page:Int):TmdbTVResponse suspend fun getLatestTV():TmdbTVResponse suspend fun getLatestMovie(): TmdbMovieResponse }<file_sep>/app/src/main/java/net/esfun/tmdb/data/source/local/TMDbDatabase.kt package net.esfun.tmdb.data.source.local import android.content.Context import androidx.room.Database import androidx.room.Room import androidx.room.RoomDatabase import net.esfun.tmdb.data.model.TmdbMovie import net.esfun.tmdb.data.model.TmdbTV @Database( entities = [TmdbMovie::class, TmdbTV::class], version = 1) abstract class TMDbDatabase : RoomDatabase(){ abstract fun TmdbDAO() : LocalDAO companion object{ private var INSTANCE: TMDbDatabase? = null private val lock = Any() fun getInstance(context: Context): TMDbDatabase { synchronized(lock){ if (INSTANCE ==null){ INSTANCE = Room.databaseBuilder( context.applicationContext, TMDbDatabase::class.java, "TMDb.db").build() } return INSTANCE!! } } fun destroyInstance() { INSTANCE = null } } } <file_sep>/app/src/main/java/net/esfun/tmdb/TVAdapter.kt package net.esfun.tmdb import android.view.LayoutInflater import android.view.View import android.view.ViewGroup import androidx.recyclerview.widget.RecyclerView import kotlinx.android.synthetic.main.movie_item.view.* import net.esfun.tmdb.data.model.TmdbMovie import net.esfun.tmdb.data.model.TmdbTV class TVAdapter( private var list: ArrayList<TmdbTV> ) : RecyclerView.Adapter<TVAdapter.ViewHolder>() { override fun onBindViewHolder(holder: ViewHolder, position: Int) { holder.txtName.text = list[position].title holder.txtOverview.text = list[position].overview holder.txtVote.text = "${list[position].voteAverage}" holder.imageView.loadUsualImage("https://image.tmdb.org/t/p/w500${list[position].backdropPath}") } override fun onCreateViewHolder(parent: ViewGroup, viewType: Int): ViewHolder { val v = LayoutInflater.from(parent.context).inflate(R.layout.movie_item, parent, false) return ViewHolder( v ) } override fun getItemCount(): Int { return list.size } class ViewHolder( itemView: View ) : RecyclerView.ViewHolder(itemView) { val txtName = itemView.txtName val txtOverview = itemView.txtOverview val txtVote = itemView.txtVote val imageView = itemView.imageView init { itemView.setOnClickListener { } } } }<file_sep>/app/src/main/java/net/esfun/tmdb/MainActivity.kt package net.esfun.tmdb import androidx.appcompat.app.AppCompatActivity import android.os.Bundle import androidx.lifecycle.ViewModelProviders import com.google.android.material.bottomnavigation.BottomNavigationView class MainActivity : AppCompatActivity() { lateinit var viewModel: MainViewModel override fun onCreate(savedInstanceState: Bundle?) { super.onCreate(savedInstanceState) setContentView(R.layout.activity_main) viewModel = ViewModelProviders.of(this).get(MainViewModel::class.java) val navView: BottomNavigationView = findViewById(R.id.nav_view) navView.setOnNavigationItemSelectedListener(onNavigationItemSelectedListener) if (savedInstanceState == null) { supportFragmentManager.beginTransaction() .replace(R.id.container, MainListFragment.newInstance("movie")) .commitNow() } } private val onNavigationItemSelectedListener = BottomNavigationView.OnNavigationItemSelectedListener { item -> when (item.itemId) { R.id.navigation_home -> { supportFragmentManager.beginTransaction() .replace(R.id.container, MainListFragment.newInstance("movie")) .commitNow() return@OnNavigationItemSelectedListener true } R.id.navigation_dashboard -> { supportFragmentManager.beginTransaction() .replace(R.id.container, MainListFragment.newInstance("tv")) .commitNow() return@OnNavigationItemSelectedListener true } R.id.navigation_notifications -> { return@OnNavigationItemSelectedListener true } } false } } <file_sep>/app/src/main/java/net/esfun/tmdb/data/model/TmdbMovie.kt package net.esfun.tmdb.data.model import androidx.room.Entity import androidx.room.PrimaryKey import com.google.gson.annotations.SerializedName @Entity(tableName = "movies") data class TmdbMovie( @PrimaryKey val id: Int, @SerializedName("vote_average") val voteAverage: Double, @SerializedName("backdrop_path") val backdropPath: String, @SerializedName("poster_path") val posterPath: String, @SerializedName("release_date") val releasedDate: String, val title: String, val overview: String, val adult: Boolean ) data class TmdbMovieResponse( val page: Int, @SerializedName("total_results") val totalResults: Int, @SerializedName("total_pages") val totalPages: Int, val results: List<TmdbMovie> )<file_sep>/app/src/main/java/net/esfun/tmdb/MainListFragment.kt package net.esfun.tmdb import android.os.Bundle import androidx.fragment.app.Fragment import android.view.LayoutInflater import android.view.View import android.view.ViewGroup import android.widget.Toast import androidx.lifecycle.LiveData import androidx.lifecycle.Observer import kotlinx.android.synthetic.main.fragment_movies_list.* import net.esfun.tmdb.data.model.TmdbMovie import net.esfun.tmdb.data.model.TmdbTV private const val ARG_TYPE = "typeTMDb" /** * A simple [Fragment] subclass. * Use the [MainListFragment.newInstance] factory method to * create an instance of this fragment. * */ class MainListFragment : Fragment() { private var typeTMDb: String? = null private lateinit var viewModel: MainViewModel override fun onCreate(savedInstanceState: Bundle?) { super.onCreate(savedInstanceState) arguments?.let { typeTMDb = it.getString(ARG_TYPE) } } override fun onCreateView( inflater: LayoutInflater, container: ViewGroup?, savedInstanceState: Bundle? ): View? { return inflater.inflate(R.layout.fragment_movies_list, container, false) } override fun onActivityCreated(savedInstanceState: Bundle?) { super.onActivityCreated(savedInstanceState) //recycleView.layoutManager = LinearLayoutManager(this) viewModel = (activity as MainActivity).viewModel if (typeTMDb?.contains("movie")!!) { var arrayList = ArrayList<TmdbMovie>() recycleView.adapter = MovieAdapter(arrayList) setData(arrayList, viewModel.getMovies()) swipeContainer.setOnRefreshListener { viewModel.fetchMovie() } } if (typeTMDb?.contains("tv")!!) { var arrayList = ArrayList<TmdbTV>() recycleView.adapter = TVAdapter(arrayList) setData(arrayList, viewModel.getTVs()) swipeContainer.setOnRefreshListener { viewModel.fetchTV() } } } private fun <T> setData(arrayList: ArrayList<T>, liveData: LiveData<List<T>>) { liveData.observe(this, Observer { if (it?.size == 0) Toast.makeText(activity, "Loading...", Toast.LENGTH_SHORT).show() arrayList.clear() arrayList.addAll(it) recycleView.adapter?.notifyDataSetChanged() swipeContainer.isRefreshing = false }) } companion object { @JvmStatic fun newInstance(type: String) = MainListFragment().apply { arguments = Bundle().apply { putString(ARG_TYPE, type) } } } }<file_sep>/app/src/main/java/net/esfun/tmdb/data/source/remote/ImplRemoteDAO.kt package net.esfun.tmdb.data.source.remote import net.esfun.tmdb.data.TmdbDataSource import net.esfun.tmdb.data.model.TmdbMovie import net.esfun.tmdb.data.model.TmdbMovieResponse import net.esfun.tmdb.data.model.TmdbTV import net.esfun.tmdb.data.model.TmdbTVResponse import okhttp3.ConnectionPool import okhttp3.Interceptor import okhttp3.OkHttpClient import okhttp3.logging.HttpLoggingInterceptor import retrofit2.Retrofit import retrofit2.converter.gson.GsonConverterFactory import retrofit2.converter.scalars.ScalarsConverterFactory import java.util.concurrent.TimeUnit object ImplRemoteDAO: TmdbDataSource { private val SERVER_URL = "https://api.themoviedb.org/3/" const val API_KEY = "<KEY>" const val language = "ru-RU" private val authInterceptor = Interceptor {chain-> val newUrl = chain.request().url() .newBuilder() .addQueryParameter("api_key", API_KEY) .build() val newRequest = chain.request() .newBuilder() // .addHeader("AUTH_TOKEN", "<PASSWORD>") .url(newUrl) .build() chain.proceed(newRequest) } private val okHttpClient = OkHttpClient.Builder() .addInterceptor(HttpLoggingInterceptor().setLevel(HttpLoggingInterceptor.Level.BODY)) .addInterceptor(authInterceptor) .retryOnConnectionFailure(true) .connectionPool(ConnectionPool(0, 1, TimeUnit.NANOSECONDS)) .build() private val retrofit: Retrofit = Retrofit.Builder() .client(okHttpClient) .baseUrl(SERVER_URL) .addConverterFactory(GsonConverterFactory.create()) .addConverterFactory(ScalarsConverterFactory.create()) .build() private val api = retrofit.create(API::class.java) override suspend fun getMovie(id: Int): TmdbMovie{ return api.getMovie(id, language ) } override suspend fun getPopularMovies(page:Int): TmdbMovieResponse { return api.getPopularMovie(language, page) } override suspend fun getTopRatedMovies(page: Int): TmdbMovieResponse { return api.getTopRatedMovies(language, page) } override suspend fun getTV(id: Int): TmdbTV { return api.getTV(id, language ) } override suspend fun getPopularTV(page: Int): TmdbTVResponse { return api.getPopularTV(language, page) } override suspend fun getLatestTV(): TmdbTVResponse { return api.getLatestTV(language) } override suspend fun getLatestMovie(): TmdbMovieResponse { return api.getLatestMovie(language) } }
f8f672c5654e19c8fbf16c8306a17f5b734a698c
[ "Kotlin" ]
12
Kotlin
EugeneSmirnov/TMDb
b00db646563e08bf61712537fe8825cd4f1b9308
7f30fc88dd698e61944fc9f01b24a54af09ccb3e
refs/heads/master
<file_sep>#include <p33FJ64MC202.h> void initSPI() { RPOR2=0x0700; //Portb5 is Dataout rp5 0111 RPINR20bits.SDI1R=0b00110; //Portb6 is Data in rp6 0110 RPINR20bits.SCK1R=0b00111; //Portb4 is clock rp7 0111 //RPINR21bits.SS1R=0b01011; //PIN19 PORTB11 is SS rp11 1011 SPI1BUF=0x00; //Clear SPI Buffer SPI1STAT=0x00; SPI1STATbits.SPITBF=0; IFS0bits.SPI1IF=0; //Clear int flag IEC0bits.SPI1IE=0; //Disable int SPI1CON1bits.DISSCK=0; //internal clock SPI1CON1bits.DISSDO=0; //SDO is active SPI1CON1bits.MODE16=1; //Worde 16 bits wide communication SPI1CON1bits.SMP=0; //Sample phase shift is not active. Data is sampled in the middel of the output. SPI1CON1bits.SSEN=0; //No SS SPI1CON1bits.CKE=0; //New data on clk idle to active SPI1CON1bits.CKP=1; //Clock is idle low SPI1CON1bits.MSTEN=0; //Slave mode SPI1STATbits.SPIROV=0; //Clear overflow bit IPC2bits.SPI1IP=0x02; //Priority level is 2 IFS0bits.SPI1IF=0; //Clear int flag IEC0bits.SPI1IE=1; //Enable int SPI1STATbits.SPIEN=1; //Put on SPI module } int readSPI() { while (SPI1STATbits.SPIRBF==0) { ; } return (SPI1BUF); } int writeSPI(signed int spi_data) { int dummy; dummy=SPI1BUF; while (SPI1STATbits.SPITBF==1) { } SPI1BUF=spi_data; return 1; } <file_sep>10DOF ===== This is my homemade 10-DOF built up around a 33FJ64MC202 16-bits dsPIC microcontroller. Further more is uses a ITG3200 gyro, BMA180 accelerometer, BMP085 pressure sensor and a HMC5883L 3-axis magnetic sensor. All the filtering is done by the dsPIC. I'm using a kalman filter for the angles and a FIR filter for the altitude. Normally it communicates over a 5MHz SPI interface with data ready and SS. (RS232 for debugging) Tilt compensation for the magnetic sensor works fine now too. This unit works perfect in my quadrocopter, where i originally designed it for. But you can use it for a lot of other applications as well. See the 10DOF in action here: https://www.youtube.com/watch?v=DtUdlfKq6_U <file_sep>/* * Name : main.cpp * Function : 10DOF visualizer * Author : marald.mec * Date : July, 2011 */ #include <stdio.h> #include <stdlib.h> #include <string.h> #define _USE_MATH_DEFINES #include <math.h> #include "include/GL/glut.h" #include "include/GL/freeglut_ext.h" #include "main.h" #include <windows.h> #include <commdlg.h> #include <assert.h> #include <math.h> char keytext[100]={0}; float xangle=0, yangle=0, zangle=0,altitude=0,temp=0; FILE * fp; void init(void) { glutSetOption(GLUT_ACTION_ON_WINDOW_CLOSE, GLUT_ACTION_GLUTMAINLOOP_RETURNS); glutInitWindowSize(WIDTH,HEIGHT); glutInitWindowPosition(0,0); glShadeModel(GL_SMOOTH); glClearColor(0.0f, 0.0f, 0.0f, 1.0f); glClearDepth(1.0f); glEnable(GL_DEPTH_TEST); glDepthFunc(GL_LEQUAL); glHint(GL_PERSPECTIVE_CORRECTION_HINT, GL_NICEST); glutCreateWindow("10-DOF visualizer\t\t by Marald.mec"); glClearColor(0.1, 0.1, 0.13, 1.0); glutIdleFunc(idle); } void printText(float x, float y, float z, float r, float g, float b) { glColor3f(r, g, b); glRasterPos3f(x,y,z); for(int i=0;keytext[i]!='\0';i++) glutBitmapCharacter(GLUT_BITMAP_HELVETICA_18, keytext[i]); glutPostRedisplay(); } void draw() { glClear(GL_COLOR_BUFFER_BIT|GL_DEPTH_BUFFER_BIT); glLoadIdentity(); glEnable(GL_DEPTH_TEST); float off= altitude/100,size=0.2,ssize=0.02,lsize=0.35,sizel=0.6,sizell=0.7; off=0; glLineWidth(2); glColor3f(1,1,1); glBegin(GL_LINES); glVertex3f(-0.8,0.8-sinf(xangle/180*M_PI)/7,0.8); glVertex3f(-0.4,0.8+sinf(xangle/180*M_PI)/7,0.8); glEnd(); glBegin(GL_LINES); glVertex3f(-0.2,0.8-sinf(zangle/180*M_PI)/7,0.8); glVertex3f(0.2,0.8+sinf(zangle/180*M_PI)/7,0.8); glEnd(); glBegin(GL_LINES); glVertex3f(0.4,0.8-sinf(yangle/180*M_PI)/7,0.8); glVertex3f(0.8,0.8+sinf(yangle/180*M_PI)/7,0.8); glEnd(); gluLookAt(0,0,0, 45, 45, -90, 0, 1, 0); glColor3f(1,1,1); glBegin(GL_LINES); for(int i = 0; i < 370; i++) { float xp = sizell * cosf(i * M_PI/180); float yp = sizell * sinf(i * M_PI/180); glVertex3f(xp,0,yp); } glEnd(); glLineWidth(2); glColor3f(1,1,1); glBegin(GL_LINES); glVertex3f(0,-sizell,0); glVertex3f(0,sizell,0); glVertex3f(-sizell,0,0); glVertex3f(sizell,0,0); glVertex3f(0,0,-sizell); glVertex3f(0,0,sizell); glEnd(); sprintf(keytext,"X-Angle: %.2f \t Y-Angle: %.2f \t Z-Angle: %.2f",xangle,yangle, zangle); printText(-0.6,-0.9,0,1,1,0.9); sprintf(keytext,"Altitude: %.2f M",altitude); printText(-0.18,-0.91,0,1,1,0.9); sprintf(keytext,"Temperature: %.2f C",temp); printText(-0.25,-1.0,0,1,1,0.9); sprintf(keytext,"X-Axis"); printText(sizel+0.2,0,0,1,1,0.9); sprintf(keytext,"Y-Axis"); printText(0,sizel+0.2,-0.14,1,1,0.9); sprintf(keytext,"Z-Axis"); printText(0,0,-sizel-0.3,1,1,0.9); sprintf(keytext,"North"); printText(0,0,sizel+0.16,1,1,0.9); printf("X: %f Y: %f Z: %f A: %f T: %f\n\n", xangle, yangle,zangle, altitude, temp); glPushMatrix(); glRotatef(xangle,1,0,0); glRotatef(yangle,0,1,0); glRotatef(zangle,0,0,1); glBegin(GL_QUADS); glColor3f(1,0,0); glVertex3f(-size,-ssize+off,-lsize); glVertex3f(size,-ssize+off,-lsize); glVertex3f(size,ssize+off,-lsize); glVertex3f(-size,ssize+off,-lsize); glEnd(); glBegin(GL_QUADS); glColor3f(1,0,0); glVertex3f(-size,-ssize+off,lsize); glVertex3f(size,-ssize+off,lsize); glVertex3f(size,ssize+off,lsize); glVertex3f(-size,ssize+off,lsize); glEnd(); glBegin(GL_QUADS); glColor3f(1,0,0); glVertex3f(size,ssize+off,lsize); glVertex3f(size,ssize+off,-lsize); glVertex3f(size,-ssize+off,-lsize); glVertex3f(size,-ssize+off,lsize); glEnd(); glBegin(GL_QUADS); glColor3f(1,0,0); glVertex3f(-size,ssize+off,lsize); glVertex3f(-size,ssize+off,-lsize); glVertex3f(-size,-ssize+off,-lsize); glVertex3f(-size,-ssize+off,lsize); glEnd(); glBegin(GL_QUADS); glColor3f(1,0,0); glVertex3f(size,-ssize+off,lsize); glVertex3f(-size,-ssize+off,lsize); glVertex3f(-size,-ssize+off,-lsize); glVertex3f(size,-ssize+off,-lsize); glColor3f(0,0,0.3); glVertex3f(ssize,-ssize+off-0.01,lsize/2); glVertex3f(-ssize,-ssize+off-0.01,lsize/2); glVertex3f(-ssize,-ssize+off-0.01,-lsize); glVertex3f(ssize,-ssize+off-0.01,-lsize); glEnd(); glBegin(GL_QUADS); glColor3f(0.6,0.6,0.6); glVertex3f(size,ssize+off,lsize); glVertex3f(-size,ssize+off,lsize); glVertex3f(-size,ssize+off,-lsize); glVertex3f(size,ssize+off,-lsize); glColor3f(0,0,0.3); glVertex3f(ssize,ssize+off+0.01,lsize/2); glVertex3f(-ssize,ssize+off+0.01,lsize/2); glVertex3f(-ssize,ssize+off+0.01,-lsize); glVertex3f(ssize,ssize+off+0.01,-lsize); glEnd(); glBegin(GL_POLYGON); glVertex3f(0,ssize+off+0.001,lsize); glVertex3f(-size/3*2,ssize+off+0.001,lsize/2); glVertex3f(size/3*2,ssize+off+0.001,lsize/2); glEnd(); glBegin(GL_POLYGON); glVertex3f(0,-ssize+off-0.001,lsize); glVertex3f(-size/3*2,-ssize+off-0.001,lsize/2); glVertex3f(size/3*2,-ssize+off-0.001,lsize/2); glEnd(); glLineWidth(2); glColor3f(0,0,0.15); glBegin(GL_LINE_LOOP); glVertex3f(-size,-ssize+off,-lsize); glVertex3f(size,-ssize+off,-lsize); glVertex3f(size,ssize+off,-lsize); glVertex3f(-size,ssize+off,-lsize); glEnd(); glBegin(GL_LINE_LOOP); glVertex3f(-size,-ssize+off,lsize); glVertex3f(size,-ssize+off,lsize); glVertex3f(size,ssize+off,lsize); glVertex3f(-size,ssize+off,lsize); glEnd(); glBegin(GL_LINE_LOOP); glVertex3f(size,ssize+off,lsize); glVertex3f(size,ssize+off,-lsize); glVertex3f(size,-ssize+off,-lsize); glVertex3f(size,-ssize+off,lsize); glEnd(); glBegin(GL_LINE_LOOP); glVertex3f(-size,ssize+off,lsize); glVertex3f(-size,ssize+off,-lsize); glVertex3f(-size,-ssize+off,-lsize); glVertex3f(-size,-ssize+off,lsize); glEnd(); glBegin(GL_LINE_LOOP); glVertex3f(size,-ssize+off,lsize); glVertex3f(-size,-ssize+off,lsize); glVertex3f(-size,-ssize+off,-lsize); glVertex3f(size,-ssize+off,-lsize); glEnd(); glBegin(GL_LINE_LOOP); glVertex3f(size,ssize+off,lsize); glVertex3f(-size,ssize+off,lsize); glVertex3f(-size,ssize+off,-lsize); glVertex3f(size,ssize+off,-lsize); glEnd(); glutSwapBuffers(); glPopMatrix(); glFlush(); } void idle() { char x[10]={0},y[10]={0},z[10]={0},a[10]={0},t[10]={0}; readSerial(x,y,z,a,t); xangle=(((float)(atoi(x)))); yangle=(((float)(atoi(z)))); zangle=(((float)(atoi(y)))); altitude=(((float)(atoi(a)))); temp=(((float)(atoi(t)))); xangle/=-10; yangle/=10; zangle/=-10; altitude/=100; altitude-=60; temp/=1000; fprintf(fp,"%f %f %f %f %f\n", xangle, yangle,zangle, altitude, temp); draw(); } void openSerial() { DCB dcb; BOOL fSuccess; char com[32]; char coms[32]="\\\\.\\"; COMMTIMEOUTS timeouts = {0}; printf("Enter the COM port the IMU is connected to: "); scanf(" %s", &com); strcat(coms,com); printf("Opening %s...\n", com); hCom = CreateFileA(coms, GENERIC_READ | GENERIC_WRITE, 0, NULL, OPEN_EXISTING, NULL, NULL); //Open com-port //Set timeouts for the com timeouts.ReadTotalTimeoutConstant=10; timeouts.ReadTotalTimeoutMultiplier=1000; timeouts.WriteTotalTimeoutMultiplier=10; timeouts.WriteTotalTimeoutConstant=100; if(!SetCommTimeouts(hCom, &timeouts)) printf ("Setting timeouts failed with error %d.\n", GetLastError()); dcb.DCBlength = sizeof (dcb); //Some debugging functions if (hCom == INVALID_HANDLE_VALUE) printf ("Opening serial port failed with error %d.\n", GetLastError()); fSuccess = GetCommState(hCom, &dcb); if (!fSuccess) printf ("Reading serial port settings failed with error %d.\n", GetLastError()); // Change the DCB structure settings. dcb.BaudRate=CBR_115200; dcb.fBinary = TRUE; dcb.fParity = FALSE; dcb.fOutxCtsFlow = FALSE; dcb.fOutxDsrFlow = FALSE; dcb.fDtrControl = DTR_CONTROL_DISABLE; dcb.fDsrSensitivity = FALSE; dcb.fTXContinueOnXoff = TRUE; dcb.fOutX = FALSE; dcb.fInX = FALSE; dcb.fErrorChar = FALSE; dcb.fNull = FALSE; dcb.fRtsControl = RTS_CONTROL_ENABLE; dcb.fAbortOnError = FALSE; dcb.ByteSize = 8; dcb.Parity = NOPARITY; dcb.StopBits = ONESTOPBIT; //Apply properties fSuccess = SetCommState(hCom, &dcb); if (!fSuccess) printf ("Initialising serial port failed with error %d.\n", GetLastError()); else printf ("Opening serial port %s succesfull!\n", com); if((fp = fopen("IMU.txt","w")) == 0) printf("Cannot create output file!\n"); else printf("Output file created succesfull!\n"); fprintf(fp,"10-DOF output file. Angle: X\tY\tZ\tA\n."); } void closeSerial() { CloseHandle(hCom); fclose(fp); } int readSerial(char x[], char y[], char z[], char a[], char t[]) { DWORD nb; int i=0; while(x[0]!='X') ReadFile(hCom,x,1,&nb,0); do{ ReadFile(hCom,&x[i],1,&nb,0); i++; } while(x[i-1]!='Y'); i=0; do{ ReadFile(hCom,&y[i],1,&nb,0); i++; } while(y[i-1]!='Z'); i=0; do{ ReadFile(hCom,&z[i],1,&nb,0); i++; } while(z[i-1]!='A'); i=0; do{ ReadFile(hCom,&a[i],1,&nb,0); i++; } while(a[i-1]!='T'); i=0; do{ ReadFile(hCom,&t[i],1,&nb,0); i++; } while(t[i-1]!='N'); return nb; } int main(int argc, char* argv[]) { glutInit(&argc, argv); openSerial(); init(); glutMainLoop(); return 0; } <file_sep>/* * Name : main.c * Function : 10DOF * Author : <NAME> * Date : July, 2011 */ #define _LEGACY_HEADERS #include <p33fj64mc202.h> #include <math.h> #include <libpic30.h> #include <delay.h> #include <UART.h> #include <stdio.h> #include <stdlib.h> #include "i2c.h" #include "SPI.h" #include "def.h" _FOSCSEL(FNOSC_PRIPLL) _FOSC(POSCMD_HS) _FPOR(FPWRT_PWR128 ) _FICD(ICS_PGD1 & JTAGEN_OFF) _FWDT(FWDTEN_OFF) //offsets float gyro_offset[3]={0.85,-0.53,-1.08}; int mag_off[3]={-28,-15,56}; //Pressure sensor signed int AC1=0, AC2=0, AC3=0, B1=0, B2=0, MB=0, MC=0, MD=0; unsigned int AC4=0, AC5=0, AC6=0; signed long x1=0, x2=0, b5=0; long p=0; float lpAlt[15]={0}; float lpMult[15]={0.15,0.15,0.1,0.1,0.1,0.1,0.05,0.05,0.05,0.05,0.05,0.025,0.025,0.0,0.0}; float altitude=0; float height=0; signed long temperature=0; //Results float angle[3]={0}; float deg[3]={0}; float acc[3]={0}; float mag[3]={0}; float gyro[3]={0}; //Filter float Q_angle=0.001,Q_gyro=0.003,R_angle=0.03; float P_00[3]={0,0,0},P_01[3]={0,0,0},P_10[3]={0,0,0},P_11[3]={0,0,0},bias[3]={0,0,0}; float dt,y[3],S[3],K_0[3],K_1[3]; //Others float dt=0.002; float vector; int main() { /////////////////////////////////////////////////////////////////////////// //// Init /////// /////////////////////////////////////////////////////////////////////////// initPic(); LED1=1; DREADY=0; initSer(); initHardI2C(); delay50ms; initBMP085(); initITG3200(); initBMA180(); initHMC5883(); delay50ms; initINT(); //initSPI(); LED1=0; /////////////////////////////////////////////////////////////////////////// //// MainLoop /////// /////////////////////////////////////////////////////////////////////////// int loop=0; while(1) { //get all data getITG3200(); dt=getDt(); getBMA180(); if(loop==25||loop==50){ getHMC5883(); if(loop==25) { getTemp(); BMP085Write(0xF4, 0x34); //Request press } if(loop==50) { getAltitude(); //Calc height lpAltitude(); BMP085Write(0xF4, 0x2E); loop=0; LED1=LED1^1; debug(); } } accAngle(); filter(); DREADY=1; loop++; } } /////////////////////////////////////////////////////////////////////////// //// Init /////// /////////////////////////////////////////////////////////////////////////// void initPic() { //Init clock CLKDIVbits.PLLPRE=1; //12/3=4 PLLFBD=48; //4*(48+2)=200 CLKDIVbits.PLLPOST=0; //160/2=100 100/2=50 //Init ports TRISA=0x0000; //All output //All output, except for I2C and RX rp6 TRISB=0b0000101111000000; //All output, except for I2C and RX rp6 LATA=0x0000; //Make all ports low LATB=0x0000; } void initINT() { //Set up timer first T1CON=0b0000000000110000; //Prescaler on 1:256, source is FCY. 1=40mhz/256=156250 max=0.41 seconds. T1CONbits.TON=0; //Timer disabled TMR1=0; //Clear Timer PR1=0xFFFF; //Let the counter count untill max IPC0bits.T1IP=0x01; //Low priority IFS0bits.T1IF=0; //Clear tmr 1 int; IEC0bits.T1IE=1; //Activate int 1 } void initSer() { RPINR18bits.U1RXR=0b00110; //Portb6 is rx rp6 RPOR2=0x0300; //Portb5 is Tx rp5 U1MODEbits.UARTEN=1; //Uart is on U1MODEbits.RTSMD=1; //Simplex mode U1MODEbits.UEN=0b00; //Only Rx en Tx U1MODEbits.URXINV=0; //Not inverted, idle high U1MODEbits.BRGH=0; //Low speed U1MODEbits.PDSEL=0b00; //8 bit, no parity U1MODEbits.STSEL=0; //1 stopbit U1BRG=26;//270 //Baudrate = 9600; 40mhz/(16*19200)-1=146.9 U1STAbits.UTXISEL1=0; //Int when data is written to Tx U1STAbits.UTXISEL0=0; U1STAbits.UTXINV=0; //Not inverted, idle 1 U1STAbits.UTXEN=1; //Set tx on. U1STAbits.URXISEL=0b00; //Interrupt when character is received U1STAbits.ADDEN=0; //No adress U1STAbits.OERR=0; //Reset buffer overflow. } void debug() { printf("X%i Y%i Z%i A%i T%iN",((short)(angle[1]*10)),((short)(angle[0]*10)),((short)(angle[2]*10)), ((short)(altitude*100)),((short)(temperature*100))); //printf("DT:%f",dt); } /////////////////////////////////////////////////////////////////////////// //// HMC5883 /////// /////////////////////////////////////////////////////////////////////////// void initHMC5883() { writeHMC5883(0x01, 0b01100000); writeHMC5883(0x02, 0x00); writeHMC5883(0x00, 0b01011000); delay50ms; } void writeHMC5883(unsigned char address, unsigned char data) { startHardI2C(); writeHardI2C(HMC5883_w); //Write 0x3C writeHardI2C(address); //Write register address writeHardI2C(data); //Write value stopHardI2C(); } void getHMC5883() { short int x,y,z; float n,fax,fay,hx,hy; startHardI2C(); writeHardI2C(HMC5883_w); writeHardI2C(0x03); stopHardI2C(); repStartHardI2C(); writeHardI2C(HMC5883_r); //Write 0x3D x=((readHardI2C())<<8); ackHardI2C(); x+=(readHardI2C()); ackHardI2C(); z=((readHardI2C())<<8); ackHardI2C(); z+=(readHardI2C()); ackHardI2C(); y=((readHardI2C())<<8); ackHardI2C(); y+=(readHardI2C()); nackHardI2C(); stopHardI2C(); mag[0]=((float)(x))-mag_off[0]; mag[1]=((float)(y))-mag_off[1]; mag[2]=((float)(z))-mag_off[2]; n=sqrtf(powf(mag[0], 2)+powf(mag[1], 2)+powf(mag[2], 2)); mag[0]/=n; mag[1]/=n; mag[2]/=n; fax=(angle[0])/PIDEG; fay=(angle[1])/PIDEG; hx=mag[0]*cosf(fax)+mag[2]*sinf(fax); hy=mag[0]*sinf(fay)*sinf(fax)+mag[1]*cosf(fay)-mag[2]*sinf(fay)*cosf(fax); deg[2]=atan2f(hy,hx)*PIDEG+HEADOFF; if(deg[2]<=-180) deg[2]=deg[2]+360; } /////////////////////////////////////////////////////////////////////////// //// ITG3200 /////// /////////////////////////////////////////////////////////////////////////// void initITG3200() { writeITG3200(0x3E, 0x80); //Reset delay50ms; writeITG3200(0x15, 0x00); //Sample time 8ms writeITG3200(0x16, 0x19); //DLPF_CFG = 1, FS_SEL = 3 BW=188Hz writeITG3200(0x17, 0x00); //No int writeITG3200(0x3E, 0x01); //Clock X gyro delay50ms; } void writeITG3200(unsigned char address, unsigned char data) { startHardI2C(); writeHardI2C(ITG3200_w); //Write 0xD0 writeHardI2C(address); //Write register address writeHardI2C(data); //Write value stopHardI2C(); } void getITG3200() { int x,y,z; startHardI2C(); writeHardI2C(ITG3200_w); //Write adress gyro writeHardI2C(0x1D); //Write register address repStartHardI2C(); writeHardI2C(ITG3200_r); //write 0xD1, read adress y=((readHardI2C())<<8); //X gyro is Y acc and visa-versa ackHardI2C(); y=y+(readHardI2C()); ackHardI2C(); x=((readHardI2C())<<8); ackHardI2C(); x=x+(readHardI2C()); ackHardI2C(); z=((readHardI2C())<<8); ackHardI2C(); z=z+(readHardI2C()); nackHardI2C(); stopHardI2C(); gyro[0]=(float)(x/GYROSHIFT)-gyro_offset[0]; gyro[1]=(float)(y/GYROSHIFT)-gyro_offset[1]; gyro[2]=(float)(z/GYROSHIFT)-gyro_offset[2]; } /////////////////////////////////////////////////////////////////////////// //// BMA180 /////// /////////////////////////////////////////////////////////////////////////// void initBMA180() { int temp; temp = getRegBMA180(0x0D); //Register with ee_wprintf("\nTemp: %i", temp); temp |= 0b00010000; writeBMA180(0x0D, temp); //Set ee_w = 1, so we can write temp = getRegBMA180(0x20); temp &= 0x0F; writeBMA180(0x20, temp); //Set band pass filter to 10 hz temp = getRegBMA180(0x35); temp &= 0b11110001; temp |= 0b000000100; writeBMA180(0x35, temp); //Set range to 2g = 0.25mg/bit 4096 standard delay50ms; } void writeBMA180(unsigned char address, unsigned char data) { startHardI2C(); writeHardI2C(BMA180_w); // write adress writeHardI2C(address); // write register address writeHardI2C(data); stopHardI2C(); } unsigned char getRegBMA180(unsigned char address) { startHardI2C(); writeHardI2C(BMA180_w); // write adress writeHardI2C(address); // write register address repStartHardI2C(); writeHardI2C(BMA180_r); //Tell we want data unsigned char data = readHardI2C(); // Get byte from i2c nackHardI2C(); stopHardI2C(); return data; } void getBMA180() { unsigned char Ym, Yl, Xl, Xm, Zl, Zm; int temp; float accRaw[3]; startHardI2C(); writeHardI2C(BMA180_w); writeHardI2C(0x02); //Write register address for acc data repStartHardI2C(); writeHardI2C(BMA180_r); Yl = readHardI2C(); // Get YLSB ackHardI2C(); Ym = readHardI2C(); // Get MLSB ackHardI2C(); Xl = readHardI2C(); ackHardI2C(); Xm = readHardI2C(); ackHardI2C(); Zl = readHardI2C(); ackHardI2C(); Zm = readHardI2C(); nackHardI2C(); stopHardI2C(); temp = Xm << 8; temp |= Xl; temp = temp >> 2; if((temp>>13)==1) accRaw[0] = temp|0xE000; else accRaw[0] = temp; temp = Ym << 8; temp |= Yl; temp = temp >> 2; //Last 2 lsb are garbage. if((temp>>13)==1) accRaw[1] = temp|0xE000; else accRaw[1]=temp; temp = Zm << 8; temp |= Zl; temp = temp >> 2; if((temp>>13)==1) accRaw[2] = temp|0xE000; else accRaw[2] = temp; acc[0] = accRaw[0]/4096; acc[1] = accRaw[1]/4096; acc[2] = accRaw[2]/4096; } /////////////////////////////////////////////////////////////////////////// //// BMP085 /////// /////////////////////////////////////////////////////////////////////////// void initBMP085(){ AC1=((BMP085Read(0xAA)<<8)|(BMP085Read(0xAB))); AC2=((BMP085Read(0xAC)<<8)|(BMP085Read(0xAD))); AC3=((BMP085Read(0xAE)<<8)|(BMP085Read(0xAF))); AC4=((BMP085Read(0xB0)<<8)|(BMP085Read(0xB1))); AC5=((BMP085Read(0xB2)<<8)|(BMP085Read(0xB3))); AC6=((BMP085Read(0xB4)<<8)|(BMP085Read(0xB5))); B1=((BMP085Read(0xB6)<<8)|(BMP085Read(0xB7))); B2=((BMP085Read(0xB8)<<8)|(BMP085Read(0xB9))); MB=((BMP085Read(0xBA)<<8)|(BMP085Read(0xBB))); MC=((BMP085Read(0xBC)<<8)|(BMP085Read(0xBD))); MD=((BMP085Read(0xBE)<<8)|(BMP085Read(0xBF))); } unsigned char BMP085Read(unsigned char address) { unsigned char data; startHardI2C(); writeHardI2C(BMP085_w); writeHardI2C(address); // write register address repStartHardI2C(); writeHardI2C(BMP085_r); data = readHardI2C(); // Get MSB result nackHardI2C(); stopHardI2C(); return data; } void BMP085Write(unsigned char address, unsigned char data) { startHardI2C(); writeHardI2C(BMP085_w); writeHardI2C(address); writeHardI2C(data); stopHardI2C(); } void getTemp() { signed long ut=0; ut =((BMP085Read(0xF6)<<8)+(BMP085Read(0xF7))); //Get temp ut &= 0x0000FFFF; x1 = (((long)ut - AC6)* AC5) >> 15; x2 = ((long)MC << 11)/(x1 + MD); b5 = x1 + x2; temperature = (b5 + 8) >> 4; } void getAltitude() { long up=0; long b6, x3, b3; unsigned long b4, b7; float t; up=((BMP085Read(0xF6)<<8)+(BMP085Read(0xF7))); up &= 0x0000FFFF; b6 = b5 - 4000; x1 = (B2 * (b6 * b6 >> 12)) >> 11; x2 = AC2 * b6 >> 11; x3 = x1 + x2; b3 = (((unsigned long)AC1 * 4 + x3) + 2)/4; x1 = AC3 * b6 >> 13; x2 = (B1 * (b6 * b6 >> 12)) >> 16; x3 = ((x1 + x2) + 2) >> 2; b4 = (AC4 * (unsigned long) (x3 + 32768)) >> 15; b7 = ((unsigned long)up - b3) * (50000 >> 0); p = b7 < 0x80000000 ? (b7 * 2) / b4 : (b7 / b4) * 2; x1 = (p >> 8) * (p >> 8); x1 = (x1 * 3038) >> 16; x2 = (-7357 * p) >> 16; p = p + ((x1 + x2 + 3791) >> 4); t=(float)p/PRESSOFF; height = (44330 * (1 - powf(t, 0.190295))); // pressure at sealevel=101325, 0.190295=1/5.255 } /////////////////////////////////////////////////////////////////////////// //// Filters /////// /////////////////////////////////////////////////////////////////////////// void accAngle() { vector = sqrtf(powf(acc[0],2)+powf(acc[1],2)+powf(acc[2],2));//Normalizing the angles here, first i calculate the lenght of the netto vector. acc[0] = acc[0]/vector; //Then i calculate the relative lenght of each vector. acc[1] = acc[1]/vector; acc[2] = acc[2]/vector; deg[1]=((atan2f(acc[1],acc[2]))*PIDEG); if(deg[1]>90) deg[0]=((atan2f(acc[0],acc[1]))*PIDEG); else if(deg[1]<-90) deg[0]=((atan2f(acc[0],-acc[2]))*PIDEG); else deg[0]=((atan2f(acc[0],acc[2]))*PIDEG); } void filter() { int k; for(k=0;k<3;k++) { if(((vector<3&&vector>0.3)&&(k==0||k==1))||((angle[0]<85&&angle[0]>-85&&angle[1]<85&&angle[1]>-85)&&k==2)) //Check wether the accelerometer values are reliable or not. { angle[k]+=dt*(gyro[k]-bias[k]); P_00[k]+=-dt*(P_10[k]+P_01[k])+Q_angle*dt; P_01[k]+=-dt*P_11[k]; P_10[k]+=-dt*P_11[k]; P_11[k]+=+Q_gyro*dt; y[k]=deg[k]-angle[k]; S[k]=P_00[k]+R_angle; K_0[k]=P_00[k]/S[k]; K_1[k]=P_10[k]/S[k]; angle[k]+=K_0[k]*y[k]; bias[k]+=K_1[k]*y[k]; P_00[k]-=K_0[k]*P_00[k]; P_01[k]-=K_0[k]*P_01[k]; P_10[k]-=K_1[k]*P_00[k]; P_11[k]-=K_1[k]*P_01[k]; } else { angle[k]+=gyro[k]*dt; } } } void lpAltitude() { int k=0; float t=0; for(k=13; k>=0; k--){ lpAlt[k+1]=lpAlt[k]; t+=lpAlt[k+1]*lpMult[k+1]; } lpAlt[0]=height; altitude = (t + (lpAlt[0]*lpMult[0])); } /////////////////////////////////////////////////////////////////////////// //// DT /////// /////////////////////////////////////////////////////////////////////////// float getDt() { float t; T1CONbits.TON=0; t=(float)TMR1; t/=195310; //40mhz/256=156250 50mhz=195310 TMR1=0; T1CONbits.TON=1; return t; } /////////////////////////////////////////////////////////////////////////// //// SPI Int /////// /////////////////////////////////////////////////////////////////////////// void __attribute__((interrupt, auto_psv)) _SPI1Interrupt(void) { int spi_out=0, timeout=0; unsigned int spi_in; IEC0bits.SPI1IE=0; //Disable SPI Int IFS0bits.SPI1IF=0; SPI1STATbits.SPIROV=0; //Clear overflow bit while(SPI1STATbits.SPIRBF==0) { timeout++; if(timeout>400) break; } DREADY=0; spi_in=SPI1BUF; switch(spi_in) { case XANGLE: LED1=LED1^1; spi_out=((signed int)(angle[1] * SHIFT)); break; case YANGLE: LED1=LED1^1; spi_out=((signed int)(angle[0] * SHIFT)); break; case ZANGLE: LED1=LED1^1; spi_out=((signed int)(angle[2] * SHIFT)); break; case DT: LED1=LED1^1; spi_out=((unsigned int)(dt*1000000)); break; case ALTITUDE: LED1=LED1^1; spi_out=((signed int)(altitude * SHIFT)); break; case TEMP: LED1=LED1^1; spi_out=((signed int)(temperature * SHIFT)); break; case XACC: LED1=LED1^1; spi_out=((signed int)(acc[1]*LSHIFT)); break; case YACC: LED1=LED1^1; spi_out=((signed int)(acc[0]*LSHIFT)); break; case ZACC: LED1=LED1^1; spi_out=((signed int)(acc[2]*LSHIFT)); break; case XGYRO: LED1=LED1^1; spi_out=((signed int)(gyro[1]*GYROSHIFT)); break; case YGYRO: LED1=LED1^1; spi_out=((signed int)(gyro[0]*GYROSHIFT)); break; case ZGYRO: LED1=LED1^1; spi_out=((signed int)(gyro[2]*GYROSHIFT)); break; case XMAG: LED1=LED1^1; spi_out=((signed int)(mag[1]*LSHIFT)); break; case YMAG: LED1=LED1^1; spi_out=((signed int)(mag[0]*LSHIFT)); break; case ZMAG: LED1=LED1^1; spi_out=((signed int)(mag[2]*LSHIFT)); break; case RESET: delay5ms; asm("reset"); break; } int dummy; dummy=SPI1BUF; while (SPI1STATbits.SPITBF==1) { timeout++; if(timeout>800) break; } SPI1BUF=spi_out; IFS0bits.SPI1IF=0; //Clear Int flag IEC0bits.SPI1IE=1; //Set int on. } /////////////////////////////////////////////////////////////////////////// //// Error /////// /////////////////////////////////////////////////////////////////////////// void _ISR _T1Interrupt(void) //Timer int, cycle took more then 0.419s to complete { IEC0bits.T1IE=0; IFS0bits.T1IF=0; asm("RESET"); } void _ISR _OscillatorFail(void) { asm("RESET"); } void _ISR _AddressError(void) { asm("RESET"); } void _ISR _StackError(void) { asm("RESET"); } void _ISR _MathError(void) { asm("RESET"); } <file_sep>//All defines used in the code //Addresses chips #define BMA180_r 0x81 #define BMA180_w 0x80 #define ITG3200_w 0xD0 #define ITG3200_r 0xD1 #define HMC5883_w 0x3C #define HMC5883_r 0x3D #define BMP085_w 0xEE #define BMP085_r 0xEF //Ports connected to the leds #define LED1 LATBbits.LATB10 #define DREADY LATBbits.LATB13 //Input codes SPI #define XANGLE 0x0040 #define YANGLE 0x0041 #define ZANGLE 0x0042 #define DT 0x0050 #define TEMP 0x0051 #define ALTITUDE 0x0052 #define XGYRO 0x0060 #define YGYRO 0x0061 #define ZGYRO 0x0062 #define XACC 0x0070 #define YACC 0x0071 #define ZACC 0x0072 #define XMAG 0x0080 #define YMAG 0x0081 #define ZMAG 0x0082 #define RESET 0x00F4 //Other defines #define PIDEG 57.29577951 //180/pi #define SHIFT 128 //2^7 SHIFT used for data #define LSHIFT 4096 #define GYROSHIFT 14.375 #define HEADOFF -74 #define PRESSOFF 101325 //Airpressure on sealevel #define delay5ms __delay32(200000) #define delay50ms __delay32(2000000) //Init void initPic(); void initITG3200(); void initBMA180(); void initHMC5883(); void initINT(); void initHardI2C(); void initBMP085(); //I2C hardware functions void nackHardI2C(void); void waitForIdleHardI2C(void); void repStartHardI2C(void); void startHardI2C(void); void stopHardI2C(void); unsigned char readHardI2C( void ); void ackHardI2C(void); unsigned char writeHardI2C( unsigned char i2cWD); //I2C software functions int writeSPI(int data); int readSPI(); void initSPI(); void initSer(); //Get data functions void getITG3200(); void writeITG3200(unsigned char address, unsigned char data); void getBMA180(); void writeBMA180(unsigned char address, unsigned char data); unsigned char getRegBMA180(unsigned char address); void writeHMC5883(unsigned char address, unsigned char data); void getHMC5883(); //pressure sensor unsigned char BMP085Read(unsigned char address); void BMP085Write(unsigned char address, unsigned char data); void getAltitude(); void lpAltitude(); void getTemp(); //Some other void debug(); float getDt(); //Math functions void accAngle(); void filter(); <file_sep>#ifndef MAIN_H #define MAIN_H const int WIDTH = 800; const int HEIGHT = 800; const int DEPTH = 800; int main(int argc, char* argv[]); void init(void); void printText(float x, float y, float z, float r, float g, float b); void draw(); void idle(); //Serial functions int readSerial(char x[], char y[], char z[], char a[], char t[]); static HANDLE hCom; void openSerial(); void closeSerial(); #endif<file_sep>#include <p33FJ64MC202.h> void initHardI2C() { I2C1BRG=50; //80mhz 1000khz=33 400khz=93, 100khz=393// I2C1CONbits.I2CEN=1; //I2c on. I2C1CONbits.SCLREL=0; //Clock stretch on I2C1CONbits.A10M=0; //7 bit adress I2C1CONbits.DISSLW=1; //No slew rate I2C1CONbits.SMEN=0; I2C1CONbits.GCEN=0; I2C1CONbits.ACKDT=0; I2C1CONbits.ACKEN=0; I2C1CONbits.RCEN=0; I2C1CONbits.PEN=0; I2C1CONbits.RSEN=0; I2C1CONbits.SEN=0; } void waitForIdleHardI2C(void) { while ( IFS1bits.MI2C1IF==0 ) { } IFS1bits.MI2C1IF=0; } void repStartHardI2C(void) { I2C1CONbits.RSEN=1; waitForIdleHardI2C(); } void startHardI2C(void) { I2C1CONbits.SEN=1; waitForIdleHardI2C(); } void stopHardI2C(void) { I2C1CONbits.PEN=1; waitForIdleHardI2C(); } unsigned char readHardI2C( void ) { I2C1CONbits.RCEN=1; waitForIdleHardI2C(); return ( I2C1RCV ); } unsigned char writeHardI2C( unsigned char i2cWD ) { while ( I2C1STATbits.TRSTAT==1 ) { } I2C1TRN=i2cWD; waitForIdleHardI2C(); return (!I2C1STATbits.ACKSTAT); } void ackHardI2C(void) { I2C1CONbits.ACKDT=0; I2C1CONbits.ACKEN=1; waitForIdleHardI2C(); } void nackHardI2C(void) { I2C1CONbits.ACKDT=1; I2C1CONbits.ACKEN=1; waitForIdleHardI2C(); }
b696a705061afe8429d2e7f00f8501e491e4f097
[ "Markdown", "C++", "C" ]
7
Markdown
bli19/10DOF
9a0c6d4e82f7ae41ddd521a2dd52894939eca3fa
b0a285804209f713981ef58604d9ab11c090785e
refs/heads/master
<file_sep>const { callbackify } = require('lambda-callbackify'); const path = (path, pambda) => next => { next = callbackify(next); let cachedLambda; return (event, context, callback) => { const lambda = path === event.path ? (cachedLambda || (cachedLambda = pambda(next))) : next; return lambda(event, context, callback); }; }; const mount = (basePath, pambda) => next => { next = callbackify(next); let cachedLambda; return (event, context, callback) => { let { path = '' } = event; if (!path.startsWith(basePath)) { return next(event, context, callback); } path = path.substr(basePath.length); if (!path.startsWith('/')) { path = '/' + path; } event = Object.assign({}, event); event.path = path; (cachedLambda || (cachedLambda = pambda(next)))(event, context, callback); }; }; const combineByPath = options => next => { next = callbackify(next); const lambdaMappings = {}; return (event, context, callback) => { const { path } = event; const cachedLambda = lambdaMappings[path]; if (cachedLambda) { return cachedLambda(event, context, callback); } const pambda = options[path]; if (!pambda) { return next(event, context, callback); } return (lambdaMappings[path] = pambda(next))(event, context, callback); }; }; /* * Exports. */ exports.path = path; exports.mount = mount; exports.combineByPath = combineByPath; <file_sep># pambda-path ## Installation ``` npm i pambda-path ``` ## Usage ``` javascript const { compose, createLambda } = require('pambda'); const { path, combineByPath } = require('pambda-path'); exports.handler = createLambda( compose( path('/', next => (event, context, callback) => { // Render top page. }), combineByPath({ '/foo': next => (event, context, callback) => { // Do something. }), '/bar': next => (event, context, callback) => { // Do something. }), }), ) ); ``` ## path(path, pambda) Generate a pambda that runs a specified pambda only if a path of an event exactly matches to a specified path. - `path` - `pambda` - A pambda function that is executed if a path matched. ## Related - [pambda-router](https://github.com/pambda/pambda-router) ## License MIT <file_sep>const test = require('tape'); const { path, mount, combineByPath, } = require('..'); test('test path()', t => { t.plan(4); const pambda = path('/foo', next => (event, context, callback) => { callback(null, 'foo'); }); const lambda = pambda((event, context, callback) => { callback(null, 'bar'); }); lambda({ path: '/foo', }, {}, (err, result) => { t.error(err); t.equal(result, 'foo'); }); lambda({ path: '/bar', }, {}, (err, result) => { t.error(err); t.equal(result, 'bar'); }); }); test('test mount()', t => { t.plan(4); const pambda = mount('/foo', next => (event, context, callback) => { callback(null, event.path); }); const lambda = pambda((event, context, callback) => { callback(null, true); }); lambda({ path: '/foo/bar', }, {}, (err, result) => { t.error(err); t.equal(result, '/bar'); }); lambda({ path: '/bar', }, {}, (err, result) => { t.error(err); t.equal(result, true); }); }); test('test combineByPath()', t => { t.plan(4); const pambda = combineByPath({ '/foo': next => (event, context, callback) => { callback(null, 'foo'); }, }); const lambda = pambda((event, context, callback) => { callback(null, 'bar'); }); lambda({ path: '/foo', }, {}, (err, result) => { t.error(err); t.equal(result, 'foo'); }); lambda({ path: '/bar', }, {}, (err, result) => { t.error(err); t.equal(result, 'bar'); }); });
fa0abc71719eda99482c0973d64489286a78f072
[ "Markdown", "JavaScript" ]
3
Markdown
pambda/pambda-path
7ec6bb6ead2f3c0ddf1f2bd6ebce8ccc5a5b824a
96f7c04b93504be1c04fb69c56ab0d61c219060a
refs/heads/master
<repo_name>wasanthag/tfe201_examples<file_sep>/basic_terraform/outputs.tf output "Web_Server_IP" { value = module.ec2-instance.public_ip } <file_sep>/basic_terraform/main.tf provider "aws" { region = "us-east-1" } module "vpc" { source = "terraform-aws-modules/vpc/aws" name = var.vpc_name cidr = "10.0.0.0/16" azs = ["us-east-1a", "us-east-1b"] public_subnets = ["10.0.101.0/24", "10.0.102.0/24"] enable_nat_gateway = true tags = { Terraform = "true" Environment = "${var.pod_name}-tfe201-training" } } #data "aws_subnet_ids" "all" { # vpc_id = module.vpc.vpc_id # tags = { # Name = "${var.pod_name}-tfe201-training" # } #} module "security_group" { source = "terraform-aws-modules/security-group/aws" version = "~> 3.0" name = "mci-3tier-app" description = "Security group for example usage with EC2 instance" vpc_id = module.vpc.vpc_id ingress_cidr_blocks = ["0.0.0.0/0"] ingress_rules = ["http-80-tcp", "all-icmp"] egress_rules = ["all-all"] } module "ec2-instance" { source = "terraform-aws-modules/ec2-instance/aws" version = "~> 2.0" instance_count = 1 name = "${var.pod_name}-vm" key_name = var.ec2_key ami = var.ami_id instance_type = var.machine_type subnet_id = module.vpc.public_subnets[0] vpc_security_group_ids = [module.security_group.this_security_group_id] associate_public_ip_address = true root_block_device = [ { volume_type = "gp2" volume_size = 40 }, ] tags = { "Env" = "${var.pod_name}-tfe201-training" "Location" = "AWS-US-EAST-1" } } <file_sep>/jenkins_example/variables.tf variable vpc_id { description = "ID of the ATC routable VPC" } variable ec2_key { description = "ec2 key" } variable machine_type { description = "aws machine type" } variable ami_id { description = "ID of the Windows AMI" } <file_sep>/basic_terraform/variables.tf variable pod_name { description = "name of the student pod" } variable vpc_name { description = "name for VPC" } variable ec2_key { description = "ec2 key pair name" } variable machine_type { description = "aws machine type" } variable ami_id { description = "ID of the AMI image" } <file_sep>/README.md This repo contains example files for TFE 201 training. - basic examples - jenkins example ## How To Run basic basic example ## How To Run Jenkins example Configure the TFE workspace variables, * pod_name - student pod name * vpc_name - vpc name * machine_type - t2.micro * ec2_key pair * ami_id - ubuntu-18.04-amd64-server (ami-0d0032af1da6905c7) Configure the TFE environment variables * AWS_DEFAULT_REGION * AWS_ACCESS_KEY_ID * AWS_SECRET_ACCESS_KEY Create a Team API token and use it in the .terraformrc ``` #cp .terraformrc ~/ or export TF_CLI_CONFIG_FILE=./terraformrc export token=xxxxxx (TFE team token) terraform init -backend-config="token=$token" terraform apply terraform destroy ``` <file_sep>/jenkins_example/terraform.tf terraform { backend "remote" { hostname = "tfe.wwtmci.com" organization = "finance" workspaces { name = "app1" } } } <file_sep>/jenkins_example/main.tf provider "aws" { region = "us-east-1" } data "aws_subnet_ids" "all" { vpc_id = var.vpc_id tags = { Name = "ATC-Routable" } } module "security_group" { source = "terraform-aws-modules/security-group/aws" version = "~> 3.0" name = "mci-3tier-app" description = "Security group for example usage with EC2 instance" vpc_id = var.vpc_id ingress_cidr_blocks = ["0.0.0.0/0"] ingress_rules = ["http-80-tcp", "rdp-tcp", "all-icmp"] ingress_with_cidr_blocks = [ { from_port = 5000 to_port = 5000 protocol = "tcp" description = "flask-service port" cidr_blocks = "0.0.0.0/0" }] egress_rules = ["all-all"] } module "ec2-instance" { source = "tfe.wwtmci.com/finance/ec2-instance/aws" version = "~> 2.0" instance_count = 1 name = "web" key_name = var.ec2_key ami = var.ami_id instance_type = var.machine_type subnet_id = tolist(data.aws_subnet_ids.all.ids)[0] vpc_security_group_ids = [module.security_group.this_security_group_id] associate_public_ip_address = false root_block_device = [ { volume_type = "gp2" volume_size = 40 }, ] tags = { "Env" = "MCI-AWS-PROD" "Location" = "AWS-US-EAST-1" } } <file_sep>/jenkins_example/outputs.tf output "Web_Server_IP" { value = module.ec2-instance.private_ip }
ad62be4d711a9ac071329154a27983d7127e1213
[ "Markdown", "HCL" ]
8
Markdown
wasanthag/tfe201_examples
0cba93d5c17eee1a1d7dfd1b83ee492b06ffeb24
004793053926650b4c2819da5dd7e4f0b54b5407
refs/heads/master
<file_sep>package com.ludoboardgame; public class Player { private String playerName = ""; private String playerColor = ""; private int currentPawn = 0; private Pawn[] pawns; public Player(String playerName, String playerColor, Pawn playerPawn1, Pawn playerPawn2, Pawn playerPawn3, Pawn playerPawn4) { this.playerName = playerName; this.playerColor = playerColor; pawns = new Pawn[]{playerPawn1, playerPawn2, playerPawn3, playerPawn4}; } public Pawn[] getPawns() { return pawns; } public String getPlayerName() { return playerName; } public void setPlayerName(String playerName) { this.playerName = playerName; } public String getPlayerColor() { return playerColor; } public void setPlayerColor(String playerColor) { this.playerColor = playerColor; } public Pawn getCurrentPawn() { return pawns[currentPawn]; } public void setCurrentPawn(int currentPawn) { this.currentPawn = currentPawn; } } <file_sep>package com.ludoboardgame; import javafx.scene.image.Image; import javafx.scene.image.ImageView; import javafx.scene.layout.GridPane; public class Pawn { private int pawnIndex; private Position homePosition; private Image pawnImage; private ImageView imgPawn = new ImageView(pawnImage); private int currentPosIndex = 0; private Position[] path; public Pawn(int pawnIndex, Position[] path, Image pawnImage, ImageView imgPawn) { this.pawnIndex = pawnIndex; this.homePosition = path[0]; this.path = path; this.pawnImage = pawnImage; this.imgPawn = imgPawn; } public Position getHomePosition() { return homePosition; } public Position[] getPath() { return path; } public int getPawnIndex() { return pawnIndex; } public Image getPawnImage() { return pawnImage; } public void setPawnImage(Image pawnImage) { this.pawnImage = pawnImage; } public ImageView getImgPawn() { return imgPawn; } public void setCurrentPosIndex(int currentPosIndex) { this.currentPosIndex = currentPosIndex; } public Position getNextPosition() { return path[++currentPosIndex]; //return path[1]; } public Position getCurrentPosition(){ return path[currentPosIndex]; } public int getCurrentPosIndex() { return currentPosIndex; } public Position getNextPositionBehindHome(int diceResult){ return path[currentPosIndex+diceResult]; } public int getNextPosIndex(int diceResult){return currentPosIndex+diceResult;} } <file_sep>package com.ludoboardgame; public class Position { private int fx; private int fy; public Position(int fx, int fy) { this.fx = fx; this.fy = fy; } public int getFx() { return fx; } public void setFx(int fx) { this.fx = fx; } public int getFy() { return fy; } public void setFy(int fy) { this.fy = fy; } public static Position[] getYellowPath(int homePositionX, int homePositionY) { Position[] yellowPath = new Position[45]; yellowPath[0] = new Position(homePositionX, homePositionY); //home yellowPath[1] = new Position(4, 10);//start yellowPath[2] = new Position(4, 9); yellowPath[3] = new Position(4, 8); yellowPath[4] = new Position(4, 7); yellowPath[5] = new Position(4, 6); yellowPath[6] = new Position(3, 6); yellowPath[7] = new Position(2, 6); yellowPath[8] = new Position(1, 6); yellowPath[9] = new Position(0, 6); yellowPath[10] = new Position(0, 5); yellowPath[11] = new Position(0, 4); yellowPath[12] = new Position(1, 4); yellowPath[13] = new Position(2, 4); yellowPath[14] = new Position(3, 4); yellowPath[15] = new Position(4, 4); yellowPath[16] = new Position(4, 3); yellowPath[17] = new Position(4, 2); yellowPath[18] = new Position(4, 1); yellowPath[19] = new Position(4, 0); yellowPath[20] = new Position(5, 0); yellowPath[21] = new Position(6, 0); yellowPath[22] = new Position(6, 1); yellowPath[23] = new Position(6, 2); yellowPath[24] = new Position(6, 3); yellowPath[25] = new Position(6, 4); yellowPath[26] = new Position(7, 4); yellowPath[27] = new Position(8, 4); yellowPath[28] = new Position(9, 4); yellowPath[29] = new Position(10, 4); yellowPath[30] = new Position(10, 5); yellowPath[31] = new Position(10, 6); yellowPath[32] = new Position(9, 6); yellowPath[33] = new Position(8, 6); yellowPath[34] = new Position(7, 6); yellowPath[35] = new Position(6, 6); yellowPath[36] = new Position(6, 7); yellowPath[37] = new Position(6, 8); yellowPath[38] = new Position(6, 9); yellowPath[39] = new Position(6, 10); yellowPath[40] = new Position(5, 10);//last white field yellowPath[41] = new Position(5, 9);//finish yellowPath[42] = new Position(5, 8);//finish yellowPath[43] = new Position(5, 7);//finish yellowPath[44] = new Position(5, 6);//finish return yellowPath; } public static Position[] getYellowPath2() { Position[] yellowPath2 = new Position[45]; yellowPath2[0] = new Position(1, 9); //home yellowPath2[1] = new Position(4, 10);//start yellowPath2[2] = new Position(4, 9); yellowPath2[3] = new Position(4, 8); yellowPath2[4] = new Position(4, 7); yellowPath2[5] = new Position(4, 6); yellowPath2[6] = new Position(3, 6); yellowPath2[7] = new Position(2, 6); yellowPath2[8] = new Position(1, 6); yellowPath2[9] = new Position(0, 6); yellowPath2[10] = new Position(0, 5); yellowPath2[11] = new Position(0, 4); yellowPath2[12] = new Position(1, 4); yellowPath2[13] = new Position(2, 4); yellowPath2[14] = new Position(3, 4); yellowPath2[15] = new Position(4, 4); yellowPath2[16] = new Position(4, 3); yellowPath2[17] = new Position(4, 2); yellowPath2[18] = new Position(4, 1); yellowPath2[19] = new Position(4, 0); yellowPath2[20] = new Position(5, 0); yellowPath2[21] = new Position(6, 0); yellowPath2[22] = new Position(6, 1); yellowPath2[23] = new Position(6, 2); yellowPath2[24] = new Position(6, 3); yellowPath2[25] = new Position(6, 4); yellowPath2[26] = new Position(7, 4); yellowPath2[27] = new Position(8, 4); yellowPath2[28] = new Position(9, 4); yellowPath2[29] = new Position(10, 4); yellowPath2[30] = new Position(10, 5); yellowPath2[31] = new Position(10, 6); yellowPath2[32] = new Position(9, 6); yellowPath2[33] = new Position(8, 6); yellowPath2[34] = new Position(7, 6); yellowPath2[35] = new Position(6, 6); yellowPath2[36] = new Position(6, 7); yellowPath2[37] = new Position(6, 8); yellowPath2[38] = new Position(6, 9); yellowPath2[39] = new Position(6, 10); yellowPath2[40] = new Position(5, 10);//last white field yellowPath2[41] = new Position(5, 9);//finish yellowPath2[42] = new Position(5, 8);//finish yellowPath2[43] = new Position(5, 7);//finish yellowPath2[44] = new Position(5, 6);//finish return yellowPath2; } public static Position[] getYellowPath3() { Position[] yellowPath3 = new Position[45]; yellowPath3[0] = new Position(0, 10); //home yellowPath3[1] = new Position(4, 10);//start yellowPath3[2] = new Position(4, 9); yellowPath3[3] = new Position(4, 8); yellowPath3[4] = new Position(4, 7); yellowPath3[5] = new Position(4, 6); yellowPath3[6] = new Position(3, 6); yellowPath3[7] = new Position(2, 6); yellowPath3[8] = new Position(1, 6); yellowPath3[9] = new Position(0, 6); yellowPath3[10] = new Position(0, 5); yellowPath3[11] = new Position(0, 4); yellowPath3[12] = new Position(1, 4); yellowPath3[13] = new Position(2, 4); yellowPath3[14] = new Position(3, 4); yellowPath3[15] = new Position(4, 4); yellowPath3[16] = new Position(4, 3); yellowPath3[17] = new Position(4, 2); yellowPath3[18] = new Position(4, 1); yellowPath3[19] = new Position(4, 0); yellowPath3[20] = new Position(5, 0); yellowPath3[21] = new Position(6, 0); yellowPath3[22] = new Position(6, 1); yellowPath3[23] = new Position(6, 2); yellowPath3[24] = new Position(6, 3); yellowPath3[25] = new Position(6, 4); yellowPath3[26] = new Position(7, 4); yellowPath3[27] = new Position(8, 4); yellowPath3[28] = new Position(9, 4); yellowPath3[29] = new Position(10, 4); yellowPath3[30] = new Position(10, 5); yellowPath3[31] = new Position(10, 6); yellowPath3[32] = new Position(9, 6); yellowPath3[33] = new Position(8, 6); yellowPath3[34] = new Position(7, 6); yellowPath3[35] = new Position(6, 6); yellowPath3[36] = new Position(6, 7); yellowPath3[37] = new Position(6, 8); yellowPath3[38] = new Position(6, 9); yellowPath3[39] = new Position(6, 10); yellowPath3[40] = new Position(5, 10);//last white field yellowPath3[41] = new Position(5, 9);//finish yellowPath3[42] = new Position(5, 8);//finish yellowPath3[43] = new Position(5, 7);//finish yellowPath3[44] = new Position(5, 6);//finish return yellowPath3; } public static Position[] getYellowPath4() { Position[] yellowPath4 = new Position[45]; yellowPath4[0] = new Position(1, 10); //home yellowPath4[1] = new Position(4, 10);//start yellowPath4[2] = new Position(4, 9); yellowPath4[3] = new Position(4, 8); yellowPath4[4] = new Position(4, 7); yellowPath4[5] = new Position(4, 6); yellowPath4[6] = new Position(3, 6); yellowPath4[7] = new Position(2, 6); yellowPath4[8] = new Position(1, 6); yellowPath4[9] = new Position(0, 6); yellowPath4[10] = new Position(0, 5); yellowPath4[11] = new Position(0, 4); yellowPath4[12] = new Position(1, 4); yellowPath4[13] = new Position(2, 4); yellowPath4[14] = new Position(3, 4); yellowPath4[15] = new Position(4, 4); yellowPath4[16] = new Position(4, 3); yellowPath4[17] = new Position(4, 2); yellowPath4[18] = new Position(4, 1); yellowPath4[19] = new Position(4, 0); yellowPath4[20] = new Position(5, 0); yellowPath4[21] = new Position(6, 0); yellowPath4[22] = new Position(6, 1); yellowPath4[23] = new Position(6, 2); yellowPath4[24] = new Position(6, 3); yellowPath4[25] = new Position(6, 4); yellowPath4[26] = new Position(7, 4); yellowPath4[27] = new Position(8, 4); yellowPath4[28] = new Position(9, 4); yellowPath4[29] = new Position(10, 4); yellowPath4[30] = new Position(10, 5); yellowPath4[31] = new Position(10, 6); yellowPath4[32] = new Position(9, 6); yellowPath4[33] = new Position(8, 6); yellowPath4[34] = new Position(7, 6); yellowPath4[35] = new Position(6, 6); yellowPath4[36] = new Position(6, 7); yellowPath4[37] = new Position(6, 8); yellowPath4[38] = new Position(6, 9); yellowPath4[39] = new Position(6, 10); yellowPath4[40] = new Position(5, 10);//last white field yellowPath4[41] = new Position(5, 9);//finish yellowPath4[42] = new Position(5, 8);//finish yellowPath4[43] = new Position(5, 7);//finish yellowPath4[44] = new Position(5, 6);//finish return yellowPath4; } public static Position[] getBluePath(int homePositionX, int homePositionY) { Position[] bluePath1 = new Position[45]; bluePath1[0] = new Position(homePositionX, homePositionY); //home bluePath1[1] = new Position(0, 4);//start bluePath1[2] = new Position(1, 4); bluePath1[3] = new Position(2, 4); bluePath1[4] = new Position(3, 4); bluePath1[5] = new Position(4, 4); bluePath1[6] = new Position(4, 3); bluePath1[7] = new Position(4, 2); bluePath1[8] = new Position(4, 1); bluePath1[9] = new Position(4, 0); bluePath1[10] = new Position(5, 0); bluePath1[11] = new Position(6, 0); bluePath1[12] = new Position(6, 1); bluePath1[13] = new Position(6, 2); bluePath1[44] = new Position(6, 3); bluePath1[15] = new Position(6, 4); bluePath1[16] = new Position(7, 4); bluePath1[17] = new Position(8, 4); bluePath1[18] = new Position(9, 4); bluePath1[19] = new Position(10, 4); bluePath1[20] = new Position(10, 5); bluePath1[21] = new Position(10, 6); bluePath1[22] = new Position(9, 6); bluePath1[23] = new Position(8, 6); bluePath1[24] = new Position(7, 6); bluePath1[25] = new Position(6, 6); bluePath1[26] = new Position(6, 7); bluePath1[27] = new Position(6, 8); bluePath1[28] = new Position(6, 9); bluePath1[29] = new Position(6, 10); bluePath1[30] = new Position(5, 10); bluePath1[31] = new Position(4, 10); bluePath1[32] = new Position(4, 9); bluePath1[33] = new Position(4, 8); bluePath1[34] = new Position(4, 7); bluePath1[35] = new Position(4, 6); bluePath1[36] = new Position(3, 6); bluePath1[37] = new Position(2, 6); bluePath1[38] = new Position(1, 6); bluePath1[39] = new Position(0, 6); bluePath1[40] = new Position(0, 5);//last white field bluePath1[41] = new Position(1, 5);//finish bluePath1[42] = new Position(2, 5);//finish bluePath1[43] = new Position(3, 5);//finish bluePath1[44] = new Position(4, 5);//finish return bluePath1; } public static Position[] getBluePath2() { Position[] bluePath2 = new Position[45]; bluePath2[0] = new Position(1, 0); //home bluePath2[1] = new Position(0, 4);//start bluePath2[2] = new Position(1, 4); bluePath2[3] = new Position(2, 4); bluePath2[4] = new Position(3, 4); bluePath2[5] = new Position(4, 4); bluePath2[6] = new Position(4, 3); bluePath2[7] = new Position(4, 2); bluePath2[8] = new Position(4, 1); bluePath2[9] = new Position(4, 0); bluePath2[10] = new Position(5, 0); bluePath2[11] = new Position(6, 0); bluePath2[12] = new Position(6, 1); bluePath2[13] = new Position(6, 2); bluePath2[44] = new Position(6, 3); bluePath2[15] = new Position(6, 4); bluePath2[16] = new Position(7, 4); bluePath2[17] = new Position(8, 4); bluePath2[18] = new Position(9, 4); bluePath2[19] = new Position(10, 4); bluePath2[20] = new Position(10, 5); bluePath2[21] = new Position(10, 6); bluePath2[22] = new Position(9, 6); bluePath2[23] = new Position(8, 6); bluePath2[24] = new Position(7, 6); bluePath2[25] = new Position(6, 6); bluePath2[26] = new Position(6, 7); bluePath2[27] = new Position(6, 8); bluePath2[28] = new Position(6, 9); bluePath2[29] = new Position(6, 10); bluePath2[30] = new Position(5, 10); bluePath2[31] = new Position(4, 10); bluePath2[32] = new Position(4, 9); bluePath2[33] = new Position(4, 8); bluePath2[34] = new Position(4, 7); bluePath2[35] = new Position(4, 6); bluePath2[36] = new Position(3, 6); bluePath2[37] = new Position(2, 6); bluePath2[38] = new Position(1, 6); bluePath2[39] = new Position(0, 6); bluePath2[40] = new Position(0, 5);//last white field bluePath2[41] = new Position(1, 5);//finish bluePath2[42] = new Position(2, 5);//finish bluePath2[43] = new Position(3, 5);//finish bluePath2[44] = new Position(4, 5);//finish return bluePath2; } public static Position[] getBluePath3() { Position[] bluePath3 = new Position[45]; bluePath3[0] = new Position(0, 1); //home bluePath3[1] = new Position(0, 4);//start bluePath3[2] = new Position(1, 4); bluePath3[3] = new Position(2, 4); bluePath3[4] = new Position(3, 4); bluePath3[5] = new Position(4, 4); bluePath3[6] = new Position(4, 3); bluePath3[7] = new Position(4, 2); bluePath3[8] = new Position(4, 1); bluePath3[9] = new Position(4, 0); bluePath3[10] = new Position(5, 0); bluePath3[11] = new Position(6, 0); bluePath3[12] = new Position(6, 1); bluePath3[13] = new Position(6, 2); bluePath3[44] = new Position(6, 3); bluePath3[15] = new Position(6, 4); bluePath3[16] = new Position(7, 4); bluePath3[17] = new Position(8, 4); bluePath3[18] = new Position(9, 4); bluePath3[19] = new Position(10, 4); bluePath3[20] = new Position(10, 5); bluePath3[21] = new Position(10, 6); bluePath3[22] = new Position(9, 6); bluePath3[23] = new Position(8, 6); bluePath3[24] = new Position(7, 6); bluePath3[25] = new Position(6, 6); bluePath3[26] = new Position(6, 7); bluePath3[27] = new Position(6, 8); bluePath3[28] = new Position(6, 9); bluePath3[29] = new Position(6, 10); bluePath3[30] = new Position(5, 10); bluePath3[31] = new Position(4, 10); bluePath3[32] = new Position(4, 9); bluePath3[33] = new Position(4, 8); bluePath3[34] = new Position(4, 7); bluePath3[35] = new Position(4, 6); bluePath3[36] = new Position(3, 6); bluePath3[37] = new Position(2, 6); bluePath3[38] = new Position(1, 6); bluePath3[39] = new Position(0, 6); bluePath3[40] = new Position(0, 5);//last white field bluePath3[41] = new Position(1, 5);//finish bluePath3[42] = new Position(2, 5);//finish bluePath3[43] = new Position(3, 5);//finish bluePath3[44] = new Position(4, 5);//finish return bluePath3; } public static Position[] getBluePath4() { Position[] bluePath4 = new Position[45]; bluePath4[0] = new Position(1, 1); //home bluePath4[1] = new Position(0, 4);//start bluePath4[2] = new Position(1, 4); bluePath4[3] = new Position(2, 4); bluePath4[4] = new Position(3, 4); bluePath4[5] = new Position(4, 4); bluePath4[6] = new Position(4, 3); bluePath4[7] = new Position(4, 2); bluePath4[8] = new Position(4, 1); bluePath4[9] = new Position(4, 0); bluePath4[10] = new Position(5, 0); bluePath4[11] = new Position(6, 0); bluePath4[12] = new Position(6, 1); bluePath4[13] = new Position(6, 2); bluePath4[44] = new Position(6, 3); bluePath4[15] = new Position(6, 4); bluePath4[16] = new Position(7, 4); bluePath4[17] = new Position(8, 4); bluePath4[18] = new Position(9, 4); bluePath4[19] = new Position(10, 4); bluePath4[20] = new Position(10, 5); bluePath4[21] = new Position(10, 6); bluePath4[22] = new Position(9, 6); bluePath4[23] = new Position(8, 6); bluePath4[24] = new Position(7, 6); bluePath4[25] = new Position(6, 6); bluePath4[26] = new Position(6, 7); bluePath4[27] = new Position(6, 8); bluePath4[28] = new Position(6, 9); bluePath4[29] = new Position(6, 10); bluePath4[30] = new Position(5, 10); bluePath4[31] = new Position(4, 10); bluePath4[32] = new Position(4, 9); bluePath4[33] = new Position(4, 8); bluePath4[34] = new Position(4, 7); bluePath4[35] = new Position(4, 6); bluePath4[36] = new Position(3, 6); bluePath4[37] = new Position(2, 6); bluePath4[38] = new Position(1, 6); bluePath4[39] = new Position(0, 6); bluePath4[40] = new Position(0, 5);//last white field bluePath4[41] = new Position(1, 5);//finish bluePath4[42] = new Position(2, 5);//finish bluePath4[43] = new Position(3, 5);//finish bluePath4[44] = new Position(4, 5);//finish return bluePath4; } } <file_sep>rootProject.name = 'ludo-board-game'
e2344f67628e6cd862649078d81acabee3c19f62
[ "Java", "Gradle" ]
4
Java
SlawomirJablonski/Ludo-board-game
9ee8a96d753a12b4dd45f4953953715e8fb4c79b
e9d9d47aa3d600078ae0ab954bb1b2e6f62aa341
refs/heads/master
<repo_name>masoomulhaqs/masoomulhaqs.github.io<file_sep>/app/components/gallery/gallery-ctrl.js (function() { angular.module('portfolioApp') .controller('GalleryCtrl', ['$scope', '$http', function($scope, $http) { console.log("Gallery"); $scope.gallery = {}; $http({ url: "assets/data/info_gallery.json", method: "GET" }).success(function(data) { $scope.gallery.list = data.data; }).error(function(data) { $scope.gallery.error = "Error occured while fetching. Please refresh the page."; }); $scope.gallery.showSelectedItem = function(itemID, key) { $scope.gallery.selectedItem = $scope.gallery.list[key][itemID]; $("html, body").animate({ scrollTop: "0px" }); }; }]); })();<file_sep>/index.php <!doctype html> <html lang="en" data-ng-app="webApp"> <head> <meta charset="utf-8"> <title><NAME> | A Web Developer</title> <meta http-equiv="X-UA-Compatible" content="IE=edge"> <meta content="width=device-width, initial-scale=1" name="viewport"> <meta content="" name="description"> <meta content="" name="author"> <link rel="stylesheet" href="bower_components/bootstrap/dist/css/bootstrap.min.css"> </head> <body data-ng-controller="mainCtrl"> <div class="container"> <div class="page-header text-center"> <h1 class="text-uppercase">Select App</h1> <?php // @include 'static/routes/get_route.php'; // @include 'static/routes/routes.php'; $path = 'bower_components/'; // $path = 'http://www.google.com/images'; // '.' for current foreach (new DirectoryIterator($path) as $file) { if ($file->isDot()) continue; if ($file->isDir()) { print $file->getFilename() . '<br />'; }else{ // print $file->getFilename() . '<br />'; // print('not a dir <br/>'); } } ?> </div> </div> <script src="bower_components/jquery/dist/jquery.min.js"></script> <script src="bower_components/bootstrap/dist/js/bootstrap.min.js"></script> <script src="bower_components/angular/angular.min.js"></script> <script src="static/js-old/app.js"></script> </body> </html><file_sep>/static/routes/index.php <?php @include 'methods.php'; $postdata = file_get_contents("php://input"); $request = json_decode($postdata); @$action = $request->action; @$data = $request->data; // echo json_encode($data); if (isset($action) && !empty($action)) { // POST ACTION ROUTING map_action($action); }elseif (isset($_GET["action"]) && !empty($_GET["action"])) { // GET ACTION ROUTING $action = $_GET["action"]; map_action($action); }elseif(!isset($_GET["action"]) && !isset($action)){ // MESSAGE FOR UNDEFINED ACTION echo set_message('undefined action'); }elseif(empty($_GET["action"]) && empty($_GET["action"])){ // MESSAGE FOR EMPTY ACTION echo set_message('empty action'); }else{ // MESSAGE FOR UNDEFINED ROUTE echo set_message('undefined route'); } ?><file_sep>/tools/l2p_convertor/app.js var app = angular.module('l2pApp', ['ui.bootstrap']); app.controller('l2pCtrl', ['$scope','$http', function ($scope, $http) { console.log('Entered'); $scope.enteredPath = "test"; $scope.getAllItems = function(){ $http({ url: '/website/static/data/cdn.json', method: 'post' }).success(function(data){ $scope.virtual_results = data.result; }).error(function(data){ }); } $scope.getAllItems(); $scope.fetchResults = function(keyword){ if(keyword){ $scope.results = $scope.virtual_results; }else{ $scope.results = null; } }; }]);<file_sep>/assets/scss/helpers/_frequents.scss .clearfix{ @extend %clearfix; } .sr-only { position: absolute; width: 1px; height: 1px; padding: 0; margin: -1px; overflow: hidden; clip: rect(0,0,0,0); border: 0; } // BOX ALIGNMENTS .pull-left{ float: left !important; } .pull-right{ float: right !important; } .inline{ display: inline-block; } .container-justify{ text-align: justify; font-size: 0; &:after{ content: " "; display: inline-block; width: 100%; text-align: justify; } >*{ &:after{ content: " "; } } } // LIST STYLES .list-inline{ ul, ol, &{ @extend %list-unstyled; } li{ @extend %list-inline; } } .list-unstyled{ ul, ol, &{ @extend %list-unstyled; } } // TEXT ALIGNMENTS .text-center{ text-align: center; } .text-left{ text-align: left; } .text-right{ text-align: right; } // TEXT TRANSFORMATIONS .text-capitalize{ text-transform: capitalize; } // TEXT COLORS .red{ color: #ff3915; } .green{ color: #2ecc71; } // IMAGE STYLES .img-rounded{ border-radius: 6px; } // GENERIC MARGINS .margin-top-10{ margin-top: 10px; } // PAGE TITLE DEFAULT .page-title{ margin: 0 0 60px; h1{ margin: 0; } }<file_sep>/tools/font_to_local/handler.php <?php @require "../../config.php"; $isFormValid = false; // The Regular Expressions // $pattern_url = "/(http|https|ftp|ftps)\:\/\/[a-zA-Z0-9\-\.]+\.[a-zA-Z]{2,3}(\/\S[^\)^\'^\"]*)/"; $pattern_url = "/(http|https|ftp|ftps)\:\/\/[a-zA-Z0-9\-\.]*[\.(a-z|A-Z){2,3}]([^\s\)\"\'])*/"; $pattern_font_weight = "/(local\(([\'\"])[\w\-]*[\'\"]\))/U"; $pattern_src_attr = "/(src:.*\;)+/"; $pattern_btw_quotes = '/([\"\'])[\w\s\-]+\1/'; $pattern_family = "/(font-family:.*\;)+/"; $pattern_face = "/@font-face[\s]*\{[^\}]+\}/"; $stroragePath = "/Applications/XAMPP/xamppfiles/htdocs/website/dump/fonts/"; $defaultName = "webfonts"; $scope = array(); $modifiedContent = 'no data'; // Handling Functions function getFontWeight($source){ global $pattern_font_weight, $pattern_src_attr, $pattern_btw_quotes; preg_match($pattern_font_weight, $source, $weight); preg_match($pattern_btw_quotes, $weight[0], $w); return str_replace(" ", "-", substr($w[0], 1, strlen(trim($w[0]))-2)); } function getFontFamily($source){ global $pattern_btw_quotes, $pattern_family; preg_match($pattern_family, $source, $weight); preg_match($pattern_btw_quotes, $weight[0], $w); return substr($w[0], 1, strlen(trim($w[0]))-2); } function getUrl($source){ global $pattern_url; preg_match($pattern_url, $source, $u); return $u[0]; } function getConvertedUrl($source, $fname = "ok"){ $ext = pathinfo($source, PATHINFO_EXTENSION); return $fname.".$ext"; } // DOWNLOAD FILE TO SPECIFIC PATH function download_file($source, $dest){ if(check_url($source)==200){ file_put_contents($dest, fopen($source, 'r')); } } function url_exists($url) { // if (!$fp = curl_init($url)) return false; // return true; $ch = curl_init(); curl_setopt($ch, CURLOPT_URL, $url); curl_setopt($ch, CURLOPT_HEADER, 1); curl_setopt($ch , CURLOPT_RETURNTRANSFER, 1); $data = curl_exec($ch); $headers = curl_getinfo($ch); curl_close($ch); return $headers['http_code']; } /* creates a compressed zip file */ function create_zip($files = array(),$destination = '',$overwrite = false) { //if the zip file already exists and overwrite is false, return false if(file_exists($destination) && !$overwrite) { return false; } //vars $valid_files = array(); //if files were passed in... if(is_array($files)) { //cycle through each file foreach($files as $key => $file) { //make sure the file exists if(url_exists($file['originalUrl'])===200) { $valid_files[] = $file; } } } //if we have good files... if(count($valid_files)) { //create the archive $zip = new ZipArchive(); if($zip->open($destination, $overwrite ? ZipArchive::OVERWRITE : ZipArchive::CREATE) !== true) { return false; } //add the files foreach($valid_files as $key => $file) { $download_file = file_get_contents($file['originalUrl']); $zip->addFromString($file['renamedUrl'],$download_file) or die ("ERROR: Could not add file: $key </br> numFile:".$zip->numFiles); // $zip->addFile($file['originalUrl'], $file['renamedUrl']) or die ("ERROR: Could not add file: $key </br> numFile:".$zip->numFiles); } //debug //echo 'The zip archive contains ',$zip->numFiles,' files with a status of ',$zip->status; //close the zip -- done! $zip->close(); //check to make sure the file exists return file_exists($destination); }else{ return false; } } function renameFontFiles($list){ $arr = array(); foreach ($list as $key => $value) { // echo "<p>".$list[$key]['url']."</p>"; $ext = pathinfo($list[$key]['url'], PATHINFO_EXTENSION); $arr[$key]['originalUrl'] = $list[$key]['url']; $arr[$key]['renamedUrl'] = $list[$key]['fontWeight'].".$ext"; // echo "<p>".$arr[$key]['renamedUrl']."</p>"; } return $arr; } function pre_echo($data){ echo "<pre style='font-size:9px !important;'>$data</pre>"; } function pre_var($data){ echo "<pre class='text-left'>"; var_dump($data); echo "</pre>"; } function br_echo($data){ echo "$data<br/>"; } function br_each($list){ foreach ($list as $key => $value) { br_echo($value); } } function createFontCollection($content, $fileName){ // pre_echo($content); global $pattern_src_attr, $stroragePath; $arr = array(); if($total = preg_match_all($pattern_src_attr, $content, $url)){ foreach ($url[0] as $key => $value) { $arr[$key]['fontWeight'] = getFontWeight($value); // echo getFontWeight($value); $arr[$key]['url'] = getUrl($value); } $fontName = getFontName($content); $fontName = (isset($fontName))?$fontName:$defaultName; $files_list = array(); $files_list = renameFontFiles($arr); array_push($files_list, array("originalUrl"=>$fileName, "renamedUrl"=>$fontName.".css")); return create_zip($files_list, $stroragePath.$fontName.'.zip', true); }else{ echo "No links found!"; } } function getDownloadLink($content){ return "/website/dump/fonts/"; } function remQuotes($str){ global $pattern_btw_quotes; if(preg_match($pattern_btw_quotes, $str) !== 0){ $str = substr($str, 1, strlen(trim($str))-2); } return $str; } function makeCollection($source, $index){ global $scope; if(preg_match($GLOBALS['pattern_family'], $source, $family)){ array_push($scope, getFontFamily($family[0])); $scope = array_unique($scope); } } function addToCollection($source, $index){ global $scope, $modifiedContent; if(preg_match($GLOBALS['pattern_family'], $source, $family)){ $fam = getFontFamily($family[0]); if(preg_match($GLOBALS['pattern_src_attr'], $source, $src)){ $weight = getFontWeight($src[0]); $url = getUrl($src[0]); $conveterdUrl = getConvertedUrl(getUrl($src[0]), getFontWeight($src[0])); $scope[$fam][$index] = array( array("font-name"=>$weight), array("original-url"=>$url), array("converted-url"=>$conveterdUrl) ); $modifiedContent = str_replace($url, $conveterdUrl, $modifiedContent); } } } function getFontsList($content){ $GLOBALS['modifiedContent'] = $content; // global $pattern_family, $pattern_btw_quotes, $pattern_face, $pattern_src_attr; $total = preg_match_all($GLOBALS['pattern_face'], $content, $matches); // $total = preg_match_all($pattern_family, $content, $matches); $arr = array(); if($total){ // pre_var($matches[0][0]); // foreach ($matches[0] as $key => $value) { // // makeCollection($value, $key); // // array_push($arr, makeCollection($value)); // } foreach ($matches[0] as $key => $value) { addToCollection($value, $key); // $modifiedContent = $content; } // $GLOBALS['scope'] = array_unique($GLOBALS['scope']); // pre_var($GLOBALS['scope']); } pre_echo($content); pre_echo($GLOBALS['modifiedContent']); // $arr = array_unique($arr); // $GLOBALS['scope'] = $arr; // addToCollection($content); // if($total = preg_match_all($pattern_src_attr, $content, $url)){ // foreach ($url[0] as $key => $value) { // $arr[$key]['fontWeight'] = getFontWeight($value); // // echo getFontWeight($value); // $arr[$key]['url'] = getUrl($value); // } // $fontName = getFontName($content); // $fontName = (isset($fontName))?$fontName:$defaultName; // $files_list = array(); // $files_list = renameFontFiles($arr); // // array_push($files_list, array("originalUrl"=>$fileName, "renamedUrl"=>$fontName.".css")); // // return create_zip($files_list, $stroragePath.$fontName.'.zip', true); // } // foreach ($matches[0] as $key => $value) { // preg_match($pattern_btw_quotes, $value, $m); // array_push($arr, remQuotes($m[0])); // } // pre_var($files_list); return $total; } ?><file_sep>/assets/scss/components/_list360.scss .magic-box{ max-width: 300px; width: 100%; max-height: 300px; margin: 10% auto; position: relative; .magic-button{ @include magic-button-style(); z-index: 10; +.magic-list{ a{ @include magic-button-style($hbg: $color-grey); opacity: 0; } } } &:hover, &:focus{ .magic-button+.magic-list{ a{ } } } }<file_sep>/assets/scss/components/_infographics.scss .infograph-item { display: inline-block; text-align: center; color: #585858; min-height: 120px; @include breakpoint(max-width 990px) { min-height: 0px; } .title { font-size: 42px; @include breakpoint(max-width 990px) { font-size: 24px; } } &:not(:last-child) { margin-right: 20px; .title { &:after { width: 20px; content: "-"; position: absolute; } } } }<file_sep>/app/components/about/about-ctrl.js (function() { angular.module('portfolioApp') .controller('AboutCtrl', ['$scope', '$http', function($scope, $http) { $scope.about = {}; $http({ 'url': 'assets/data/info_my_skills.json' }).success(function(data) { if (data.results) $scope.about.skills = data.results; }).error(function(data) { $scope.about.error = "Error occured while fetching. Please refresh the page."; console.log($scope.about.error); }); }]); })();<file_sep>/assets/scss/components/_gallery.scss .container-gallery-item{ max-height: 400px; max-height: calc(100vh - 180px); overflow: hidden; color: #888888; white-space: normal; word-break: break-word; @include breakpoint(max-width 600px){ font-size: 14px; } &-wrap{ background: $colo-bggallery-inverse; padding: 60px 0; } img{ position: relative; // max-width: none; max-height: 100%; } .left{ width: 30%; } .right{ width: 65%; margin-left: 5%; } .column{ float: left; // @include breakpoint(max-width 600px){ // float: none; // } } .title-details{ margin: 0; text-transform: uppercase; letter-spacing: 0.04em; // font-weight: 300; color: $colo-gallerytext-inverse; } .bold{ // letter-spacing: 0.04em; } .label-rounded{ border: 1px solid rgba($colo-gallerytext-inverse, 0.5); display: inline-block; margin: 0 5px 5px 0; padding: 3px 6px; line-height: 1; font-size: 0.75em; } .margin-bottom{ margin-bottom: 40px; @include breakpoint(max-width 600px){ margin-bottom: 20px; } } } .gallery-card{ display: inline-block; position: relative; margin: 0 15px 20px 0; width: 220px; padding: 30px 15px; background: $color-bggallery; color: $color-gallerytext; box-shadow: 3px 6px 0 rgba($color-galleryshadow, 0.23); text-align: center; // cursor: pointer; // &:nth-child(even){ // background: $colo-bggallery-inverse; // color: $colo-gallerytext-inverse; // } .image-caption{ padding-left: 0; padding-right: 0; padding-bottom: 0; } .button{ margin-top: 20px; padding: 5px 15px; font-size: 12px; // background: transparent; // border: 3px solid #E74C3C; background: transparent; border: 2px solid $color-gallerytext; color: $color-gallerytext; font-weight: 400; &:hover, &:focus{ background: #E74C3C; color: $color-bggallery; border-color: transparent; // box-shadow: 0 2px 3px rgba($color-black, 0.4); // transform: translateY(-3px); } } &:hover, &:focus{ img{ top: -100%; } .image-wrapper:after{ background: transparent; } } } .image-wrapper{ display: inline-block; position: relative; // width: 190px; width: 100%; height: 200px; overflow: hidden; font-size: 12px; cursor: pointer; // transition: all 0.3s ease; img{ display: block; position: absolute; top: 0; left: 0; transition: top 0.6s ease 0.2s; } &:after{ content: ""; position: absolute; left: 0; top: 0; width: 100%; height: 100%; transition: all 0.2s ease; background: radial-gradient(transparent 50%, rgba(#333, 0.4)); } // &:hover, &:focus{ // // img{ // // top: -100%; // // } // &:after{ // background: transparent; // } // } // border: 1px solid #777; // &:after{ // content: ""; // position: absolute; // left: 0; // bottom: -100%; // width: 100%; // height: 100%; // background: rgba(#000, 0.5); // // display: none; // transition: all 0.3s ease; // } // &-fixed{ // position: relative; // height: auto; // width: auto; // // width: 100%; // // height: 100%; // padding: 40px; // transition: all 0.3s ease; // // left: 0; // // right: 0; // // top: 0; // // bottom: 0; // // transition: width 0.3s ease, height 0.3s ease; // img{ // position: relative; // z-index: 1; // max-width: none; // max-height: 100%; // } // } } .image-caption{ overflow: hidden; padding: 20px 10px; transition: all 0.3s ease; font-size: 12px; text-align: left; strong{ font-size: 1.2em; font-weight: 400; white-space: nowrap; text-overflow: ellipsis; // width: 100%; display: block; overflow: hidden; a{ color: inherit; text-decoration: none; &:hover, &:focus{ border-bottom: 1px solid; } } } } // canvas{ // // background: red; // display: block; // // width: 100%; // }<file_sep>/assets/scss/components/_fullheight.scss .full-height{ &:after{ content: " "; display: inline-block; width: 100%; } }<file_sep>/assets/scss/base/_base.scss html { font-size: 62.5%; } body { font-size: $fontsize-body; font-family: $fontfamily-content; font-weight: 300; line-height: 1.45; // padding-top: 60px; color: #25252a; background: { size: 100%; color: $color-bgbody; repeat: no-repeat; position: center top; attachment: fixed; } } * { &:before, &:after, & { -webkit-box-sizing: border-box; -moz-box-sizing: border-box; box-sizing: border-box; } } a { color: $color-anchor; text-decoration: none; cursor: pointer; cursor: hand; &:visited { color: $color-anchorvisited; } &:hover, &:focus { color: $color-anchorhover; text-decoration: underline; } &:active, &.active { color: $color-anchoractive; text-decoration: none; } } h1, h2, h3, h4, h5, h6 { font-family: $fontfamily-headings; // color: $color-headings; font-weight: 700; margin: 0 0 60px; } h1 {} h2 {} h3 {} h4 {} h5 {} h6 {} p { margin-top: 0; margin-bottom: 30px; } img { max-width: 100%; height: auto; } td img { max-width: none; // max-width breaks the design when images reside within table cells (try max-width: 100% and see) } nav { ul, ol { @extend %list-unstyled; } } canvas{ display: block; }<file_sep>/assets/scss/layout/_container.scss .container{ @extend %maxsetting; width: auto !important; $paddingTop: 100px; padding-left: 20px; padding-right: 20px; &-wrap{ padding-top: $paddingTop; @include breakpoint(max-width 700px){ padding-top: $paddingTop/2; } &-mini{ padding-top: $paddingTop/2; } } &-main{ padding-bottom: $paddingTop; &:empty{ padding-bottom: 0; } } }<file_sep>/app/components/qa/angular/qa-angular-ctrl.js (function() { angular.module('portfolioApp') .controller('QAAngularCtrl', ['$scope', '$http', function($scope, $http) { $http({ 'url': 'assets/data/qa/angular.json' }).success(function(data) { if (data.results) $scope.questions = data.results; }).error(function(data) { console.log("Error Occured"); }); var local = []; if (!localStorage.getItem("completedQuestions")) { console.log("nolocalItem"); localStorage.setItem("completedQuestions", JSON.stringify("[]")); } $scope.dbStoredQuestions = JSON.parse(localStorage.getItem("completedQuestions")); if (!Array.isArray($scope.dbStoredQuestions)) { $scope.dbStoredQuestions = []; } console.log($scope.dbStoredQuestions); $scope.actionQuestion = function(question, index) { if ($scope.dbStoredQuestions.indexOf(question) === -1) { // $scope.dbStoredQuestions.push(question); $scope.dbStoredQuestions[index] = question; } else { // var confirmation = confirm("Are you sure you want to deselect?\n" + question); // if(confirmation){ $scope.dbStoredQuestions[index] = null; // } } localStorage.setItem("completedQuestions", JSON.stringify($scope.dbStoredQuestions)); }; }]); })();<file_sep>/tools/folder_check/app.js var app = angular.module('folderCheckApp', []); app.controller('folderCheckCtrl', ['$scope','$http', function ($scope, $http) { console.log('Entered'); $scope.enteredPath = "test"; $scope.checkFolder = function(){ if($scope.enteredPath){ $scope.message = "Folder"; $http({ url: '/website/static/routes/routes.php?action=foldercheck', method: 'GET' }).success(function(data){ console.log("SUCCESS!\n"); console.log(data); }).error(function(data){ console.log("ERROR OCCURED!"); }); }else{ } } }]);<file_sep>/assets/scss/components/_buttons.scss $side-button: 50px; $btn-animation: all 0.3s ease; .button{ $btn: &; display: inline-block; font-size: 16px; line-height: 1.4; text-align: center; text-decoration: none; transition: $btn-animation; &[disabled], &[disabled="disabled"]{ opacity: 0.75; pointer-events: none; box-shadow: none; } &:hover, &:focus{ text-decoration: none; } &-default{ color: $color-btntext; background: $color-bgbtn; padding: 8px 15px; &:hover, &:focus{ text-decoration: none; color: $color-btntexthover; background: $color-bgbtnhover; } &:visited, &:active{ color: $color-btntext; } } &-brand{ @extend #{$btn}#{-default}; height: $side-button; line-height: $side-button; min-width: 200px; margin: 20px auto; padding: 0; display: table; // background: transparent; // border: 3px solid #E74C3C; &:hover, &:focus{ box-shadow: 0 2px 3px rgba($color-black, 0.4); transform: translateY(-3px) scale(1.05); } } &-menu{ height: 60px; width: 30px; position: relative; opacity: 0.5; &.active{ .pipe{ background: transparent; &:before{ transform: rotate(45deg); margin-top: 0; } &:after{ transform: rotate(-45deg); margin-top: 0; } } } &:hover, &:focus{ opacity: 1; } .pipe{ $pheight: 3px; $offset: 4px; position: absolute; width: 100%; top: 50%; margin-top: $pheight/2; &:before, &:after, &{ position: absolute; width: 100%; height: $pheight; display: block; background: #fff; border-radius: 2px; transition: $btn-animation; } &:before, &:after{ content: ""; } &:before{ margin-top: -($pheight + $offset); } &:after{ margin-top: $pheight + $offset; } } } &-scroll-top{ @extend #{$btn}#{-default}; $sside: 40px; display: none; width: $sside; height: $sside; line-height: $sside; position: fixed; right: 15px; bottom: 20px; font-size: 20px; padding: 0; i{ color: inherit; } &:hover, &:focus{ transform: scale(2); } } &-block{ display: block; } &-table{ display: table; } &-inline{ display: inline-block; } } button{ border:0; outline: none; margin: 0; }<file_sep>/app/components/games/stack-blocks/game-stack-blocks-ctrl.js (function() { angular.module('portfolioApp') .controller('GameStackBlocksCtrl', ['$scope', function($scope) { console.log('GameStackBlocksCtrl'); }]); })();<file_sep>/app/app.routes.js (function() { var routes = angular.module('portfolioRoutes', ['ngRoute']); routes.config(function($routeProvider) { $routeProvider. when('/', { templateUrl: "app/components/home/home-view.html" }). when('/gallery', { templateUrl: 'app/components/gallery/gallery-view.html', controller: 'GalleryCtrl' }). when('/about', { templateUrl: 'app/components/about/about-view.html', controller: 'AboutCtrl' }). when('/timeline', { templateUrl: 'app/components/timeline/timeline-view.html', controller: 'TimelineCtrl' }). // when('/qa/angular', { // templateUrl: 'app/components/qa/angular/qa-angular-view.html', // controller: 'QAAngularCtrl' // }). when('/games', { templateUrl: 'app/components/games/index-games.html' }). when('/games/surprise-game', { templateUrl: 'app/components/games/suppi-bday/game-suppi-bday-view.html', controller: 'GameSuppiBdayCtrl' }). when('/games/stack-blocks', { templateUrl: 'app/components/games/stack-blocks/game-stack-blocks-view.html', controller: 'GameStackBlocksCtrl' }). when('/games/tic-tac-toe', { templateUrl: 'app/components/games/tic-tac-toe/game-tic-tac-toe-view.html', controller: 'GameTicTacToeCtrl' }). otherwise({ redirectTo: '/' }); }); })();<file_sep>/static/routes/get_route.php <?php function is_dir_empty($dir) { if (!is_readable($dir)) return NULL; return (count(scandir($dir))); } function get_message($dir){ $result_is = (int) is_dir_empty($dir); // $result_is = is_numeric($result); echo $result_is; if ($result_is != 0 && $result_is == 2) { return "the folder is empty!"; }elseif($result_is != 0 && $result_is != 2){ return "the folder is not empty!"; }else{ return "Folder does not exists!"; } } function get_folders_list($dir){ $temp = array(); if (is_dir($dir)){ if ($dh = opendir($dir)){ while (($file = readdir($dh)) !== false){ if(strpos($file,'.')!==0){ array_push($temp, $file); } } closedir($dh); return $temp; } } } $folder = "empty"; $folder = "https://ajax.googleapis.com/ajax/libs/"; $my_file = 'static/index.html'; $final_result = array(); $final_result['result']['path'] = $folder; $result = get_message($folder); echo $result; $final_result['result']['folders_list'] = array(); $final_result['result']['folders_list'] = get_folders_list($folder); // array_push($final_result['result']['folders_list'], get_folders_list($dir)); // var_dump(json_encode($final_result, JSON_FORCE_OBJECT)); // var_dump($final_result['result']['folders_list']); // echo json_encode($final_result['result']); ?><file_sep>/tools/font_to_local/index.php <!DOCTYPE html> <?php @require 'handler.php'; @require '../../config.php'; // echo ABSPATH; if(isset($_GET["fontCssPath"]) && !empty($_GET["fontCssPath"])){ $isFormValid = true; // preg_match($pattern_url, trim($_GET['fontCssPath']), $ret); // $fontCssPath = $ret[0]; $fontCssPath = trim($_GET['fontCssPath']); } ?> <html> <head> <title><NAME> | A Web Developer</title> <link rel="stylesheet" href="/website/static/bower_components/bootstrap/dist/css/bootstrap.min.css"> </head> <body> <div class="container"> <div class="col-sm-8 col-sm-offset-2"> <h2>Google Fonts with CSS</h2> <form action=""> <div class="form-group"> <label for="fontCssPath">CSS Path</label> <textarea type="text" class="form-control selectall" id="fontCssPath" name="fontCssPath" placeholder="Enter or Copy Paste the CSS path"><?php if(isset($fontCssPath)) echo $fontCssPath;?></textarea> </div> <div class="form-group"> <div class="text-right"> <button class="btn btn-info">Export</button> </div> </div> </form> <?php if($isFormValid){ ?> <div class="panel panel-success"> <div class="panel-heading">Result</div> <div class="panel-body"> <?php echo "<h3 class='text-center text-muted'>"; if(url_exists($fontCssPath)===200 && file_get_contents($fontCssPath) !== false) { $content = file_get_contents($fontCssPath); // $result = createFontCollection($content, $fontCssPath); $result = getFontsList($content); if(isset($result) && $result){ echo "<p>Zip Created!</p> <a class='btn btn-default' href='/website/dump/fonts/my-archive.zip'>Download</a>"; }else{ die("Failed to Create Zip!"); } }else{ // if path is undefined die("Undefined file path!!"); } echo "</h3>"; ?> </div> </div> <?php } ?> </div> </div> <script type="text/javascript" src="/website/static/bower_components/jquery/dist/jquery.min.js"></script> <script src="/website/tools/font_to_local/app.js"></script> </body> </html><file_sep>/README.md # masoomulhaqs.github.io <file_sep>/assets/js/caption.js jQuery(document).ready(function($) { // $('.caption-list').each(function(){ // $items = $(this).find('.caption-item'); // l = $items.length; // i = 0; // var moveCaptions = setInterval(function(){ // console.log(i); // // $items.css('left', 0); // // $items.each(function(){ // // $(this).animate({ // // left: 0, // // opacity: 0 // // }); // // }); // // $items.css({ // // 'left': 0, // // 'marginRight': 0 // // }); // $items.eq(i).removeClass(function(){ // if($(this).hasClass('active')){ // $items.animate({ // left: 0, // opacity: 0 // }); // $(this).animate({ // left: '-100%' // }); // if($(this).is(':last-child')){ // $items.eq(0).addClass('active'); // $items.eq(0).animate({ // opacity: 1 // }); // }else{ // $(this).next().addClass('active'); // $(this).next().animate({ // opacity: 1 // }); // } // // $(this).css({ // // 'left': '-100%', // // 'marginRight': '-100%' // // }); // return 'active'; // } // return; // }) // i++; // if(i === l){ i = 0; } // }, 3000); // }); // $('body, html').mousemove(function(event) { // /* Act on the event */ // var temp = ""; // temp += "center ("+ event.clientX + ", " + event.clientY + ")<br/>"; // temp += "exp. center ("+ a + ", " + b + ")<br/>"; // temp += "angle: " + t + "<br/>"; // temp += "radius: " + r + "<br/>"; // // temp += "donno (" + x + ", " + y + ")"; // $('.console').html(temp); // }); });<file_sep>/assets/scss/components/_navsecondary.scss .nav-secondary{ $height: 60px; height: $height; overflow: hidden; @include breakpoint(max-width 760px){ text-align: center; padding-left: 0; padding-right: 0; } $slug: #{&}; &-wrap{ background: $color-bgnavsecondary; &#{$slug}-fixed{ position: fixed; width: 100%; left: 0; top: 65px; z-index: 1020; } } li{ display: inline-block; // margin-right: 10px; // &:last-child{ // margin-right: 0; // } } a{ display: block; font-weight: 400; text-decoration: none; line-height: $height; padding: 0 10px; letter-spacing: 0.02em; // transition: all 0.3s ease; color: $color-navsecondarylink; position: relative; // @include tranparent-color($color-navsecondarylink, 0.75); // &:before{ // content: ""; // position: absolute; // top: 0; // left: 0; // right: 100%; // bottom: 0; // background: $color-navsecondaryhover; // transition: all 0.3s ease 0.6s; // z-index: -1; // } @include breakpoint(max-width 760px){ font-size: 13px; letter-spacing: 0; padding: 0 4px; } &:hover, &:focus, &:active, &.active{ // background: #C33F31; // color: $color-navsecondaryhover; background: $color-navsecondaryhover; color: $color-bgnavsecondary; // &:before{ // right: 0; // transition-delay: 0.6s; // } } } .nav-left{ float: left; @include breakpoint(max-width 760px){ float: none; } } .nav-right{ float: right; @include breakpoint(max-width 760px){ display: none; } } } .back{ display: none; } .nav-social-main{ a{ position: relative; height: 60px; width: 40px; text-align: center; overflow: hidden; transition: none; // padding: 0; i{ line-height: inherit; display: block; position: relative; // padding: 0 10px; // &.back{ // display: block; // transition: top 0.6s ease; // } // &.front{ // } // &.front, &.back{ // top: 0; // transition: top 0.6s ease; // } } &:hover, &:focus{ // background: #C33F31; // background: $color-navsecondaryhover; // color: $color-bgnavsecondary; // i{ // &.front, &.back{ // top: -100%; // } // } } } } <file_sep>/tools/download_file/index.php <!DOCTYPE html> <html data-ng-app="downloadApp"> <head> <title><NAME> | A Web Developer</title> <link rel="stylesheet" href="/website/static/bower_components/bootstrap/dist/css/bootstrap.min.css"> </head> <body> <div class="container text-center" data-ng-controller="downloadCtrl"> <h1>Download files</h1> <div class="form-group"> <button type="button" class="btn btn-info" data-ng-click="startDownload()">Start Download</button> </div> <pre class="lead">{{downloadCount||0}}</pre> <!-- <form novalidate> <div class="form-group"> <label for="localURL" class="control-label"></label> <textarea name="localURL" id="localURL" cols="30" rows="10" class="form-control"></textarea> </div> </form> --> </div> <script src="/website/static/bower_components/jquery/dist/jquery.min.js"></script> <script src="/website/static/bower_components/bootstrap/dist/js/bootstrap.js"></script> <script src="/website/static/bower_components/angular/angular.min.js"></script> <script src="/website/static/bower_components/angular-bootstrap/ui-bootstrap-tpls.js"></script> <script src="app.js"></script> </body> </html><file_sep>/assets/scss/base/_typography.scss // WEB SAFE FONTS $font-arial: Arial, Helvetica, sans-serif; $font-arial-black: "Arial Black", Gadget, sans-serif; $font-courier: "Courier New", Courier, Monospace; $font-georgia: Georgia, serif; $font-lucida-console: "Lucida Console", Monaco, monospace; $font-lucida-sans: "Lucida Sans Unicode", "Lucida Grande", sans-serif; $font-tahoma: Tahoma, Geneva, sans-serif; $font-times: "Times New Roman", Times, serif; $font-trebuchet: "Trebuchet MS", Tahoma, Arial, sans-serif; $font-verdana: Verdana, Geneva, sans-serif; $font-helvetica: "Helvetica Neue", Helvetica, Arial, sans-serif; $font-baskerville: Baskerville, Palatino, "Palatino Linotype", Georgia, Serif; // // GOOGLE FONTS // $font-lato: 'Lato', sans-serif; // $font-homemade: 'Homemade Apple', cursive; // $font-sunrise: 'Waiting for the Sunrise', cursive; <file_sep>/assets/scss/helpers/_placeholders.scss %clearfix { &:before, &:after{ content: ""; display: table; } &:after{ clear: both; } } %list-unstyled{ list-style: none; margin: 0; padding-left: 0; } %list-inline{ display: inline-block; } %maxsetting{ // Setting width max-width: $md-max; // Placing center margin: 0 auto; // Clearing floats @extend %clearfix; @include breakpoint(max-width $md-max){ padding: 0 20px; } } %align-vm{ &:after{ content: ""; display: inline-block; height: 100%; vertical-align: middle; } }<file_sep>/static/routes/methods.php <?php // ACTION MAPPING or ROUTE CHECKING function map_action($action){ switch($action) { case "test": test_function(); break; case "foldercheck": does_folder_exists(); break; case "brokenlink": check_url(); break; case "download_file": download_files(); break; default: echo set_message('No action found'); break; } } // SETTING MESSAGE IN JSON function set_message($msg){ $result = array(); $result['message'] = $msg; return json_encode($result); } // TESING FUNCTION function test_function(){ if($_GET){ $return = $_GET; }else{ $return = $_POST; } echo json_encode($return); } // CHECKING FOLDER EXISTANCE function does_folder_exists(){ echo 'checking you baster'; } // CHECKING WHETHER A FOLDER IS EMPTY function check_url($url) { $url = isset($url)?$url:"https://cdnjs.cloudflare.com/ajax/libs/6px/1.0.3/6px.min.js"; $ch = curl_init(); curl_setopt($ch, CURLOPT_URL, $url); curl_setopt($ch, CURLOPT_HEADER, 1); curl_setopt($ch , CURLOPT_RETURNTRANSFER, 1); $data = curl_exec($ch); $headers = curl_getinfo($ch); curl_close($ch); return $headers['http_code']; } // DOWNLOAD FILES function download_files(){ $start = 200; $end = 14256; for ($i = $start; $i <= $end; $i++) { $saveTo = "/Applications/XAMPP/xamppfiles/htdocs/website/dump/".$i.".png"; $saveFrom = "http://www.color-hex.com/palettes/".$i.".png"; if(!file_exists($saveTo) && check_url($saveFrom)==200){ file_put_contents($saveTo, fopen($saveFrom, 'r')); } } }; // DOWNLOAD FILE TO SPECIFIC PATH function download_file($source, $dest){ if(check_url($source)==200){ file_put_contents($dest, fopen($source, 'r')); } } ?><file_sep>/tools/font_to_local/app.js $('.selectall').click(function(event) { $(this).select(); }).focus(function(event) { $(this).select(); });<file_sep>/assets/scss/pages/_gameboard.scss .gameboard{ display: table; margin: 0 auto; background: #efefef; border: 1px solid #ddd; padding: 30px; .box{ $side: 100px; display: block; width: $side; height: $side; // line-height: $side; background: #fff; border: 1px solid rgba(0, 0, 0, 0.15); margin-right: -1px; margin-bottom: -1px; float: left; cursor: pointer; text-align: center; font-size: 60px; &:not(.box-actioned){ &:hover, &:focus{ background: #efefef; } } &:nth-child(3n+1){ // background: blue; clear: both; } span{ display: inline-block; transform: rotateY(180deg); backface-visibility: hidden; transition: all 0.3s ease; } &-actioned{ // background: red; // color: #fff; span{ transform: rotateY(0deg); } } &-x{ color: #dcd17c; } &-o{ color: #26A69A; } } // .clearbox{ // // background: red; // clear: both; // } } .title-player{ display: block; position: relative; &.active{ &:after{ content: ""; display: inline-block; position: relative; width: 8px; height: 8px; margin-left: 4px; top: -8px; border-radius: 50%; background: green; } } } // .centered{ // } .game-canvas{ margin-left: auto; margin-right: auto; display: table; position: relative; &.maximize{ position: fixed; left: 0; top: 0; z-index: 1030; .button-game{ font-size: 30px; } } } .button-game{ position: absolute; right: 20px; top: 20px; color: #fff; i{ color: inherit; } }<file_sep>/assets/scss/layout/_forms.scss label{ font-size: 13px; display: inline-block; &.element-label{ margin-bottom: 10px; } } .form{ &-element{ width: 100%; display: block; line-height: 1; padding: 5px 0px; border: 0; border-bottom: 2px solid #ddd; outline: none; background: transparent; color: #ccc; } }<file_sep>/gulpfile.js (function() { "use strict"; var gulp = require('gulp'), compass = require('gulp-compass'), jslint = require('jslint'), cleanCSS = require('gulp-clean-css'), uglify = require('gulp-uglify'), ngAnnotate = require('gulp-ng-annotate'), rename = require('gulp-rename'), concat = require('gulp-concat'), paths = { scss: { file: "assets/scss/**/*.scss", src: "assets/scss", dest: "assets/temp" }, css: { src: [ "assets/temp/*.css" ], dest: "assets/css" }, js: { src: [ "assets/bower_components/jquery/dist/jquery.min.js", "assets/bower_components/angular/angular.min.js", "assets/bower_components/angular-route/angular-route.min.js", ], production: [ "assets/js/games/tic-tac-toe.js", "app/app.routes.js", "app/app.module.js", "app/components/gallery/gallery-ctrl.js", "app/components/about/about-ctrl.js", "app/components/timeline/timeline-ctrl.js", "app/components/games/stack-blocks/game-stack-blocks-ctrl.js", "app/components/games/tic-tac-toe/game-tic-tac-toe-ctrl.js", "app/components/games/suppi-bday/game-suppi-bday-ctrl.js", ], development: [ "assets/js/games/tic-tac-toe.js", "assets/js/glitter.js", "assets/js/equidistant.js", "app/app.routes.js", "app/app.module.js", "app/components/gallery/gallery-ctrl.js", "app/components/social/social-ctrl.js", "app/components/about/about-ctrl.js", "app/components/timeline/timeline-ctrl.js", "app/components/qa/angular/qa-angular-ctrl.js", "app/components/games/stack-blocks/game-stack-blocks-ctrl.js", "app/components/games/tic-tac-toe/game-tic-tac-toe-ctrl.js", "app/components/games/suppi-bday/game-suppi-bday-ctrl.js", ], watch: [], dest: "assets/js" } }; var env = process.env.NODE_ENV || 'development'; console.log("################################### " + env + " ###################################"); for (var item in paths.js[env]) { paths.js.src.push(paths.js[env][item]); } console.log(paths.js.src); gulp.task('compass', function() { return gulp.src(paths.scss.file) .pipe(compass({ css: paths.scss.dest, sass: paths.scss.src, require: ['compass', 'breakpoint', 'singularitygs'], })) .pipe(gulp.dest(paths.scss.dest)); }); gulp.task('cssMerge', ['compass'], function() { return gulp.src(paths.css.src) .pipe(concat('portfolio.css')) .pipe(cleanCSS()) .pipe(gulp.dest(paths.css.dest)); }); gulp.task('jsMerge', function() { return gulp.src(paths.js.src) .pipe(ngAnnotate()) .pipe(concat('portfolio.js')) .pipe(uglify()) .pipe(gulp.dest(paths.js.dest)); }); gulp.task('watch', function() { gulp.watch(paths.scss.file, ["cssMerge"]); gulp.watch(paths.js.src, ["jsMerge"]); }); gulp.task('default', ["cssMerge", "jsMerge", "watch"]); }());<file_sep>/cdn-js.php <!doctype html> <!--[if lt IE 7]> <html class="no-js ie6" lang="en"> <![endif]--> <!--[if IE 7]> <html class="no-js ie7" lang="en"> <![endif]--> <!--[if IE 8]> <html class="no-js ie8" lang="en"> <![endif]--> <!--[if gt IE 8]><!--> <html class="no-js" lang="en"> <!--<![endif]--> <head> <!-- <link rel="preconnect" href="//cdnjs.cloudflare.com" pr="1.0" /> <link rel="preconnect" href="//www.algolia.com" pr="0.85" /> <link rel="dns-prefetch" href="//static.getclicky.com" /> <link rel="dns-prefetch" href="//www.google-analytics.com" /> --> <meta charset="utf-8"> <meta http-equiv="X-UA-Compatible" content="IE=edge,chrome=1"> <title>libraries - cdnjs.com - The free and open source CDN for web related libraries to speed up your website!</title> <meta name="viewport" content="width=device-width,initial-scale=1"> <meta name="description" content="The free and open source CDN for all web libraries. Speed up your websites and save bandwidth!"> <link rel="stylesheet" href="https://cdnjs.cloudflare.com/ajax/libs/bootswatch/3.3.6/united/bootstrap.min.css"> </head> <body> <div class="page"> <div class="container"> <div class="col-md-12"> <div> <div class="packages-table-container"> <table style="margin-top: 10px;" cellpadding="0" cellspacing="0" border="0" class="table table-striped" id="example"> <thead> <tr> <th>Library</th> <th>Link</th> </tr> </thead> <tbody> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jquery" data-library-keywords="jquery, library, ajax, framework, toolkit, popular" id="jquery" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jquery"> jquery </a> <meta itemprop="url" content="http:&#x2F;&#x2F;jquery.com&#x2F;" /> <meta itemprop="version" content="3.0.0-beta1" /> <!-- hidden text for searching --> <div style="display: none;"> jquery, library, ajax, framework, toolkit, popular </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jquery" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jquery/3.0.0-beta1/jquery.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="1000hz-bootstrap-validator" data-library-keywords="bootstrap, bootstrap3, jquery, form, validator, validation, plugin" id="1000hz-bootstrap-validator" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/1000hz-bootstrap-validator"> 1000hz-bootstrap-validator </a> <meta itemprop="url" content="" /> <meta itemprop="version" content="0.9.0" /> <!-- hidden text for searching --> <div style="display: none;"> bootstrap, bootstrap3, jquery, form, validator, validation, plugin </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="1000hz-bootstrap-validator" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/1000hz-bootstrap-validator/0.9.0/validator.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="1140" data-library-keywords="1140" id="1140" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/1140"> 1140 </a> <meta itemprop="url" content="http:&#x2F;&#x2F;cssgrid.net&#x2F;" /> <meta itemprop="version" content="2.0" /> <!-- hidden text for searching --> <div style="display: none;"> 1140 </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="1140" class="library-column css-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/1140/2.0/1140.min.css</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="16pixels" data-library-keywords="16pixels" id="16pixels" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/16pixels"> 16pixels </a> <meta itemprop="url" content="http:&#x2F;&#x2F;englishextra.github.io&#x2F;libs&#x2F;16pixels&#x2F;" /> <meta itemprop="version" content="0.1.6" /> <!-- hidden text for searching --> <div style="display: none;"> 16pixels </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="16pixels" class="library-column css-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/16pixels/0.1.6/16pixels.min.css</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="6px" data-library-keywords="6px, image, manipulation, processing, saas, pass" id="6px" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/6px"> 6px </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;6px-io&#x2F;6px-js" /> <meta itemprop="version" content="1.0.3" /> <!-- hidden text for searching --> <div style="display: none;"> 6px, image, manipulation, processing, saas, pass </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="6px" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/6px/1.0.3/6px.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="6to5" data-library-keywords="harmony, classes, modules, let, const, var, es6, transpile, transpiler, 6to5" id="6to5" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/6to5"> 6to5 </a> <meta itemprop="url" content="https:&#x2F;&#x2F;6to5.org&#x2F;" /> <meta itemprop="version" content="3.6.5" /> <!-- hidden text for searching --> <div style="display: none;"> harmony, classes, modules, let, const, var, es6, transpile, transpiler, 6to5 </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="6to5" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/6to5/3.6.5/browser.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="960gs" data-library-keywords="960, 960gs, grid system" id="960gs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/960gs"> 960gs </a> <meta itemprop="url" content="http:&#x2F;&#x2F;960.gs" /> <meta itemprop="version" content="0" /> <!-- hidden text for searching --> <div style="display: none;"> 960, 960gs, grid system </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="960gs" class="library-column css-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/960gs/0/960.min.css</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="absurd" data-library-keywords="css, preprocessor" id="absurd" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/absurd"> absurd </a> <meta itemprop="url" content="http:&#x2F;&#x2F;absurdjs.com&#x2F;" /> <meta itemprop="version" content="0.3.6" /> <!-- hidden text for searching --> <div style="display: none;"> css, preprocessor </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="absurd" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/absurd/0.3.6/absurd.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="accounting.js" data-library-keywords="accounting, number, money, currency" id="accountingjs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/accounting.js"> accounting.js </a> <meta itemprop="url" content="http:&#x2F;&#x2F;josscrowcroft.github.io&#x2F;accounting.js&#x2F;" /> <meta itemprop="version" content="0.4.1" /> <!-- hidden text for searching --> <div style="display: none;"> accounting, number, money, currency </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="accounting.js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/accounting.js/0.4.1/accounting.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="ace" data-library-keywords="code, editor" id="ace" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/ace"> ace </a> <meta itemprop="url" content="http:&#x2F;&#x2F;ace.ajax.org&#x2F;" /> <meta itemprop="version" content="1.2.3" /> <!-- hidden text for searching --> <div style="display: none;"> code, editor </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="ace" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/ace/1.2.3/ace.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="aegis" data-library-keywords="playlyfe, gamification, css-framework, styles" id="aegis" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/aegis"> aegis </a> <meta itemprop="url" content="" /> <meta itemprop="version" content="1.3.3" /> <!-- hidden text for searching --> <div style="display: none;"> playlyfe, gamification, css-framework, styles </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="aegis" class="library-column css-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/aegis/1.3.3/aegis.min.css</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="ag-grid" data-library-keywords="web-components, grid, data, table, angular" id="ag-grid" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/ag-grid"> ag-grid </a> <meta itemprop="url" content="http:&#x2F;&#x2F;www.ag-grid.com&#x2F;" /> <meta itemprop="version" content="3.1.2" /> <!-- hidden text for searching --> <div style="display: none;"> web-components, grid, data, table, angular </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="ag-grid" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/ag-grid/3.1.2/ag-grid.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="aight" data-library-keywords="js, dom, es5, css, ie, ie8, ie9, windows, browser, compatibility" id="aight" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/aight"> aight </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;shawnbot&#x2F;aight" /> <meta itemprop="version" content="1.2.2" /> <!-- hidden text for searching --> <div style="display: none;"> js, dom, es5, css, ie, ie8, ie9, windows, browser, compatibility </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="aight" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/aight/1.2.2/aight.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="airbrake-js" data-library-keywords="exception, error, logging, airbrake, client" id="airbrake-js" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/airbrake-js"> airbrake-js </a> <meta itemprop="url" content="https:&#x2F;&#x2F;airbrake.io" /> <meta itemprop="version" content="0.5.8" /> <!-- hidden text for searching --> <div style="display: none;"> exception, error, logging, airbrake, client </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="airbrake-js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/airbrake-js/0.5.8/client.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="aja" data-library-keywords="request, ajax, xhr, aja, ajajs, json, jsonp" id="aja" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/aja"> aja </a> <meta itemprop="url" content="http:&#x2F;&#x2F;krampstudio.github.io&#x2F;aja.js&#x2F;" /> <meta itemprop="version" content="0.4.1" /> <!-- hidden text for searching --> <div style="display: none;"> request, ajax, xhr, aja, ajajs, json, jsonp </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="aja" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/aja/0.4.1/aja.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="ajile" data-library-keywords="ajile, browser, compatible, cross-domain, dependency, import, include, inline, load, namespace, on-demand" id="ajile" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/ajile"> ajile </a> <meta itemprop="url" content="http:&#x2F;&#x2F;ajile.net&#x2F;" /> <meta itemprop="version" content="2.1.7" /> <!-- hidden text for searching --> <div style="display: none;"> ajile, browser, compatible, cross-domain, dependency, import, include, inline, load, namespace, on-demand </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="ajile" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/ajile/2.1.7/com.iskitz.ajile.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="ajv" data-library-keywords="JSON, schema, validator" id="ajv" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/ajv"> ajv </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;epoberezkin&#x2F;ajv" /> <meta itemprop="version" content="3.4.0" /> <!-- hidden text for searching --> <div style="display: none;"> JSON, schema, validator </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="ajv" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/ajv/3.4.0/ajv.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="alasql" data-library-keywords="sql, nosql, graph, alasql, javascript, parser, database, DBMS, data, query, localStorage, IndexedDB, DOM-storage, SQLite, JSON, Excel, XLSX, XLS, CSV, webworker" id="alasql" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/alasql"> alasql </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;agershun&#x2F;alasql" /> <meta itemprop="version" content="0.2.2" /> <!-- hidden text for searching --> <div style="display: none;"> sql, nosql, graph, alasql, javascript, parser, database, DBMS, data, query, localStorage, IndexedDB, DOM-storage, SQLite, JSON, Excel, XLSX, XLS, CSV, webworker </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="alasql" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/alasql/0.2.2/alasql.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="alchemyjs" data-library-keywords="graph, d3" id="alchemyjs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/alchemyjs"> alchemyjs </a> <meta itemprop="url" content="http:&#x2F;&#x2F;graphalchemist.github.io&#x2F;Alchemy" /> <meta itemprop="version" content="0.4.2" /> <!-- hidden text for searching --> <div style="display: none;"> graph, d3 </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="alchemyjs" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/alchemyjs/0.4.2/alchemy.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="alertify.js" data-library-keywords="" id="alertifyjs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/alertify.js"> alertify.js </a> <meta itemprop="url" content="http:&#x2F;&#x2F;fabien-d.github.io&#x2F;alertify.js&#x2F;" /> <meta itemprop="version" content="0.5.0" /> <!-- hidden text for searching --> <div style="display: none;"> </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="alertify.js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/alertify.js/0.5.0/alertify.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="alertifyjs-alertify.js" data-library-keywords="alertify, alertifyjs, alertify.js, notifications, alert" id="alertifyjs-alertifyjs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/alertifyjs-alertify.js"> alertifyjs-alertify.js </a> <meta itemprop="url" content="https:&#x2F;&#x2F;alertifyjs.org&#x2F;" /> <meta itemprop="version" content="1.0.8" /> <!-- hidden text for searching --> <div style="display: none;"> alertify, alertifyjs, alertify.js, notifications, alert </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="alertifyjs-alertify.js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/alertifyjs-alertify.js/1.0.8/js&#x2F;alertify.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="algoliasearch-helper-js" data-library-keywords="" id="algoliasearch-helper-js" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/algoliasearch-helper-js"> algoliasearch-helper-js </a> <meta itemprop="url" content="" /> <meta itemprop="version" content="2.8.0" /> <!-- hidden text for searching --> <div style="display: none;"> </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="algoliasearch-helper-js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/algoliasearch-helper-js/2.8.0/algoliasearch.helper.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="algoliasearch" data-library-keywords="algolia, search, search api, instant search, realtime, autocomplete" id="algoliasearch" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/algoliasearch"> algoliasearch </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;algolia&#x2F;algoliasearch-client-js" /> <meta itemprop="version" content="3.10.2" /> <!-- hidden text for searching --> <div style="display: none;"> algolia, search, search api, instant search, realtime, autocomplete </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="algoliasearch" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/algoliasearch/3.10.2/algoliasearch.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="allmighty-autocomplete" data-library-keywords="autocomplete, angularjs" id="allmighty-autocomplete" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/allmighty-autocomplete"> allmighty-autocomplete </a> <meta itemprop="url" content="http:&#x2F;&#x2F;justgoscha.github.io&#x2F;allmighty-autocomplete&#x2F;" /> <meta itemprop="version" content="1.0.140706" /> <!-- hidden text for searching --> <div style="display: none;"> autocomplete, angularjs </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="allmighty-autocomplete" class="library-column css-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/allmighty-autocomplete/1.0.140706/autocomplete.min.css</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="allow-me" data-library-keywords="notifcation" id="allow-me" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/allow-me"> allow-me </a> <meta itemprop="url" content="" /> <meta itemprop="version" content="0.1.1" /> <!-- hidden text for searching --> <div style="display: none;"> notifcation </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="allow-me" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/allow-me/0.1.1/allowMe.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="alloy-ui" data-library-keywords="ui, themeing, popular" id="alloy-ui" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/alloy-ui"> alloy-ui </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;liferay&#x2F;alloy-ui" /> <meta itemprop="version" content="1.0.1" /> <!-- hidden text for searching --> <div style="display: none;"> ui, themeing, popular </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="alloy-ui" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/alloy-ui/1.0.1/aui-min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="ally.js" data-library-keywords="accessibility, a11y, focus, focusable, tabbing, tabbable" id="allyjs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/ally.js"> ally.js </a> <meta itemprop="url" content="http:&#x2F;&#x2F;allyjs.io&#x2F;" /> <meta itemprop="version" content="1.0.1" /> <!-- hidden text for searching --> <div style="display: none;"> accessibility, a11y, focus, focusable, tabbing, tabbable </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="ally.js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/ally.js/1.0.1/ally.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="alt" data-library-keywords="alt, es6, flow, flux, react, unidirectional" id="alt" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/alt"> alt </a> <meta itemprop="url" content="" /> <meta itemprop="version" content="0.18.1" /> <!-- hidden text for searching --> <div style="display: none;"> alt, es6, flow, flux, react, unidirectional </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="alt" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/alt/0.18.1/alt.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="alton" data-library-keywords="jQuery, scroll, twist" id="alton" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/alton"> alton </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;paper-leaf&#x2F;alton#readme" /> <meta itemprop="version" content="1.2.0" /> <!-- hidden text for searching --> <div style="display: none;"> jQuery, scroll, twist </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="alton" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/alton/1.2.0/jquery.alton.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="amazeui-react" data-library-keywords="react, react-component, amazeui, react.js, amazeui, amazeui-react, react-amazeui, web-components" id="amazeui-react" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/amazeui-react"> amazeui-react </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;amazeui&#x2F;amazeui-react" /> <meta itemprop="version" content="1.0.0" /> <!-- hidden text for searching --> <div style="display: none;"> react, react-component, amazeui, react.js, amazeui, amazeui-react, react-amazeui, web-components </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="amazeui-react" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/amazeui-react/1.0.0/amazeui.react.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="amazeui" data-library-keywords="AMUI, Amaze UI, AllMobile, css, js, less, mobile-first, responsive, front-end, framework, web, web-components" id="amazeui" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/amazeui"> amazeui </a> <meta itemprop="url" content="http:&#x2F;&#x2F;amazeui.org" /> <meta itemprop="version" content="2.5.1" /> <!-- hidden text for searching --> <div style="display: none;"> AMUI, Amaze UI, AllMobile, css, js, less, mobile-first, responsive, front-end, framework, web, web-components </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="amazeui" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/amazeui/2.5.1/js&#x2F;amazeui.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="amcharts" data-library-keywords="chart" id="amcharts" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/amcharts"> amcharts </a> <meta itemprop="url" content="http:&#x2F;&#x2F;www.amcharts.com&#x2F;" /> <meta itemprop="version" content="3.13.0" /> <!-- hidden text for searching --> <div style="display: none;"> chart </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="amcharts" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/amcharts/3.13.0/amcharts.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="ammaps" data-library-keywords="map" id="ammaps" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/ammaps"> ammaps </a> <meta itemprop="url" content="http:&#x2F;&#x2F;www.amcharts.com&#x2F;" /> <meta itemprop="version" content="3.13.0" /> <!-- hidden text for searching --> <div style="display: none;"> map </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="ammaps" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/ammaps/3.13.0/ammap.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="amplifyjs" data-library-keywords="amplifyjs, amplify, api" id="amplifyjs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/amplifyjs"> amplifyjs </a> <meta itemprop="url" content="http:&#x2F;&#x2F;amplifyjs.com&#x2F;" /> <meta itemprop="version" content="1.1.2" /> <!-- hidden text for searching --> <div style="display: none;"> amplifyjs, amplify, api </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="amplifyjs" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/amplifyjs/1.1.2/amplify.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="amstockchart" data-library-keywords="chart" id="amstockchart" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/amstockchart"> amstockchart </a> <meta itemprop="url" content="http:&#x2F;&#x2F;www.amcharts.com&#x2F;" /> <meta itemprop="version" content="3.13.0" /> <!-- hidden text for searching --> <div style="display: none;"> chart </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="amstockchart" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/amstockchart/3.13.0/amstock.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="analytics.js" data-library-keywords="analytics, analytics.js, segment, segment.io" id="analyticsjs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/analytics.js"> analytics.js </a> <meta itemprop="url" content="https:&#x2F;&#x2F;segment.io&#x2F;docs&#x2F;libraries&#x2F;analytics.js&#x2F;" /> <meta itemprop="version" content="2.9.1" /> <!-- hidden text for searching --> <div style="display: none;"> analytics, analytics.js, segment, segment.io </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="analytics.js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/analytics.js/2.9.1/analytics.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="anchor-js" data-library-keywords="" id="anchor-js" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/anchor-js"> anchor-js </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;bryanbraun&#x2F;anchorjs" /> <meta itemprop="version" content="2.1.0" /> <!-- hidden text for searching --> <div style="display: none;"> </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="anchor-js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/anchor-js/2.1.0/anchor.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="angucomplete-alt" data-library-keywords="" id="angucomplete-alt" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/angucomplete-alt"> angucomplete-alt </a> <meta itemprop="url" content="" /> <meta itemprop="version" content="2.1.0" /> <!-- hidden text for searching --> <div style="display: none;"> </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="angucomplete-alt" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/angucomplete-alt/2.1.0/angucomplete-alt.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="angular-autofields" data-library-keywords="" id="angular-autofields" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/angular-autofields"> angular-autofields </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;justmaier&#x2F;angular-autoFields-bootstrap" /> <meta itemprop="version" content="2.1.8" /> <!-- hidden text for searching --> <div style="display: none;"> </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="angular-autofields" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/angular-autofields/2.1.8/autofields.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="angular-azure-mobile-service" data-library-keywords="angular, azure, mobile, service, cloud" id="angular-azure-mobile-service" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/angular-azure-mobile-service"> angular-azure-mobile-service </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;TerryMooreII&#x2F;angular-azure-mobile-service" /> <meta itemprop="version" content="1.3.10" /> <!-- hidden text for searching --> <div style="display: none;"> angular, azure, mobile, service, cloud </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="angular-azure-mobile-service" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/angular-azure-mobile-service/1.3.10/angular-azure-mobile-service.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="angular-bacon" data-library-keywords="angular, bacon, frp" id="angular-bacon" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/angular-bacon"> angular-bacon </a> <meta itemprop="url" content="" /> <meta itemprop="version" content="2.0.0" /> <!-- hidden text for searching --> <div style="display: none;"> angular, bacon, frp </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="angular-bacon" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/angular-bacon/2.0.0/angular-bacon.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="angular-bindonce" data-library-keywords="angularjs, angular, directive, binding, watcher, bindonce" id="angular-bindonce" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/angular-bindonce"> angular-bindonce </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;Pasvaz&#x2F;bindonce" /> <meta itemprop="version" content="0.3.3" /> <!-- hidden text for searching --> <div style="display: none;"> angularjs, angular, directive, binding, watcher, bindonce </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="angular-bindonce" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/angular-bindonce/0.3.3/bindonce.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="angular-block-ui" data-library-keywords="angularjs, angular, gulp" id="angular-block-ui" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/angular-block-ui"> angular-block-ui </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;McNull&#x2F;angular-block-ui" /> <meta itemprop="version" content="0.2.2" /> <!-- hidden text for searching --> <div style="display: none;"> angularjs, angular, gulp </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="angular-block-ui" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/angular-block-ui/0.2.2/angular-block-ui.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="angular-bootstrap-colorpicker" data-library-keywords="angular, color picker, bootstrap" id="angular-bootstrap-colorpicker" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/angular-bootstrap-colorpicker"> angular-bootstrap-colorpicker </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;buberdds&#x2F;angular-bootstrap-colorpicker" /> <meta itemprop="version" content="3.0.23" /> <!-- hidden text for searching --> <div style="display: none;"> angular, color picker, bootstrap </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="angular-bootstrap-colorpicker" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/angular-bootstrap-colorpicker/3.0.23/js&#x2F;bootstrap-colorpicker-module.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="angular-bootstrap-lightbox" data-library-keywords="angular, lightbox, image, gallery" id="angular-bootstrap-lightbox" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/angular-bootstrap-lightbox"> angular-bootstrap-lightbox </a> <meta itemprop="url" content="http:&#x2F;&#x2F;compact.github.io&#x2F;angular-bootstrap-lightbox&#x2F;" /> <meta itemprop="version" content="0.10.0" /> <!-- hidden text for searching --> <div style="display: none;"> angular, lightbox, image, gallery </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="angular-bootstrap-lightbox" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/angular-bootstrap-lightbox/0.10.0/angular-bootstrap-lightbox.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="angular-busy" data-library-keywords="angularjs, busy, indicator" id="angular-busy" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/angular-busy"> angular-busy </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;cgross&#x2F;angular-busy" /> <meta itemprop="version" content="4.1.3" /> <!-- hidden text for searching --> <div style="display: none;"> angularjs, busy, indicator </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="angular-busy" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/angular-busy/4.1.3/angular-busy.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="angular-cache" data-library-keywords="" id="angular-cache" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/angular-cache"> angular-cache </a> <meta itemprop="url" content="http:&#x2F;&#x2F;jmdobry.github.io&#x2F;angular-cache" /> <meta itemprop="version" content="4.5.0" /> <!-- hidden text for searching --> <div style="display: none;"> </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="angular-cache" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/angular-cache/4.5.0/angular-cache.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="angular-carousel" data-library-keywords="" id="angular-carousel" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/angular-carousel"> angular-carousel </a> <meta itemprop="url" content="http:&#x2F;&#x2F;revolunet.github.com&#x2F;angular-carousel" /> <meta itemprop="version" content="1.0.1" /> <!-- hidden text for searching --> <div style="display: none;"> </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="angular-carousel" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/angular-carousel/1.0.1/angular-carousel.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="angular-chart.js" data-library-keywords="" id="angular-chartjs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/angular-chart.js"> angular-chart.js </a> <meta itemprop="url" content="" /> <meta itemprop="version" content="0.8.8" /> <!-- hidden text for searching --> <div style="display: none;"> </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="angular-chart.js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/angular-chart.js/0.8.8/angular-chart.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="angular-clipboard" data-library-keywords="angular, clipboard, copy, paste, selection" id="angular-clipboard" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/angular-clipboard"> angular-clipboard </a> <meta itemprop="url" content="" /> <meta itemprop="version" content="1.3.0" /> <!-- hidden text for searching --> <div style="display: none;"> angular, clipboard, copy, paste, selection </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="angular-clipboard" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/angular-clipboard/1.3.0/angular-clipboard.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="angular-cookie" data-library-keywords="cookie, angular" id="angular-cookie" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/angular-cookie"> angular-cookie </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;ivpusic&#x2F;angular-cookie" /> <meta itemprop="version" content="4.0.10" /> <!-- hidden text for searching --> <div style="display: none;"> cookie, angular </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="angular-cookie" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/angular-cookie/4.0.10/angular-cookie.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="angular-css" data-library-keywords="angularjs, ng-route, ui-router, css" id="angular-css" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/angular-css"> angular-css </a> <meta itemprop="url" content="http:&#x2F;&#x2F;door3.github.io&#x2F;angular-css" /> <meta itemprop="version" content="1.0.7" /> <!-- hidden text for searching --> <div style="display: none;"> angularjs, ng-route, ui-router, css </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="angular-css" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/angular-css/1.0.7/angular-css.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="angular-data" data-library-keywords="" id="angular-data" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/angular-data"> angular-data </a> <meta itemprop="url" content="http:&#x2F;&#x2F;angular-data.pseudobry.com" /> <meta itemprop="version" content="1.5.3" /> <!-- hidden text for searching --> <div style="display: none;"> </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="angular-data" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/angular-data/1.5.3/angular-data.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="angular-dialog-service" data-library-keywords="angular, dialog, modal, service" id="angular-dialog-service" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/angular-dialog-service"> angular-dialog-service </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;m-e-conroy&#x2F;angular-dialog-service" /> <meta itemprop="version" content="5.2.11" /> <!-- hidden text for searching --> <div style="display: none;"> angular, dialog, modal, service </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="angular-dialog-service" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/angular-dialog-service/5.2.11/dialogs.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="angular-drag-and-drop-lists" data-library-keywords="angular, drag, drop, list, dnd" id="angular-drag-and-drop-lists" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/angular-drag-and-drop-lists"> angular-drag-and-drop-lists </a> <meta itemprop="url" content="" /> <meta itemprop="version" content="1.3.0" /> <!-- hidden text for searching --> <div style="display: none;"> angular, drag, drop, list, dnd </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="angular-drag-and-drop-lists" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/angular-drag-and-drop-lists/1.3.0/angular-drag-and-drop-lists.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="angular-dynamic-locale" data-library-keywords="dynamic, change locale" id="angular-dynamic-locale" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/angular-dynamic-locale"> angular-dynamic-locale </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;lgalfaso&#x2F;angular-dynamic-locale" /> <meta itemprop="version" content="0.1.29" /> <!-- hidden text for searching --> <div style="display: none;"> dynamic, change locale </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="angular-dynamic-locale" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/angular-dynamic-locale/0.1.29/tmhDynamicLocale.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="angular-elastic" data-library-keywords="angular, angularjs, textarea, elastic, autosize" id="angular-elastic" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/angular-elastic"> angular-elastic </a> <meta itemprop="url" content="http:&#x2F;&#x2F;monospaced.github.io&#x2F;angular-elastic&#x2F;" /> <meta itemprop="version" content="2.5.1" /> <!-- hidden text for searching --> <div style="display: none;"> angular, angularjs, textarea, elastic, autosize </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="angular-elastic" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/angular-elastic/2.5.1/elastic.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="angular-file-upload" data-library-keywords="angularjs, directive, filters, forms, image, file, upload" id="angular-file-upload" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/angular-file-upload"> angular-file-upload </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;nervgh&#x2F;angular-file-upload" /> <meta itemprop="version" content="2.2.0" /> <!-- hidden text for searching --> <div style="display: none;"> angularjs, directive, filters, forms, image, file, upload </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="angular-file-upload" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/angular-file-upload/2.2.0/angular-file-upload.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="angular-filter" data-library-keywords="angular, client, browser, filter, lodash, underscore, collection" id="angular-filter" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/angular-filter"> angular-filter </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;a8m&#x2F;angular-filter" /> <meta itemprop="version" content="0.5.8" /> <!-- hidden text for searching --> <div style="display: none;"> angular, client, browser, filter, lodash, underscore, collection </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="angular-filter" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/angular-filter/0.5.8/angular-filter.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="angular-formly-templates-bootstrap" data-library-keywords="" id="angular-formly-templates-bootstrap" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/angular-formly-templates-bootstrap"> angular-formly-templates-bootstrap </a> <meta itemprop="url" content="http:&#x2F;&#x2F;formly-js.github.io&#x2F;angular-formly-templates-bootstrap&#x2F;" /> <meta itemprop="version" content="6.2.0" /> <!-- hidden text for searching --> <div style="display: none;"> </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="angular-formly-templates-bootstrap" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/angular-formly-templates-bootstrap/6.2.0/angular-formly-templates-bootstrap.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="angular-formly" data-library-keywords="angular, formly" id="angular-formly" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/angular-formly"> angular-formly </a> <meta itemprop="url" content="http:&#x2F;&#x2F;formly-js.github.io&#x2F;angular-formly&#x2F;#!&#x2F;" /> <meta itemprop="version" content="7.5.0" /> <!-- hidden text for searching --> <div style="display: none;"> angular, formly </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="angular-formly" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/angular-formly/7.5.0/formly.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="angular-foundation" data-library-keywords="angular, foundation" id="angular-foundation" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/angular-foundation"> angular-foundation </a> <meta itemprop="url" content="http:&#x2F;&#x2F;pineconellc.github.io&#x2F;angular-foundation&#x2F;" /> <meta itemprop="version" content="0.8.0" /> <!-- hidden text for searching --> <div style="display: none;"> angular, foundation </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="angular-foundation" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/angular-foundation/0.8.0/mm-foundation.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="angular-gantt" data-library-keywords="gantt, chart, angularjs" id="angular-gantt" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/angular-gantt"> angular-gantt </a> <meta itemprop="url" content="http:&#x2F;&#x2F;www.angular-gantt.com" /> <meta itemprop="version" content="1.2.11" /> <!-- hidden text for searching --> <div style="display: none;"> gantt, chart, angularjs </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="angular-gantt" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/angular-gantt/1.2.11/angular-gantt.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="angular-gettext" data-library-keywords="angular, gettext" id="angular-gettext" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/angular-gettext"> angular-gettext </a> <meta itemprop="url" content="http:&#x2F;&#x2F;angular-gettext.rocketeer.be&#x2F;" /> <meta itemprop="version" content="2.2.0" /> <!-- hidden text for searching --> <div style="display: none;"> angular, gettext </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="angular-gettext" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/angular-gettext/2.2.0/angular-gettext.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="angular-google-analytics" data-library-keywords="analytics, angular, angularjs, angular-js, google-analytics, tracking, visitor-tracking, universal-analytics" id="angular-google-analytics" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/angular-google-analytics"> angular-google-analytics </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;revolunet&#x2F;angular-google-analytics" /> <meta itemprop="version" content="1.1.5" /> <!-- hidden text for searching --> <div style="display: none;"> analytics, angular, angularjs, angular-js, google-analytics, tracking, visitor-tracking, universal-analytics </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="angular-google-analytics" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/angular-google-analytics/1.1.5/angular-google-analytics.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="angular-google-chart" data-library-keywords="angularjs, chart, google, directives, module" id="angular-google-chart" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/angular-google-chart"> angular-google-chart </a> <meta itemprop="url" content="" /> <meta itemprop="version" content="0.1.0" /> <!-- hidden text for searching --> <div style="display: none;"> angularjs, chart, google, directives, module </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="angular-google-chart" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/angular-google-chart/0.1.0/ng-google-chart.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="angular-google-maps" data-library-keywords="angularjs, googlemaps, directives, webcomponent" id="angular-google-maps" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/angular-google-maps"> angular-google-maps </a> <meta itemprop="url" content="" /> <meta itemprop="version" content="2.3.0" /> <!-- hidden text for searching --> <div style="display: none;"> angularjs, googlemaps, directives, webcomponent </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="angular-google-maps" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/angular-google-maps/2.3.0/angular-google-maps.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="angular-gravatar" data-library-keywords="angular, angularjs, gravatar" id="angular-gravatar" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/angular-gravatar"> angular-gravatar </a> <meta itemprop="url" content="" /> <meta itemprop="version" content="0.4.1" /> <!-- hidden text for searching --> <div style="display: none;"> angular, angularjs, gravatar </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="angular-gravatar" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/angular-gravatar/0.4.1/angular-gravatar.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="angular-highlightjs" data-library-keywords="angularjs, highlight.js, angular-highlightjs" id="angular-highlightjs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/angular-highlightjs"> angular-highlightjs </a> <meta itemprop="url" content="http:&#x2F;&#x2F;pc035860.github.io&#x2F;angular-highlightjs&#x2F;example&#x2F;" /> <meta itemprop="version" content="0.5.1" /> <!-- hidden text for searching --> <div style="display: none;"> angularjs, highlight.js, angular-highlightjs </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="angular-highlightjs" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/angular-highlightjs/0.5.1/angular-highlightjs.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="angular-hotkeys" data-library-keywords="angular, angularjs, keyboard, shortcut, hotkeys" id="angular-hotkeys" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/angular-hotkeys"> angular-hotkeys </a> <meta itemprop="url" content="https:&#x2F;&#x2F;chieffancypants.github.io&#x2F;angular-hotkeys" /> <meta itemprop="version" content="1.6.0" /> <!-- hidden text for searching --> <div style="display: none;"> angular, angularjs, keyboard, shortcut, hotkeys </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="angular-hotkeys" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/angular-hotkeys/1.6.0/hotkeys.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="angular-i18n" data-library-keywords="framework, mvc, AngularJS, angular, angular.js" id="angular-i18n" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/angular-i18n"> angular-i18n </a> <meta itemprop="url" content="http:&#x2F;&#x2F;angularjs.org" /> <meta itemprop="version" content="1.4.9" /> <!-- hidden text for searching --> <div style="display: none;"> framework, mvc, AngularJS, angular, angular.js </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="angular-i18n" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/angular-i18n/1.4.9/angular-locale_en-us.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="angular-image-spinner" data-library-keywords="angularjs, spin.js" id="angular-image-spinner" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/angular-image-spinner"> angular-image-spinner </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;oivoodoo&#x2F;angular-image-spinner" /> <meta itemprop="version" content="0.1.5" /> <!-- hidden text for searching --> <div style="display: none;"> angularjs, spin.js </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="angular-image-spinner" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/angular-image-spinner/0.1.5/angular-image-spinner.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="angular-input-masks" data-library-keywords="input, mask, angularjs" id="angular-input-masks" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/angular-input-masks"> angular-input-masks </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;assisrafael&#x2F;angular-input-masks" /> <meta itemprop="version" content="2.1.1" /> <!-- hidden text for searching --> <div style="display: none;"> input, mask, angularjs </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="angular-input-masks" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/angular-input-masks/2.1.1/angular-input-masks.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="angular-inview" data-library-keywords="AngularJS, DOM, visible, viewport" id="angular-inview" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/angular-inview"> angular-inview </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;thenikso&#x2F;angular-inview" /> <meta itemprop="version" content="1.5.6" /> <!-- hidden text for searching --> <div style="display: none;"> AngularJS, DOM, visible, viewport </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="angular-inview" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/angular-inview/1.5.6/angular-inview.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="angular-leaflet-directive" data-library-keywords="angularjs, javascript, directive, leaflet" id="angular-leaflet-directive" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/angular-leaflet-directive"> angular-leaflet-directive </a> <meta itemprop="url" content="http:&#x2F;&#x2F;tombatossals.github.io&#x2F;angular-leaflet-directive&#x2F;" /> <meta itemprop="version" content="0.10.0" /> <!-- hidden text for searching --> <div style="display: none;"> angularjs, javascript, directive, leaflet </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="angular-leaflet-directive" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/angular-leaflet-directive/0.10.0/angular-leaflet-directive.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="angular-loading-bar" data-library-keywords="angular, angularjs, loading, loadingbar, progress, progressbar" id="angular-loading-bar" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/angular-loading-bar"> angular-loading-bar </a> <meta itemprop="url" content="https:&#x2F;&#x2F;chieffancypants.github.io&#x2F;angular-loading-bar" /> <meta itemprop="version" content="0.8.0" /> <!-- hidden text for searching --> <div style="display: none;"> angular, angularjs, loading, loadingbar, progress, progressbar </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="angular-loading-bar" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/angular-loading-bar/0.8.0/loading-bar.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="angular-local-storage" data-library-keywords="AngularJS, local, storage" id="angular-local-storage" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/angular-local-storage"> angular-local-storage </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;grevory&#x2F;angular-local-storage" /> <meta itemprop="version" content="0.2.2" /> <!-- hidden text for searching --> <div style="display: none;"> AngularJS, local, storage </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="angular-local-storage" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/angular-local-storage/0.2.2/angular-local-storage.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="angular-material-data-table" data-library-keywords="material, table, md-data-table" id="angular-material-data-table" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/angular-material-data-table"> angular-material-data-table </a> <meta itemprop="url" content="http:&#x2F;&#x2F;danielnagy.me&#x2F;md-data-table" /> <meta itemprop="version" content="0.9.7" /> <!-- hidden text for searching --> <div style="display: none;"> material, table, md-data-table </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="angular-material-data-table" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/angular-material-data-table/0.9.7/md-data-table.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="angular-material-icons" data-library-keywords="angular, material, design, icon, fill, size, color, white, morph, svg, custom" id="angular-material-icons" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/angular-material-icons"> angular-material-icons </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;klarsys&#x2F;angular-material-icons" /> <meta itemprop="version" content="0.6.0" /> <!-- hidden text for searching --> <div style="display: none;"> angular, material, design, icon, fill, size, color, white, morph, svg, custom </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="angular-material-icons" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/angular-material-icons/0.6.0/angular-material-icons.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="angular-material" data-library-keywords="" id="angular-material" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/angular-material"> angular-material </a> <meta itemprop="url" content="https:&#x2F;&#x2F;material.angularjs.org&#x2F;" /> <meta itemprop="version" content="1.0.3" /> <!-- hidden text for searching --> <div style="display: none;"> </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="angular-material" class="library-column css-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/angular-material/1.0.3/angular-material.min.css</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="angular-md5" data-library-keywords="PatrickJS, gdi2290, angular.js, angularjs, angular, crypto, md5" id="angular-md5" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/angular-md5"> angular-md5 </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;gdi2290&#x2F;angular-md5" /> <meta itemprop="version" content="0.1.7" /> <!-- hidden text for searching --> <div style="display: none;"> PatrickJS, gdi2290, angular.js, angularjs, angular, crypto, md5 </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="angular-md5" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/angular-md5/0.1.7/angular-md5.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="angular-messages" data-library-keywords="angular, framework, browser, client-side" id="angular-messages" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/angular-messages"> angular-messages </a> <meta itemprop="url" content="http:&#x2F;&#x2F;angularjs.org" /> <meta itemprop="version" content="1.4.9" /> <!-- hidden text for searching --> <div style="display: none;"> angular, framework, browser, client-side </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="angular-messages" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/angular-messages/1.4.9/angular-messages.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="angular-mixpanel" data-library-keywords="angular, mixpanel" id="angular-mixpanel" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/angular-mixpanel"> angular-mixpanel </a> <meta itemprop="url" content="" /> <meta itemprop="version" content="1.1.2" /> <!-- hidden text for searching --> <div style="display: none;"> angular, mixpanel </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="angular-mixpanel" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/angular-mixpanel/1.1.2/angular-mixpanel.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="angular-moment" data-library-keywords="angularjs, moment, timeago" id="angular-moment" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/angular-moment"> angular-moment </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;urish&#x2F;angular-moment" /> <meta itemprop="version" content="0.10.3" /> <!-- hidden text for searching --> <div style="display: none;"> angularjs, moment, timeago </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="angular-moment" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/angular-moment/0.10.3/angular-moment.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="angular-morris-chart" data-library-keywords="angular, morris, chart" id="angular-morris-chart" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/angular-morris-chart"> angular-morris-chart </a> <meta itemprop="url" content="https:&#x2F;&#x2F;angular-morris-chart.stpa.co&#x2F;" /> <meta itemprop="version" content="1.1.4" /> <!-- hidden text for searching --> <div style="display: none;"> angular, morris, chart </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="angular-morris-chart" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/angular-morris-chart/1.1.4/angular-morris-chart.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="angular-motion" data-library-keywords="angular, animation" id="angular-motion" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/angular-motion"> angular-motion </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;mgcrea&#x2F;angular-motion" /> <meta itemprop="version" content="0.4.3" /> <!-- hidden text for searching --> <div style="display: none;"> angular, animation </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="angular-motion" class="library-column css-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/angular-motion/0.4.3/angular-motion.min.css</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="angular-multi-select" data-library-keywords="angular, select, multi" id="angular-multi-select" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/angular-multi-select"> angular-multi-select </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;isteven&#x2F;angular-multi-select" /> <meta itemprop="version" content="4.0.0" /> <!-- hidden text for searching --> <div style="display: none;"> angular, select, multi </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="angular-multi-select" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/angular-multi-select/4.0.0/isteven-multi-select.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="angular-nvd3" data-library-keywords="angular, nvd3, d3, directive, visualization, charts, svg" id="angular-nvd3" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/angular-nvd3"> angular-nvd3 </a> <meta itemprop="url" content="http:&#x2F;&#x2F;krispo.github.io&#x2F;angular-nvd3" /> <meta itemprop="version" content="1.0.5" /> <!-- hidden text for searching --> <div style="display: none;"> angular, nvd3, d3, directive, visualization, charts, svg </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="angular-nvd3" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/angular-nvd3/1.0.5/angular-nvd3.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="angular-poller" data-library-keywords="AngularJS, angular, poller, poller-service, angular-poller" id="angular-poller" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/angular-poller"> angular-poller </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;emmaguo&#x2F;angular-poller.git" /> <meta itemprop="version" content="0.4.2" /> <!-- hidden text for searching --> <div style="display: none;"> AngularJS, angular, poller, poller-service, angular-poller </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="angular-poller" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/angular-poller/0.4.2/angular-poller.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="angular-pusher" data-library-keywords="" id="angular-pusher" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/angular-pusher"> angular-pusher </a> <meta itemprop="url" content="http:&#x2F;&#x2F;angular-pusher-example.herokuapp.com&#x2F;" /> <meta itemprop="version" content="0.0.14" /> <!-- hidden text for searching --> <div style="display: none;"> </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="angular-pusher" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/angular-pusher/0.0.14/angular-pusher.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="angular-recaptcha" data-library-keywords="angular, captcha, recaptcha, vividcortex, human, form, validation, signup, security, login" id="angular-recaptcha" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/angular-recaptcha"> angular-recaptcha </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;vividcortex&#x2F;angular-recaptcha" /> <meta itemprop="version" content="2.2.5" /> <!-- hidden text for searching --> <div style="display: none;"> angular, captcha, recaptcha, vividcortex, human, form, validation, signup, security, login </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="angular-recaptcha" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/angular-recaptcha/2.2.5/angular-recaptcha.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="angular-restmod" data-library-keywords="angular, restmod" id="angular-restmod" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/angular-restmod"> angular-restmod </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;platanus&#x2F;angular-restmod" /> <meta itemprop="version" content="1.1.11" /> <!-- hidden text for searching --> <div style="display: none;"> angular, restmod </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="angular-restmod" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/angular-restmod/1.1.11/angular-restmod-bundle.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="angular-retina" data-library-keywords="angularjs, ngSrc, Retina, high resolution image" id="angular-retina" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/angular-retina"> angular-retina </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;jrief&#x2F;angular-retina" /> <meta itemprop="version" content="0.3.1" /> <!-- hidden text for searching --> <div style="display: none;"> angularjs, ngSrc, Retina, high resolution image </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="angular-retina" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/angular-retina/0.3.1/angular-retina.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="angular-route-segment" data-library-keywords="angular, angularjs, routing, routes, route" id="angular-route-segment" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/angular-route-segment"> angular-route-segment </a> <meta itemprop="url" content="http:&#x2F;&#x2F;angular-route-segment.com&#x2F;" /> <meta itemprop="version" content="1.5.0" /> <!-- hidden text for searching --> <div style="display: none;"> angular, angularjs, routing, routes, route </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="angular-route-segment" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/angular-route-segment/1.5.0/angular-route-segment.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="angular-sanitize" data-library-keywords="angular, framework, browser, html, client-side" id="angular-sanitize" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/angular-sanitize"> angular-sanitize </a> <meta itemprop="url" content="http:&#x2F;&#x2F;angularjs.org" /> <meta itemprop="version" content="1.4.9" /> <!-- hidden text for searching --> <div style="display: none;"> angular, framework, browser, html, client-side </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="angular-sanitize" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/angular-sanitize/1.4.9/angular-sanitize.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="angular-schema-form" data-library-keywords="angular, angularjs, form, json, json-schema, schema" id="angular-schema-form" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/angular-schema-form"> angular-schema-form </a> <meta itemprop="url" content="http:&#x2F;&#x2F;textalk.github.io&#x2F;angular-schema-form&#x2F;" /> <meta itemprop="version" content="0.8.12" /> <!-- hidden text for searching --> <div style="display: none;"> angular, angularjs, form, json, json-schema, schema </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="angular-schema-form" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/angular-schema-form/0.8.12/bootstrap-decorator.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="angular-scroll" data-library-keywords="angular, smooth-scroll, scrollspy, scrollTo, scrolling" id="angular-scroll" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/angular-scroll"> angular-scroll </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;oblador&#x2F;angular-scroll" /> <meta itemprop="version" content="1.0.0" /> <!-- hidden text for searching --> <div style="display: none;"> angular, smooth-scroll, scrollspy, scrollTo, scrolling </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="angular-scroll" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/angular-scroll/1.0.0/angular-scroll.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="angular-slick-carousel" data-library-keywords="angular, directive, slick, carousel, slick-carousel" id="angular-slick-carousel" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/angular-slick-carousel"> angular-slick-carousel </a> <meta itemprop="url" content="http:&#x2F;&#x2F;devmark.github.io&#x2F;angular-slick-carousel&#x2F;" /> <meta itemprop="version" content="3.1.4" /> <!-- hidden text for searching --> <div style="display: none;"> angular, directive, slick, carousel, slick-carousel </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="angular-slick-carousel" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/angular-slick-carousel/3.1.4/angular-slick.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="angular-smart-table" data-library-keywords="Smart Table, table, data grid, grid, angular" id="angular-smart-table" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/angular-smart-table"> angular-smart-table </a> <meta itemprop="url" content="http:&#x2F;&#x2F;lorenzofox3.github.io&#x2F;smart-table-website&#x2F;" /> <meta itemprop="version" content="2.1.6" /> <!-- hidden text for searching --> <div style="display: none;"> Smart Table, table, data grid, grid, angular </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="angular-smart-table" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/angular-smart-table/2.1.6/smart-table.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="angular-spinner" data-library-keywords="angularjs, spin.js, spinner" id="angular-spinner" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/angular-spinner"> angular-spinner </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;urish&#x2F;angular-spinner" /> <meta itemprop="version" content="0.8.0" /> <!-- hidden text for searching --> <div style="display: none;"> angularjs, spin.js, spinner </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="angular-spinner" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/angular-spinner/0.8.0/angular-spinner.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="angular-strap" data-library-keywords="angular, bootstrap, directives, datepicker" id="angular-strap" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/angular-strap"> angular-strap </a> <meta itemprop="url" content="http:&#x2F;&#x2F;mgcrea.github.com&#x2F;angular-strap" /> <meta itemprop="version" content="2.3.7" /> <!-- hidden text for searching --> <div style="display: none;"> angular, bootstrap, directives, datepicker </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="angular-strap" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/angular-strap/2.3.7/angular-strap.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="angular-summernote" data-library-keywords="angular.js, summernote, editor, directive" id="angular-summernote" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/angular-summernote"> angular-summernote </a> <meta itemprop="url" content="" /> <meta itemprop="version" content="0.7.1" /> <!-- hidden text for searching --> <div style="display: none;"> angular.js, summernote, editor, directive </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="angular-summernote" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/angular-summernote/0.7.1/angular-summernote.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="angular-svg-round-progressbar" data-library-keywords="angular, progress, circle, round, svg" id="angular-svg-round-progressbar" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/angular-svg-round-progressbar"> angular-svg-round-progressbar </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;crisbeto&#x2F;angular-svg-round-progressbar" /> <meta itemprop="version" content="0.3.10" /> <!-- hidden text for searching --> <div style="display: none;"> angular, progress, circle, round, svg </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="angular-svg-round-progressbar" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/angular-svg-round-progressbar/0.3.10/roundProgress.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="angular-timer" data-library-keywords="angular, timer" id="angular-timer" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/angular-timer"> angular-timer </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;siddii&#x2F;angular-timer" /> <meta itemprop="version" content="1.3.3" /> <!-- hidden text for searching --> <div style="display: none;"> angular, timer </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="angular-timer" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/angular-timer/1.3.3/angular-timer.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="angular-touch" data-library-keywords="angular, framework, browser, touch, client-side" id="angular-touch" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/angular-touch"> angular-touch </a> <meta itemprop="url" content="http:&#x2F;&#x2F;angularjs.org" /> <meta itemprop="version" content="1.4.9" /> <!-- hidden text for searching --> <div style="display: none;"> angular, framework, browser, touch, client-side </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="angular-touch" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/angular-touch/1.4.9/angular-touch.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="angular-translate-handler-log" data-library-keywords="framework, mvc, AngularJS, angular, angular.js, angular-translate" id="angular-translate-handler-log" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/angular-translate-handler-log"> angular-translate-handler-log </a> <meta itemprop="url" content="http:&#x2F;&#x2F;angular-translate.github.io" /> <meta itemprop="version" content="2.8.1" /> <!-- hidden text for searching --> <div style="display: none;"> framework, mvc, AngularJS, angular, angular.js, angular-translate </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="angular-translate-handler-log" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/angular-translate-handler-log/2.8.1/angular-translate-handler-log.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="angular-translate-interpolation-messageformat" data-library-keywords="framework, mvc, AngularJS, angular, angular.js, angular-translate" id="angular-translate-interpolation-messageformat" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/angular-translate-interpolation-messageformat"> angular-translate-interpolation-messageformat </a> <meta itemprop="url" content="http:&#x2F;&#x2F;angular-translate.github.io" /> <meta itemprop="version" content="2.8.1" /> <!-- hidden text for searching --> <div style="display: none;"> framework, mvc, AngularJS, angular, angular.js, angular-translate </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="angular-translate-interpolation-messageformat" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/angular-translate-interpolation-messageformat/2.8.1/angular-translate-interpolation-messageformat.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="angular-translate-loader-partial" data-library-keywords="framework, mvc, AngularJS, angular, angular.js, angular-translate" id="angular-translate-loader-partial" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/angular-translate-loader-partial"> angular-translate-loader-partial </a> <meta itemprop="url" content="http:&#x2F;&#x2F;angular-translate.github.io" /> <meta itemprop="version" content="2.8.1" /> <!-- hidden text for searching --> <div style="display: none;"> framework, mvc, AngularJS, angular, angular.js, angular-translate </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="angular-translate-loader-partial" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/angular-translate-loader-partial/2.8.1/angular-translate-loader-partial.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="angular-translate-loader-static-files" data-library-keywords="framework, mvc, AngularJS, angular, angular.js, angular-translate" id="angular-translate-loader-static-files" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/angular-translate-loader-static-files"> angular-translate-loader-static-files </a> <meta itemprop="url" content="http:&#x2F;&#x2F;angular-translate.github.io" /> <meta itemprop="version" content="2.8.1" /> <!-- hidden text for searching --> <div style="display: none;"> framework, mvc, AngularJS, angular, angular.js, angular-translate </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="angular-translate-loader-static-files" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/angular-translate-loader-static-files/2.8.1/angular-translate-loader-static-files.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="angular-translate-loader-url" data-library-keywords="framework, mvc, AngularJS, angular, angular.js, angular-translate" id="angular-translate-loader-url" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/angular-translate-loader-url"> angular-translate-loader-url </a> <meta itemprop="url" content="http:&#x2F;&#x2F;angular-translate.github.io" /> <meta itemprop="version" content="2.8.1" /> <!-- hidden text for searching --> <div style="display: none;"> framework, mvc, AngularJS, angular, angular.js, angular-translate </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="angular-translate-loader-url" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/angular-translate-loader-url/2.8.1/angular-translate-loader-url.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="angular-translate-storage-cookie" data-library-keywords="framework, mvc, AngularJS, angular, angular.js, angular-translate" id="angular-translate-storage-cookie" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/angular-translate-storage-cookie"> angular-translate-storage-cookie </a> <meta itemprop="url" content="http:&#x2F;&#x2F;angular-translate.github.io" /> <meta itemprop="version" content="2.8.1" /> <!-- hidden text for searching --> <div style="display: none;"> framework, mvc, AngularJS, angular, angular.js, angular-translate </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="angular-translate-storage-cookie" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/angular-translate-storage-cookie/2.8.1/angular-translate-storage-cookie.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="angular-translate-storage-local" data-library-keywords="framework, mvc, AngularJS, angular, angular.js, angular-translate" id="angular-translate-storage-local" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/angular-translate-storage-local"> angular-translate-storage-local </a> <meta itemprop="url" content="http:&#x2F;&#x2F;angular-translate.github.io" /> <meta itemprop="version" content="2.8.1" /> <!-- hidden text for searching --> <div style="display: none;"> framework, mvc, AngularJS, angular, angular.js, angular-translate </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="angular-translate-storage-local" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/angular-translate-storage-local/2.8.1/angular-translate-storage-local.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="angular-translate" data-library-keywords="framework, mvc, AngularJS, angular, angular.js, angular-translate" id="angular-translate" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/angular-translate"> angular-translate </a> <meta itemprop="url" content="http:&#x2F;&#x2F;angular-translate.github.io" /> <meta itemprop="version" content="2.8.1" /> <!-- hidden text for searching --> <div style="display: none;"> framework, mvc, AngularJS, angular, angular.js, angular-translate </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="angular-translate" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/angular-translate/2.8.1/angular-translate.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="angular-ui-bootstrap" data-library-keywords="AngularJS, angular, angular.js, bootstrap, angular-ui, AngularUI" id="angular-ui-bootstrap" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/angular-ui-bootstrap"> angular-ui-bootstrap </a> <meta itemprop="url" content="http:&#x2F;&#x2F;angular-ui.github.io&#x2F;bootstrap&#x2F;" /> <meta itemprop="version" content="1.1.0" /> <!-- hidden text for searching --> <div style="display: none;"> AngularJS, angular, angular.js, bootstrap, angular-ui, AngularUI </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="angular-ui-bootstrap" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/angular-ui-bootstrap/1.1.0/ui-bootstrap-tpls.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="angular-ui-calendar" data-library-keywords="" id="angular-ui-calendar" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/angular-ui-calendar"> angular-ui-calendar </a> <meta itemprop="url" content="http:&#x2F;&#x2F;angular-ui.github.com" /> <meta itemprop="version" content="1.0.0" /> <!-- hidden text for searching --> <div style="display: none;"> </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="angular-ui-calendar" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/angular-ui-calendar/1.0.0/calendar.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="angular-ui-date" data-library-keywords="" id="angular-ui-date" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/angular-ui-date"> angular-ui-date </a> <meta itemprop="url" content="http:&#x2F;&#x2F;angular-ui.github.com&#x2F;ui-date" /> <meta itemprop="version" content="0.0.11" /> <!-- hidden text for searching --> <div style="display: none;"> </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="angular-ui-date" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/angular-ui-date/0.0.11/date.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="angular-ui-grid" data-library-keywords="angular, ng-grid, nggrid, grid, angularjs, slickgrid, kogrid, ui-grid, ui grid, data grid" id="angular-ui-grid" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/angular-ui-grid"> angular-ui-grid </a> <meta itemprop="url" content="http:&#x2F;&#x2F;ui-grid.info" /> <meta itemprop="version" content="3.1.0" /> <!-- hidden text for searching --> <div style="display: none;"> angular, ng-grid, nggrid, grid, angularjs, slickgrid, kogrid, ui-grid, ui grid, data grid </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="angular-ui-grid" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/angular-ui-grid/3.1.0/ui-grid.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="angular-ui-mask" data-library-keywords="angular, angular-ui, mask" id="angular-ui-mask" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/angular-ui-mask"> angular-ui-mask </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;angular-ui&#x2F;ui-mask" /> <meta itemprop="version" content="1.6.8" /> <!-- hidden text for searching --> <div style="display: none;"> angular, angular-ui, mask </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="angular-ui-mask" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/angular-ui-mask/1.6.8/mask.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="angular-ui-router" data-library-keywords="angular, ui, angular-ui, ui-router" id="angular-ui-router" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/angular-ui-router"> angular-ui-router </a> <meta itemprop="url" content="http:&#x2F;&#x2F;angular-ui.github.com&#x2F;" /> <meta itemprop="version" content="0.2.15" /> <!-- hidden text for searching --> <div style="display: none;"> angular, ui, angular-ui, ui-router </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="angular-ui-router" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/angular-ui-router/0.2.15/angular-ui-router.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="angular-ui-select" data-library-keywords="" id="angular-ui-select" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/angular-ui-select"> angular-ui-select </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;angular-ui&#x2F;ui-select" /> <meta itemprop="version" content="0.13.2" /> <!-- hidden text for searching --> <div style="display: none;"> </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="angular-ui-select" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/angular-ui-select/0.13.2/select.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="angular-ui-sortable" data-library-keywords="" id="angular-ui-sortable" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/angular-ui-sortable"> angular-ui-sortable </a> <meta itemprop="url" content="http:&#x2F;&#x2F;angular-ui.github.com" /> <meta itemprop="version" content="0.13.4" /> <!-- hidden text for searching --> <div style="display: none;"> </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="angular-ui-sortable" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/angular-ui-sortable/0.13.4/sortable.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="angular-ui-tree" data-library-keywords="angular, NestedSortable, sortable, nested, drag, drop, tree, node" id="angular-ui-tree" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/angular-ui-tree"> angular-ui-tree </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;angular-ui-tree&#x2F;angular-ui-tree" /> <meta itemprop="version" content="2.13.0" /> <!-- hidden text for searching --> <div style="display: none;"> angular, NestedSortable, sortable, nested, drag, drop, tree, node </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="angular-ui-tree" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/angular-ui-tree/2.13.0/angular-ui-tree.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="angular-ui-utils" data-library-keywords="framework, mvc, AngularJS, angular, angular.js, angular-ui-utils, AngularUI" id="angular-ui-utils" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/angular-ui-utils"> angular-ui-utils </a> <meta itemprop="url" content="http:&#x2F;&#x2F;angular-ui.github.com" /> <meta itemprop="version" content="0.1.1" /> <!-- hidden text for searching --> <div style="display: none;"> framework, mvc, AngularJS, angular, angular.js, angular-ui-utils, AngularUI </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="angular-ui-utils" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/angular-ui-utils/0.1.1/angular-ui-utils.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="angular-ui" data-library-keywords="framework, mvc, AngularJS, angular, angular.js, angular-ui, AngularUI" id="angular-ui" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/angular-ui"> angular-ui </a> <meta itemprop="url" content="http:&#x2F;&#x2F;angular-ui.github.com" /> <meta itemprop="version" content="0.4.0" /> <!-- hidden text for searching --> <div style="display: none;"> framework, mvc, AngularJS, angular, angular.js, angular-ui, AngularUI </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="angular-ui" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/angular-ui/0.4.0/angular-ui.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="angular-vertxbus" data-library-keywords="angular, vertx, facade, websocket" id="angular-vertxbus" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/angular-vertxbus"> angular-vertxbus </a> <meta itemprop="url" content="" /> <meta itemprop="version" content="3.2.0" /> <!-- hidden text for searching --> <div style="display: none;"> angular, vertx, facade, websocket </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="angular-vertxbus" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/angular-vertxbus/3.2.0/angular-vertxbus.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="angular-video-bg" data-library-keywords="background, player, video, Youtube, AngularJS" id="angular-video-bg" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/angular-video-bg"> angular-video-bg </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;kanzelm3&#x2F;angular-video-bg" /> <meta itemprop="version" content="0.3.3" /> <!-- hidden text for searching --> <div style="display: none;"> background, player, video, Youtube, AngularJS </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="angular-video-bg" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/angular-video-bg/0.3.3/angular-video-bg.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="angular-wizard" data-library-keywords="angular, client, browser, wizard, form, steps" id="angular-wizard" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/angular-wizard"> angular-wizard </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;mgonto&#x2F;angular-wizard" /> <meta itemprop="version" content="0.6.1" /> <!-- hidden text for searching --> <div style="display: none;"> angular, client, browser, wizard, form, steps </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="angular-wizard" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/angular-wizard/0.6.1/angular-wizard.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="angular-xeditable" data-library-keywords="editable, x-editable, edit-in-place, AngularJS" id="angular-xeditable" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/angular-xeditable"> angular-xeditable </a> <meta itemprop="url" content="http:&#x2F;&#x2F;vitalets.github.io&#x2F;angular-xeditable" /> <meta itemprop="version" content="0.1.9" /> <!-- hidden text for searching --> <div style="display: none;"> editable, x-editable, edit-in-place, AngularJS </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="angular-xeditable" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/angular-xeditable/0.1.9/js&#x2F;xeditable.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="angular.js" data-library-keywords="framework, mvc, AngularJS, angular, angular2, angular.js" id="angularjs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/angular.js"> angular.js </a> <meta itemprop="url" content="http:&#x2F;&#x2F;angularjs.org" /> <meta itemprop="version" content="2.0.0-beta.1" /> <!-- hidden text for searching --> <div style="display: none;"> framework, mvc, AngularJS, angular, angular2, angular.js </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="angular.js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/angular.js/2.0.0-beta.1/angular2.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="angularFire" data-library-keywords="realtime, websockets, firebase, AngularJS, angular, angular.js" id="angularFire" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/angularFire"> angularFire </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;firebase&#x2F;angularFire" /> <meta itemprop="version" content="1.1.3" /> <!-- hidden text for searching --> <div style="display: none;"> realtime, websockets, firebase, AngularJS, angular, angular.js </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="angularFire" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/angularFire/1.1.3/angularfire.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="angularjs-nvd3-directives" data-library-keywords="angular.js, nvd3.js, d3.js, directives, d3, nvd3, angular, visualization, svg, charts" id="angularjs-nvd3-directives" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/angularjs-nvd3-directives"> angularjs-nvd3-directives </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;angularjs-nvd3-directives&#x2F;angularjs-nvd3-directives" /> <meta itemprop="version" content="0.0.7" /> <!-- hidden text for searching --> <div style="display: none;"> angular.js, nvd3.js, d3.js, directives, d3, nvd3, angular, visualization, svg, charts </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="angularjs-nvd3-directives" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/angularjs-nvd3-directives/0.0.7/angularjs-nvd3-directives.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="angularjs-toaster" data-library-keywords="angular, toaster, notifications" id="angularjs-toaster" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/angularjs-toaster"> angularjs-toaster </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;jirikavi&#x2F;AngularJS-Toaster" /> <meta itemprop="version" content="1.0.0" /> <!-- hidden text for searching --> <div style="display: none;"> angular, toaster, notifications </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="angularjs-toaster" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/angularjs-toaster/1.0.0/toaster.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="angularLocalStorage" data-library-keywords="" id="angularLocalStorage" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/angularLocalStorage"> angularLocalStorage </a> <meta itemprop="url" content="" /> <meta itemprop="version" content="0.3.2" /> <!-- hidden text for searching --> <div style="display: none;"> </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="angularLocalStorage" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/angularLocalStorage/0.3.2/angularLocalStorage.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="angularSubkit" data-library-keywords="subkit, microservice, backend, angular, angularjs" id="angularSubkit" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/angularSubkit"> angularSubkit </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;subkit&#x2F;angularsubkit.js" /> <meta itemprop="version" content="1.0.3" /> <!-- hidden text for searching --> <div style="display: none;"> subkit, microservice, backend, angular, angularjs </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="angularSubkit" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/angularSubkit/1.0.3/angularsubkit.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="angulartics-google-analytics" data-library-keywords="google, analytics, plugin, angular, angulartics" id="angulartics-google-analytics" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/angulartics-google-analytics"> angulartics-google-analytics </a> <meta itemprop="url" content="" /> <meta itemprop="version" content="0.1.4" /> <!-- hidden text for searching --> <div style="display: none;"> google, analytics, plugin, angular, angulartics </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="angulartics-google-analytics" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/angulartics-google-analytics/0.1.4/angulartics-google-analytics.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="angulartics" data-library-keywords="angular, analytics, tracking, google analytics, google tag manager, mixpanel, kissmetrics, chartbeat, woopra, segment.io, splunk, flurry, piwik, adobe analytics, omniture, page tracking, event tracking, scroll tracking" id="angulartics" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/angulartics"> angulartics </a> <meta itemprop="url" content="http:&#x2F;&#x2F;angulartics.github.io" /> <meta itemprop="version" content="1.0.3" /> <!-- hidden text for searching --> <div style="display: none;"> angular, analytics, tracking, google analytics, google tag manager, mixpanel, kissmetrics, chartbeat, woopra, segment.io, splunk, flurry, piwik, adobe analytics, omniture, page tracking, event tracking, scroll tracking </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="angulartics" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/angulartics/1.0.3/angulartics.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="AniJS" data-library-keywords="declarative, animations, css, declarative, anijs" id="AniJS" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/AniJS"> AniJS </a> <meta itemprop="url" content="http:&#x2F;&#x2F;anijs.github.io&#x2F;" /> <meta itemprop="version" content="0.9.3" /> <!-- hidden text for searching --> <div style="display: none;"> declarative, animations, css, declarative, anijs </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="AniJS" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/AniJS/0.9.3/anijs-min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="anima" data-library-keywords="css, animate, animations, anima" id="anima" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/anima"> anima </a> <meta itemprop="url" content="http:&#x2F;&#x2F;lvivski.com" /> <meta itemprop="version" content="0.4.0" /> <!-- hidden text for searching --> <div style="display: none;"> css, animate, animations, anima </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="anima" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/anima/0.4.0/anima.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="animate.css" data-library-keywords="animation, css" id="animatecss" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/animate.css"> animate.css </a> <meta itemprop="url" content="http:&#x2F;&#x2F;daneden.github.io&#x2F;animate.css" /> <meta itemprop="version" content="3.5.1" /> <!-- hidden text for searching --> <div style="display: none;"> animation, css </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="animate.css" class="library-column css-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/animate.css/3.5.1/animate.min.css</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="animateplus" data-library-keywords="animate, animation, css, svg, javascript" id="animateplus" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/animateplus"> animateplus </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;bendc&#x2F;animateplus" /> <meta itemprop="version" content="1.3.2" /> <!-- hidden text for searching --> <div style="display: none;"> animate, animation, css, svg, javascript </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="animateplus" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/animateplus/1.3.2/animate.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="animsition" data-library-keywords="css3, js, animation, page transition, jQuery" id="animsition" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/animsition"> animsition </a> <meta itemprop="url" content="http:&#x2F;&#x2F;git.blivesta.com&#x2F;animsition" /> <meta itemprop="version" content="4.0.1" /> <!-- hidden text for searching --> <div style="display: none;"> css3, js, animation, page transition, jQuery </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="animsition" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/animsition/4.0.1/js&#x2F;animsition.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="annyang" data-library-keywords="annyang, annyang.js, speechrecognition, webkitspeechrecognition, voice, speech, recognition" id="annyang" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/annyang"> annyang </a> <meta itemprop="url" content="https:&#x2F;&#x2F;www.talater.com&#x2F;annyang&#x2F;" /> <meta itemprop="version" content="2.1.0" /> <!-- hidden text for searching --> <div style="display: none;"> annyang, annyang.js, speechrecognition, webkitspeechrecognition, voice, speech, recognition </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="annyang" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/annyang/2.1.0/annyang.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="anythingslider" data-library-keywords="jquery, slider, images" id="anythingslider" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/anythingslider"> anythingslider </a> <meta itemprop="url" content="http:&#x2F;&#x2F;css-tricks.com&#x2F;anythingslider-jquery-plugin&#x2F;" /> <meta itemprop="version" content="1.9.4" /> <!-- hidden text for searching --> <div style="display: none;"> jquery, slider, images </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="anythingslider" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/anythingslider/1.9.4/js&#x2F;jquery.anythingslider.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="api-check" data-library-keywords="javascript, validation, api, function" id="api-check" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/api-check"> api-check </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;kentcdodds&#x2F;api-check" /> <meta itemprop="version" content="7.5.5" /> <!-- hidden text for searching --> <div style="display: none;"> javascript, validation, api, function </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="api-check" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/api-check/7.5.5/api-check.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="apng-canvas" data-library-keywords="apng, animation, animated png, canvas" id="apng-canvas" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/apng-canvas"> apng-canvas </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;davidmz&#x2F;apng-canvas" /> <meta itemprop="version" content="2.1.1" /> <!-- hidden text for searching --> <div style="display: none;"> apng, animation, animated png, canvas </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="apng-canvas" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/apng-canvas/2.1.1/apng-canvas.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="arbor" data-library-keywords="graph, visualization" id="arbor" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/arbor"> arbor </a> <meta itemprop="url" content="http:&#x2F;&#x2F;arborjs.org" /> <meta itemprop="version" content="0.91.0" /> <!-- hidden text for searching --> <div style="display: none;"> graph, visualization </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="arbor" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/arbor/0.91.0/arbor.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="architect" data-library-keywords="Architect, architect, web workers, worker" id="architect" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/architect"> architect </a> <meta itemprop="url" content="http:&#x2F;&#x2F;architectjs.org" /> <meta itemprop="version" content="0.0.6" /> <!-- hidden text for searching --> <div style="display: none;"> Architect, architect, web workers, worker </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="architect" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/architect/0.0.6/architect.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="async" data-library-keywords="async, callback, utility, module" id="async" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/async"> async </a> <meta itemprop="url" content="" /> <meta itemprop="version" content="1.5.2" /> <!-- hidden text for searching --> <div style="display: none;"> async, callback, utility, module </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="async" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/async/1.5.2/async.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="at.js" data-library-keywords="mention, mentions, autocomplete, autocompletion, autosuggest, autosuggestion, atjs, at.js" id="atjs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/at.js"> at.js </a> <meta itemprop="url" content="http:&#x2F;&#x2F;ichord.github.com&#x2F;At.js" /> <meta itemprop="version" content="1.4.1" /> <!-- hidden text for searching --> <div style="display: none;"> mention, mentions, autocomplete, autocompletion, autosuggest, autosuggestion, atjs, at.js </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="at.js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/at.js/1.4.1/js&#x2F;jquery.atwho.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="atmosphere" data-library-keywords="ws, websocket, sse, serversentevents, comet, streaming, longpolling" id="atmosphere" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/atmosphere"> atmosphere </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;Atmosphere&#x2F;atmosphere-javascript" /> <meta itemprop="version" content="2.2.9" /> <!-- hidden text for searching --> <div style="display: none;"> ws, websocket, sse, serversentevents, comet, streaming, longpolling </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="atmosphere" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/atmosphere/2.2.9/atmosphere.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="audio5js" data-library-keywords="audio, HTML5, API" id="audio5js" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/audio5js"> audio5js </a> <meta itemprop="url" content="http:&#x2F;&#x2F;zohararad.github.com&#x2F;audio5js&#x2F;" /> <meta itemprop="version" content="0.1.10" /> <!-- hidden text for searching --> <div style="display: none;"> audio, HTML5, API </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="audio5js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/audio5js/0.1.10/audio5.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="audiosynth" data-library-keywords="audiosynth, audio, synthesizer, waveform" id="audiosynth" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/audiosynth"> audiosynth </a> <meta itemprop="url" content="http:&#x2F;&#x2F;keithwhor.github.io&#x2F;audiosynth&#x2F;" /> <meta itemprop="version" content="1.0.0" /> <!-- hidden text for searching --> <div style="display: none;"> audiosynth, audio, synthesizer, waveform </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="audiosynth" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/audiosynth/1.0.0/audiosynth.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="augment.js" data-library-keywords="es5, ECMAScript 5, shim, compatibility, modernization" id="augmentjs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/augment.js"> augment.js </a> <meta itemprop="url" content="http:&#x2F;&#x2F;augmentjs.com" /> <meta itemprop="version" content="1.0.0" /> <!-- hidden text for searching --> <div style="display: none;"> es5, ECMAScript 5, shim, compatibility, modernization </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="augment.js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/augment.js/1.0.0/augment.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="aui" data-library-keywords="atlassian, aui, adg" id="aui" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/aui"> aui </a> <meta itemprop="url" content="https:&#x2F;&#x2F;docs.atlassian.com&#x2F;aui&#x2F;" /> <meta itemprop="version" content="5.9.5" /> <!-- hidden text for searching --> <div style="display: none;"> atlassian, aui, adg </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="aui" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/aui/5.9.5/aui&#x2F;js&#x2F;aui.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="aurora.js-aac" data-library-keywords="audio, av, aurora.js, aurora, decode" id="aurorajs-aac" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/aurora.js-aac"> aurora.js-aac </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;audiocogs&#x2F;aac.js" /> <meta itemprop="version" content="0.1.0" /> <!-- hidden text for searching --> <div style="display: none;"> audio, av, aurora.js, aurora, decode </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="aurora.js-aac" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/aurora.js-aac/0.1.0/aac.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="aurora.js-alac" data-library-keywords="audio, av, aurora.js, aurora, decode" id="aurorajs-alac" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/aurora.js-alac"> aurora.js-alac </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;audiocogs&#x2F;alac.js" /> <meta itemprop="version" content="0.1.0" /> <!-- hidden text for searching --> <div style="display: none;"> audio, av, aurora.js, aurora, decode </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="aurora.js-alac" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/aurora.js-alac/0.1.0/alac.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="aurora.js-flac" data-library-keywords="audio, av, aurora.js, aurora, decode" id="aurorajs-flac" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/aurora.js-flac"> aurora.js-flac </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;audiocogs&#x2F;flac.js" /> <meta itemprop="version" content="0.2.1" /> <!-- hidden text for searching --> <div style="display: none;"> audio, av, aurora.js, aurora, decode </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="aurora.js-flac" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/aurora.js-flac/0.2.1/flac.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="aurora.js-mp3" data-library-keywords="audio, av, aurora.js, aurora, decode" id="aurorajs-mp3" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/aurora.js-mp3"> aurora.js-mp3 </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;audiocogs&#x2F;mp3.js" /> <meta itemprop="version" content="0.1.0" /> <!-- hidden text for searching --> <div style="display: none;"> audio, av, aurora.js, aurora, decode </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="aurora.js-mp3" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/aurora.js-mp3/0.1.0/mp3.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="aurora.js" data-library-keywords="" id="aurorajs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/aurora.js"> aurora.js </a> <meta itemprop="url" content="" /> <meta itemprop="version" content="0.4.2" /> <!-- hidden text for searching --> <div style="display: none;"> </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="aurora.js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/aurora.js/0.4.2/aurora.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="authy-form-helpers" data-library-keywords="authy, authentication, two factor authentication" id="authy-form-helpers" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/authy-form-helpers"> authy-form-helpers </a> <meta itemprop="url" content="https:&#x2F;&#x2F;www.authy.com" /> <meta itemprop="version" content="2.3" /> <!-- hidden text for searching --> <div style="display: none;"> authy, authentication, two factor authentication </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="authy-form-helpers" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/authy-form-helpers/2.3/form.authy.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="authy-forms.css" data-library-keywords="authy, authentication, two factor authentication" id="authy-formscss" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/authy-forms.css"> authy-forms.css </a> <meta itemprop="url" content="https:&#x2F;&#x2F;www.authy.com" /> <meta itemprop="version" content="2.2" /> <!-- hidden text for searching --> <div style="display: none;"> authy, authentication, two factor authentication </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="authy-forms.css" class="library-column css-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/authy-forms.css/2.2/form.authy.min.css</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="authy-forms.js" data-library-keywords="authy, authentication, two factor authentication" id="authy-formsjs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/authy-forms.js"> authy-forms.js </a> <meta itemprop="url" content="https:&#x2F;&#x2F;www.authy.com" /> <meta itemprop="version" content="2.2" /> <!-- hidden text for searching --> <div style="display: none;"> authy, authentication, two factor authentication </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="authy-forms.js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/authy-forms.js/2.2/form.authy.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="autocomplete.js" data-library-keywords="autocomplete, typeahead" id="autocompletejs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/autocomplete.js"> autocomplete.js </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;algolia&#x2F;autocomplete.js" /> <meta itemprop="version" content="0.16.2" /> <!-- hidden text for searching --> <div style="display: none;"> autocomplete, typeahead </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="autocomplete.js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/autocomplete.js/0.16.2/autocomplete.jquery.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="autonumeric" data-library-keywords="currency, money, Euro, Dollar, Pound, number, numeric, format, jquery, form, input, mask" id="autonumeric" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/autonumeric"> autonumeric </a> <meta itemprop="url" content="http:&#x2F;&#x2F;www.decorplanit.com&#x2F;plugin&#x2F;" /> <meta itemprop="version" content="1.9.43" /> <!-- hidden text for searching --> <div style="display: none;"> currency, money, Euro, Dollar, Pound, number, numeric, format, jquery, form, input, mask </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="autonumeric" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/autonumeric/1.9.43/autoNumeric.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="autosize.js" data-library-keywords="autosize, form, textarea, ui, jQuery" id="autosizejs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/autosize.js"> autosize.js </a> <meta itemprop="url" content="http:&#x2F;&#x2F;www.jacklmoore.com&#x2F;autosize" /> <meta itemprop="version" content="3.0.14" /> <!-- hidden text for searching --> <div style="display: none;"> autosize, form, textarea, ui, jQuery </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="autosize.js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/autosize.js/3.0.14/autosize.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="avalon.js" data-library-keywords="framework, mvvm, javascript, browser, library, avalonjs, avalon, avalon.js" id="avalonjs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/avalon.js"> avalon.js </a> <meta itemprop="url" content="http:&#x2F;&#x2F;avalonjs.github.io&#x2F;" /> <meta itemprop="version" content="1.5.5" /> <!-- hidden text for searching --> <div style="display: none;"> framework, mvvm, javascript, browser, library, avalonjs, avalon, avalon.js </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="avalon.js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/avalon.js/1.5.5/avalon.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="avgrund" data-library-keywords="avgrund, css3, js, ui" id="avgrund" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/avgrund"> avgrund </a> <meta itemprop="url" content="http:&#x2F;&#x2F;lab.hakim.se&#x2F;avgrund&#x2F;" /> <meta itemprop="version" content="0.1.0" /> <!-- hidden text for searching --> <div style="display: none;"> avgrund, css3, js, ui </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="avgrund" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/avgrund/0.1.0/js&#x2F;avgrund.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="awesome-bootstrap-checkbox" data-library-keywords="" id="awesome-bootstrap-checkbox" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/awesome-bootstrap-checkbox"> awesome-bootstrap-checkbox </a> <meta itemprop="url" content="http:&#x2F;&#x2F;awesome-bootstrap-checkbox.okendoken.com&#x2F;demo&#x2F;index.html" /> <meta itemprop="version" content="0.3.5" /> <!-- hidden text for searching --> <div style="display: none;"> </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="awesome-bootstrap-checkbox" class="library-column css-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/awesome-bootstrap-checkbox/0.3.5/awesome-bootstrap-checkbox.min.css</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="awesomplete" data-library-keywords="autocomplete, lightweight" id="awesomplete" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/awesomplete"> awesomplete </a> <meta itemprop="url" content="https:&#x2F;&#x2F;leaverou.github.io&#x2F;awesomplete&#x2F;" /> <meta itemprop="version" content="1.0.0" /> <!-- hidden text for searching --> <div style="display: none;"> autocomplete, lightweight </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="awesomplete" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/awesomplete/1.0.0/awesomplete.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="aws-sdk" data-library-keywords="amazon, aws" id="aws-sdk" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/aws-sdk"> aws-sdk </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;aws&#x2F;aws-sdk-js" /> <meta itemprop="version" content="2.2.32" /> <!-- hidden text for searching --> <div style="display: none;"> amazon, aws </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="aws-sdk" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/aws-sdk/2.2.32/aws-sdk.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="axios" data-library-keywords="xhr, http, ajax, promise, node" id="axios" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/axios"> axios </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;mzabriskie&#x2F;axios" /> <meta itemprop="version" content="0.9.0" /> <!-- hidden text for searching --> <div style="display: none;"> xhr, http, ajax, promise, node </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="axios" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/axios/0.9.0/axios.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="babel-core" data-library-keywords="6to5, babel, classes, const, es6, harmony, let, modules, transpile, transpiler, var" id="babel-core" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/babel-core"> babel-core </a> <meta itemprop="url" content="https:&#x2F;&#x2F;babeljs.io&#x2F;" /> <meta itemprop="version" content="6.1.19" /> <!-- hidden text for searching --> <div style="display: none;"> 6to5, babel, classes, const, es6, harmony, let, modules, transpile, transpiler, var </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="babel-core" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/babel-core/6.1.19/browser.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="babel-polyfill" data-library-keywords="compiler, JavaScript" id="babel-polyfill" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/babel-polyfill"> babel-polyfill </a> <meta itemprop="url" content="https:&#x2F;&#x2F;babeljs.io&#x2F;" /> <meta itemprop="version" content="6.3.14" /> <!-- hidden text for searching --> <div style="display: none;"> compiler, JavaScript </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="babel-polyfill" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/babel-polyfill/6.3.14/polyfill.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="babel-standalone" data-library-keywords="" id="babel-standalone" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/babel-standalone"> babel-standalone </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;Daniel15&#x2F;babel-standalone#readme" /> <meta itemprop="version" content="6.4.4" /> <!-- hidden text for searching --> <div style="display: none;"> </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="babel-standalone" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/babel-standalone/6.4.4/babel.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="backbone-associations" data-library-keywords="Backbone, association, associated, nested, model, cyclic graph, qualified event paths, relational, relations" id="backbone-associations" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/backbone-associations"> backbone-associations </a> <meta itemprop="url" content="http:&#x2F;&#x2F;dhruvaray.github.io&#x2F;backbone-associations&#x2F;" /> <meta itemprop="version" content="0.6.2" /> <!-- hidden text for searching --> <div style="display: none;"> Backbone, association, associated, nested, model, cyclic graph, qualified event paths, relational, relations </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="backbone-associations" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/backbone-associations/0.6.2/backbone-associations-min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="backbone-forms" data-library-keywords="forms, backbone" id="backbone-forms" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/backbone-forms"> backbone-forms </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;powmedia&#x2F;backbone-forms" /> <meta itemprop="version" content="0.14.0" /> <!-- hidden text for searching --> <div style="display: none;"> forms, backbone </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="backbone-forms" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/backbone-forms/0.14.0/backbone-forms.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="backbone-localstorage.js" data-library-keywords="localstorage, backbone" id="backbone-localstoragejs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/backbone-localstorage.js"> backbone-localstorage.js </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;jeromegn&#x2F;Backbone.localStorage" /> <meta itemprop="version" content="1.1.16" /> <!-- hidden text for searching --> <div style="display: none;"> localstorage, backbone </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="backbone-localstorage.js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/backbone-localstorage.js/1.1.16/backbone.localStorage-min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="backbone-pageable" data-library-keywords="backbone" id="backbone-pageable" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/backbone-pageable"> backbone-pageable </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;backbone-paginator&#x2F;backbone-pageable" /> <meta itemprop="version" content="1.4.8" /> <!-- hidden text for searching --> <div style="display: none;"> backbone </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="backbone-pageable" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/backbone-pageable/1.4.8/backbone-pageable.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="backbone-react-component" data-library-keywords="backbone, react, data binding, models, collections, server, client" id="backbone-react-component" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/backbone-react-component"> backbone-react-component </a> <meta itemprop="url" content="" /> <meta itemprop="version" content="0.10.0" /> <!-- hidden text for searching --> <div style="display: none;"> backbone, react, data binding, models, collections, server, client </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="backbone-react-component" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/backbone-react-component/0.10.0/backbone-react-component-min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="backbone-relational" data-library-keywords="backbone, models, relational, hasMany, hasOne, popular" id="backbone-relational" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/backbone-relational"> backbone-relational </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;PaulUithol&#x2F;Backbone-relational" /> <meta itemprop="version" content="0.10.0" /> <!-- hidden text for searching --> <div style="display: none;"> backbone, models, relational, hasMany, hasOne, popular </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="backbone-relational" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/backbone-relational/0.10.0/backbone-relational.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="backbone-super" data-library-keywords="backbone, super" id="backbone-super" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/backbone-super"> backbone-super </a> <meta itemprop="url" content="" /> <meta itemprop="version" content="1.0.4" /> <!-- hidden text for searching --> <div style="display: none;"> backbone, super </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="backbone-super" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/backbone-super/1.0.4/backbone-super-min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="backbone-tastypie" data-library-keywords="tastypie, backbone" id="backbone-tastypie" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/backbone-tastypie"> backbone-tastypie </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;PaulUithol&#x2F;backbone-tastypie" /> <meta itemprop="version" content="0.2" /> <!-- hidden text for searching --> <div style="display: none;"> tastypie, backbone </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="backbone-tastypie" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/backbone-tastypie/0.2/backbone-tastypie.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="backbone.babysitter" data-library-keywords="backbone, plugin, computed, field, model, client, browser" id="backbonebabysitter" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/backbone.babysitter"> backbone.babysitter </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;marionettejs&#x2F;backbone.babysitter" /> <meta itemprop="version" content="0.1.10" /> <!-- hidden text for searching --> <div style="display: none;"> backbone, plugin, computed, field, model, client, browser </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="backbone.babysitter" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/backbone.babysitter/0.1.10/backbone.babysitter.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="backbone.collectionView" data-library-keywords="backbone, collection, view" id="backbonecollectionView" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/backbone.collectionView"> backbone.collectionView </a> <meta itemprop="url" content="" /> <meta itemprop="version" content="1.0.6" /> <!-- hidden text for searching --> <div style="display: none;"> backbone, collection, view </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="backbone.collectionView" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/backbone.collectionView/1.0.6/backbone.collectionView.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="backbone.epoxy" data-library-keywords="backbone, plugin, model, view, binding, data" id="backboneepoxy" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/backbone.epoxy"> backbone.epoxy </a> <meta itemprop="url" content="http:&#x2F;&#x2F;epoxyjs.org" /> <meta itemprop="version" content="1.3.1" /> <!-- hidden text for searching --> <div style="display: none;"> backbone, plugin, model, view, binding, data </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="backbone.epoxy" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/backbone.epoxy/1.3.1/backbone.epoxy.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="backbone.eventbinder" data-library-keywords="events, popular" id="backboneeventbinder" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/backbone.eventbinder"> backbone.eventbinder </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;marionettejs&#x2F;backbone.eventbinder" /> <meta itemprop="version" content="0.1.0" /> <!-- hidden text for searching --> <div style="display: none;"> events, popular </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="backbone.eventbinder" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/backbone.eventbinder/0.1.0/backbone.eventbinder.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="backbone.fetch-cache" data-library-keywords="backbone, fetch, cache" id="backbonefetch-cache" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/backbone.fetch-cache"> backbone.fetch-cache </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;madglory&#x2F;backbone-fetch-cache" /> <meta itemprop="version" content="1.1.2" /> <!-- hidden text for searching --> <div style="display: none;"> backbone, fetch, cache </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="backbone.fetch-cache" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/backbone.fetch-cache/1.1.2/backbone.fetch-cache.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="backbone.js" data-library-keywords="collections, models, controllers, events, popular" id="backbonejs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/backbone.js"> backbone.js </a> <meta itemprop="url" content="http:&#x2F;&#x2F;backbonejs.org&#x2F;" /> <meta itemprop="version" content="1.2.3" /> <!-- hidden text for searching --> <div style="display: none;"> collections, models, controllers, events, popular </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="backbone.js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/backbone.js/1.2.3/backbone-min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="backbone.layoutmanager" data-library-keywords="backbone, layout, templates, views" id="backbonelayoutmanager" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/backbone.layoutmanager"> backbone.layoutmanager </a> <meta itemprop="url" content="http:&#x2F;&#x2F;layoutmanager.org" /> <meta itemprop="version" content="0.10.0" /> <!-- hidden text for searching --> <div style="display: none;"> backbone, layout, templates, views </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="backbone.layoutmanager" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/backbone.layoutmanager/0.10.0/backbone.layoutmanager.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="backbone.marionette" data-library-keywords="collections, models, controllers, events, popular" id="backbonemarionette" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/backbone.marionette"> backbone.marionette </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;marionettejs&#x2F;backbone.marionette" /> <meta itemprop="version" content="2.4.4" /> <!-- hidden text for searching --> <div style="display: none;"> collections, models, controllers, events, popular </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="backbone.marionette" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/backbone.marionette/2.4.4/backbone.marionette.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="backbone.modal" data-library-keywords="" id="backbonemodal" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/backbone.modal"> backbone.modal </a> <meta itemprop="url" content="http:&#x2F;&#x2F;awkward.github.io&#x2F;backbone.modal&#x2F;" /> <meta itemprop="version" content="1.1.5" /> <!-- hidden text for searching --> <div style="display: none;"> </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="backbone.modal" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/backbone.modal/1.1.5/backbone.modal-bundled-min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="backbone.modelbinder" data-library-keywords="modelbinding, models, events" id="backbonemodelbinder" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/backbone.modelbinder"> backbone.modelbinder </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;theironcook&#x2F;Backbone.ModelBinder" /> <meta itemprop="version" content="1.1.0" /> <!-- hidden text for searching --> <div style="display: none;"> modelbinding, models, events </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="backbone.modelbinder" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/backbone.modelbinder/1.1.0/Backbone.ModelBinder.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="backbone.obscura" data-library-keywords="backbone, plugin, filtering, filter, sorting, pagination, paginating, collection, client, browser, browserify" id="backboneobscura" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/backbone.obscura"> backbone.obscura </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;jmorrell&#x2F;backbone.obscura" /> <meta itemprop="version" content="0.1.6" /> <!-- hidden text for searching --> <div style="display: none;"> backbone, plugin, filtering, filter, sorting, pagination, paginating, collection, client, browser, browserify </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="backbone.obscura" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/backbone.obscura/0.1.6/backbone.obscura.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="backbone.paginator" data-library-keywords="backbone, pagination" id="backbonepaginator" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/backbone.paginator"> backbone.paginator </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;backbone-paginator&#x2F;backbone.paginator" /> <meta itemprop="version" content="0.8" /> <!-- hidden text for searching --> <div style="display: none;"> backbone, pagination </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="backbone.paginator" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/backbone.paginator/0.8/backbone.paginator.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="backbone.projections" data-library-keywords="browser, backbone, model, collection, projection, capped, filtered, data, mvc" id="backboneprojections" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/backbone.projections"> backbone.projections </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;andreypopp&#x2F;backbone.projections" /> <meta itemprop="version" content="1.0.0" /> <!-- hidden text for searching --> <div style="display: none;"> browser, backbone, model, collection, projection, capped, filtered, data, mvc </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="backbone.projections" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/backbone.projections/1.0.0/backbone.projections.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="backbone.radio" data-library-keywords="backbone, marionette, decoupled, pubsub, publish, subscribe, messaging, architecture, spa" id="backboneradio" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/backbone.radio"> backbone.radio </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;marionettejs&#x2F;backbone.radio" /> <meta itemprop="version" content="1.0.2" /> <!-- hidden text for searching --> <div style="display: none;"> backbone, marionette, decoupled, pubsub, publish, subscribe, messaging, architecture, spa </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="backbone.radio" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/backbone.radio/1.0.2/backbone.radio.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="backbone.ribs" data-library-keywords="backbone, ribs" id="backboneribs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/backbone.ribs"> backbone.ribs </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;ZaValera&#x2F;backbone.ribs&#x2F;wiki" /> <meta itemprop="version" content="0.2.2" /> <!-- hidden text for searching --> <div style="display: none;"> backbone, ribs </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="backbone.ribs" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/backbone.ribs/0.2.2/backbone.ribs.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="backbone.routefilter" data-library-keywords="backbone, route, filter, before, after" id="backboneroutefilter" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/backbone.routefilter"> backbone.routefilter </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;boazsender&#x2F;backbone.routefilter" /> <meta itemprop="version" content="0.2.0" /> <!-- hidden text for searching --> <div style="display: none;"> backbone, route, filter, before, after </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="backbone.routefilter" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/backbone.routefilter/0.2.0/backbone.routefilter.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="backbone.stickit" data-library-keywords="backbone, data-binding, client, browser" id="backbonestickit" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/backbone.stickit"> backbone.stickit </a> <meta itemprop="url" content="" /> <meta itemprop="version" content="0.8.0" /> <!-- hidden text for searching --> <div style="display: none;"> backbone, data-binding, client, browser </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="backbone.stickit" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/backbone.stickit/0.8.0/backbone.stickit.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="backbone.syphon" data-library-keywords="modelbinding, models" id="backbonesyphon" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/backbone.syphon"> backbone.syphon </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;derickbailey&#x2F;backbone.syphon&#x2F;" /> <meta itemprop="version" content="0.4.1" /> <!-- hidden text for searching --> <div style="display: none;"> modelbinding, models </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="backbone.syphon" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/backbone.syphon/0.4.1/backbone.syphon.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="backbone.validation" data-library-keywords="validation, events, models, views" id="backbonevalidation" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/backbone.validation"> backbone.validation </a> <meta itemprop="url" content="http:&#x2F;&#x2F;thedersen.com&#x2F;projects&#x2F;backbone-validation" /> <meta itemprop="version" content="0.11.5" /> <!-- hidden text for searching --> <div style="display: none;"> validation, events, models, views </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="backbone.validation" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/backbone.validation/0.11.5/backbone-validation-min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="backbone.wreqr" data-library-keywords="events, popular" id="backbonewreqr" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/backbone.wreqr"> backbone.wreqr </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;marionettejs&#x2F;backbone.wreqr" /> <meta itemprop="version" content="1.3.5" /> <!-- hidden text for searching --> <div style="display: none;"> events, popular </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="backbone.wreqr" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/backbone.wreqr/1.3.5/backbone.wreqr.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="backgrid.js" data-library-keywords="collections, grid" id="backgridjs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/backgrid.js"> backgrid.js </a> <meta itemprop="url" content="http:&#x2F;&#x2F;backgridjs.com&#x2F;" /> <meta itemprop="version" content="0.3.5" /> <!-- hidden text for searching --> <div style="display: none;"> collections, grid </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="backgrid.js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/backgrid.js/0.3.5/backgrid.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="bacon.js" data-library-keywords="bacon, baconjs, functional, reactive, lib, frp" id="baconjs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/bacon.js"> bacon.js </a> <meta itemprop="url" content="http:&#x2F;&#x2F;baconjs.blogspot.com" /> <meta itemprop="version" content="0.7.83" /> <!-- hidden text for searching --> <div style="display: none;"> bacon, baconjs, functional, reactive, lib, frp </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="bacon.js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/bacon.js/0.7.83/Bacon.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="balance-text" data-library-keywords="" id="balance-text" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/balance-text"> balance-text </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;adobe-webplatform&#x2F;balance-text" /> <meta itemprop="version" content="1.6.0" /> <!-- hidden text for searching --> <div style="display: none;"> </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="balance-text" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/balance-text/1.6.0/jquery.balancetext.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="baobab" data-library-keywords="cursors, atom, tree, react" id="baobab" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/baobab"> baobab </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;Yomguithereal&#x2F;baobab" /> <meta itemprop="version" content="2.3.3" /> <!-- hidden text for searching --> <div style="display: none;"> cursors, atom, tree, react </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="baobab" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/baobab/2.3.3/baobab.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="barman" data-library-keywords="traits, oop, classes, objects, object composition" id="barman" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/barman"> barman </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;dfernandez79&#x2F;barman" /> <meta itemprop="version" content="0.4.2" /> <!-- hidden text for searching --> <div style="display: none;"> traits, oop, classes, objects, object composition </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="barman" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/barman/0.4.2/barman.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="barn" data-library-keywords="persistence, localstorage" id="barn" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/barn"> barn </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;arokor&#x2F;barn" /> <meta itemprop="version" content="0.2.0" /> <!-- hidden text for searching --> <div style="display: none;"> persistence, localstorage </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="barn" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/barn/0.2.0/barn.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="Base64" data-library-keywords="" id="Base64" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/Base64"> Base64 </a> <meta itemprop="url" content="" /> <meta itemprop="version" content="0.3.0" /> <!-- hidden text for searching --> <div style="display: none;"> </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="Base64" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/Base64/0.3.0/base64.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="basicModal" data-library-keywords="modal, js, window, popup" id="basicModal" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/basicModal"> basicModal </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;electerious&#x2F;basicModal" /> <meta itemprop="version" content="3.3.2" /> <!-- hidden text for searching --> <div style="display: none;"> modal, js, window, popup </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="basicModal" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/basicModal/3.3.2/basicModal.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="basics" data-library-keywords="basic, css, defaults" id="basics" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/basics"> basics </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;haydenbleasel&#x2F;basics" /> <meta itemprop="version" content="1.3.1" /> <!-- hidden text for searching --> <div style="display: none;"> basic, css, defaults </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="basics" class="library-column css-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/basics/1.3.1/basics.css</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="basil.js" data-library-keywords="localstorage, persistance, cookies" id="basiljs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/basil.js"> basil.js </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;Wisembly&#x2F;basil.js" /> <meta itemprop="version" content="0.4.3" /> <!-- hidden text for searching --> <div style="display: none;"> localstorage, persistance, cookies </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="basil.js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/basil.js/0.4.3/basil.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="basis.js" data-library-keywords="basis, basis.js, framework, spa" id="basisjs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/basis.js"> basis.js </a> <meta itemprop="url" content="http:&#x2F;&#x2F;basisjs.com&#x2F;" /> <meta itemprop="version" content="1.6.1" /> <!-- hidden text for searching --> <div style="display: none;"> basis, basis.js, framework, spa </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="basis.js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/basis.js/1.6.1/basis.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="basket.js" data-library-keywords="script, loading, localStorage" id="basketjs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/basket.js"> basket.js </a> <meta itemprop="url" content="http:&#x2F;&#x2F;addyosmani.github.com&#x2F;basket.js" /> <meta itemprop="version" content="0.5.2" /> <!-- hidden text for searching --> <div style="display: none;"> script, loading, localStorage </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="basket.js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/basket.js/0.5.2/basket.full.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="batman.js" data-library-keywords="collections, models, controllers, views, data-binding, events, rails" id="batmanjs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/batman.js"> batman.js </a> <meta itemprop="url" content="http:&#x2F;&#x2F;batmanjs.org" /> <meta itemprop="version" content="0.16.0" /> <!-- hidden text for searching --> <div style="display: none;"> collections, models, controllers, views, data-binding, events, rails </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="batman.js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/batman.js/0.16.0/batman.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="bean" data-library-keywords="ender, events, event, dom" id="bean" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/bean"> bean </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;fat&#x2F;bean" /> <meta itemprop="version" content="1.0.15" /> <!-- hidden text for searching --> <div style="display: none;"> ender, events, event, dom </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="bean" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/bean/1.0.15/bean.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="beepjs" data-library-keywords="beep, beepjs" id="beepjs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/beepjs"> beepjs </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;luciferous&#x2F;beepjs" /> <meta itemprop="version" content="0.0.1" /> <!-- hidden text for searching --> <div style="display: none;"> beep, beepjs </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="beepjs" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/beepjs/0.0.1/beep.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="beeplay" data-library-keywords="audio, music, beeplay" id="beeplay" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/beeplay"> beeplay </a> <meta itemprop="url" content="" /> <meta itemprop="version" content="0.0.5" /> <!-- hidden text for searching --> <div style="display: none;"> audio, music, beeplay </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="beeplay" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/beeplay/0.0.5/beeplay.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="benchmark" data-library-keywords="benchmark, performance, speed" id="benchmark" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/benchmark"> benchmark </a> <meta itemprop="url" content="http:&#x2F;&#x2F;benchmarkjs.com&#x2F;" /> <meta itemprop="version" content="2.0.0" /> <!-- hidden text for searching --> <div style="display: none;"> benchmark, performance, speed </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="benchmark" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/benchmark/2.0.0/benchmark.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="bespoke.js" data-library-keywords="bespoke, presentation, micro-framework" id="bespokejs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/bespoke.js"> bespoke.js </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;bespokejs&#x2F;bespoke" /> <meta itemprop="version" content="1.1.0" /> <!-- hidden text for searching --> <div style="display: none;"> bespoke, presentation, micro-framework </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="bespoke.js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/bespoke.js/1.1.0/bespoke.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="bigfishtv-turret" data-library-keywords="css, less, responsive, front-end, framework, web" id="bigfishtv-turret" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/bigfishtv-turret"> bigfishtv-turret </a> <meta itemprop="url" content="http:&#x2F;&#x2F;turret.bigfish.tv" /> <meta itemprop="version" content="3.1.5" /> <!-- hidden text for searching --> <div style="display: none;"> css, less, responsive, front-end, framework, web </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="bigfishtv-turret" class="library-column css-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/bigfishtv-turret/3.1.5/turret.min.css</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="bignumber.js" data-library-keywords="arbitrary, precision, arithmetic, big, number, decimal, float, biginteger, bigdecimal, bignumber, bigint, bignum" id="bignumberjs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/bignumber.js"> bignumber.js </a> <meta itemprop="url" content="http:&#x2F;&#x2F;mikemcl.github.io&#x2F;bignumber.js&#x2F;" /> <meta itemprop="version" content="2.1.4" /> <!-- hidden text for searching --> <div style="display: none;"> arbitrary, precision, arithmetic, big, number, decimal, float, biginteger, bigdecimal, bignumber, bigint, bignum </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="bignumber.js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/bignumber.js/2.1.4/bignumber.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="bigslide.js" data-library-keywords="jquery, jquery-plugin, browser, menu, navigation, slide-panel" id="bigslidejs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/bigslide.js"> bigslide.js </a> <meta itemprop="url" content="" /> <meta itemprop="version" content="0.9.3" /> <!-- hidden text for searching --> <div style="display: none;"> jquery, jquery-plugin, browser, menu, navigation, slide-panel </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="bigslide.js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/bigslide.js/0.9.3/bigSlide.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="bitcoinjs-lib" data-library-keywords="bitcoin, browser, client, library" id="bitcoinjs-lib" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/bitcoinjs-lib"> bitcoinjs-lib </a> <meta itemprop="url" content="http:&#x2F;&#x2F;bitcoinjs.org&#x2F;" /> <meta itemprop="version" content="0.2.0-1" /> <!-- hidden text for searching --> <div style="display: none;"> bitcoin, browser, client, library </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="bitcoinjs-lib" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/bitcoinjs-lib/0.2.0-1/bitcoinjs-min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="bla" data-library-keywords="api, batch, express" id="bla" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/bla"> bla </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;baby-loris&#x2F;bla" /> <meta itemprop="version" content="1.6.1" /> <!-- hidden text for searching --> <div style="display: none;"> api, batch, express </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="bla" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/bla/1.6.1/bla.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="blanket.js" data-library-keywords="coverage" id="blanketjs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/blanket.js"> blanket.js </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;alex-seville&#x2F;blanket" /> <meta itemprop="version" content="1.1.4" /> <!-- hidden text for searching --> <div style="display: none;"> coverage </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="blanket.js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/blanket.js/1.1.4/blanket.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="blazy" data-library-keywords="blazy, blazyjs, blazy.js, lazy, lazyload, image, images, retina, responsive, performance" id="blazy" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/blazy"> blazy </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;dinbror&#x2F;blazy" /> <meta itemprop="version" content="1.5.2" /> <!-- hidden text for searching --> <div style="display: none;"> blazy, blazyjs, blazy.js, lazy, lazyload, image, images, retina, responsive, performance </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="blazy" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/blazy/1.5.2/blazy.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="blissfuljs" data-library-keywords="DOM, Events, Ajax, Promises, OOP, ES5" id="blissfuljs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/blissfuljs"> blissfuljs </a> <meta itemprop="url" content="http:&#x2F;&#x2F;blissfuljs.com" /> <meta itemprop="version" content="1.0.0" /> <!-- hidden text for searching --> <div style="display: none;"> DOM, Events, Ajax, Promises, OOP, ES5 </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="blissfuljs" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/blissfuljs/1.0.0/bliss.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="bluebird" data-library-keywords="promise, performance, fast, promises-aplus, async" id="bluebird" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/bluebird"> bluebird </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;petkaantonov&#x2F;bluebird" /> <meta itemprop="version" content="3.1.2" /> <!-- hidden text for searching --> <div style="display: none;"> promise, performance, fast, promises-aplus, async </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="bluebird" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/bluebird/3.1.2/bluebird.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="blueimp-file-upload" data-library-keywords="jquery, file, upload, widget, multiple, selection, drag, drop, progress, preview, cross-domain, cross-site, chunk, resume, gae, go, python, php, bootstrap" id="blueimp-file-upload" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/blueimp-file-upload"> blueimp-file-upload </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;blueimp&#x2F;jQuery-File-Upload" /> <meta itemprop="version" content="9.5.7" /> <!-- hidden text for searching --> <div style="display: none;"> jquery, file, upload, widget, multiple, selection, drag, drop, progress, preview, cross-domain, cross-site, chunk, resume, gae, go, python, php, bootstrap </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="blueimp-file-upload" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/blueimp-file-upload/9.5.7/jquery.fileupload.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="blueimp-gallery" data-library-keywords="image, video, gallery, carousel, lightbox, mobile, desktop, touch, responsive, swipe, mouse, keyboard, navigation, transition, effects, slideshow, fullscreen" id="blueimp-gallery" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/blueimp-gallery"> blueimp-gallery </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;blueimp&#x2F;Gallery" /> <meta itemprop="version" content="2.17.0" /> <!-- hidden text for searching --> <div style="display: none;"> image, video, gallery, carousel, lightbox, mobile, desktop, touch, responsive, swipe, mouse, keyboard, navigation, transition, effects, slideshow, fullscreen </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="blueimp-gallery" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/blueimp-gallery/2.17.0/js&#x2F;blueimp-gallery.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="blueimp-load-image" data-library-keywords="javascript, load, loading, image, file, blob, url, scale, crop, img, canvas, meta, exif, thumbnail, resizing" id="blueimp-load-image" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/blueimp-load-image"> blueimp-load-image </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;blueimp&#x2F;JavaScript-Load-Image" /> <meta itemprop="version" content="2.1.0" /> <!-- hidden text for searching --> <div style="display: none;"> javascript, load, loading, image, file, blob, url, scale, crop, img, canvas, meta, exif, thumbnail, resizing </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="blueimp-load-image" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/blueimp-load-image/2.1.0/load-image.all.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="blueimp-md5" data-library-keywords="javascript, md5" id="blueimp-md5" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/blueimp-md5"> blueimp-md5 </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;blueimp&#x2F;JavaScript-MD5" /> <meta itemprop="version" content="2.1.0" /> <!-- hidden text for searching --> <div style="display: none;"> javascript, md5 </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="blueimp-md5" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/blueimp-md5/2.1.0/js&#x2F;md5.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="boexfi" data-library-keywords="boxopi, boexfi, js, css" id="boexfi" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/boexfi"> boexfi </a> <meta itemprop="url" content="http:&#x2F;&#x2F;www.boxopi.tk&#x2F;" /> <meta itemprop="version" content="1.0.0" /> <!-- hidden text for searching --> <div style="display: none;"> boxopi, boexfi, js, css </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="boexfi" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/boexfi/1.0.0/mijs.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="bokeh" data-library-keywords="bokeh, datavis, dataviz, visualization, plotting, plot, graph" id="bokeh" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/bokeh"> bokeh </a> <meta itemprop="url" content="" /> <meta itemprop="version" content="0.11.0" /> <!-- hidden text for searching --> <div style="display: none;"> bokeh, datavis, dataviz, visualization, plotting, plot, graph </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="bokeh" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/bokeh/0.11.0/bokeh.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="bonsai" data-library-keywords="graphics, svg, vector" id="bonsai" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/bonsai"> bonsai </a> <meta itemprop="url" content="http:&#x2F;&#x2F;bonsaijs.org" /> <meta itemprop="version" content="0.4.5" /> <!-- hidden text for searching --> <div style="display: none;"> graphics, svg, vector </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="bonsai" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/bonsai/0.4.5/bonsai.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="bootbox.js" data-library-keywords="" id="bootboxjs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/bootbox.js"> bootbox.js </a> <meta itemprop="url" content="http:&#x2F;&#x2F;bootboxjs.com" /> <meta itemprop="version" content="4.4.0" /> <!-- hidden text for searching --> <div style="display: none;"> </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="bootbox.js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/bootbox.js/4.4.0/bootbox.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="bootcards" data-library-keywords="twitter, bootstrap, cards" id="bootcards" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/bootcards"> bootcards </a> <meta itemprop="url" content="http:&#x2F;&#x2F;bootcards.org" /> <meta itemprop="version" content="1.1.2" /> <!-- hidden text for searching --> <div style="display: none;"> twitter, bootstrap, cards </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="bootcards" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/bootcards/1.1.2/js&#x2F;bootcards.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="bootpag" data-library-keywords="pagination, bootstrap, jquery-plugin, ecosystem:jquery" id="bootpag" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/bootpag"> bootpag </a> <meta itemprop="url" content="http:&#x2F;&#x2F;botmonster.github.com&#x2F;jquery-bootpag" /> <meta itemprop="version" content="1.0.7" /> <!-- hidden text for searching --> <div style="display: none;"> pagination, bootstrap, jquery-plugin, ecosystem:jquery </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="bootpag" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/bootpag/1.0.7/jquery.bootpag.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="bootstrap-3-typeahead" data-library-keywords="typeahead, autocomplete, plugin, jquery, bootstrap" id="bootstrap-3-typeahead" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/bootstrap-3-typeahead"> bootstrap-3-typeahead </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;bassjobsen&#x2F;Bootstrap-3-Typeahead&#x2F;" /> <meta itemprop="version" content="4.0.0" /> <!-- hidden text for searching --> <div style="display: none;"> typeahead, autocomplete, plugin, jquery, bootstrap </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="bootstrap-3-typeahead" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/bootstrap-3-typeahead/4.0.0/bootstrap3-typeahead.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="bootstrap-colorpicker" data-library-keywords="twitter, bootstrap, colorpicker" id="bootstrap-colorpicker" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/bootstrap-colorpicker"> bootstrap-colorpicker </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;mjolnic&#x2F;bootstrap-colorpicker" /> <meta itemprop="version" content="2.3.0" /> <!-- hidden text for searching --> <div style="display: none;"> twitter, bootstrap, colorpicker </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="bootstrap-colorpicker" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/bootstrap-colorpicker/2.3.0/js&#x2F;bootstrap-colorpicker.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="bootstrap-confirmation" data-library-keywords="bootstrap, confirm, confirmation" id="bootstrap-confirmation" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/bootstrap-confirmation"> bootstrap-confirmation </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;tavicu&#x2F;bs-confirmation" /> <meta itemprop="version" content="1.0.5" /> <!-- hidden text for searching --> <div style="display: none;"> bootstrap, confirm, confirmation </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="bootstrap-confirmation" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/bootstrap-confirmation/1.0.5/bootstrap-confirmation.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="bootstrap-contextmenu" data-library-keywords="bootstrap" id="bootstrap-contextmenu" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/bootstrap-contextmenu"> bootstrap-contextmenu </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;sydcanem&#x2F;bootstrap-contextmenu" /> <meta itemprop="version" content="0.3.3" /> <!-- hidden text for searching --> <div style="display: none;"> bootstrap </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="bootstrap-contextmenu" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/bootstrap-contextmenu/0.3.3/bootstrap-contextmenu.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="bootstrap-datepicker" data-library-keywords="twitter, bootstrap, datepicker" id="bootstrap-datepicker" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/bootstrap-datepicker"> bootstrap-datepicker </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;eternicode&#x2F;bootstrap-datepicker" /> <meta itemprop="version" content="1.5.1" /> <!-- hidden text for searching --> <div style="display: none;"> twitter, bootstrap, datepicker </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="bootstrap-datepicker" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/bootstrap-datepicker/1.5.1/js&#x2F;bootstrap-datepicker.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="bootstrap-daterangepicker" data-library-keywords="" id="bootstrap-daterangepicker" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/bootstrap-daterangepicker"> bootstrap-daterangepicker </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;dangrossman&#x2F;bootstrap-daterangepicker" /> <meta itemprop="version" content="2.1.17" /> <!-- hidden text for searching --> <div style="display: none;"> </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="bootstrap-daterangepicker" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/bootstrap-daterangepicker/2.1.17/daterangepicker.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="bootstrap-datetimepicker" data-library-keywords="twitter-bootstrap, bootstrap, datepicker, datetimepicker, timepicker, moment" id="bootstrap-datetimepicker" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/bootstrap-datetimepicker"> bootstrap-datetimepicker </a> <meta itemprop="url" content="http:&#x2F;&#x2F;eonasdan.github.io&#x2F;bootstrap-datetimepicker&#x2F;" /> <meta itemprop="version" content="4.17.37" /> <!-- hidden text for searching --> <div style="display: none;"> twitter-bootstrap, bootstrap, datepicker, datetimepicker, timepicker, moment </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="bootstrap-datetimepicker" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/bootstrap-datetimepicker/4.17.37/js&#x2F;bootstrap-datetimepicker.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="bootstrap-fileinput" data-library-keywords="bootstrap, file, input, preview, image, upload, ajax, multiple, delete, progress, gallery" id="bootstrap-fileinput" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/bootstrap-fileinput"> bootstrap-fileinput </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;kartik-v&#x2F;bootstrap-fileinput" /> <meta itemprop="version" content="4.2.9" /> <!-- hidden text for searching --> <div style="display: none;"> bootstrap, file, input, preview, image, upload, ajax, multiple, delete, progress, gallery </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="bootstrap-fileinput" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/bootstrap-fileinput/4.2.9/js&#x2F;fileinput.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="bootstrap-filestyle" data-library-keywords="jquery, file, upload, boostrap, multiple, input, style" id="bootstrap-filestyle" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/bootstrap-filestyle"> bootstrap-filestyle </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;markusslima&#x2F;bootstrap-filestyle#readme" /> <meta itemprop="version" content="1.2.1" /> <!-- hidden text for searching --> <div style="display: none;"> jquery, file, upload, boostrap, multiple, input, style </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="bootstrap-filestyle" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/bootstrap-filestyle/1.2.1/bootstrap-filestyle.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="bootstrap-formhelpers" data-library-keywords="bootstrap, css" id="bootstrap-formhelpers" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/bootstrap-formhelpers"> bootstrap-formhelpers </a> <meta itemprop="url" content="http:&#x2F;&#x2F;boostrapformhelpers.com" /> <meta itemprop="version" content="2.3.0" /> <!-- hidden text for searching --> <div style="display: none;"> bootstrap, css </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="bootstrap-formhelpers" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/bootstrap-formhelpers/2.3.0/js&#x2F;bootstrap-formhelpers.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="bootstrap-growl" data-library-keywords="bootstrap, growl, notification, jquery" id="bootstrap-growl" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/bootstrap-growl"> bootstrap-growl </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;ifightcrime&#x2F;bootstrap-growl" /> <meta itemprop="version" content="1.0.0" /> <!-- hidden text for searching --> <div style="display: none;"> bootstrap, growl, notification, jquery </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="bootstrap-growl" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/bootstrap-growl/1.0.0/jquery.bootstrap-growl.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="bootstrap-hover-dropdown" data-library-keywords="twitter, bootstrap, hover, dropdowns" id="bootstrap-hover-dropdown" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/bootstrap-hover-dropdown"> bootstrap-hover-dropdown </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;CWSpear&#x2F;bootstrap-hover-dropdown" /> <meta itemprop="version" content="2.2.1" /> <!-- hidden text for searching --> <div style="display: none;"> twitter, bootstrap, hover, dropdowns </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="bootstrap-hover-dropdown" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/bootstrap-hover-dropdown/2.2.1/bootstrap-hover-dropdown.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="bootstrap-lightbox" data-library-keywords="bootstrap, lightbox, modal" id="bootstrap-lightbox" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/bootstrap-lightbox"> bootstrap-lightbox </a> <meta itemprop="url" content="http:&#x2F;&#x2F;jbutz.github.com&#x2F;bootstrap-lightbox&#x2F;" /> <meta itemprop="version" content="0.7.0" /> <!-- hidden text for searching --> <div style="display: none;"> bootstrap, lightbox, modal </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="bootstrap-lightbox" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/bootstrap-lightbox/0.7.0/bootstrap-lightbox.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="bootstrap-magnify" data-library-keywords="bootstrap, magnify, image, gallery" id="bootstrap-magnify" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/bootstrap-magnify"> bootstrap-magnify </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;marcaube&#x2F;bootstrap-magnify" /> <meta itemprop="version" content="0.3.0" /> <!-- hidden text for searching --> <div style="display: none;"> bootstrap, magnify, image, gallery </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="bootstrap-magnify" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/bootstrap-magnify/0.3.0/js&#x2F;bootstrap-magnify.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="bootstrap-markdown" data-library-keywords="twitter, bootstrap, markdown, editor" id="bootstrap-markdown" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/bootstrap-markdown"> bootstrap-markdown </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;toopay&#x2F;bootstrap-markdown" /> <meta itemprop="version" content="2.10.0" /> <!-- hidden text for searching --> <div style="display: none;"> twitter, bootstrap, markdown, editor </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="bootstrap-markdown" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/bootstrap-markdown/2.10.0/js&#x2F;bootstrap-markdown.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="bootstrap-material-design" data-library-keywords="material, design, bootstrap, theme, google, android, browser, framework" id="bootstrap-material-design" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/bootstrap-material-design"> bootstrap-material-design </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;FezVrasta&#x2F;bootstrap-material-design" /> <meta itemprop="version" content="0.5.7" /> <!-- hidden text for searching --> <div style="display: none;"> material, design, bootstrap, theme, google, android, browser, framework </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="bootstrap-material-design" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/bootstrap-material-design/0.5.7/js&#x2F;material.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="bootstrap-maxlength" data-library-keywords="form, maxlength, html5, input, feedback, jquery-plugin, jquery" id="bootstrap-maxlength" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/bootstrap-maxlength"> bootstrap-maxlength </a> <meta itemprop="url" content="http:&#x2F;&#x2F;mimo84.github.io&#x2F;bootstrap-maxlength&#x2F;" /> <meta itemprop="version" content="1.7.0" /> <!-- hidden text for searching --> <div style="display: none;"> form, maxlength, html5, input, feedback, jquery-plugin, jquery </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="bootstrap-maxlength" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/bootstrap-maxlength/1.7.0/bootstrap-maxlength.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="bootstrap-modal" data-library-keywords="bootstrap, modal" id="bootstrap-modal" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/bootstrap-modal"> bootstrap-modal </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;jschr&#x2F;bootstrap-modal" /> <meta itemprop="version" content="2.2.6" /> <!-- hidden text for searching --> <div style="display: none;"> bootstrap, modal </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="bootstrap-modal" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/bootstrap-modal/2.2.6/js&#x2F;bootstrap-modalmanager.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="bootstrap-multiselect" data-library-keywords="js, css, less, bootstrap, jquery, multiselect" id="bootstrap-multiselect" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/bootstrap-multiselect"> bootstrap-multiselect </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;davidstutz&#x2F;bootstrap-multiselect" /> <meta itemprop="version" content="0.9.13" /> <!-- hidden text for searching --> <div style="display: none;"> js, css, less, bootstrap, jquery, multiselect </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="bootstrap-multiselect" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/bootstrap-multiselect/0.9.13/js&#x2F;bootstrap-multiselect.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="bootstrap-notify" data-library-keywords="bootstrap, alert, notify" id="bootstrap-notify" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/bootstrap-notify"> bootstrap-notify </a> <meta itemprop="url" content="" /> <meta itemprop="version" content="0.2.0" /> <!-- hidden text for searching --> <div style="display: none;"> bootstrap, alert, notify </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="bootstrap-notify" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/bootstrap-notify/0.2.0/js&#x2F;bootstrap-notify.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="bootstrap-progressbar" data-library-keywords="boostrap-progressbar, progressbar" id="bootstrap-progressbar" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/bootstrap-progressbar"> bootstrap-progressbar </a> <meta itemprop="url" content="http:&#x2F;&#x2F;www.minddust.com" /> <meta itemprop="version" content="0.9.0" /> <!-- hidden text for searching --> <div style="display: none;"> boostrap-progressbar, progressbar </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="bootstrap-progressbar" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/bootstrap-progressbar/0.9.0/bootstrap-progressbar.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="bootstrap-rating" data-library-keywords="rating, jquery, bootstrap, fontawesome, component, plugin" id="bootstrap-rating" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/bootstrap-rating"> bootstrap-rating </a> <meta itemprop="url" content="http:&#x2F;&#x2F;dreyescat.github.io&#x2F;bootstrap-rating&#x2F;" /> <meta itemprop="version" content="1.3.1" /> <!-- hidden text for searching --> <div style="display: none;"> rating, jquery, bootstrap, fontawesome, component, plugin </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="bootstrap-rating" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/bootstrap-rating/1.3.1/bootstrap-rating.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="bootstrap-rtl" data-library-keywords="twitter, bootstrap, rtl, css, persian, farsi, arabic, hebrew, theme" id="bootstrap-rtl" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/bootstrap-rtl"> bootstrap-rtl </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;morteza&#x2F;bootstrap-rtl" /> <meta itemprop="version" content="3.2.0-rc2" /> <!-- hidden text for searching --> <div style="display: none;"> twitter, bootstrap, rtl, css, persian, farsi, arabic, hebrew, theme </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="bootstrap-rtl" class="library-column css-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/bootstrap-rtl/3.2.0-rc2/css&#x2F;bootstrap-rtl.min.css</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="bootstrap-select" data-library-keywords="form, bootstrap, select, replacement" id="bootstrap-select" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/bootstrap-select"> bootstrap-select </a> <meta itemprop="url" content="http:&#x2F;&#x2F;silviomoreto.github.io&#x2F;bootstrap-select&#x2F;" /> <meta itemprop="version" content="1.9.4" /> <!-- hidden text for searching --> <div style="display: none;"> form, bootstrap, select, replacement </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="bootstrap-select" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/bootstrap-select/1.9.4/js&#x2F;bootstrap-select.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="bootstrap-show-password" data-library-keywords="bootstrap.password, show.password, hide.password" id="bootstrap-show-password" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/bootstrap-show-password"> bootstrap-show-password </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;wenzhixin&#x2F;bootstrap-show-password" /> <meta itemprop="version" content="1.0.2" /> <!-- hidden text for searching --> <div style="display: none;"> bootstrap.password, show.password, hide.password </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="bootstrap-show-password" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/bootstrap-show-password/1.0.2/bootstrap-show-password.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="bootstrap-slider" data-library-keywords="slider, bootstrap, twitter, slide" id="bootstrap-slider" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/bootstrap-slider"> bootstrap-slider </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;seiyria&#x2F;bootstrap-slider" /> <meta itemprop="version" content="6.0.7" /> <!-- hidden text for searching --> <div style="display: none;"> slider, bootstrap, twitter, slide </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="bootstrap-slider" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/bootstrap-slider/6.0.7/bootstrap-slider.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="bootstrap-social" data-library-keywords="bootstrap, social, buttons" id="bootstrap-social" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/bootstrap-social"> bootstrap-social </a> <meta itemprop="url" content="http:&#x2F;&#x2F;lipis.github.io&#x2F;bootstrap-social&#x2F;" /> <meta itemprop="version" content="4.12.0" /> <!-- hidden text for searching --> <div style="display: none;"> bootstrap, social, buttons </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="bootstrap-social" class="library-column css-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/bootstrap-social/4.12.0/bootstrap-social.min.css</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="bootstrap-submenu" data-library-keywords="bootstrap, dropdown, jquery-plugin, submenu" id="bootstrap-submenu" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/bootstrap-submenu"> bootstrap-submenu </a> <meta itemprop="url" content="https:&#x2F;&#x2F;vsn4ik.github.io&#x2F;bootstrap-submenu&#x2F;" /> <meta itemprop="version" content="2.0.3" /> <!-- hidden text for searching --> <div style="display: none;"> bootstrap, dropdown, jquery-plugin, submenu </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="bootstrap-submenu" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/bootstrap-submenu/2.0.3/js&#x2F;bootstrap-submenu.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="bootstrap-switch" data-library-keywords="bootstrap, switch, javascript, js" id="bootstrap-switch" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/bootstrap-switch"> bootstrap-switch </a> <meta itemprop="url" content="http:&#x2F;&#x2F;www.bootstrap-switch.org" /> <meta itemprop="version" content="3.3.2" /> <!-- hidden text for searching --> <div style="display: none;"> bootstrap, switch, javascript, js </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="bootstrap-switch" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/bootstrap-switch/3.3.2/js&#x2F;bootstrap-switch.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="bootstrap-table" data-library-keywords="bootstrap, table" id="bootstrap-table" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/bootstrap-table"> bootstrap-table </a> <meta itemprop="url" content="http:&#x2F;&#x2F;wenzhixin.net.cn&#x2F;p&#x2F;bootstrap-table&#x2F;" /> <meta itemprop="version" content="1.10.0" /> <!-- hidden text for searching --> <div style="display: none;"> bootstrap, table </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="bootstrap-table" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/bootstrap-table/1.10.0/bootstrap-table.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="bootstrap-tagsinput" data-library-keywords="tags, bootstrap, input, select, form" id="bootstrap-tagsinput" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/bootstrap-tagsinput"> bootstrap-tagsinput </a> <meta itemprop="url" content="http:&#x2F;&#x2F;timschlechter.github.io&#x2F;bootstrap-tagsinput&#x2F;examples&#x2F;" /> <meta itemprop="version" content="0.7.1" /> <!-- hidden text for searching --> <div style="display: none;"> tags, bootstrap, input, select, form </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="bootstrap-tagsinput" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/bootstrap-tagsinput/0.7.1/bootstrap-tagsinput.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="bootstrap-toggle" data-library-keywords="bootstrap, toggle, bootstrap-toggle, switch, bootstrap-switch" id="bootstrap-toggle" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/bootstrap-toggle"> bootstrap-toggle </a> <meta itemprop="url" content="http:&#x2F;&#x2F;www.bootstraptoggle.com" /> <meta itemprop="version" content="2.2.1" /> <!-- hidden text for searching --> <div style="display: none;"> bootstrap, toggle, bootstrap-toggle, switch, bootstrap-switch </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="bootstrap-toggle" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/bootstrap-toggle/2.2.1/js&#x2F;bootstrap-toggle.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="bootstrap-tokenfield" data-library-keywords="jquery, javascript, bootstrap, tokenfield, tags, token, input, select, form" id="bootstrap-tokenfield" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/bootstrap-tokenfield"> bootstrap-tokenfield </a> <meta itemprop="url" content="http:&#x2F;&#x2F;sliptree.github.io&#x2F;bootstrap-tokenfield" /> <meta itemprop="version" content="0.12.0" /> <!-- hidden text for searching --> <div style="display: none;"> jquery, javascript, bootstrap, tokenfield, tags, token, input, select, form </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="bootstrap-tokenfield" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/bootstrap-tokenfield/0.12.0/bootstrap-tokenfield.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="bootstrap-touchspin" data-library-keywords="bootstrap, touchspin, jquery" id="bootstrap-touchspin" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/bootstrap-touchspin"> bootstrap-touchspin </a> <meta itemprop="url" content="http:&#x2F;&#x2F;www.virtuosoft.eu&#x2F;code&#x2F;bootstrap-touchspin&#x2F;" /> <meta itemprop="version" content="3.1.1" /> <!-- hidden text for searching --> <div style="display: none;"> bootstrap, touchspin, jquery </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="bootstrap-touchspin" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/bootstrap-touchspin/3.1.1/jquery.bootstrap-touchspin.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="bootstrap-tour" data-library-keywords="tour, bootstrap, js, tour, intro, twitter" id="bootstrap-tour" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/bootstrap-tour"> bootstrap-tour </a> <meta itemprop="url" content="http:&#x2F;&#x2F;bootstraptour.com" /> <meta itemprop="version" content="0.10.1" /> <!-- hidden text for searching --> <div style="display: none;"> tour, bootstrap, js, tour, intro, twitter </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="bootstrap-tour" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/bootstrap-tour/0.10.1/js&#x2F;bootstrap-tour.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="bootstrap-validator" data-library-keywords="twitter, bootstrap, validator" id="bootstrap-validator" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/bootstrap-validator"> bootstrap-validator </a> <meta itemprop="url" content="http:&#x2F;&#x2F;bootstrapvalidator.com" /> <meta itemprop="version" content="0.5.3" /> <!-- hidden text for searching --> <div style="display: none;"> twitter, bootstrap, validator </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="bootstrap-validator" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/bootstrap-validator/0.5.3/js&#x2F;bootstrapValidator.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="bootstrap3-dialog" data-library-keywords="bootstrap, dialog" id="bootstrap3-dialog" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/bootstrap3-dialog"> bootstrap3-dialog </a> <meta itemprop="url" content="http:&#x2F;&#x2F;nakupanda.github.io&#x2F;bootstrap3-dialog" /> <meta itemprop="version" content="1.34.9" /> <!-- hidden text for searching --> <div style="display: none;"> bootstrap, dialog </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="bootstrap3-dialog" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/bootstrap3-dialog/1.34.9/js&#x2F;bootstrap-dialog.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="bootswatch" data-library-keywords="css" id="bootswatch" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/bootswatch"> bootswatch </a> <meta itemprop="url" content="http:&#x2F;&#x2F;bootswatch.com&#x2F;" /> <meta itemprop="version" content="3.3.6" /> <!-- hidden text for searching --> <div style="display: none;"> css </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="bootswatch" class="library-column css-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/bootswatch/3.3.6/cerulean&#x2F;bootstrap.min.css</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="bottleneck" data-library-keywords="async rate limiter, rate limiter, rate limiting, async, rate, limiting, limiter, throttle, throttling, load, ddos" id="bottleneck" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/bottleneck"> bottleneck </a> <meta itemprop="url" content="" /> <meta itemprop="version" content="1.10.1" /> <!-- hidden text for searching --> <div style="display: none;"> async rate limiter, rate limiter, rate limiting, async, rate, limiting, limiter, throttle, throttling, load, ddos </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="bottleneck" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/bottleneck/1.10.1/bottleneck.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="angular-translate-loader-partial" data-library-keywords="framework, mvc, AngularJS, angular, angular.js, angular-translate" id="angular-translate-loader-partial" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/angular-translate-loader-partial"> angular-translate-loader-partial </a> <meta itemprop="url" content="http:&#x2F;&#x2F;angular-translate.github.io" /> <meta itemprop="version" content="2.8.1" /> <!-- hidden text for searching --> <div style="display: none;"> framework, mvc, AngularJS, angular, angular.js, angular-translate </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="angular-translate-loader-partial" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/angular-translate-loader-partial/2.8.1/angular-translate-loader-partial.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="angular-translate-loader-static-files" data-library-keywords="framework, mvc, AngularJS, angular, angular.js, angular-translate" id="angular-translate-loader-static-files" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/angular-translate-loader-static-files"> angular-translate-loader-static-files </a> <meta itemprop="url" content="http:&#x2F;&#x2F;angular-translate.github.io" /> <meta itemprop="version" content="2.8.1" /> <!-- hidden text for searching --> <div style="display: none;"> framework, mvc, AngularJS, angular, angular.js, angular-translate </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="angular-translate-loader-static-files" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/angular-translate-loader-static-files/2.8.1/angular-translate-loader-static-files.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="angular-translate-loader-url" data-library-keywords="framework, mvc, AngularJS, angular, angular.js, angular-translate" id="angular-translate-loader-url" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/angular-translate-loader-url"> angular-translate-loader-url </a> <meta itemprop="url" content="http:&#x2F;&#x2F;angular-translate.github.io" /> <meta itemprop="version" content="2.8.1" /> <!-- hidden text for searching --> <div style="display: none;"> framework, mvc, AngularJS, angular, angular.js, angular-translate </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="angular-translate-loader-url" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/angular-translate-loader-url/2.8.1/angular-translate-loader-url.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="angular-translate" data-library-keywords="framework, mvc, AngularJS, angular, angular.js, angular-translate" id="angular-translate" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/angular-translate"> angular-translate </a> <meta itemprop="url" content="http:&#x2F;&#x2F;angular-translate.github.io" /> <meta itemprop="version" content="2.8.1" /> <!-- hidden text for searching --> <div style="display: none;"> framework, mvc, AngularJS, angular, angular.js, angular-translate </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="angular-translate" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/angular-translate/2.8.1/angular-translate.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="bowser" data-library-keywords="ender, browser, sniff, detection" id="bowser" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/bowser"> bowser </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;ded&#x2F;bowser" /> <meta itemprop="version" content="1.0.0" /> <!-- hidden text for searching --> <div style="display: none;"> ender, browser, sniff, detection </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="bowser" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/bowser/1.0.0/bowser.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="bPopup" data-library-keywords="bpopup, popup, overlay, modal, ui, jquery, jquery-plugin" id="bPopup" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/bPopup"> bPopup </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;dinbror&#x2F;bpopup" /> <meta itemprop="version" content="0.11.0" /> <!-- hidden text for searching --> <div style="display: none;"> bpopup, popup, overlay, modal, ui, jquery, jquery-plugin </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="bPopup" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/bPopup/0.11.0/jquery.bpopup.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="brain" data-library-keywords="brain, neural" id="brain" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/brain"> brain </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;harthur&#x2F;brain" /> <meta itemprop="version" content="0.6.3" /> <!-- hidden text for searching --> <div style="display: none;"> brain, neural </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="brain" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/brain/0.6.3/brain.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="breezejs" data-library-keywords="data, BreezeJS, breeze, breeze.js" id="breezejs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/breezejs"> breezejs </a> <meta itemprop="url" content="http:&#x2F;&#x2F;www.getbreezenow.com&#x2F;" /> <meta itemprop="version" content="1.5.5" /> <!-- hidden text for searching --> <div style="display: none;"> data, BreezeJS, breeze, breeze.js </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="breezejs" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/breezejs/1.5.5/breeze.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="bsjs" data-library-keywords="framework, library, declarative" id="bsjs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/bsjs"> bsjs </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;projectBS&#x2F;bsJS" /> <meta itemprop="version" content="0.3.0" /> <!-- hidden text for searching --> <div style="display: none;"> framework, library, declarative </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="bsjs" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/bsjs/0.3.0/bsjs.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="bttrlazyloading" data-library-keywords="BttrLazyLoading, lazyload, jquery, jquery-plugin" id="bttrlazyloading" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/bttrlazyloading"> bttrlazyloading </a> <meta itemprop="url" content="http:&#x2F;&#x2F;bttrlazyloading.julienrenaux.fr" /> <meta itemprop="version" content="1.0.8" /> <!-- hidden text for searching --> <div style="display: none;"> BttrLazyLoading, lazyload, jquery, jquery-plugin </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="bttrlazyloading" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/bttrlazyloading/1.0.8/jquery.bttrlazyloading.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="buckets" data-library-keywords="buckets, data, structure, linked, list, heap, stack, queue, priority, binary, tree, set, dictionary, map" id="buckets" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/buckets"> buckets </a> <meta itemprop="url" content="" /> <meta itemprop="version" content="1.90.0" /> <!-- hidden text for searching --> <div style="display: none;"> buckets, data, structure, linked, list, heap, stack, queue, priority, binary, tree, set, dictionary, map </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="buckets" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/buckets/1.90.0/buckets.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="bucky" data-library-keywords="bucky, buckyClient, rum, monitoring" id="bucky" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/bucky"> bucky </a> <meta itemprop="url" content="http:&#x2F;&#x2F;github.hubspot.com&#x2F;bucky&#x2F;" /> <meta itemprop="version" content="0.2.8" /> <!-- hidden text for searching --> <div style="display: none;"> bucky, buckyClient, rum, monitoring </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="bucky" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/bucky/0.2.8/bucky.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="Buttons" data-library-keywords="buttons, sass, scss, css, css buttons, sass buttons" id="Buttons" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/Buttons"> Buttons </a> <meta itemprop="url" content="http:&#x2F;&#x2F;unicorn-ui.com&#x2F;buttons&#x2F;" /> <meta itemprop="version" content="2.0.0" /> <!-- hidden text for searching --> <div style="display: none;"> buttons, sass, scss, css, css buttons, sass buttons </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="Buttons" class="library-column css-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/Buttons/2.0.0/css&#x2F;buttons.min.css</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="buzz" data-library-keywords="html5, audio, library, buzz, buzz.js" id="buzz" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/buzz"> buzz </a> <meta itemprop="url" content="http:&#x2F;&#x2F;buzz.jaysalvat.com" /> <meta itemprop="version" content="1.1.10" /> <!-- hidden text for searching --> <div style="display: none;"> html5, audio, library, buzz, buzz.js </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="buzz" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/buzz/1.1.10/buzz.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="bxslider" data-library-keywords="responsive, carousel, bxslider, jQuery, plugin" id="bxslider" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/bxslider"> bxslider </a> <meta itemprop="url" content="http:&#x2F;&#x2F;bxslider.com" /> <meta itemprop="version" content="4.2.5" /> <!-- hidden text for searching --> <div style="display: none;"> responsive, carousel, bxslider, jQuery, plugin </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="bxslider" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/bxslider/4.2.5/jquery.bxslider.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="c3" data-library-keywords="d3, chart, graph" id="c3" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/c3"> c3 </a> <meta itemprop="url" content="http:&#x2F;&#x2F;c3js.org" /> <meta itemprop="version" content="0.4.10" /> <!-- hidden text for searching --> <div style="display: none;"> d3, chart, graph </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="c3" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/c3/0.4.10/c3.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="caiuss" data-library-keywords="caiuss, css, framework, minimalist" id="caiuss" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/caiuss"> caiuss </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;IonicaBizau&#x2F;CaiuSS" /> <meta itemprop="version" content="1.4.1" /> <!-- hidden text for searching --> <div style="display: none;"> caiuss, css, framework, minimalist </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="caiuss" class="library-column css-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/caiuss/1.4.1/caiuss.min.css</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="camanjs" data-library-keywords="html5, canvas, image, filter, manipulate, pixel, effects" id="camanjs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/camanjs"> camanjs </a> <meta itemprop="url" content="http:&#x2F;&#x2F;camanjs.com&#x2F;" /> <meta itemprop="version" content="4.1.2" /> <!-- hidden text for searching --> <div style="display: none;"> html5, canvas, image, filter, manipulate, pixel, effects </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="camanjs" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/camanjs/4.1.2/caman.full.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="can.js" data-library-keywords="can.js, canjs, javascript, mvc, framework, model, view, controller, popular" id="canjs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/can.js"> can.js </a> <meta itemprop="url" content="http:&#x2F;&#x2F;canjs.us&#x2F;" /> <meta itemprop="version" content="1.1.7" /> <!-- hidden text for searching --> <div style="display: none;"> can.js, canjs, javascript, mvc, framework, model, view, controller, popular </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="can.js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/can.js/1.1.7/can.jquery.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="cannon.js" data-library-keywords="javascript, physics" id="cannonjs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/cannon.js"> cannon.js </a> <meta itemprop="url" content="http:&#x2F;&#x2F;schteppe.github.com&#x2F;cannon.js" /> <meta itemprop="version" content="0.6.2" /> <!-- hidden text for searching --> <div style="display: none;"> javascript, physics </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="cannon.js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/cannon.js/0.6.2/cannon.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="canvas-nest.js" data-library-keywords="canvas, html5, nest" id="canvas-nestjs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/canvas-nest.js"> canvas-nest.js </a> <meta itemprop="url" content="http:&#x2F;&#x2F;www.atool.org&#x2F;" /> <meta itemprop="version" content="1.0.0" /> <!-- hidden text for searching --> <div style="display: none;"> canvas, html5, nest </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="canvas-nest.js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/canvas-nest.js/1.0.0/canvas-nest.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="canvasjs" data-library-keywords="canvas, charts" id="canvasjs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/canvasjs"> canvasjs </a> <meta itemprop="url" content="http:&#x2F;&#x2F;canvasjs.com&#x2F;" /> <meta itemprop="version" content="1.7.0" /> <!-- hidden text for searching --> <div style="display: none;"> canvas, charts </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="canvasjs" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/canvasjs/1.7.0/canvasjs.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="card" data-library-keywords="card" id="card" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/card"> card </a> <meta itemprop="url" content="http:&#x2F;&#x2F;jessepollak.github.io&#x2F;card" /> <meta itemprop="version" content="1.2.2" /> <!-- hidden text for searching --> <div style="display: none;"> card </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="card" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/card/1.2.2/js&#x2F;card.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="cascade-framework" data-library-keywords="cascade, CSS, OOCSS, frontend, bootstrap, foundation, grid, system, framework, responsive" id="cascade-framework" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/cascade-framework"> cascade-framework </a> <meta itemprop="url" content="http:&#x2F;&#x2F;cascade-framework.com&#x2F;" /> <meta itemprop="version" content="1.5.0" /> <!-- hidden text for searching --> <div style="display: none;"> cascade, CSS, OOCSS, frontend, bootstrap, foundation, grid, system, framework, responsive </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="cascade-framework" class="library-column css-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/cascade-framework/1.5.0/css&#x2F;build-full.min.css</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="casualjs" data-library-keywords="canvas, casualframework, html5canvas, ActionScript" id="casualjs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/casualjs"> casualjs </a> <meta itemprop="url" content="https:&#x2F;&#x2F;code.google.com&#x2F;p&#x2F;casualjs&#x2F;" /> <meta itemprop="version" content="0.1.2" /> <!-- hidden text for searching --> <div style="display: none;"> canvas, casualframework, html5canvas, ActionScript </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="casualjs" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/casualjs/0.1.2/casual.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="catiline" data-library-keywords="catiline" id="catiline" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/catiline"> catiline </a> <meta itemprop="url" content="http:&#x2F;&#x2F;catilinejs.com" /> <meta itemprop="version" content="2.9.3" /> <!-- hidden text for searching --> <div style="display: none;"> catiline </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="catiline" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/catiline/2.9.3/catiline.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="cc-icons" data-library-keywords="creative, commons, css, font, library, icons" id="cc-icons" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/cc-icons"> cc-icons </a> <meta itemprop="url" content="http:&#x2F;&#x2F;cc-icons.github.io&#x2F;" /> <meta itemprop="version" content="1.2.1" /> <!-- hidden text for searching --> <div style="display: none;"> creative, commons, css, font, library, icons </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="cc-icons" class="library-column css-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/cc-icons/1.2.1/css&#x2F;cc-icons.min.css</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="chai" data-library-keywords="test, assertion, assert, testing, chai" id="chai" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/chai"> chai </a> <meta itemprop="url" content="http:&#x2F;&#x2F;chaijs.com" /> <meta itemprop="version" content="3.4.1" /> <!-- hidden text for searching --> <div style="display: none;"> test, assertion, assert, testing, chai </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="chai" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/chai/3.4.1/chai.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="chainloading" data-library-keywords="deferred, deferreds, chain, loading" id="chainloading" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/chainloading"> chainloading </a> <meta itemprop="url" content="" /> <meta itemprop="version" content="1.1.1" /> <!-- hidden text for searching --> <div style="display: none;"> deferred, deferreds, chain, loading </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="chainloading" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/chainloading/1.1.1/chainloading.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="chainvas" data-library-keywords="chaining, method, prototype, JavaScript, Chainvas, canvas" id="chainvas" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/chainvas"> chainvas </a> <meta itemprop="url" content="http:&#x2F;&#x2F;leaverou.github.com&#x2F;chainvas&#x2F;" /> <meta itemprop="version" content="2.1" /> <!-- hidden text for searching --> <div style="display: none;"> chaining, method, prototype, JavaScript, Chainvas, canvas </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="chainvas" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/chainvas/2.1/chainvas.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="chance" data-library-keywords="chance, random, generator, test, mersenne, name, address, dice" id="chance" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/chance"> chance </a> <meta itemprop="url" content="http:&#x2F;&#x2F;chancejs.com" /> <meta itemprop="version" content="0.8.0" /> <!-- hidden text for searching --> <div style="display: none;"> chance, random, generator, test, mersenne, name, address, dice </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="chance" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/chance/0.8.0/chance.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="chaplin" data-library-keywords="" id="chaplin" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/chaplin"> chaplin </a> <meta itemprop="url" content="http:&#x2F;&#x2F;chaplinjs.org&#x2F;" /> <meta itemprop="version" content="0.11.3" /> <!-- hidden text for searching --> <div style="display: none;"> </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="chaplin" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/chaplin/0.11.3/chaplin.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="chardin.js" data-library-keywords="overlay, instructions, chardin" id="chardinjs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/chardin.js"> chardin.js </a> <meta itemprop="url" content="http:&#x2F;&#x2F;heelhook.github.io&#x2F;chardin.js&#x2F;" /> <meta itemprop="version" content="0.1.3" /> <!-- hidden text for searching --> <div style="display: none;"> overlay, instructions, chardin </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="chardin.js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/chardin.js/0.1.3/chardinjs.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="Chart.js" data-library-keywords="charts" id="Chartjs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/Chart.js"> Chart.js </a> <meta itemprop="url" content="http:&#x2F;&#x2F;www.chartjs.org" /> <meta itemprop="version" content="1.0.2" /> <!-- hidden text for searching --> <div style="display: none;"> charts </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="Chart.js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/Chart.js/1.0.2/Chart.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="chartist" data-library-keywords="chartist, responsive charts, charts, charting" id="chartist" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/chartist"> chartist </a> <meta itemprop="url" content="https:&#x2F;&#x2F;gionkunz.github.io&#x2F;chartist-js" /> <meta itemprop="version" content="0.9.5" /> <!-- hidden text for searching --> <div style="display: none;"> chartist, responsive charts, charts, charting </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="chartist" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/chartist/0.9.5/chartist.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="checklist-model" data-library-keywords="checklist, checkboxes, AngularJS" id="checklist-model" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/checklist-model"> checklist-model </a> <meta itemprop="url" content="http:&#x2F;&#x2F;vitalets.github.io&#x2F;checklist-model" /> <meta itemprop="version" content="0.9.0" /> <!-- hidden text for searching --> <div style="display: none;"> checklist, checkboxes, AngularJS </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="checklist-model" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/checklist-model/0.9.0/checklist-model.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="chess.js" data-library-keywords="chess" id="chessjs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/chess.js"> chess.js </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;jhlywa&#x2F;chess.js" /> <meta itemprop="version" content="0.9.3" /> <!-- hidden text for searching --> <div style="display: none;"> chess </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="chess.js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/chess.js/0.9.3/chess.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="chibi" data-library-keywords="javascript, microlibrary" id="chibi" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/chibi"> chibi </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;kylebarrow&#x2F;chibi" /> <meta itemprop="version" content="3.0.7" /> <!-- hidden text for searching --> <div style="display: none;"> javascript, microlibrary </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="chibi" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/chibi/3.0.7/chibi-min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="chosen" data-library-keywords="select, multiselect, dropdown, form, input, ui" id="chosen" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/chosen"> chosen </a> <meta itemprop="url" content="http:&#x2F;&#x2F;harvesthq.github.com&#x2F;chosen" /> <meta itemprop="version" content="1.4.2" /> <!-- hidden text for searching --> <div style="display: none;"> select, multiselect, dropdown, form, input, ui </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="chosen" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/chosen/1.4.2/chosen.jquery.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="chroma-js" data-library-keywords="color" id="chroma-js" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/chroma-js"> chroma-js </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;gka&#x2F;chroma.js" /> <meta itemprop="version" content="1.1.1" /> <!-- hidden text for searching --> <div style="display: none;"> color </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="chroma-js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/chroma-js/1.1.1/chroma.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="chrome-bootstrap" data-library-keywords="chrome, bootstrap" id="chrome-bootstrap" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/chrome-bootstrap"> chrome-bootstrap </a> <meta itemprop="url" content="" /> <meta itemprop="version" content="1.5.0" /> <!-- hidden text for searching --> <div style="display: none;"> chrome, bootstrap </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="chrome-bootstrap" class="library-column css-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/chrome-bootstrap/1.5.0/chrome-bootstrap.min.css</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="chrome-frame" data-library-keywords="plugin, plug-in, chrome, frame" id="chrome-frame" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/chrome-frame"> chrome-frame </a> <meta itemprop="url" content="http:&#x2F;&#x2F;code.google.com&#x2F;chrome&#x2F;chromeframe&#x2F;" /> <meta itemprop="version" content="1.0.3" /> <!-- hidden text for searching --> <div style="display: none;"> plugin, plug-in, chrome, frame </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="chrome-frame" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/chrome-frame/1.0.3/CFInstall.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="cinnamon.js" data-library-keywords="search, website, synonyms, link, image" id="cinnamonjs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/cinnamon.js"> cinnamon.js </a> <meta itemprop="url" content="http:&#x2F;&#x2F;thomaspark.co&#x2F;2013&#x2F;02&#x2F;cinnamon-js-find-in-page-text-using-synonyms&#x2F;" /> <meta itemprop="version" content="1.0.6" /> <!-- hidden text for searching --> <div style="display: none;"> search, website, synonyms, link, image </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="cinnamon.js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/cinnamon.js/1.0.6/cinnamon.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="ckeditor" data-library-keywords="wysiwyg, popular" id="ckeditor" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/ckeditor"> ckeditor </a> <meta itemprop="url" content="http:&#x2F;&#x2F;ckeditor.com&#x2F;" /> <meta itemprop="version" content="4.5.4" /> <!-- hidden text for searching --> <div style="display: none;"> wysiwyg, popular </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="ckeditor" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/ckeditor/4.5.4/ckeditor.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="Clamp.js" data-library-keywords="clamp, element, html, js" id="Clampjs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/Clamp.js"> Clamp.js </a> <meta itemprop="url" content="http:&#x2F;&#x2F;joe.sh&#x2F;clamp-js" /> <meta itemprop="version" content="0.5.1" /> <!-- hidden text for searching --> <div style="display: none;"> clamp, element, html, js </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="Clamp.js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/Clamp.js/0.5.1/clamp.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="clank" data-library-keywords="clank, mobile, apps" id="clank" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/clank"> clank </a> <meta itemprop="url" content="" /> <meta itemprop="version" content="0.3.6" /> <!-- hidden text for searching --> <div style="display: none;"> clank, mobile, apps </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="clank" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/clank/0.3.6/clank.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="clappr" data-library-keywords="" id="clappr" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/clappr"> clappr </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;clappr&#x2F;clappr" /> <meta itemprop="version" content="0.2.30" /> <!-- hidden text for searching --> <div style="display: none;"> </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="clappr" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/clappr/0.2.30/clappr.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="classie" data-library-keywords="class" id="classie" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/classie"> classie </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;desandro&#x2F;classie" /> <meta itemprop="version" content="1.0.1" /> <!-- hidden text for searching --> <div style="display: none;"> class </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="classie" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/classie/1.0.1/classie.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="classlist" data-library-keywords="classlist, polyfill" id="classlist" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/classlist"> classlist </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;eligrey&#x2F;classList.js" /> <meta itemprop="version" content="2014.01.31" /> <!-- hidden text for searching --> <div style="display: none;"> classlist, polyfill </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="classlist" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/classlist/2014.01.31/classList.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="classnames" data-library-keywords="react, css, classes, classname, classnames, util, utility" id="classnames" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/classnames"> classnames </a> <meta itemprop="url" content="http:&#x2F;&#x2F;jedwatson.github.io&#x2F;classnames&#x2F;" /> <meta itemprop="version" content="2.2.3" /> <!-- hidden text for searching --> <div style="display: none;"> react, css, classes, classname, classnames, util, utility </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="classnames" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/classnames/2.2.3/index.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="cldrjs" data-library-keywords="utility, globalization, internationalization, multilingualization, localization, g11n, i18n, m17n, L10n, localize, locale, cldr, json, inheritance, compiler" id="cldrjs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/cldrjs"> cldrjs </a> <meta itemprop="url" content="" /> <meta itemprop="version" content="0.4.4" /> <!-- hidden text for searching --> <div style="display: none;"> utility, globalization, internationalization, multilingualization, localization, g11n, i18n, m17n, L10n, localize, locale, cldr, json, inheritance, compiler </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="cldrjs" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/cldrjs/0.4.4/cldr.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="clientside-haml-js" data-library-keywords="template, haml" id="clientside-haml-js" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/clientside-haml-js"> clientside-haml-js </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;uglyog&#x2F;clientside-haml-js" /> <meta itemprop="version" content="5.4" /> <!-- hidden text for searching --> <div style="display: none;"> template, haml </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="clientside-haml-js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/clientside-haml-js/5.4/haml.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="clipboard.js" data-library-keywords="clipboard, copy, cut" id="clipboardjs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/clipboard.js"> clipboard.js </a> <meta itemprop="url" content="" /> <meta itemprop="version" content="1.5.5" /> <!-- hidden text for searching --> <div style="display: none;"> clipboard, copy, cut </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="clipboard.js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/clipboard.js/1.5.5/clipboard.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="clusterize.js" data-library-keywords="large, vanillajs, table, grid, list, scroll, cluster" id="clusterizejs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/clusterize.js"> clusterize.js </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;NeXTs&#x2F;Clusterize.js" /> <meta itemprop="version" content="0.15.0" /> <!-- hidden text for searching --> <div style="display: none;"> large, vanillajs, table, grid, list, scroll, cluster </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="clusterize.js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/clusterize.js/0.15.0/clusterize.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="co" data-library-keywords="async, flow, generator, coro, coroutine" id="co" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/co"> co </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;tj&#x2F;co" /> <meta itemprop="version" content="4.1.0" /> <!-- hidden text for searching --> <div style="display: none;"> async, flow, generator, coro, coroutine </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="co" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/co/4.1.0/index.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="codemirror" data-library-keywords="JavaScript, CodeMirror, Editor" id="codemirror" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/codemirror"> codemirror </a> <meta itemprop="url" content="http:&#x2F;&#x2F;codemirror.net" /> <meta itemprop="version" content="5.11.0" /> <!-- hidden text for searching --> <div style="display: none;"> JavaScript, CodeMirror, Editor </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="codemirror" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/codemirror/5.11.0/codemirror.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="coffee-script" data-library-keywords="coffeescript, compiler, language, coffee, script, popular" id="coffee-script" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/coffee-script"> coffee-script </a> <meta itemprop="url" content="http:&#x2F;&#x2F;jashkenas.github.com&#x2F;coffee-script&#x2F;" /> <meta itemprop="version" content="1.10.0" /> <!-- hidden text for searching --> <div style="display: none;"> coffeescript, compiler, language, coffee, script, popular </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="coffee-script" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/coffee-script/1.10.0/coffee-script.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="coin-slider" data-library-keywords="slider, image" id="coin-slider" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/coin-slider"> coin-slider </a> <meta itemprop="url" content="" /> <meta itemprop="version" content="1.0.0" /> <!-- hidden text for searching --> <div style="display: none;"> slider, image </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="coin-slider" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/coin-slider/1.0.0/coin-slider.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="color-thief" data-library-keywords="color, palette, sampling, image, picture, photo, canvas" id="color-thief" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/color-thief"> color-thief </a> <meta itemprop="url" content="http:&#x2F;&#x2F;lokeshdhakar.com&#x2F;projects&#x2F;color-thief&#x2F;" /> <meta itemprop="version" content="2.0.1" /> <!-- hidden text for searching --> <div style="display: none;"> color, palette, sampling, image, picture, photo, canvas </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="color-thief" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/color-thief/2.0.1/color-thief.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="Colors.js" data-library-keywords="color, color manipulation, colors" id="Colorsjs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/Colors.js"> Colors.js </a> <meta itemprop="url" content="http:&#x2F;&#x2F;matthewbjordan.me&#x2F;Colors&#x2F;" /> <meta itemprop="version" content="1.2.4" /> <!-- hidden text for searching --> <div style="display: none;"> color, color manipulation, colors </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="Colors.js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/Colors.js/1.2.4/colors.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="colors" data-library-keywords="css, colors, html, new" id="colors" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/colors"> colors </a> <meta itemprop="url" content="http:&#x2F;&#x2F;clrs.cc" /> <meta itemprop="version" content="1.0" /> <!-- hidden text for searching --> <div style="display: none;"> css, colors, html, new </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="colors" class="library-column css-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/colors/1.0/colors.min.css</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="commandz" data-library-keywords="commandz, CommandZ, commands, commands manager, history" id="commandz" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/commandz"> commandz </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;EtienneLem&#x2F;commandz" /> <meta itemprop="version" content="0.1.2" /> <!-- hidden text for searching --> <div style="display: none;"> commandz, CommandZ, commands, commands manager, history </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="commandz" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/commandz/0.1.2/commandz.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="commonmark" data-library-keywords="markdown, commonmark, md, stmd" id="commonmark" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/commonmark"> commonmark </a> <meta itemprop="url" content="http:&#x2F;&#x2F;commonmark.org" /> <meta itemprop="version" content="0.24.0" /> <!-- hidden text for searching --> <div style="display: none;"> markdown, commonmark, md, stmd </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="commonmark" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/commonmark/0.24.0/commonmark.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="componentjs" data-library-keywords="component system, rich client, html5, single page app, model, view, controller, event, service, socket" id="componentjs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/componentjs"> componentjs </a> <meta itemprop="url" content="http:&#x2F;&#x2F;componentjs.com&#x2F;" /> <meta itemprop="version" content="1.2.4" /> <!-- hidden text for searching --> <div style="display: none;"> component system, rich client, html5, single page app, model, view, controller, event, service, socket </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="componentjs" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/componentjs/1.2.4/component.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="condition" data-library-keywords="conditions" id="condition" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/condition"> condition </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;nathggns&#x2F;condition.js" /> <meta itemprop="version" content="1.2.0" /> <!-- hidden text for searching --> <div style="display: none;"> conditions </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="condition" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/condition/1.2.0/condition.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="conditionizr.js" data-library-keywords="conditionizr, javascript, legacy, touch, conditional, scripts, styles" id="conditionizrjs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/conditionizr.js"> conditionizr.js </a> <meta itemprop="url" content="http:&#x2F;&#x2F;conditionizr.com" /> <meta itemprop="version" content="4.1.0" /> <!-- hidden text for searching --> <div style="display: none;"> conditionizr, javascript, legacy, touch, conditional, scripts, styles </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="conditionizr.js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/conditionizr.js/4.1.0/conditionizr.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="confidencejs" data-library-keywords="a&#x2F;b test, confidence, interval" id="confidencejs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/confidencejs"> confidencejs </a> <meta itemprop="url" content="" /> <meta itemprop="version" content="1.2.0" /> <!-- hidden text for searching --> <div style="display: none;"> a&#x2F;b test, confidence, interval </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="confidencejs" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/confidencejs/1.2.0/confidence.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="cookieconsent2" data-library-keywords="" id="cookieconsent2" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/cookieconsent2"> cookieconsent2 </a> <meta itemprop="url" content="https:&#x2F;&#x2F;silktide.com&#x2F;tools&#x2F;cookie-consent&#x2F;" /> <meta itemprop="version" content="1.0.10" /> <!-- hidden text for searching --> <div style="display: none;"> </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="cookieconsent2" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/cookieconsent2/1.0.10/cookieconsent.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="cookiejar" data-library-keywords="javascript, cookies, json" id="cookiejar" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/cookiejar"> cookiejar </a> <meta itemprop="url" content="http:&#x2F;&#x2F;www.lalit.org&#x2F;lab&#x2F;jsoncookies" /> <meta itemprop="version" content="0.5.1" /> <!-- hidden text for searching --> <div style="display: none;"> javascript, cookies, json </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="cookiejar" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/cookiejar/0.5.1/cookiejar.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="cookies-monster" data-library-keywords="EU, law, cookie, cookies" id="cookies-monster" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/cookies-monster"> cookies-monster </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;WebReflection&#x2F;cookies-monster" /> <meta itemprop="version" content="0.1.4" /> <!-- hidden text for searching --> <div style="display: none;"> EU, law, cookie, cookies </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="cookies-monster" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/cookies-monster/0.1.4/cookies-monster.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="Cookies.js" data-library-keywords="javascript, cookies" id="Cookiesjs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/Cookies.js"> Cookies.js </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;ScottHamper&#x2F;Cookies" /> <meta itemprop="version" content="1.2.1" /> <!-- hidden text for searching --> <div style="display: none;"> javascript, cookies </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="Cookies.js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/Cookies.js/1.2.1/cookies.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="CoolQueue.io" data-library-keywords="queue, socket.io, offline, failsafe, persistent" id="CoolQueueio" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/CoolQueue.io"> CoolQueue.io </a> <meta itemprop="url" content="" /> <meta itemprop="version" content="1.0.0" /> <!-- hidden text for searching --> <div style="display: none;"> queue, socket.io, offline, failsafe, persistent </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="CoolQueue.io" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/CoolQueue.io/1.0.0/coolqueue.io.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="coordinates-picker" data-library-keywords="address, pick, coordinates" id="coordinates-picker" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/coordinates-picker"> coordinates-picker </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;barinbritva&#x2F;coordinates-picker" /> <meta itemprop="version" content="1.0.0" /> <!-- hidden text for searching --> <div style="display: none;"> address, pick, coordinates </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="coordinates-picker" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/coordinates-picker/1.0.0/coordinates-picker.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="core-js" data-library-keywords="ES5, ECMAScript 5, ES6, ECMAScript 6, ES7, ECMAScript 7, Harmony, Strawman, Map, Set, WeakMap, WeakSet, Dict, Promise, Symbol, Array generics, setImmediate, partial application, Date formatting" id="core-js" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/core-js"> core-js </a> <meta itemprop="url" content="" /> <meta itemprop="version" content="2.0.3" /> <!-- hidden text for searching --> <div style="display: none;"> ES5, ECMAScript 5, ES6, ECMAScript 6, ES7, ECMAScript 7, Harmony, Strawman, Map, Set, WeakMap, WeakSet, Dict, Promise, Symbol, Array generics, setImmediate, partial application, Date formatting </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="core-js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/core-js/2.0.3/core.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="corejs-typeahead" data-library-keywords="typeahead, autocomplete" id="corejs-typeahead" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/corejs-typeahead"> corejs-typeahead </a> <meta itemprop="url" content="http:&#x2F;&#x2F;corejavascript.github.io&#x2F;typeahead.js&#x2F;" /> <meta itemprop="version" content="0.11.1" /> <!-- hidden text for searching --> <div style="display: none;"> typeahead, autocomplete </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="corejs-typeahead" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/corejs-typeahead/0.11.1/&#x2F;bloodhound.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="countdown" data-library-keywords="countdown, timer, clock, date, time, timespan, year, month, week, day, hour, minute, second" id="countdown" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/countdown"> countdown </a> <meta itemprop="url" content="http:&#x2F;&#x2F;countdownjs.org" /> <meta itemprop="version" content="2.6.0" /> <!-- hidden text for searching --> <div style="display: none;"> countdown, timer, clock, date, time, timespan, year, month, week, day, hour, minute, second </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="countdown" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/countdown/2.6.0/countdown.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="Counter-Up" data-library-keywords="jquery, plugin, counter, count, up, number, figure, numeric, int, float, animation" id="Counter-Up" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/Counter-Up"> Counter-Up </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;bfintal&#x2F;Counter-Up" /> <meta itemprop="version" content="1.0.0" /> <!-- hidden text for searching --> <div style="display: none;"> jquery, plugin, counter, count, up, number, figure, numeric, int, float, animation </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="Counter-Up" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/Counter-Up/1.0.0/jquery.counterup.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="crafty" data-library-keywords="framework, javascript" id="crafty" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/crafty"> crafty </a> <meta itemprop="url" content="http:&#x2F;&#x2F;craftyjs.com&#x2F;" /> <meta itemprop="version" content="0.7.0" /> <!-- hidden text for searching --> <div style="display: none;"> framework, javascript </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="crafty" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/crafty/0.7.0/crafty-min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="crc-32" data-library-keywords="crc32, checksum, crc" id="crc-32" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/crc-32"> crc-32 </a> <meta itemprop="url" content="" /> <meta itemprop="version" content="0.4.0" /> <!-- hidden text for searching --> <div style="display: none;"> crc32, checksum, crc </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="crc-32" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/crc-32/0.4.0/crc32.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="crel" data-library-keywords="crel, DOM" id="crel" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/crel"> crel </a> <meta itemprop="url" content="" /> <meta itemprop="version" content="2.1.8" /> <!-- hidden text for searching --> <div style="display: none;"> crel, DOM </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="crel" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/crel/2.1.8/crel.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="cropper" data-library-keywords="image, cropping, jquery, plugin, html, css, javacript, front-end, web, development" id="cropper" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/cropper"> cropper </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;fengyuanchen&#x2F;cropper" /> <meta itemprop="version" content="2.2.5" /> <!-- hidden text for searching --> <div style="display: none;"> image, cropping, jquery, plugin, html, css, javacript, front-end, web, development </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="cropper" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/cropper/2.2.5/cropper.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="crossfilter" data-library-keywords="square, analytics, visualization" id="crossfilter" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/crossfilter"> crossfilter </a> <meta itemprop="url" content="http:&#x2F;&#x2F;square.github.com&#x2F;crossfilter&#x2F;" /> <meta itemprop="version" content="1.3.12" /> <!-- hidden text for searching --> <div style="display: none;"> square, analytics, visualization </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="crossfilter" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/crossfilter/1.3.12/crossfilter.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="crossroads" data-library-keywords="routes, event, observer, routing, router" id="crossroads" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/crossroads"> crossroads </a> <meta itemprop="url" content="http:&#x2F;&#x2F;millermedeiros.github.com&#x2F;crossroads.js&#x2F;" /> <meta itemprop="version" content="0.12.2" /> <!-- hidden text for searching --> <div style="display: none;"> routes, event, observer, routing, router </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="crossroads" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/crossroads/0.12.2/crossroads.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="crosstab" data-library-keywords="tab, cross, crosstab, inter, intercom, broadcast, localStorage" id="crosstab" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/crosstab"> crosstab </a> <meta itemprop="url" content="" /> <meta itemprop="version" content="0.2.12" /> <!-- hidden text for searching --> <div style="display: none;"> tab, cross, crosstab, inter, intercom, broadcast, localStorage </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="crosstab" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/crosstab/0.2.12/crosstab.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="crunch" data-library-keywords="bignum, arithmetic, maths, primes, modulo, exponentiation" id="crunch" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/crunch"> crunch </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;vukicevic&#x2F;crunch" /> <meta itemprop="version" content="1.1.0" /> <!-- hidden text for searching --> <div style="display: none;"> bignum, arithmetic, maths, primes, modulo, exponentiation </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="crunch" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/crunch/1.1.0/crunch.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="cryptico" data-library-keywords="aes, encryption, javascript, rsa" id="cryptico" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/cryptico"> cryptico </a> <meta itemprop="url" content="http:&#x2F;&#x2F;wwwtyro.github.com&#x2F;cryptico" /> <meta itemprop="version" content="0.0.1343522940" /> <!-- hidden text for searching --> <div style="display: none;"> aes, encryption, javascript, rsa </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="cryptico" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/cryptico/0.0.1343522940/cryptico.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="crypto-js" data-library-keywords="JavaScript, Crypto, MD5, SHA-1, SHA-2, SHA-3, HMAC, PBKDF2, AES, TripleDES, Rabbit, RC4" id="crypto-js" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/crypto-js"> crypto-js </a> <meta itemprop="url" content="http:&#x2F;&#x2F;code.google.com&#x2F;p&#x2F;crypto-js" /> <meta itemprop="version" content="3.1.2" /> <!-- hidden text for searching --> <div style="display: none;"> JavaScript, Crypto, MD5, SHA-1, SHA-2, SHA-3, HMAC, PBKDF2, AES, TripleDES, Rabbit, RC4 </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="crypto-js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/crypto-js/3.1.2/rollups&#x2F;md5.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="css-layout" data-library-keywords="css, flexbox, layout" id="css-layout" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/css-layout"> css-layout </a> <meta itemprop="url" content="" /> <meta itemprop="version" content="1.1.1" /> <!-- hidden text for searching --> <div style="display: none;"> css, flexbox, layout </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="css-layout" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/css-layout/1.1.1/css-layout.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="css-social-buttons" data-library-keywords="css, font, icon, social, zocial" id="css-social-buttons" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/css-social-buttons"> css-social-buttons </a> <meta itemprop="url" content="http:&#x2F;&#x2F;zocial.smcllns.com&#x2F;" /> <meta itemprop="version" content="1.2.0" /> <!-- hidden text for searching --> <div style="display: none;"> css, font, icon, social, zocial </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="css-social-buttons" class="library-column css-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/css-social-buttons/1.2.0/css&#x2F;zocial.min.css</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="css-spinning-spinners" data-library-keywords="CSS, spinner, loader" id="css-spinning-spinners" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/css-spinning-spinners"> css-spinning-spinners </a> <meta itemprop="url" content="" /> <meta itemprop="version" content="1.1.1" /> <!-- hidden text for searching --> <div style="display: none;"> CSS, spinner, loader </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="css-spinning-spinners" class="library-column css-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/css-spinning-spinners/1.1.1/load1.css</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="css3finalize" data-library-keywords="css, css3" id="css3finalize" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/css3finalize"> css3finalize </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;codler&#x2F;jQuery-Css3-Finalize" /> <meta itemprop="version" content="4.1.0" /> <!-- hidden text for searching --> <div style="display: none;"> css, css3 </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="css3finalize" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/css3finalize/4.1.0/jquery.css3finalize.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="css3pie" data-library-keywords="polyfill, ie, internet, explorer, css3, pie" id="css3pie" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/css3pie"> css3pie </a> <meta itemprop="url" content="http:&#x2F;&#x2F;css3pie.com" /> <meta itemprop="version" content="2.0beta1" /> <!-- hidden text for searching --> <div style="display: none;"> polyfill, ie, internet, explorer, css3, pie </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="css3pie" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/css3pie/2.0beta1/PIE_IE678.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="cssgram" data-library-keywords="cssgram, filters, CSS, library, photo, effects" id="cssgram" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/cssgram"> cssgram </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;una&#x2F;CSSgram" /> <meta itemprop="version" content="0.1.4" /> <!-- hidden text for searching --> <div style="display: none;"> cssgram, filters, CSS, library, photo, effects </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="cssgram" class="library-column css-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/cssgram/0.1.4/cssgram.min.css</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="csshake" data-library-keywords="css, transitions, animations" id="csshake" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/csshake"> csshake </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;elrumordelaluz&#x2F;csshake" /> <meta itemprop="version" content="1.5.0" /> <!-- hidden text for searching --> <div style="display: none;"> css, transitions, animations </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="csshake" class="library-column css-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/csshake/1.5.0/csshake.min.css</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="cubism" data-library-keywords="time series, visualization, d3" id="cubism" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/cubism"> cubism </a> <meta itemprop="url" content="http:&#x2F;&#x2F;square.github.com&#x2F;cubism&#x2F;" /> <meta itemprop="version" content="1.6.0" /> <!-- hidden text for searching --> <div style="display: none;"> time series, visualization, d3 </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="cubism" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/cubism/1.6.0/cubism.v1.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="cufon" data-library-keywords="font, canvas, vml, popular" id="cufon" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/cufon"> cufon </a> <meta itemprop="url" content="http:&#x2F;&#x2F;cufon.shoqolate.com&#x2F;" /> <meta itemprop="version" content="1.09i" /> <!-- hidden text for searching --> <div style="display: none;"> font, canvas, vml, popular </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="cufon" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/cufon/1.09i/cufon-yui.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="curl" data-library-keywords="curl, cujo, amd, loader, module" id="curl" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/curl"> curl </a> <meta itemprop="url" content="" /> <meta itemprop="version" content="0.7.3" /> <!-- hidden text for searching --> <div style="display: none;"> curl, cujo, amd, loader, module </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="curl" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/curl/0.7.3/curl-for-jQuery&#x2F;curl.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="custom-elements-builder" data-library-keywords="Web, Components, Custom, Element, Elements, DOM, W3C, builder, tools" id="custom-elements-builder" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/custom-elements-builder"> custom-elements-builder </a> <meta itemprop="url" content="https:&#x2F;&#x2F;tmorin.github.io&#x2F;ceb" /> <meta itemprop="version" content="0.3.4" /> <!-- hidden text for searching --> <div style="display: none;"> Web, Components, Custom, Element, Elements, DOM, W3C, builder, tools </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="custom-elements-builder" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/custom-elements-builder/0.3.4/ceb.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="cutjs" data-library-keywords="html5, game, rendering, engine, 2d, canvas, mobile" id="cutjs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/cutjs"> cutjs </a> <meta itemprop="url" content="http:&#x2F;&#x2F;cutjs.org&#x2F;" /> <meta itemprop="version" content="0.4.14" /> <!-- hidden text for searching --> <div style="display: none;"> html5, game, rendering, engine, 2d, canvas, mobile </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="cutjs" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/cutjs/0.4.14/cut.web.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="cyclejs-core" data-library-keywords="reactive, framework, rxjs, rx, unidirectional, mvi, virtual-dom" id="cyclejs-core" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/cyclejs-core"> cyclejs-core </a> <meta itemprop="url" content="https:&#x2F;&#x2F;cyclejs.github.io" /> <meta itemprop="version" content="6.0.0" /> <!-- hidden text for searching --> <div style="display: none;"> reactive, framework, rxjs, rx, unidirectional, mvi, virtual-dom </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="cyclejs-core" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/cyclejs-core/6.0.0/cycle.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="cyclejs-dom" data-library-keywords="reactive, framework, rxjs, rx, unidirectional, mvi, virtual-dom" id="cyclejs-dom" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/cyclejs-dom"> cyclejs-dom </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;cyclejs&#x2F;cycle-dom" /> <meta itemprop="version" content="9.0.2" /> <!-- hidden text for searching --> <div style="display: none;"> reactive, framework, rxjs, rx, unidirectional, mvi, virtual-dom </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="cyclejs-dom" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/cyclejs-dom/9.0.2/cycle-dom.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="cytoscape-panzoom" data-library-keywords="cytoscape, cyext" id="cytoscape-panzoom" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/cytoscape-panzoom"> cytoscape-panzoom </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;cytoscape&#x2F;cytoscape.js-panzoom" /> <meta itemprop="version" content="2.1.4" /> <!-- hidden text for searching --> <div style="display: none;"> cytoscape, cyext </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="cytoscape-panzoom" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/cytoscape-panzoom/2.1.4/cytoscape-panzoom.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="cytoscape" data-library-keywords="graph, theory, visualisation, visualization, analysis" id="cytoscape" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/cytoscape"> cytoscape </a> <meta itemprop="url" content="http:&#x2F;&#x2F;cytoscape.github.io&#x2F;cytoscape.js" /> <meta itemprop="version" content="2.5.5" /> <!-- hidden text for searching --> <div style="display: none;"> graph, theory, visualisation, visualization, analysis </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="cytoscape" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/cytoscape/2.5.5/cytoscape.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="d3-geo-projection" data-library-keywords="cartography, map projections, visualization" id="d3-geo-projection" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/d3-geo-projection"> d3-geo-projection </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;d3&#x2F;d3-geo-projection" /> <meta itemprop="version" content="0.2.16" /> <!-- hidden text for searching --> <div style="display: none;"> cartography, map projections, visualization </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="d3-geo-projection" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/d3-geo-projection/0.2.16/d3.geo.projection.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="d3-legend" data-library-keywords="d3, legend" id="d3-legend" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/d3-legend"> d3-legend </a> <meta itemprop="url" content="http:&#x2F;&#x2F;d3-legend.susielu.com" /> <meta itemprop="version" content="1.8.0" /> <!-- hidden text for searching --> <div style="display: none;"> d3, legend </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="d3-legend" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/d3-legend/1.8.0/d3-legend.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="d3-tip" data-library-keywords="d3, tooltip" id="d3-tip" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/d3-tip"> d3-tip </a> <meta itemprop="url" content="http:&#x2F;&#x2F;labratrevenge.com&#x2F;d3-tip&#x2F;" /> <meta itemprop="version" content="0.6.7" /> <!-- hidden text for searching --> <div style="display: none;"> d3, tooltip </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="d3-tip" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/d3-tip/0.6.7/d3-tip.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="d3-transform" data-library-keywords="d3, d3.js, transform, translate, rotate" id="d3-transform" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/d3-transform"> d3-transform </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;trinary&#x2F;d3-transform" /> <meta itemprop="version" content="1.0.4" /> <!-- hidden text for searching --> <div style="display: none;"> d3, d3.js, transform, translate, rotate </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="d3-transform" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/d3-transform/1.0.4/d3-transform.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="d3.chart" data-library-keywords="d3.js, visualization, svg" id="d3chart" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/d3.chart"> d3.chart </a> <meta itemprop="url" content="" /> <meta itemprop="version" content="0.2.1" /> <!-- hidden text for searching --> <div style="display: none;"> d3.js, visualization, svg </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="d3.chart" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/d3.chart/0.2.1/d3.chart.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="d3" data-library-keywords="dom, w3c, visualization, svg, animation, canvas" id="d3" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/d3"> d3 </a> <meta itemprop="url" content="http:&#x2F;&#x2F;mbostock.github.com&#x2F;d3&#x2F;" /> <meta itemprop="version" content="3.5.13" /> <!-- hidden text for searching --> <div style="display: none;"> dom, w3c, visualization, svg, animation, canvas </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="d3" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/d3/3.5.13/d3.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="d3fc" data-library-keywords="d3, components, vizualization, charts, graphs" id="d3fc" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/d3fc"> d3fc </a> <meta itemprop="url" content="" /> <meta itemprop="version" content="5.2.0" /> <!-- hidden text for searching --> <div style="display: none;"> d3, components, vizualization, charts, graphs </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="d3fc" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/d3fc/5.2.0/d3fc.bundle.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="d3plus" data-library-keywords="charts, d3, d3plus, data, visualization" id="d3plus" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/d3plus"> d3plus </a> <meta itemprop="url" content="http:&#x2F;&#x2F;www.d3plus.org" /> <meta itemprop="version" content="1.8.0" /> <!-- hidden text for searching --> <div style="display: none;"> charts, d3, d3plus, data, visualization </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="d3plus" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/d3plus/1.8.0/d3plus.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="dagre-d3" data-library-keywords="graph, dagre, graphlib, renderer" id="dagre-d3" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/dagre-d3"> dagre-d3 </a> <meta itemprop="url" content="" /> <meta itemprop="version" content="0.4.11" /> <!-- hidden text for searching --> <div style="display: none;"> graph, dagre, graphlib, renderer </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="dagre-d3" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/dagre-d3/0.4.11/dagre-d3.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="dancer.js" data-library-keywords="audio" id="dancerjs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/dancer.js"> dancer.js </a> <meta itemprop="url" content="http:&#x2F;&#x2F;jsantell.github.com&#x2F;dancer.js" /> <meta itemprop="version" content="0.4.0" /> <!-- hidden text for searching --> <div style="display: none;"> audio </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="dancer.js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/dancer.js/0.4.0/dancer.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="danialfarid-angular-file-upload" data-library-keywords="angularjs, angular-file-upload, file-upload, javascript" id="danialfarid-angular-file-upload" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/danialfarid-angular-file-upload"> danialfarid-angular-file-upload </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;danialfarid&#x2F;ng-file-upload" /> <meta itemprop="version" content="11.2.2" /> <!-- hidden text for searching --> <div style="display: none;"> angularjs, angular-file-upload, file-upload, javascript </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="danialfarid-angular-file-upload" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/danialfarid-angular-file-upload/11.2.2/ng-file-upload-shim.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="dat-gui" data-library-keywords="ui, DataArtsTeam, controller, javascript, gui, slider" id="dat-gui" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/dat-gui"> dat-gui </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;dataarts&#x2F;dat.gui" /> <meta itemprop="version" content="0.5.1" /> <!-- hidden text for searching --> <div style="display: none;"> ui, DataArtsTeam, controller, javascript, gui, slider </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="dat-gui" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/dat-gui/0.5.1/dat.gui.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="datalib" data-library-keywords="data, table, statistics, parse, csv, tsv, json, utility" id="datalib" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/datalib"> datalib </a> <meta itemprop="url" content="" /> <meta itemprop="version" content="1.5.9" /> <!-- hidden text for searching --> <div style="display: none;"> data, table, statistics, parse, csv, tsv, json, utility </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="datalib" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/datalib/1.5.9/datalib.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="datamaps" data-library-keywords="USA, World, Map, Visualization" id="datamaps" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/datamaps"> datamaps </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;markmarkoh&#x2F;datamaps#readme" /> <meta itemprop="version" content="0.4.2" /> <!-- hidden text for searching --> <div style="display: none;"> USA, World, Map, Visualization </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="datamaps" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/datamaps/0.4.2/datamaps.all.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="datatables-colvis" data-library-keywords="DataTables, DataTable, table, grid, filter, colvis, visibility" id="datatables-colvis" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/datatables-colvis"> datatables-colvis </a> <meta itemprop="url" content="https:&#x2F;&#x2F;datatables.net&#x2F;extras&#x2F;colvis&#x2F;" /> <meta itemprop="version" content="1.1.2" /> <!-- hidden text for searching --> <div style="display: none;"> DataTables, DataTable, table, grid, filter, colvis, visibility </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="datatables-colvis" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/datatables-colvis/1.1.2/js&#x2F;dataTables.colVis.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="datatables-fixedheader" data-library-keywords="DataTables, DataTable, table, grid, filter, sort, page, internationalisable" id="datatables-fixedheader" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/datatables-fixedheader"> datatables-fixedheader </a> <meta itemprop="url" content="http:&#x2F;&#x2F;datatables.net&#x2F;extensions&#x2F;fixedheader&#x2F;" /> <meta itemprop="version" content="2.1.1" /> <!-- hidden text for searching --> <div style="display: none;"> DataTables, DataTable, table, grid, filter, sort, page, internationalisable </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="datatables-fixedheader" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/datatables-fixedheader/2.1.1/dataTables.fixedHeader.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="datatables-tabletools" data-library-keywords="DataTables, DataTable, table, grid, filter, sort, page, toolbar, internationalisable" id="datatables-tabletools" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/datatables-tabletools"> datatables-tabletools </a> <meta itemprop="url" content="http:&#x2F;&#x2F;datatables.net&#x2F;extras&#x2F;tabletools&#x2F;" /> <meta itemprop="version" content="2.1.5" /> <!-- hidden text for searching --> <div style="display: none;"> DataTables, DataTable, table, grid, filter, sort, page, toolbar, internationalisable </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="datatables-tabletools" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/datatables-tabletools/2.1.5/js&#x2F;TableTools.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="datatables" data-library-keywords="DataTables, DataTable, table, grid, filter, sort, page, internationalisable" id="datatables" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/datatables"> datatables </a> <meta itemprop="url" content="http:&#x2F;&#x2F;datatables.net" /> <meta itemprop="version" content="1.10.10" /> <!-- hidden text for searching --> <div style="display: none;"> DataTables, DataTable, table, grid, filter, sort, page, internationalisable </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="datatables" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/datatables/1.10.10/js&#x2F;jquery.dataTables.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="datejs" data-library-keywords="date, datetime, time, parser" id="datejs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/datejs"> datejs </a> <meta itemprop="url" content="http:&#x2F;&#x2F;www.datejs.com" /> <meta itemprop="version" content="1.0" /> <!-- hidden text for searching --> <div style="display: none;"> date, datetime, time, parser </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="datejs" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/datejs/1.0/date.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="datepair.js" data-library-keywords="timepicker, datepicker, time, date, picker, ui, calendar, input, form" id="datepairjs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/datepair.js"> datepair.js </a> <meta itemprop="url" content="http:&#x2F;&#x2F;jonthornton.github.com&#x2F;Datepair.js" /> <meta itemprop="version" content="0.4.14" /> <!-- hidden text for searching --> <div style="display: none;"> timepicker, datepicker, time, date, picker, ui, calendar, input, form </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="datepair.js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/datepair.js/0.4.14/datepair.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="davis.js" data-library-keywords="routing, pushState, restful" id="davisjs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/davis.js"> davis.js </a> <meta itemprop="url" content="http:&#x2F;&#x2F;davisjs.com" /> <meta itemprop="version" content="0.9.5" /> <!-- hidden text for searching --> <div style="display: none;"> routing, pushState, restful </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="davis.js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/davis.js/0.9.5/davis.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="dc" data-library-keywords="visualization, svg, animation, canvas, chart, dimensional, crossfilter, d3" id="dc" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/dc"> dc </a> <meta itemprop="url" content="http:&#x2F;&#x2F;dc-js.github.io&#x2F;dc.js&#x2F;" /> <meta itemprop="version" content="1.7.5" /> <!-- hidden text for searching --> <div style="display: none;"> visualization, svg, animation, canvas, chart, dimensional, crossfilter, d3 </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="dc" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/dc/1.7.5/dc.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="dd_belatedpng" data-library-keywords="ie6, png" id="dd_belatedpng" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/dd_belatedpng"> dd_belatedpng </a> <meta itemprop="url" content="http:&#x2F;&#x2F;www.dillerdesign.com&#x2F;experiment&#x2F;DD_belatedPNG&#x2F;" /> <meta itemprop="version" content="0.0.8" /> <!-- hidden text for searching --> <div style="display: none;"> ie6, png </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="dd_belatedpng" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/dd_belatedpng/0.0.8/dd_belatedpng.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="deb.js" data-library-keywords="javascript, browser, debugger" id="debjs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/deb.js"> deb.js </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;krasimir&#x2F;deb.js" /> <meta itemprop="version" content="0.0.2" /> <!-- hidden text for searching --> <div style="display: none;"> javascript, browser, debugger </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="deb.js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/deb.js/0.0.2/deb.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="deck.js" data-library-keywords="deck, Presentation" id="deckjs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/deck.js"> deck.js </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;imakewebthings&#x2F;deck.js" /> <meta itemprop="version" content="1.1.0" /> <!-- hidden text for searching --> <div style="display: none;"> deck, Presentation </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="deck.js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/deck.js/1.1.0/core&#x2F;deck.core.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="defiant.js" data-library-keywords="json, xpath, xslt, search" id="defiantjs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/defiant.js"> defiant.js </a> <meta itemprop="url" content="http:&#x2F;&#x2F;www.defiantjs.com" /> <meta itemprop="version" content="1.3.7" /> <!-- hidden text for searching --> <div style="display: none;"> json, xpath, xslt, search </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="defiant.js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/defiant.js/1.3.7/defiant.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="depot" data-library-keywords="" id="depot" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/depot"> depot </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;mkuklis&#x2F;depot.js" /> <meta itemprop="version" content="0.1.6" /> <!-- hidden text for searching --> <div style="display: none;"> </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="depot" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/depot/0.1.6/depot.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="detect_swipe" data-library-keywords="touch, jQuery, plugin" id="detect_swipe" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/detect_swipe"> detect_swipe </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;marcandre&#x2F;detect_swipe" /> <meta itemprop="version" content="2.1.1" /> <!-- hidden text for searching --> <div style="display: none;"> touch, jQuery, plugin </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="detect_swipe" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/detect_swipe/2.1.1/jquery.detect_swipe.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="detectizr" data-library-keywords="detect, determine, browser, device, mobile, desktop, tablet, os, modernizr, javascript, js" id="detectizr" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/detectizr"> detectizr </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;barisaydinoglu&#x2F;Detectizr" /> <meta itemprop="version" content="2.2.0" /> <!-- hidden text for searching --> <div style="display: none;"> detect, determine, browser, device, mobile, desktop, tablet, os, modernizr, javascript, js </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="detectizr" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/detectizr/2.2.0/detectizr.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="device.js" data-library-keywords="" id="devicejs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/device.js"> device.js </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;matthewhudson&#x2F;device.js" /> <meta itemprop="version" content="0.2.7" /> <!-- hidden text for searching --> <div style="display: none;"> </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="device.js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/device.js/0.2.7/device.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="devicons" data-library-keywords="font, icons, devicons, glyphs" id="devicons" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/devicons"> devicons </a> <meta itemprop="url" content="http:&#x2F;&#x2F;vorillaz.github.io&#x2F;devicons&#x2F;" /> <meta itemprop="version" content="1.8.0" /> <!-- hidden text for searching --> <div style="display: none;"> font, icons, devicons, glyphs </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="devicons" class="library-column css-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/devicons/1.8.0/css&#x2F;devicons.min.css</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="dexie" data-library-keywords="indexeddb, browser, database" id="dexie" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/dexie"> dexie </a> <meta itemprop="url" content="http:&#x2F;&#x2F;www.dexie.org" /> <meta itemprop="version" content="1.2.0" /> <!-- hidden text for searching --> <div style="display: none;"> indexeddb, browser, database </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="dexie" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/dexie/1.2.0/Dexie.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="df-number-format" data-library-keywords="number, numeric, format, mask, formatting, currency, money, dollar, euro, pound, decimal, separator, thousands, input, ui, form" id="df-number-format" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/df-number-format"> df-number-format </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;teamdf&#x2F;jquery-number&#x2F;" /> <meta itemprop="version" content="2.1.6" /> <!-- hidden text for searching --> <div style="display: none;"> number, numeric, format, mask, formatting, currency, money, dollar, euro, pound, decimal, separator, thousands, input, ui, form </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="df-number-format" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/df-number-format/2.1.6/jquery.number.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="dialog-polyfill" data-library-keywords="html5, polyfill, dialog" id="dialog-polyfill" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/dialog-polyfill"> dialog-polyfill </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;GoogleChrome&#x2F;dialog-polyfill" /> <meta itemprop="version" content="0.4.2" /> <!-- hidden text for searching --> <div style="display: none;"> html5, polyfill, dialog </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="dialog-polyfill" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/dialog-polyfill/0.4.2/dialog-polyfill.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="diff_match_patch" data-library-keywords="diff, match, patch, difference" id="diff_match_patch" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/diff_match_patch"> diff_match_patch </a> <meta itemprop="url" content="https:&#x2F;&#x2F;code.google.com&#x2F;p&#x2F;google-diff-match-patch&#x2F;" /> <meta itemprop="version" content="20121119" /> <!-- hidden text for searching --> <div style="display: none;"> diff, match, patch, difference </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="diff_match_patch" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/diff_match_patch/20121119/diff_match_patch.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="dimple" data-library-keywords="axis, charts, d3.js" id="dimple" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/dimple"> dimple </a> <meta itemprop="url" content="https:&#x2F;&#x2F;dimplejs.org&#x2F;" /> <meta itemprop="version" content="2.1.6" /> <!-- hidden text for searching --> <div style="display: none;"> axis, charts, d3.js </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="dimple" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/dimple/2.1.6/dimple.latest.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="DinaKit" data-library-keywords="dinakit, css, dinakit.css, dinakit.min.css, html, html5, css, css3, framework" id="DinaKit" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/DinaKit"> DinaKit </a> <meta itemprop="url" content="http:&#x2F;&#x2F;dinakit.itemplat.es&#x2F;" /> <meta itemprop="version" content="1.2" /> <!-- hidden text for searching --> <div style="display: none;"> dinakit, css, dinakit.css, dinakit.min.css, html, html5, css, css3, framework </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="DinaKit" class="library-column css-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/DinaKit/1.2/css&#x2F;cdn_dinakit.min.css</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="dinqyjs" data-library-keywords="LINQ, javascript, lambda, underscore" id="dinqyjs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/dinqyjs"> dinqyjs </a> <meta itemprop="url" content="http:&#x2F;&#x2F;dinqyjs.com" /> <meta itemprop="version" content="1.1.0" /> <!-- hidden text for searching --> <div style="display: none;"> LINQ, javascript, lambda, underscore </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="dinqyjs" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/dinqyjs/1.1.0/dinqyjs.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="Director" data-library-keywords="" id="Director" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/Director"> Director </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;flatiron&#x2F;director" /> <meta itemprop="version" content="1.2.8" /> <!-- hidden text for searching --> <div style="display: none;"> </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="Director" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/Director/1.2.8/director.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="diva.js" data-library-keywords="images, iiif, documents, libraries, archives" id="divajs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/diva.js"> diva.js </a> <meta itemprop="url" content="https:&#x2F;&#x2F;ddmal.github.io&#x2F;diva.js&#x2F;" /> <meta itemprop="version" content="4.0.0" /> <!-- hidden text for searching --> <div style="display: none;"> images, iiif, documents, libraries, archives </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="diva.js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/diva.js/4.0.0/js&#x2F;diva.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="django.js" data-library-keywords="" id="djangojs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/django.js"> django.js </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;noirbizarre&#x2F;django.js&#x2F;" /> <meta itemprop="version" content="0.8.1" /> <!-- hidden text for searching --> <div style="display: none;"> </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="django.js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/django.js/0.8.1/django.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="document-register-element" data-library-keywords="Web, Components, Custom, Element, Elements, DOM, W3C, Polymer, polyfill, alternative" id="document-register-element" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/document-register-element"> document-register-element </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;WebReflection&#x2F;document-register-element" /> <meta itemprop="version" content="0.5.4" /> <!-- hidden text for searching --> <div style="display: none;"> Web, Components, Custom, Element, Elements, DOM, W3C, Polymer, polyfill, alternative </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="document-register-element" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/document-register-element/0.5.4/document-register-element.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="documentup" data-library-keywords="" id="documentup" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/documentup"> documentup </a> <meta itemprop="url" content="http:&#x2F;&#x2F;documentup.com" /> <meta itemprop="version" content="0.1.1" /> <!-- hidden text for searching --> <div style="display: none;"> </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="documentup" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/documentup/0.1.1/documentup.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="dojo" data-library-keywords="framework, toolkit, dojo, JavaScript" id="dojo" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/dojo"> dojo </a> <meta itemprop="url" content="http:&#x2F;&#x2F;dojotoolkit.org&#x2F;" /> <meta itemprop="version" content="1.10.4" /> <!-- hidden text for searching --> <div style="display: none;"> framework, toolkit, dojo, JavaScript </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="dojo" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/dojo/1.10.4/dojo.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="dollar.js" data-library-keywords="AMD, oz, ozjs" id="dollarjs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/dollar.js"> dollar.js </a> <meta itemprop="url" content="http:&#x2F;&#x2F;ozjs.org&#x2F;DollarJS&#x2F;" /> <meta itemprop="version" content="1.1.0" /> <!-- hidden text for searching --> <div style="display: none;"> AMD, oz, ozjs </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="dollar.js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/dollar.js/1.1.0/dollar.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="dom4" data-library-keywords="DOM, Level 4, classList, CustomEvent, matches, DOM4" id="dom4" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/dom4"> dom4 </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;WebReflection&#x2F;dom4" /> <meta itemprop="version" content="1.6.0" /> <!-- hidden text for searching --> <div style="display: none;"> DOM, Level 4, classList, CustomEvent, matches, DOM4 </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="dom4" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/dom4/1.6.0/dom4.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="domainr-search-box" data-library-keywords="jquery-plugin, ecosystem:jquery, domainr, domain, domains, search, domain names, tld" id="domainr-search-box" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/domainr-search-box"> domainr-search-box </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;domainr&#x2F;domainr-search-box" /> <meta itemprop="version" content="0.0.10" /> <!-- hidden text for searching --> <div style="display: none;"> jquery-plugin, ecosystem:jquery, domainr, domain, domains, search, domain names, tld </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="domainr-search-box" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/domainr-search-box/0.0.10/domainr-search-box.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="domplotter" data-library-keywords="virtual, dom, animation, transitions" id="domplotter" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/domplotter"> domplotter </a> <meta itemprop="url" content="http:&#x2F;&#x2F;johan-gorter.github.io&#x2F;domplotter&#x2F;" /> <meta itemprop="version" content="1.3.1" /> <!-- hidden text for searching --> <div style="display: none;"> virtual, dom, animation, transitions </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="domplotter" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/domplotter/1.3.1/domplotter.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="dompurify" data-library-keywords="dom, xss, html, svg, mathml, security, secure, sanitizer, sanitize, filter, purify" id="dompurify" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/dompurify"> dompurify </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;cure53&#x2F;DOMPurify" /> <meta itemprop="version" content="0.7.3" /> <!-- hidden text for searching --> <div style="display: none;"> dom, xss, html, svg, mathml, security, secure, sanitizer, sanitize, filter, purify </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="dompurify" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/dompurify/0.7.3/purify.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="domready" data-library-keywords="ender, domready, dom" id="domready" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/domready"> domready </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;ded&#x2F;domready" /> <meta itemprop="version" content="1.0.8" /> <!-- hidden text for searching --> <div style="display: none;"> ender, domready, dom </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="domready" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/domready/1.0.8/ready.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="doony" data-library-keywords="jenkins, ui" id="doony" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/doony"> doony </a> <meta itemprop="url" content="http:&#x2F;&#x2F;doony.org" /> <meta itemprop="version" content="2.1" /> <!-- hidden text for searching --> <div style="display: none;"> jenkins, ui </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="doony" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/doony/2.1/js&#x2F;doony.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="dot" data-library-keywords="template" id="dot" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/dot"> dot </a> <meta itemprop="url" content="http:&#x2F;&#x2F;olado.github.io&#x2F;doT&#x2F;" /> <meta itemprop="version" content="1.0.3" /> <!-- hidden text for searching --> <div style="display: none;"> template </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="dot" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/dot/1.0.3/doT.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="dragdealer" data-library-keywords="" id="dragdealer" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/dragdealer"> dragdealer </a> <meta itemprop="url" content="" /> <meta itemprop="version" content="0.9.8" /> <!-- hidden text for searching --> <div style="display: none;"> </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="dragdealer" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/dragdealer/0.9.8/dragdealer.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="draggabilly" data-library-keywords="draggable, element" id="draggabilly" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/draggabilly"> draggabilly </a> <meta itemprop="url" content="http:&#x2F;&#x2F;draggabilly.desandro.com&#x2F;" /> <meta itemprop="version" content="2.1.0" /> <!-- hidden text for searching --> <div style="display: none;"> draggable, element </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="draggabilly" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/draggabilly/2.1.0/draggabilly.pkgd.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="dragonbones" data-library-keywords="skeleton, animation, 2d" id="dragonbones" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/dragonbones"> dragonbones </a> <meta itemprop="url" content="https:&#x2F;&#x2F;dragonbones.github.io&#x2F;" /> <meta itemprop="version" content="2.4.1" /> <!-- hidden text for searching --> <div style="display: none;"> skeleton, animation, 2d </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="dragonbones" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/dragonbones/2.4.1/dragonbones.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="dragula" data-library-keywords="" id="dragula" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/dragula"> dragula </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;bevacqua&#x2F;dragula" /> <meta itemprop="version" content="3.6.3" /> <!-- hidden text for searching --> <div style="display: none;"> </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="dragula" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/dragula/3.6.3/dragula.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="drawer" data-library-keywords="css, js, less, mobile-first, responsive, front-end, web" id="drawer" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/drawer"> drawer </a> <meta itemprop="url" content="http:&#x2F;&#x2F;git.blivesta.com&#x2F;drawer" /> <meta itemprop="version" content="3.1.0" /> <!-- hidden text for searching --> <div style="display: none;"> css, js, less, mobile-first, responsive, front-end, web </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="drawer" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/drawer/3.1.0/js&#x2F;drawer.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="dropbox.js" data-library-keywords="dropbox, filesystem, storage" id="dropboxjs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/dropbox.js"> dropbox.js </a> <meta itemprop="url" content="https:&#x2F;&#x2F;dropbox.com&#x2F;developers" /> <meta itemprop="version" content="0.10.3" /> <!-- hidden text for searching --> <div style="display: none;"> dropbox, filesystem, storage </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="dropbox.js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/dropbox.js/0.10.3/dropbox.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="dropzone" data-library-keywords="html5, file, upload" id="dropzone" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/dropzone"> dropzone </a> <meta itemprop="url" content="http:&#x2F;&#x2F;www.dropzonejs.com&#x2F;" /> <meta itemprop="version" content="4.2.0" /> <!-- hidden text for searching --> <div style="display: none;"> html5, file, upload </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="dropzone" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/dropzone/4.2.0/min&#x2F;dropzone.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="dustjs-helpers" data-library-keywords="template, templating, dust, linkedin, asynchronous" id="dustjs-helpers" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/dustjs-helpers"> dustjs-helpers </a> <meta itemprop="url" content="Additional functionality for dustjs-linkedin package" /> <meta itemprop="version" content="1.7.3" /> <!-- hidden text for searching --> <div style="display: none;"> template, templating, dust, linkedin, asynchronous </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="dustjs-helpers" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/dustjs-helpers/1.7.3/dust-helpers.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="dustjs-linkedin" data-library-keywords="template, templating, dust, linkedin, asynchronous" id="dustjs-linkedin" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/dustjs-linkedin"> dustjs-linkedin </a> <meta itemprop="url" content="http:&#x2F;&#x2F;linkedin.github.com&#x2F;dustjs&#x2F;" /> <meta itemprop="version" content="2.7.2" /> <!-- hidden text for searching --> <div style="display: none;"> template, templating, dust, linkedin, asynchronous </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="dustjs-linkedin" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/dustjs-linkedin/2.7.2/dust-core.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="dygraph" data-library-keywords="graphs, charts, interactive" id="dygraph" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/dygraph"> dygraph </a> <meta itemprop="url" content="http:&#x2F;&#x2F;dygraphs.com&#x2F;" /> <meta itemprop="version" content="1.1.1" /> <!-- hidden text for searching --> <div style="display: none;"> graphs, charts, interactive </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="dygraph" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/dygraph/1.1.1/dygraph-combined.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="dynamics.js" data-library-keywords="animation, javascript, requestAnimationFrame, spring, physic, dynamics" id="dynamicsjs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/dynamics.js"> dynamics.js </a> <meta itemprop="url" content="http:&#x2F;&#x2F;dynamicsjs.com" /> <meta itemprop="version" content="0.0.9" /> <!-- hidden text for searching --> <div style="display: none;"> animation, javascript, requestAnimationFrame, spring, physic, dynamics </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="dynamics.js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/dynamics.js/0.0.9/dynamics.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="Dynatable" data-library-keywords="table, datatables, dynamic table" id="Dynatable" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/Dynatable"> Dynatable </a> <meta itemprop="url" content="http:&#x2F;&#x2F;www.dynatable.com" /> <meta itemprop="version" content="0.3.1" /> <!-- hidden text for searching --> <div style="display: none;"> table, datatables, dynamic table </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="Dynatable" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/Dynatable/0.3.1/jquery.dynatable.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="EaselJS" data-library-keywords="canvas, drawing, graphics, animation" id="EaselJS" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/EaselJS"> EaselJS </a> <meta itemprop="url" content="http:&#x2F;&#x2F;www.createjs.com&#x2F;#!&#x2F;EaselJS" /> <meta itemprop="version" content="0.8.0" /> <!-- hidden text for searching --> <div style="display: none;"> canvas, drawing, graphics, animation </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="EaselJS" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/EaselJS/0.8.0/easeljs.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="easy-countdown" data-library-keywords="countdown, timer, jQuery, plugin" id="easy-countdown" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/easy-countdown"> easy-countdown </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;rendro&#x2F;countdown" /> <meta itemprop="version" content="2.1.0" /> <!-- hidden text for searching --> <div style="display: none;"> countdown, timer, jQuery, plugin </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="easy-countdown" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/easy-countdown/2.1.0/countdown.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="easy-pie-chart" data-library-keywords="easy-pie-chart, pie, chart, pie-chart, easy-pie" id="easy-pie-chart" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/easy-pie-chart"> easy-pie-chart </a> <meta itemprop="url" content="http:&#x2F;&#x2F;rendro.github.io&#x2F;easy-pie-chart&#x2F;" /> <meta itemprop="version" content="2.1.6" /> <!-- hidden text for searching --> <div style="display: none;"> easy-pie-chart, pie, chart, pie-chart, easy-pie </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="easy-pie-chart" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/easy-pie-chart/2.1.6/jquery.easypiechart.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="easyXDM" data-library-keywords="cross-browser, cross-domain, messaging, rpc" id="easyXDM" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/easyXDM"> easyXDM </a> <meta itemprop="url" content="http:&#x2F;&#x2F;easyxdm.net" /> <meta itemprop="version" content="2.4.17.1" /> <!-- hidden text for searching --> <div style="display: none;"> cross-browser, cross-domain, messaging, rpc </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="easyXDM" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/easyXDM/2.4.17.1/easyXDM.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="echarts" data-library-keywords="baidu, echarts, canvas, data visualization" id="echarts" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/echarts"> echarts </a> <meta itemprop="url" content="http:&#x2F;&#x2F;echarts.baidu.com" /> <meta itemprop="version" content="2.2.7" /> <!-- hidden text for searching --> <div style="display: none;"> baidu, echarts, canvas, data visualization </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="echarts" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/echarts/2.2.7/echarts.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="eddy" data-library-keywords="event, driven, standard, ES3, ES5, ES6, DOM, node, rhino, nashorn, duk, browser, IE" id="eddy" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/eddy"> eddy </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;WebReflection&#x2F;eddy" /> <meta itemprop="version" content="0.7.0" /> <!-- hidden text for searching --> <div style="display: none;"> event, driven, standard, ES3, ES5, ES6, DOM, node, rhino, nashorn, duk, browser, IE </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="eddy" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/eddy/0.7.0/eddy.dom.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="ekko-lightbox" data-library-keywords="lightbox, gallery, bootstrap, jquery, modal" id="ekko-lightbox" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/ekko-lightbox"> ekko-lightbox </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;ashleydw&#x2F;lightbox" /> <meta itemprop="version" content="4.0.1" /> <!-- hidden text for searching --> <div style="display: none;"> lightbox, gallery, bootstrap, jquery, modal </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="ekko-lightbox" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/ekko-lightbox/4.0.1/ekko-lightbox.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="elasticsearch" data-library-keywords="elasticsearch" id="elasticsearch" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/elasticsearch"> elasticsearch </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;elastic&#x2F;elasticsearch-js" /> <meta itemprop="version" content="10.1.2" /> <!-- hidden text for searching --> <div style="display: none;"> elasticsearch </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="elasticsearch" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/elasticsearch/10.1.2/elasticsearch.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="eldarion-ajax" data-library-keywords="ajax" id="eldarion-ajax" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/eldarion-ajax"> eldarion-ajax </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;eldarion&#x2F;eldarion-ajax&#x2F;" /> <meta itemprop="version" content="0.12.0" /> <!-- hidden text for searching --> <div style="display: none;"> ajax </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="eldarion-ajax" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/eldarion-ajax/0.12.0/eldarion-ajax.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="elemental" data-library-keywords="react, react-component, ui, framework, controls, element, css, less" id="elemental" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/elemental"> elemental </a> <meta itemprop="url" content="http:&#x2F;&#x2F;elemental-ui.com" /> <meta itemprop="version" content="0.5.3" /> <!-- hidden text for searching --> <div style="display: none;"> react, react-component, ui, framework, controls, element, css, less </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="elemental" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/elemental/0.5.3/elemental.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="elm-runtime" data-library-keywords="elm, FRP, functional" id="elm-runtime" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/elm-runtime"> elm-runtime </a> <meta itemprop="url" content="http:&#x2F;&#x2F;elm-lang.org&#x2F;" /> <meta itemprop="version" content="0.8.0.3" /> <!-- hidden text for searching --> <div style="display: none;"> elm, FRP, functional </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="elm-runtime" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/elm-runtime/0.8.0.3/elm-runtime.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="embedly-jquery" data-library-keywords="oEmbed, jQuery, embed" id="embedly-jquery" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/embedly-jquery"> embedly-jquery </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;embedly&#x2F;embedly-jquery" /> <meta itemprop="version" content="3.1.1" /> <!-- hidden text for searching --> <div style="display: none;"> oEmbed, jQuery, embed </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="embedly-jquery" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/embedly-jquery/3.1.1/jquery.embedly.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="ember-auth" data-library-keywords="ember, ember.js, ember-auth, ember-auth.js, auth, authentication" id="ember-auth" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/ember-auth"> ember-auth </a> <meta itemprop="url" content="http:&#x2F;&#x2F;ember-auth.herokuapp.com&#x2F;" /> <meta itemprop="version" content="9.0.7" /> <!-- hidden text for searching --> <div style="display: none;"> ember, ember.js, ember-auth, ember-auth.js, auth, authentication </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="ember-auth" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/ember-auth/9.0.7/ember-auth.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="ember-charts" data-library-keywords="ember, charts, d3" id="ember-charts" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/ember-charts"> ember-charts </a> <meta itemprop="url" content="" /> <meta itemprop="version" content="1.0.0" /> <!-- hidden text for searching --> <div style="display: none;"> ember, charts, d3 </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="ember-charts" class="library-column css-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/ember-charts/1.0.0/ember-charts.min.css</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="ember-computed-reverse" data-library-keywords="ember, computed property" id="ember-computed-reverse" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/ember-computed-reverse"> ember-computed-reverse </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;gdub22&#x2F;ember-computed-reverse" /> <meta itemprop="version" content="0.1.0" /> <!-- hidden text for searching --> <div style="display: none;"> ember, computed property </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="ember-computed-reverse" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/ember-computed-reverse/0.1.0/ember-computed-reverse.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="ember-data-django-rest-adapter" data-library-keywords="ember, ember.js, ember-data, django-rest-framework" id="ember-data-django-rest-adapter" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/ember-data-django-rest-adapter"> ember-data-django-rest-adapter </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;toranb&#x2F;ember-data-django-rest-adapter" /> <meta itemprop="version" content="0.13.1" /> <!-- hidden text for searching --> <div style="display: none;"> ember, ember.js, ember-data, django-rest-framework </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="ember-data-django-rest-adapter" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/ember-data-django-rest-adapter/0.13.1/ember-data-django-rest-adapter.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="ember-data-model-fragments" data-library-keywords="ember-addon, ember, ember-data, ember-cli, fragments" id="ember-data-model-fragments" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/ember-data-model-fragments"> ember-data-model-fragments </a> <meta itemprop="url" content="" /> <meta itemprop="version" content="2.1.1" /> <!-- hidden text for searching --> <div style="display: none;"> ember-addon, ember, ember-data, ember-cli, fragments </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="ember-data-model-fragments" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/ember-data-model-fragments/2.1.1/ember-data-model-fragments.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="ember-data.js" data-library-keywords="ember, ember.js, ember-data, ember-data.js" id="ember-datajs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/ember-data.js"> ember-data.js </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;emberjs&#x2F;data" /> <meta itemprop="version" content="2.3.3" /> <!-- hidden text for searching --> <div style="display: none;"> ember, ember.js, ember-data, ember-data.js </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="ember-data.js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/ember-data.js/2.3.3/ember-data.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="ember-dialog" data-library-keywords="ember, ember.js, ember-dialog, dialog, modal, popup" id="ember-dialog" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/ember-dialog"> ember-dialog </a> <meta itemprop="url" content="http:&#x2F;&#x2F;wheely.github.io&#x2F;ember-dialog&#x2F;" /> <meta itemprop="version" content="1.2.5" /> <!-- hidden text for searching --> <div style="display: none;"> ember, ember.js, ember-dialog, dialog, modal, popup </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="ember-dialog" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/ember-dialog/1.2.5/ember.dialog.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="ember-i18n" data-library-keywords="ember, internationalization, i18n" id="ember-i18n" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/ember-i18n"> ember-i18n </a> <meta itemprop="url" content="" /> <meta itemprop="version" content="2.9.1" /> <!-- hidden text for searching --> <div style="display: none;"> ember, internationalization, i18n </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="ember-i18n" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/ember-i18n/2.9.1/i18n.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="ember-localstorage-adapter" data-library-keywords="ember-localstorage-adapter" id="ember-localstorage-adapter" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/ember-localstorage-adapter"> ember-localstorage-adapter </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;locks&#x2F;ember-localstorage-adapter" /> <meta itemprop="version" content="0.3.1" /> <!-- hidden text for searching --> <div style="display: none;"> ember-localstorage-adapter </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="ember-localstorage-adapter" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/ember-localstorage-adapter/0.3.1/localstorage_adapter.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="ember-resource.js" data-library-keywords="ember, ember.js, ember-resource, ember-resource.js, json, ajax, orm" id="ember-resourcejs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/ember-resource.js"> ember-resource.js </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;zendesk&#x2F;ember-resource" /> <meta itemprop="version" content="2.0.0" /> <!-- hidden text for searching --> <div style="display: none;"> ember, ember.js, ember-resource, ember-resource.js, json, ajax, orm </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="ember-resource.js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/ember-resource.js/2.0.0/ember-resource.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="ember-simple-auth" data-library-keywords="ember-simple-auth, ember-simple-auth-oauth2" id="ember-simple-auth" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/ember-simple-auth"> ember-simple-auth </a> <meta itemprop="url" content="http:&#x2F;&#x2F;ember-simple-auth.simplabs.com&#x2F;" /> <meta itemprop="version" content="0.8.0" /> <!-- hidden text for searching --> <div style="display: none;"> ember-simple-auth, ember-simple-auth-oauth2 </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="ember-simple-auth" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/ember-simple-auth/0.8.0/simple-auth.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="ember.js" data-library-keywords="ember, ember.js" id="emberjs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/ember.js"> ember.js </a> <meta itemprop="url" content="http:&#x2F;&#x2F;emberjs.com&#x2F;" /> <meta itemprop="version" content="2.3.0" /> <!-- hidden text for searching --> <div style="display: none;"> ember, ember.js </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="ember.js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/ember.js/2.3.0/ember.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="emberFire" data-library-keywords="emberfire, emberfire.js" id="emberFire" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/emberFire"> emberFire </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;firebase&#x2F;emberfire" /> <meta itemprop="version" content="1.6.4" /> <!-- hidden text for searching --> <div style="display: none;"> emberfire, emberfire.js </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="emberFire" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/emberFire/1.6.4/emberfire.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="emblem" data-library-keywords="ember, handlebars, template, html, indentation" id="emblem" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/emblem"> emblem </a> <meta itemprop="url" content="http:&#x2F;&#x2F;emblemjs.com&#x2F;" /> <meta itemprop="version" content="0.4.0" /> <!-- hidden text for searching --> <div style="display: none;"> ember, handlebars, template, html, indentation </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="emblem" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/emblem/0.4.0/emblem.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="emojify.js" data-library-keywords="emoji, emojify, javascript" id="emojifyjs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/emojify.js"> emojify.js </a> <meta itemprop="url" content="" /> <meta itemprop="version" content="0.9.5" /> <!-- hidden text for searching --> <div style="display: none;"> emoji, emojify, javascript </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="emojify.js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/emojify.js/0.9.5/emojify.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="emojione" data-library-keywords="emojione, Emoji One, emoji, emojis, emoticons, smileys, smilies, unicode, emoji set" id="emojione" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/emojione"> emojione </a> <meta itemprop="url" content="http:&#x2F;&#x2F;www.emojione.com" /> <meta itemprop="version" content="2.0.1" /> <!-- hidden text for searching --> <div style="display: none;"> emojione, Emoji One, emoji, emojis, emoticons, smileys, smilies, unicode, emoji set </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="emojione" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/emojione/2.0.1/lib&#x2F;js&#x2F;emojione.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="enquire.js" data-library-keywords="media query, media queries, matchMedia, enquire, enquire.js" id="enquirejs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/enquire.js"> enquire.js </a> <meta itemprop="url" content="http:&#x2F;&#x2F;wicky.nillia.ms&#x2F;enquire.js" /> <meta itemprop="version" content="2.1.2" /> <!-- hidden text for searching --> <div style="display: none;"> media query, media queries, matchMedia, enquire, enquire.js </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="enquire.js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/enquire.js/2.1.2/enquire.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="entypo" data-library-keywords="entypo, icon, font, social" id="entypo" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/entypo"> entypo </a> <meta itemprop="url" content="http:&#x2F;&#x2F;entypo.com" /> <meta itemprop="version" content="2.0" /> <!-- hidden text for searching --> <div style="display: none;"> entypo, icon, font, social </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="entypo" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/entypo/2.0/entypo.woff</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="epiceditor" data-library-keywords="markdown, editor" id="epiceditor" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/epiceditor"> epiceditor </a> <meta itemprop="url" content="http:&#x2F;&#x2F;epiceditor.com" /> <meta itemprop="version" content="0.2.2" /> <!-- hidden text for searching --> <div style="display: none;"> markdown, editor </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="epiceditor" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/epiceditor/0.2.2/js&#x2F;epiceditor.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="epitome" data-library-keywords="mootools, epitome, mvc, mvp" id="epitome" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/epitome"> epitome </a> <meta itemprop="url" content="http:&#x2F;&#x2F;dimitarchristoff.github.com&#x2F;Epitome" /> <meta itemprop="version" content="0.3.0" /> <!-- hidden text for searching --> <div style="display: none;"> mootools, epitome, mvc, mvp </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="epitome" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/epitome/0.3.0/Epitome-min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="epoch" data-library-keywords="epoch" id="epoch" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/epoch"> epoch </a> <meta itemprop="url" content="http:&#x2F;&#x2F;fastly.github.io&#x2F;epoch&#x2F;" /> <meta itemprop="version" content="0.8.4" /> <!-- hidden text for searching --> <div style="display: none;"> epoch </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="epoch" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/epoch/0.8.4/js&#x2F;epoch.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="equalize.js" data-library-keywords="ui, equalize, equal, height, width, layout" id="equalizejs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/equalize.js"> equalize.js </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;tsvensen&#x2F;equalize.js" /> <meta itemprop="version" content="1.0.2" /> <!-- hidden text for searching --> <div style="display: none;"> ui, equalize, equal, height, width, layout </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="equalize.js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/equalize.js/1.0.2/equalize.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="es-class" data-library-keywords="ES3, ES5, ES6, ES2015, ES7, KISS, Class, inheritance, prototypal, prototype, simple, lightweight, mixin, trait" id="es-class" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/es-class"> es-class </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;WebReflection&#x2F;es-class" /> <meta itemprop="version" content="2.0.0" /> <!-- hidden text for searching --> <div style="display: none;"> ES3, ES5, ES6, ES2015, ES7, KISS, Class, inheritance, prototypal, prototype, simple, lightweight, mixin, trait </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="es-class" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/es-class/2.0.0/es-class.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="es5-shim" data-library-keywords="shim, es5, es5 shim, javascript, ecmascript, polyfill" id="es5-shim" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/es5-shim"> es5-shim </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;es-shims&#x2F;es5-shim&#x2F;" /> <meta itemprop="version" content="4.4.1" /> <!-- hidden text for searching --> <div style="display: none;"> shim, es5, es5 shim, javascript, ecmascript, polyfill </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="es5-shim" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/es5-shim/4.4.1/es5-shim.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="es6-promise" data-library-keywords="promises, futures" id="es6-promise" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/es6-promise"> es6-promise </a> <meta itemprop="url" content="" /> <meta itemprop="version" content="3.0.2" /> <!-- hidden text for searching --> <div style="display: none;"> promises, futures </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="es6-promise" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/es6-promise/3.0.2/es6-promise.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="es6-shim" data-library-keywords="ecmascript, harmony, es6, shim, promise, promises, setPrototypeOf, map, set, __proto__" id="es6-shim" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/es6-shim"> es6-shim </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;es-shims&#x2F;es6-shim&#x2F;" /> <meta itemprop="version" content="0.34.2" /> <!-- hidden text for searching --> <div style="display: none;"> ecmascript, harmony, es6, shim, promise, promises, setPrototypeOf, map, set, __proto__ </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="es6-shim" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/es6-shim/0.34.2/es6-shim.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="etp" data-library-keywords="ETP, Energistics, WITSML, PRODML, RESQML" id="etp" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/etp"> etp </a> <meta itemprop="url" content="" /> <meta itemprop="version" content="2.0.7-17" /> <!-- hidden text for searching --> <div style="display: none;"> ETP, Energistics, WITSML, PRODML, RESQML </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="etp" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/etp/2.0.7-17/etp.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="eve.js" data-library-keywords="" id="evejs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/eve.js"> eve.js </a> <meta itemprop="url" content="http:&#x2F;&#x2F;evejs.com" /> <meta itemprop="version" content="0.8.4" /> <!-- hidden text for searching --> <div style="display: none;"> </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="eve.js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/eve.js/0.8.4/eve.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="eventable" data-library-keywords="" id="eventable" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/eventable"> eventable </a> <meta itemprop="url" content="" /> <meta itemprop="version" content="1.0.5" /> <!-- hidden text for searching --> <div style="display: none;"> </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="eventable" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/eventable/1.0.5/eventable.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="EventEmitter" data-library-keywords="eventemitter, events, browser, amd" id="EventEmitter" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/EventEmitter"> EventEmitter </a> <meta itemprop="url" content="" /> <meta itemprop="version" content="4.3.0" /> <!-- hidden text for searching --> <div style="display: none;"> eventemitter, events, browser, amd </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="EventEmitter" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/EventEmitter/4.3.0/EventEmitter.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="eventmaster" data-library-keywords="AMD, oz, ozjs" id="eventmaster" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/eventmaster"> eventmaster </a> <meta itemprop="url" content="http:&#x2F;&#x2F;ozjs.org&#x2F;EventMaster&#x2F;" /> <meta itemprop="version" content="2.0.0" /> <!-- hidden text for searching --> <div style="display: none;"> AMD, oz, ozjs </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="eventmaster" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/eventmaster/2.0.0/eventmaster.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="eventproxy" data-library-keywords="event, task-base, event machine, nested callback terminator" id="eventproxy" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/eventproxy"> eventproxy </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;JacksonTian&#x2F;eventproxy" /> <meta itemprop="version" content="0.3.4" /> <!-- hidden text for searching --> <div style="display: none;"> event, task-base, event machine, nested callback terminator </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="eventproxy" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/eventproxy/0.3.4/eventproxy.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="evil-icons" data-library-keywords="evil icons, evil-icons, icons, svg, vector" id="evil-icons" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/evil-icons"> evil-icons </a> <meta itemprop="url" content="http:&#x2F;&#x2F;evil-icons.io" /> <meta itemprop="version" content="1.7.8" /> <!-- hidden text for searching --> <div style="display: none;"> evil icons, evil-icons, icons, svg, vector </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="evil-icons" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/evil-icons/1.7.8/evil-icons.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="evil.js" data-library-keywords="evil, evil.js" id="eviljs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/evil.js"> evil.js </a> <meta itemprop="url" content="http:&#x2F;&#x2F;kitcambridge.be&#x2F;evil.js&#x2F;" /> <meta itemprop="version" content="42" /> <!-- hidden text for searching --> <div style="display: none;"> evil, evil.js </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="evil.js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/evil.js/42/evil.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="expect.js" data-library-keywords="" id="expectjs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/expect.js"> expect.js </a> <meta itemprop="url" content="" /> <meta itemprop="version" content="0.2.0" /> <!-- hidden text for searching --> <div style="display: none;"> </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="expect.js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/expect.js/0.2.0/expect.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="expect" data-library-keywords="expect, assert, test, spec" id="expect" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/expect"> expect </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;mjackson&#x2F;expect" /> <meta itemprop="version" content="1.13.4" /> <!-- hidden text for searching --> <div style="display: none;"> expect, assert, test, spec </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="expect" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/expect/1.13.4/expect.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="ext-core" data-library-keywords="framework, toolkit, desktop, popular" id="ext-core" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/ext-core"> ext-core </a> <meta itemprop="url" content="http:&#x2F;&#x2F;www.sencha.com&#x2F;products&#x2F;extjs&#x2F;" /> <meta itemprop="version" content="3.1.0" /> <!-- hidden text for searching --> <div style="display: none;"> framework, toolkit, desktop, popular </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="ext-core" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/ext-core/3.1.0/ext-core.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="extjs" data-library-keywords="framework, toolkit, desktop, popular" id="extjs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/extjs"> extjs </a> <meta itemprop="url" content="http:&#x2F;&#x2F;www.sencha.com&#x2F;products&#x2F;extjs&#x2F;" /> <meta itemprop="version" content="6.0.0" /> <!-- hidden text for searching --> <div style="display: none;"> framework, toolkit, desktop, popular </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="extjs" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/extjs/6.0.0/ext-all.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="F2" data-library-keywords="openf2 f2 markit" id="F2" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/F2"> F2 </a> <meta itemprop="url" content="http:&#x2F;&#x2F;www.openf2.org" /> <meta itemprop="version" content="1.4.0" /> <!-- hidden text for searching --> <div style="display: none;"> openf2 f2 markit </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="F2" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/F2/1.4.0/f2.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="fabric.js" data-library-keywords="canvas, graphics, js, svg, html5" id="fabricjs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/fabric.js"> fabric.js </a> <meta itemprop="url" content="http:&#x2F;&#x2F;fabricjs.com&#x2F;" /> <meta itemprop="version" content="1.5.0" /> <!-- hidden text for searching --> <div style="display: none;"> canvas, graphics, js, svg, html5 </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="fabric.js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/fabric.js/1.5.0/fabric.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="Faker" data-library-keywords="" id="Faker" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/Faker"> Faker </a> <meta itemprop="url" content="" /> <meta itemprop="version" content="3.0.1" /> <!-- hidden text for searching --> <div style="display: none;"> </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="Faker" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/Faker/3.0.1/faker.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="falcor" data-library-keywords="JSON, Netflix, Observable, falcorjs" id="falcor" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/falcor"> falcor </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;Netflix&#x2F;falcor" /> <meta itemprop="version" content="0.1.15" /> <!-- hidden text for searching --> <div style="display: none;"> JSON, Netflix, Observable, falcorjs </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="falcor" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/falcor/0.1.15/falcor.all.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="fallback" data-library-keywords="fallback, failover, ondemand, require, ajax, component" id="fallback" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/fallback"> fallback </a> <meta itemprop="url" content="http:&#x2F;&#x2F;fallback.io&#x2F;" /> <meta itemprop="version" content="1.1.8" /> <!-- hidden text for searching --> <div style="display: none;"> fallback, failover, ondemand, require, ajax, component </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="fallback" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/fallback/1.1.8/fallback.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="fancybox" data-library-keywords="fancybox, jquery, images, image, zoom, zooming" id="fancybox" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/fancybox"> fancybox </a> <meta itemprop="url" content="http:&#x2F;&#x2F;fancyapps.com&#x2F;fancybox&#x2F;" /> <meta itemprop="version" content="2.1.5" /> <!-- hidden text for searching --> <div style="display: none;"> fancybox, jquery, images, image, zoom, zooming </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="fancybox" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/fancybox/2.1.5/jquery.fancybox.pack.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="fast-json-patch" data-library-keywords="json, patch, json-patch" id="fast-json-patch" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/fast-json-patch"> fast-json-patch </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;Starcounter-Jack&#x2F;JSON-Patch" /> <meta itemprop="version" content="0.5.6" /> <!-- hidden text for searching --> <div style="display: none;"> json, patch, json-patch </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="fast-json-patch" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/fast-json-patch/0.5.6/json-patch-duplex.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="fastclick" data-library-keywords="fastclick, mobile, touch, tap, click, delay" id="fastclick" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/fastclick"> fastclick </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;ftlabs&#x2F;fastclick" /> <meta itemprop="version" content="1.0.6" /> <!-- hidden text for searching --> <div style="display: none;"> fastclick, mobile, touch, tap, click, delay </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="fastclick" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/fastclick/1.0.6/fastclick.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="fatcow-icons" data-library-keywords="icons, fatcow" id="fatcow-icons" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/fatcow-icons"> fatcow-icons </a> <meta itemprop="url" content="http:&#x2F;&#x2F;www.fatcow.com&#x2F;free-icons" /> <meta itemprop="version" content="20130425" /> <!-- hidden text for searching --> <div style="display: none;"> icons, fatcow </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="fatcow-icons" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/fatcow-icons/20130425/FatCow.com_3500.png</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="favico.js" data-library-keywords="favico.js, badges, favicon" id="favicojs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/favico.js"> favico.js </a> <meta itemprop="url" content="http:&#x2F;&#x2F;lab.ejci.net&#x2F;favico.js&#x2F;" /> <meta itemprop="version" content="0.3.10" /> <!-- hidden text for searching --> <div style="display: none;"> favico.js, badges, favicon </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="favico.js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/favico.js/0.3.10/favico.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="fdaciuk-ajax" data-library-keywords="ajax, xmlhttprequest, xhr" id="fdaciuk-ajax" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/fdaciuk-ajax"> fdaciuk-ajax </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;fdaciuk&#x2F;ajax" /> <meta itemprop="version" content="0.0.15" /> <!-- hidden text for searching --> <div style="display: none;"> ajax, xmlhttprequest, xhr </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="fdaciuk-ajax" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/fdaciuk-ajax/0.0.15/ajax.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="featherlight" data-library-keywords="ajax, customizable, dialog, easy, fancy, fast, html5, image, jquery, lightbox, lightweight, minimal, modal, popup, simple, slim, small, ui, window" id="featherlight" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/featherlight"> featherlight </a> <meta itemprop="url" content="http:&#x2F;&#x2F;noelboss.github.io&#x2F;featherlight&#x2F;" /> <meta itemprop="version" content="1.3.5" /> <!-- hidden text for searching --> <div style="display: none;"> ajax, customizable, dialog, easy, fancy, fast, html5, image, jquery, lightbox, lightweight, minimal, modal, popup, simple, slim, small, ui, window </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="featherlight" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/featherlight/1.3.5/featherlight.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="feedback.js" data-library-keywords="canvas, screenshot, html5, feedback" id="feedbackjs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/feedback.js"> feedback.js </a> <meta itemprop="url" content="http:&#x2F;&#x2F;experiments.hertzen.com&#x2F;jsfeedback&#x2F;" /> <meta itemprop="version" content="2012.10.17" /> <!-- hidden text for searching --> <div style="display: none;"> canvas, screenshot, html5, feedback </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="feedback.js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/feedback.js/2012.10.17/feedback.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="fetch" data-library-keywords="polyfill, fetch, window.fetch" id="fetch" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/fetch"> fetch </a> <meta itemprop="url" content="" /> <meta itemprop="version" content="0.11.0" /> <!-- hidden text for searching --> <div style="display: none;"> polyfill, fetch, window.fetch </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="fetch" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/fetch/0.11.0/fetch.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="fiber" data-library-keywords="inheritance, linkedin" id="fiber" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/fiber"> fiber </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;linkedin&#x2F;Fiber" /> <meta itemprop="version" content="1.0.5" /> <!-- hidden text for searching --> <div style="display: none;"> inheritance, linkedin </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="fiber" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/fiber/1.0.5/fiber.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="field-kit" data-library-keywords="field-kit, input, format" id="field-kit" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/field-kit"> field-kit </a> <meta itemprop="url" content="https:&#x2F;&#x2F;square.github.io&#x2F;field-kit&#x2F;" /> <meta itemprop="version" content="2.0.4" /> <!-- hidden text for searching --> <div style="display: none;"> field-kit, input, format </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="field-kit" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/field-kit/2.0.4/field-kit.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="file-uploader" data-library-keywords="uploader, multiple, drag-and-drop" id="file-uploader" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/file-uploader"> file-uploader </a> <meta itemprop="url" content="http:&#x2F;&#x2F;fineuploader.com" /> <meta itemprop="version" content="3.7.0" /> <!-- hidden text for searching --> <div style="display: none;"> uploader, multiple, drag-and-drop </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="file-uploader" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/file-uploader/3.7.0/fineuploader.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="FileSaver.js" data-library-keywords="filesaver" id="FileSaverjs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/FileSaver.js"> FileSaver.js </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;eligrey&#x2F;FileSaver.js&#x2F;" /> <meta itemprop="version" content="2014-11-29" /> <!-- hidden text for searching --> <div style="display: none;"> filesaver </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="FileSaver.js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/FileSaver.js/2014-11-29/FileSaver.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="fingerprintjs" data-library-keywords="fingerprint" id="fingerprintjs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/fingerprintjs"> fingerprintjs </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;valve&#x2F;fingerprintjs&#x2F;" /> <meta itemprop="version" content="v0.5.1" /> <!-- hidden text for searching --> <div style="display: none;"> fingerprint </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="fingerprintjs" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/fingerprintjs/v0.5.1/fingerprint.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="firebug-lite" data-library-keywords="firebug, development, debug" id="firebug-lite" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/firebug-lite"> firebug-lite </a> <meta itemprop="url" content="https:&#x2F;&#x2F;getfirebug.com&#x2F;firebuglite&#x2F;" /> <meta itemprop="version" content="1.4.0" /> <!-- hidden text for searching --> <div style="display: none;"> firebug, development, debug </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="firebug-lite" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/firebug-lite/1.4.0/firebug-lite.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="FitText.js" data-library-keywords="typography" id="FitTextjs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/FitText.js"> FitText.js </a> <meta itemprop="url" content="http:&#x2F;&#x2F;fittextjs.com&#x2F;" /> <meta itemprop="version" content="1.2.0" /> <!-- hidden text for searching --> <div style="display: none;"> typography </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="FitText.js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/FitText.js/1.2.0/jquery.fittext.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="fitvids" data-library-keywords="jquery, responsive design, fluid width, video, youtube, vimeo" id="fitvids" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/fitvids"> fitvids </a> <meta itemprop="url" content="http:&#x2F;&#x2F;fitvidsjs.com&#x2F;" /> <meta itemprop="version" content="1.1.0" /> <!-- hidden text for searching --> <div style="display: none;"> jquery, responsive design, fluid width, video, youtube, vimeo </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="fitvids" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/fitvids/1.1.0/jquery.fitvids.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="fixed-data-table" data-library-keywords="react, react-component, table, data-table, fixed-table" id="fixed-data-table" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/fixed-data-table"> fixed-data-table </a> <meta itemprop="url" content="http:&#x2F;&#x2F;facebook.github.io&#x2F;fixed-data-table" /> <meta itemprop="version" content="0.6.0" /> <!-- hidden text for searching --> <div style="display: none;"> react, react-component, table, data-table, fixed-table </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="fixed-data-table" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/fixed-data-table/0.6.0/fixed-data-table.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="fixed-header-table" data-library-keywords="header, fixed, table" id="fixed-header-table" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/fixed-header-table"> fixed-header-table </a> <meta itemprop="url" content="http:&#x2F;&#x2F;www.fixedheadertable.com&#x2F;" /> <meta itemprop="version" content="1.3.0" /> <!-- hidden text for searching --> <div style="display: none;"> header, fixed, table </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="fixed-header-table" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/fixed-header-table/1.3.0/jquery.fixedheadertable.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="flag-icon-css" data-library-keywords="" id="flag-icon-css" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/flag-icon-css"> flag-icon-css </a> <meta itemprop="url" content="" /> <meta itemprop="version" content="1.1.0" /> <!-- hidden text for searching --> <div style="display: none;"> </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="flag-icon-css" class="library-column css-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/flag-icon-css/1.1.0/css&#x2F;flag-icon.min.css</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="flat-ui" data-library-keywords="ui, flat, bootstrap" id="flat-ui" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/flat-ui"> flat-ui </a> <meta itemprop="url" content="http:&#x2F;&#x2F;designmodo.github.io&#x2F;Flat-UI&#x2F;" /> <meta itemprop="version" content="2.2.2" /> <!-- hidden text for searching --> <div style="display: none;"> ui, flat, bootstrap </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="flat-ui" class="library-column css-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/flat-ui/2.2.2/css&#x2F;flat-ui.min.css</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="flexie" data-library-keywords="css, css3, flexible, box, model, polyfill, flexbox" id="flexie" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/flexie"> flexie </a> <meta itemprop="url" content="http:&#x2F;&#x2F;flexiejs.com&#x2F;" /> <meta itemprop="version" content="1.0.3" /> <!-- hidden text for searching --> <div style="display: none;"> css, css3, flexible, box, model, polyfill, flexbox </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="flexie" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/flexie/1.0.3/flexie.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="flexslider" data-library-keywords="utility, popular" id="flexslider" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/flexslider"> flexslider </a> <meta itemprop="url" content="http:&#x2F;&#x2F;www.woothemes.com&#x2F;flexslider&#x2F;" /> <meta itemprop="version" content="2.6.0" /> <!-- hidden text for searching --> <div style="display: none;"> utility, popular </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="flexslider" class="library-column css-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/flexslider/2.6.0/flexslider.min.css</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="flickity" data-library-keywords="gallery, carousel, slider, touch, responsive, flick" id="flickity" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/flickity"> flickity </a> <meta itemprop="url" content="http:&#x2F;&#x2F;flickity.metafizzy.co&#x2F;" /> <meta itemprop="version" content="1.1.2" /> <!-- hidden text for searching --> <div style="display: none;"> gallery, carousel, slider, touch, responsive, flick </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="flickity" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/flickity/1.1.2/flickity.pkgd.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="flight" data-library-keywords="twitter, event, framework" id="flight" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/flight"> flight </a> <meta itemprop="url" content="http:&#x2F;&#x2F;twitter.github.io&#x2F;flight&#x2F;" /> <meta itemprop="version" content="1.1.4" /> <!-- hidden text for searching --> <div style="display: none;"> twitter, event, framework </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="flight" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/flight/1.1.4/flight.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="flipclock" data-library-keywords="clock, timer, countdown, flip" id="flipclock" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/flipclock"> flipclock </a> <meta itemprop="url" content="" /> <meta itemprop="version" content="0.7.8" /> <!-- hidden text for searching --> <div style="display: none;"> clock, timer, countdown, flip </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="flipclock" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/flipclock/0.7.8/flipclock.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="flipCounter" data-library-keywords="flipcounter, number, end_number, easing, duration" id="flipCounter" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/flipCounter"> flipCounter </a> <meta itemprop="url" content="http:&#x2F;&#x2F;bloggingsquared.com&#x2F;jquery&#x2F;flipcounter&#x2F;" /> <meta itemprop="version" content="1.2" /> <!-- hidden text for searching --> <div style="display: none;"> flipcounter, number, end_number, easing, duration </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="flipCounter" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/flipCounter/1.2/jquery.flipCounter.pack.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="FlipDiv" data-library-keywords="FlipDiv, menu, meny, 3d, flip, div" id="FlipDiv" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/FlipDiv"> FlipDiv </a> <meta itemprop="url" content="http:&#x2F;&#x2F;kireerik.github.io&#x2F;FlipDiv&#x2F;demo&#x2F;" /> <meta itemprop="version" content="1.6.0" /> <!-- hidden text for searching --> <div style="display: none;"> FlipDiv, menu, meny, 3d, flip, div </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="FlipDiv" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/FlipDiv/1.6.0/FlipDiv.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="floatlabels.js" data-library-keywords="floatlabels, label" id="floatlabelsjs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/floatlabels.js"> floatlabels.js </a> <meta itemprop="url" content="http:&#x2F;&#x2F;clubdesign.github.io&#x2F;floatlabels.js" /> <meta itemprop="version" content="1.0.0" /> <!-- hidden text for searching --> <div style="display: none;"> floatlabels, label </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="floatlabels.js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/floatlabels.js/1.0.0/floatlabels.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="floatthead" data-library-keywords="locked header, floating header, fixed header, fixed table header, table, thead, floatThead, scrolling table" id="floatthead" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/floatthead"> floatthead </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;mkoryak&#x2F;floatThead" /> <meta itemprop="version" content="1.3.2" /> <!-- hidden text for searching --> <div style="display: none;"> locked header, floating header, fixed header, fixed table header, table, thead, floatThead, scrolling table </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="floatthead" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/floatthead/1.3.2/jquery.floatThead.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="flocks.js" data-library-keywords="state, react, react.js, flux, flocks, flocks.js, flock, StoneCypher, app, application, application layer, om, cortex, crap.js" id="flocksjs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/flocks.js"> flocks.js </a> <meta itemprop="url" content="http:&#x2F;&#x2F;flocks.rocks&#x2F;" /> <meta itemprop="version" content="1.6.1" /> <!-- hidden text for searching --> <div style="display: none;"> state, react, react.js, flux, flocks, flocks.js, flock, StoneCypher, app, application, application layer, om, cortex, crap.js </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="flocks.js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/flocks.js/1.6.1/flocks.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="flot.tooltip" data-library-keywords="flot, tooltip, chart, graph" id="flottooltip" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/flot.tooltip"> flot.tooltip </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;krzysu&#x2F;flot.tooltip" /> <meta itemprop="version" content="0.8.5" /> <!-- hidden text for searching --> <div style="display: none;"> flot, tooltip, chart, graph </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="flot.tooltip" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/flot.tooltip/0.8.5/jquery.flot.tooltip.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="flot" data-library-keywords="jquery, plot, chart, graph, visualization, canvas, graphics, web" id="flot" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/flot"> flot </a> <meta itemprop="url" content="http:&#x2F;&#x2F;flotcharts.org&#x2F;" /> <meta itemprop="version" content="0.8.3" /> <!-- hidden text for searching --> <div style="display: none;"> jquery, plot, chart, graph, visualization, canvas, graphics, web </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="flot" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/flot/0.8.3/jquery.flot.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="flow.js" data-library-keywords="flow.js, flow, resumable.js, file upload, resumable upload, chunk upload, html5 upload, javascript upload, upload" id="flowjs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/flow.js"> flow.js </a> <meta itemprop="url" content="http:&#x2F;&#x2F;flowjs.github.io&#x2F;ng-flow&#x2F;" /> <meta itemprop="version" content="2.10.1" /> <!-- hidden text for searching --> <div style="display: none;"> flow.js, flow, resumable.js, file upload, resumable upload, chunk upload, html5 upload, javascript upload, upload </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="flow.js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/flow.js/2.10.1/flow.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="flowchart" data-library-keywords="flowchart, client, script" id="flowchart" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/flowchart"> flowchart </a> <meta itemprop="url" content="http:&#x2F;&#x2F;flowchart.js.org&#x2F;" /> <meta itemprop="version" content="1.6.0" /> <!-- hidden text for searching --> <div style="display: none;"> flowchart, client, script </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="flowchart" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/flowchart/1.6.0/flowchart.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="flowplayer" data-library-keywords="video, audio, jquery, html5, flash, web" id="flowplayer" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/flowplayer"> flowplayer </a> <meta itemprop="url" content="http:&#x2F;&#x2F;flowplayer.org&#x2F;" /> <meta itemprop="version" content="5.4.6" /> <!-- hidden text for searching --> <div style="display: none;"> video, audio, jquery, html5, flash, web </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="flowplayer" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/flowplayer/5.4.6/flowplayer.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="Flowtype.js" data-library-keywords="flowtype" id="Flowtypejs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/Flowtype.js"> Flowtype.js </a> <meta itemprop="url" content="http:&#x2F;&#x2F;simplefocus.com&#x2F;flowtype&#x2F;" /> <meta itemprop="version" content="1.1.0" /> <!-- hidden text for searching --> <div style="display: none;"> flowtype </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="Flowtype.js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/Flowtype.js/1.1.0/flowtype.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="fluidbox" data-library-keywords="fluidbox, fluidbox.js, lightbox, responsive, modal" id="fluidbox" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/fluidbox"> fluidbox </a> <meta itemprop="url" content="http:&#x2F;&#x2F;terrymun.github.io&#x2F;Fluidbox&#x2F;" /> <meta itemprop="version" content="2.0.2" /> <!-- hidden text for searching --> <div style="display: none;"> fluidbox, fluidbox.js, lightbox, responsive, modal </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="fluidbox" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/fluidbox/2.0.2/js&#x2F;jquery.fluidbox.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="fluidvids.js" data-library-keywords="" id="fluidvidsjs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/fluidvids.js"> fluidvids.js </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;toddmotto&#x2F;fluidvids" /> <meta itemprop="version" content="2.4.1" /> <!-- hidden text for searching --> <div style="display: none;"> </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="fluidvids.js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/fluidvids.js/2.4.1/fluidvids.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="flux" data-library-keywords="flux, react, facebook, dispatcher" id="flux" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/flux"> flux </a> <meta itemprop="url" content="http:&#x2F;&#x2F;facebook.github.io&#x2F;flux&#x2F;" /> <meta itemprop="version" content="2.1.1" /> <!-- hidden text for searching --> <div style="display: none;"> flux, react, facebook, dispatcher </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="flux" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/flux/2.1.1/Flux.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="foggy" data-library-keywords="foggy, jquery, plugin" id="foggy" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/foggy"> foggy </a> <meta itemprop="url" content="" /> <meta itemprop="version" content="1.1.1" /> <!-- hidden text for searching --> <div style="display: none;"> foggy, jquery, plugin </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="foggy" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/foggy/1.1.1/jquery.foggy.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="font-awesome-animation" data-library-keywords="font, awesome, animation" id="font-awesome-animation" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/font-awesome-animation"> font-awesome-animation </a> <meta itemprop="url" content="http:&#x2F;&#x2F;l-lin.github.io&#x2F;font-awesome-animation&#x2F;" /> <meta itemprop="version" content="0.0.8" /> <!-- hidden text for searching --> <div style="display: none;"> font, awesome, animation </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="font-awesome-animation" class="library-column css-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/font-awesome-animation/0.0.8/font-awesome-animation.min.css</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="font-awesome" data-library-keywords="css, font, icons" id="font-awesome" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/font-awesome"> font-awesome </a> <meta itemprop="url" content="http:&#x2F;&#x2F;fontawesome.io&#x2F;" /> <meta itemprop="version" content="4.5.0" /> <!-- hidden text for searching --> <div style="display: none;"> css, font, icons </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="font-awesome" class="library-column css-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/font-awesome/4.5.0/css&#x2F;font-awesome.min.css</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="forerunnerdb" data-library-keywords="forerunnerdb, forerunner, database, nosql, mongodb, javascript, document, store, browser, node, data, binding, index, client-side, server-side, lokijs, loki, db, memory, in-memory, indexeddb, localstorage, storage, websql, taffydb, taffy" id="forerunnerdb" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/forerunnerdb"> forerunnerdb </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;irrelon&#x2F;ForerunnerDB#readme" /> <meta itemprop="version" content="1.3.602" /> <!-- hidden text for searching --> <div style="display: none;"> forerunnerdb, forerunner, database, nosql, mongodb, javascript, document, store, browser, node, data, binding, index, client-side, server-side, lokijs, loki, db, memory, in-memory, indexeddb, localstorage, storage, websql, taffydb, taffy </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="forerunnerdb" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/forerunnerdb/1.3.602/fdb-all.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="formatter.js" data-library-keywords="input, format, pattern" id="formatterjs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/formatter.js"> formatter.js </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;firstopinion&#x2F;formatter.js" /> <meta itemprop="version" content="0.1.5" /> <!-- hidden text for searching --> <div style="display: none;"> input, format, pattern </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="formatter.js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/formatter.js/0.1.5/formatter.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="formstone" data-library-keywords="" id="formstone" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/formstone"> formstone </a> <meta itemprop="url" content="http:&#x2F;&#x2F;formstone.it&#x2F;" /> <meta itemprop="version" content="0.8.36" /> <!-- hidden text for searching --> <div style="display: none;"> </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="formstone" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/formstone/0.8.36/js&#x2F;core.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="formvalidation" data-library-keywords="jQuery, plugin, validate, validator, form, Bootstrap, Foundation, Pure, SemanticUI, UIKit" id="formvalidation" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/formvalidation"> formvalidation </a> <meta itemprop="url" content="http:&#x2F;&#x2F;formvalidation.io" /> <meta itemprop="version" content="0.6.1" /> <!-- hidden text for searching --> <div style="display: none;"> jQuery, plugin, validate, validator, form, Bootstrap, Foundation, Pure, SemanticUI, UIKit </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="formvalidation" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/formvalidation/0.6.1/js&#x2F;formValidation.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="Fort.js" data-library-keywords="fort, fort.js" id="Fortjs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/Fort.js"> Fort.js </a> <meta itemprop="url" content="http:&#x2F;&#x2F;colourity.github.io&#x2F;" /> <meta itemprop="version" content="1.0.0" /> <!-- hidden text for searching --> <div style="display: none;"> fort, fort.js </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="Fort.js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/Fort.js/1.0.0/fort.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="fotorama" data-library-keywords="gallery, ui, responsive, slider, carousel, slideshow, photo, image, content, video" id="fotorama" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/fotorama"> fotorama </a> <meta itemprop="url" content="http:&#x2F;&#x2F;fotorama.io&#x2F;" /> <meta itemprop="version" content="4.6.4" /> <!-- hidden text for searching --> <div style="display: none;"> gallery, ui, responsive, slider, carousel, slideshow, photo, image, content, video </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="fotorama" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/fotorama/4.6.4/fotorama.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="foundation-datepicker" data-library-keywords="zurb, foundation, datepicker" id="foundation-datepicker" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/foundation-datepicker"> foundation-datepicker </a> <meta itemprop="url" content="http:&#x2F;&#x2F;foundation-datepicker.peterbeno.com&#x2F;" /> <meta itemprop="version" content="1.5.0" /> <!-- hidden text for searching --> <div style="display: none;"> zurb, foundation, datepicker </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="foundation-datepicker" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/foundation-datepicker/1.5.0/js&#x2F;foundation-datepicker.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="foundation-essential" data-library-keywords="foundation, essential, responsive, zurb" id="foundation-essential" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/foundation-essential"> foundation-essential </a> <meta itemprop="url" content="http:&#x2F;&#x2F;foundation.zurb.com" /> <meta itemprop="version" content="6.0.6" /> <!-- hidden text for searching --> <div style="display: none;"> foundation, essential, responsive, zurb </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="foundation-essential" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/foundation-essential/6.0.6/js&#x2F;foundation.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="foundation" data-library-keywords="foundation, responsive, zurb" id="foundation" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/foundation"> foundation </a> <meta itemprop="url" content="http:&#x2F;&#x2F;foundation.zurb.com" /> <meta itemprop="version" content="6.1.2" /> <!-- hidden text for searching --> <div style="display: none;"> foundation, responsive, zurb </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="foundation" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/foundation/6.1.2/foundation.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="foundicons" data-library-keywords="font, foundation, foundicons, icons, zurb" id="foundicons" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/foundicons"> foundicons </a> <meta itemprop="url" content="http:&#x2F;&#x2F;zurb.com&#x2F;playground&#x2F;foundation-icon-fonts-3" /> <meta itemprop="version" content="3.0.0" /> <!-- hidden text for searching --> <div style="display: none;"> font, foundation, foundicons, icons, zurb </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="foundicons" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/foundicons/3.0.0/foundation-icons.ttf</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="fpsmeter" data-library-keywords="" id="fpsmeter" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/fpsmeter"> fpsmeter </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;darsain&#x2F;fpsmeter" /> <meta itemprop="version" content="0.3.1" /> <!-- hidden text for searching --> <div style="display: none;"> </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="fpsmeter" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/fpsmeter/0.3.1/fpsmeter.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="framework7" data-library-keywords="mobile, framework, ios 7, ios7, ios8, ios 8, iphone, ipad, apple, phonegap, native, touch, appstore, app, f7, material, android, google, googleplay" id="framework7" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/framework7"> framework7 </a> <meta itemprop="url" content="http:&#x2F;&#x2F;www.idangero.us&#x2F;framework7&#x2F;" /> <meta itemprop="version" content="1.4.0" /> <!-- hidden text for searching --> <div style="display: none;"> mobile, framework, ios 7, ios7, ios8, ios 8, iphone, ipad, apple, phonegap, native, touch, appstore, app, f7, material, android, google, googleplay </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="framework7" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/framework7/1.4.0/js&#x2F;framework7.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="free-jqgrid" data-library-keywords="jqGrid, jQuery, JavaScript, grid, table, jQuery, grid, TreeGrid, Subgrid, sorting, paging, editing, grouping, searching" id="free-jqgrid" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/free-jqgrid"> free-jqgrid </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;free-jqgrid&#x2F;jqGrid" /> <meta itemprop="version" content="4.12.1" /> <!-- hidden text for searching --> <div style="display: none;"> jqGrid, jQuery, JavaScript, grid, table, jQuery, grid, TreeGrid, Subgrid, sorting, paging, editing, grouping, searching </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="free-jqgrid" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/free-jqgrid/4.12.1/js&#x2F;jquery.jqgrid.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="freewall" data-library-keywords="freewall, freewall.js" id="freewall" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/freewall"> freewall </a> <meta itemprop="url" content="http:&#x2F;&#x2F;vnjs.net&#x2F;www&#x2F;project&#x2F;freewall&#x2F;" /> <meta itemprop="version" content="1.0.5" /> <!-- hidden text for searching --> <div style="display: none;"> freewall, freewall.js </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="freewall" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/freewall/1.0.5/freewall.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="froala-editor" data-library-keywords="froala, wysiwyg, html, text, rich, editor" id="froala-editor" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/froala-editor"> froala-editor </a> <meta itemprop="url" content="https:&#x2F;&#x2F;www.froala.com&#x2F;wysiwyg-editor" /> <meta itemprop="version" content="2.0.5" /> <!-- hidden text for searching --> <div style="display: none;"> froala, wysiwyg, html, text, rich, editor </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="froala-editor" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/froala-editor/2.0.5/js&#x2F;froala_editor.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="FrozenUI" data-library-keywords="" id="FrozenUI" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/FrozenUI"> FrozenUI </a> <meta itemprop="url" content="https:&#x2F;&#x2F;frozenui.github.io&#x2F;" /> <meta itemprop="version" content="1.3.0" /> <!-- hidden text for searching --> <div style="display: none;"> </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="FrozenUI" class="library-column css-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/FrozenUI/1.3.0/css&#x2F;frozen.css</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="fuelux" data-library-keywords="application, bootstrap, controls, css, exacttarget, exact target, front-end, fuelux, fuel ux, js, salesforce, user interface, web" id="fuelux" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/fuelux"> fuelux </a> <meta itemprop="url" content="http:&#x2F;&#x2F;exacttarget.github.io&#x2F;fuelux" /> <meta itemprop="version" content="3.13.0" /> <!-- hidden text for searching --> <div style="display: none;"> application, bootstrap, controls, css, exacttarget, exact target, front-end, fuelux, fuel ux, js, salesforce, user interface, web </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="fuelux" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/fuelux/3.13.0/js&#x2F;fuelux.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="fullcalendar" data-library-keywords="calendar, event, full-sized, jquery-plugin" id="fullcalendar" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/fullcalendar"> fullcalendar </a> <meta itemprop="url" content="http:&#x2F;&#x2F;fullcalendar.io&#x2F;" /> <meta itemprop="version" content="2.6.0" /> <!-- hidden text for searching --> <div style="display: none;"> calendar, event, full-sized, jquery-plugin </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="fullcalendar" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/fullcalendar/2.6.0/fullcalendar.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="fullPage.js" data-library-keywords="jquery, scrolling, single_page, one_page, sliding" id="fullPagejs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/fullPage.js"> fullPage.js </a> <meta itemprop="url" content="http:&#x2F;&#x2F;alvarotrigo.com&#x2F;fullPage&#x2F;" /> <meta itemprop="version" content="2.7.6" /> <!-- hidden text for searching --> <div style="display: none;"> jquery, scrolling, single_page, one_page, sliding </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="fullPage.js" class="library-column css-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/fullPage.js/2.7.6/jquery.fullPage.min.css</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="function-plot" data-library-keywords="function-plot, function, plotter, visualization, derivative, 2d" id="function-plot" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/function-plot"> function-plot </a> <meta itemprop="url" content="http:&#x2F;&#x2F;maurizzzio.github.io&#x2F;function-plot&#x2F;" /> <meta itemprop="version" content="1.16.2" /> <!-- hidden text for searching --> <div style="display: none;"> function-plot, function, plotter, visualization, derivative, 2d </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="function-plot" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/function-plot/1.16.2/function-plot.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="FuncUnit" data-library-keywords="framework, functional testing" id="FuncUnit" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/FuncUnit"> FuncUnit </a> <meta itemprop="url" content="http:&#x2F;&#x2F;funcunit.com&#x2F;" /> <meta itemprop="version" content="2.0.4" /> <!-- hidden text for searching --> <div style="display: none;"> framework, functional testing </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="FuncUnit" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/FuncUnit/2.0.4/funcunit.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="furtive" data-library-keywords="furtive, css, framework, microframework, scss, stylus" id="furtive" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/furtive"> furtive </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;johnotander&#x2F;furtive" /> <meta itemprop="version" content="2.2.3" /> <!-- hidden text for searching --> <div style="display: none;"> furtive, css, framework, microframework, scss, stylus </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="furtive" class="library-column css-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/furtive/2.2.3/furtive.min.css</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="fuse.js" data-library-keywords="fuse, fuse.js" id="fusejs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/fuse.js"> fuse.js </a> <meta itemprop="url" content="http:&#x2F;&#x2F;kiro.me&#x2F;projects&#x2F;fuse.html" /> <meta itemprop="version" content="1.3.1" /> <!-- hidden text for searching --> <div style="display: none;"> fuse, fuse.js </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="fuse.js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/fuse.js/1.3.1/fuse.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="galleria" data-library-keywords="gallery, framework, jquery, slideshow, popular" id="galleria" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/galleria"> galleria </a> <meta itemprop="url" content="http:&#x2F;&#x2F;galleria.io&#x2F;" /> <meta itemprop="version" content="1.4.2" /> <!-- hidden text for searching --> <div style="display: none;"> gallery, framework, jquery, slideshow, popular </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="galleria" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/galleria/1.4.2/galleria.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="galleriffic" data-library-keywords="jquery, gallery, images" id="galleriffic" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/galleriffic"> galleriffic </a> <meta itemprop="url" content="http:&#x2F;&#x2F;www.twospy.com&#x2F;galleriffic&#x2F;" /> <meta itemprop="version" content="2.0.1" /> <!-- hidden text for searching --> <div style="display: none;"> jquery, gallery, images </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="galleriffic" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/galleriffic/2.0.1/jquery.galleriffic.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="garlic.js" data-library-keywords="html, form, forms" id="garlicjs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/garlic.js"> garlic.js </a> <meta itemprop="url" content="http:&#x2F;&#x2F;garlicjs.org&#x2F;" /> <meta itemprop="version" content="1.2.4" /> <!-- hidden text for searching --> <div style="display: none;"> html, form, forms </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="garlic.js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/garlic.js/1.2.4/garlic.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="gas" data-library-keywords="Google Analytics, Web Analytics" id="gas" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/gas"> gas </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;CardinalPath&#x2F;gas" /> <meta itemprop="version" content="1.11.0" /> <!-- hidden text for searching --> <div style="display: none;"> Google Analytics, Web Analytics </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="gas" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/gas/1.11.0/gas.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="gator" data-library-keywords="event, delegation" id="gator" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/gator"> gator </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;ccampbell&#x2F;gator" /> <meta itemprop="version" content="1.2.4" /> <!-- hidden text for searching --> <div style="display: none;"> event, delegation </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="gator" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/gator/1.2.4/gator.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="gauge.js" data-library-keywords="gauge, animate, javascript, coffeescript" id="gaugejs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/gauge.js"> gauge.js </a> <meta itemprop="url" content="" /> <meta itemprop="version" content="1.2.1" /> <!-- hidden text for searching --> <div style="display: none;"> gauge, animate, javascript, coffeescript </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="gauge.js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/gauge.js/1.2.1/gauge.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="geo-location-javascript" data-library-keywords="geolocation" id="geo-location-javascript" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/geo-location-javascript"> geo-location-javascript </a> <meta itemprop="url" content="http:&#x2F;&#x2F;code.google.com&#x2F;p&#x2F;geo-location-javascript&#x2F;" /> <meta itemprop="version" content="0.4.8" /> <!-- hidden text for searching --> <div style="display: none;"> geolocation </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="geo-location-javascript" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/geo-location-javascript/0.4.8/geo-min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="geocomplete" data-library-keywords="geocomplete, turntable, lazy, susan, carousel, 3d" id="geocomplete" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/geocomplete"> geocomplete </a> <meta itemprop="url" content="http:&#x2F;&#x2F;ubilabs.github.io&#x2F;geocomplete&#x2F;" /> <meta itemprop="version" content="1.6.5" /> <!-- hidden text for searching --> <div style="display: none;"> geocomplete, turntable, lazy, susan, carousel, 3d </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="geocomplete" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/geocomplete/1.6.5/jquery.geocomplete.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="geoext" data-library-keywords="gis, geospatial, geoext, map, openlayers, maps" id="geoext" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/geoext"> geoext </a> <meta itemprop="url" content="http:&#x2F;&#x2F;geoext.org" /> <meta itemprop="version" content="1.1" /> <!-- hidden text for searching --> <div style="display: none;"> gis, geospatial, geoext, map, openlayers, maps </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="geoext" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/geoext/1.1/script&#x2F;GeoExt.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="geojs" data-library-keywords="map, gis, webgl, svg" id="geojs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/geojs"> geojs </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;OpenGeoscience&#x2F;geojs" /> <meta itemprop="version" content="0.6.0" /> <!-- hidden text for searching --> <div style="display: none;"> map, gis, webgl, svg </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="geojs" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/geojs/0.6.0/geo.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="geojson2svg" data-library-keywords="maps, geojson, svg" id="geojson2svg" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/geojson2svg"> geojson2svg </a> <meta itemprop="url" content="" /> <meta itemprop="version" content="1.0.2" /> <!-- hidden text for searching --> <div style="display: none;"> maps, geojson, svg </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="geojson2svg" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/geojson2svg/1.0.2/geojson2svg.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="gh.js" data-library-keywords="github, api, wrapper" id="ghjs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/gh.js"> gh.js </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;IonicaBizau&#x2F;gh.js" /> <meta itemprop="version" content="2.4.1" /> <!-- hidden text for searching --> <div style="display: none;"> github, api, wrapper </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="gh.js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/gh.js/2.4.1/gh.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="gillie" data-library-keywords="mvc, framework, observer, events, api" id="gillie" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/gillie"> gillie </a> <meta itemprop="url" content="http:&#x2F;&#x2F;pablovallejo.github.io&#x2F;gillie" /> <meta itemprop="version" content="0.2.1" /> <!-- hidden text for searching --> <div style="display: none;"> mvc, framework, observer, events, api </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="gillie" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/gillie/0.2.1/gillie.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="gist-embed" data-library-keywords="gist, github, blog, syntax, highlighting" id="gist-embed" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/gist-embed"> gist-embed </a> <meta itemprop="url" content="http:&#x2F;&#x2F;blairvanderhoof.com&#x2F;gist-embed&#x2F;" /> <meta itemprop="version" content="2.4" /> <!-- hidden text for searching --> <div style="display: none;"> gist, github, blog, syntax, highlighting </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="gist-embed" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/gist-embed/2.4/gist-embed.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="github-fork-ribbon-css" data-library-keywords="css, fork, Github, ribbon" id="github-fork-ribbon-css" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/github-fork-ribbon-css"> github-fork-ribbon-css </a> <meta itemprop="url" content="https:&#x2F;&#x2F;simonwhitaker.github.io&#x2F;github-fork-ribbon-css&#x2F;" /> <meta itemprop="version" content="0.1.1" /> <!-- hidden text for searching --> <div style="display: none;"> css, fork, Github, ribbon </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="github-fork-ribbon-css" class="library-column css-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/github-fork-ribbon-css/0.1.1/gh-fork-ribbon.min.css</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="github-org-members.js" data-library-keywords="github, organization, memebers" id="github-org-membersjs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/github-org-members.js"> github-org-members.js </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;IonicaBizau&#x2F;github-org-members.js" /> <meta itemprop="version" content="1.2.1" /> <!-- hidden text for searching --> <div style="display: none;"> github, organization, memebers </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="github-org-members.js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/github-org-members.js/1.2.1/github-org-members.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="github-repo-widget" data-library-keywords="" id="github-repo-widget" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/github-repo-widget"> github-repo-widget </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;JoelSutherland&#x2F;GitHub-jQuery-Repo-Widget" /> <meta itemprop="version" content="e23d85ab8f" /> <!-- hidden text for searching --> <div style="display: none;"> </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="github-repo-widget" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/github-repo-widget/e23d85ab8f/jquery.githubRepoWidget.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="gitter-sidecar" data-library-keywords="gitter, chat, embed, widget" id="gitter-sidecar" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/gitter-sidecar"> gitter-sidecar </a> <meta itemprop="url" content="" /> <meta itemprop="version" content="1.1.3" /> <!-- hidden text for searching --> <div style="display: none;"> gitter, chat, embed, widget </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="gitter-sidecar" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/gitter-sidecar/1.1.3/sidecar.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="gl-matrix" data-library-keywords="math" id="gl-matrix" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/gl-matrix"> gl-matrix </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;toji&#x2F;gl-matrix" /> <meta itemprop="version" content="2.3.1" /> <!-- hidden text for searching --> <div style="display: none;"> math </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="gl-matrix" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/gl-matrix/2.3.1/gl-matrix-min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="Glide.js" data-library-keywords="simple, lightweight, fast, slider, jQuery, CSS3, transitions, touch, responsive" id="Glidejs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/Glide.js"> Glide.js </a> <meta itemprop="url" content="http:&#x2F;&#x2F;glide.jedrzejchalubek.com" /> <meta itemprop="version" content="2.0.6" /> <!-- hidden text for searching --> <div style="display: none;"> simple, lightweight, fast, slider, jQuery, CSS3, transitions, touch, responsive </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="Glide.js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/Glide.js/2.0.6/glide.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="globalize" data-library-keywords="utility, globalization, internationalization, multilingualization, localization, g11n, i18n, m17n, L10n, localize, format, parse, translate, strings, numbers, dates, times, calendars, cultures, languages, locales" id="globalize" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/globalize"> globalize </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;jquery&#x2F;globalize" /> <meta itemprop="version" content="1.1.0" /> <!-- hidden text for searching --> <div style="display: none;"> utility, globalization, internationalization, multilingualization, localization, g11n, i18n, m17n, L10n, localize, format, parse, translate, strings, numbers, dates, times, calendars, cultures, languages, locales </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="globalize" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/globalize/1.1.0/globalize.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="gmaps.js" data-library-keywords="google maps, maps" id="gmapsjs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/gmaps.js"> gmaps.js </a> <meta itemprop="url" content="http:&#x2F;&#x2F;hpneo.github.io&#x2F;gmaps&#x2F;" /> <meta itemprop="version" content="0.4.22" /> <!-- hidden text for searching --> <div style="display: none;"> google maps, maps </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="gmaps.js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/gmaps.js/0.4.22/gmaps.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="gmaps4rails" data-library-keywords="google, maps, overlays" id="gmaps4rails" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/gmaps4rails"> gmaps4rails </a> <meta itemprop="url" content="http:&#x2F;&#x2F;apneadiving.github.io&#x2F;" /> <meta itemprop="version" content="2.1.2" /> <!-- hidden text for searching --> <div style="display: none;"> google, maps, overlays </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="gmaps4rails" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/gmaps4rails/2.1.2/gmaps4rails.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="gorillascript" data-library-keywords="compiler, language" id="gorillascript" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/gorillascript"> gorillascript </a> <meta itemprop="url" content="http:&#x2F;&#x2F;ckknight.github.io&#x2F;gorillascript" /> <meta itemprop="version" content="0.9.10" /> <!-- hidden text for searching --> <div style="display: none;"> compiler, language </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="gorillascript" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/gorillascript/0.9.10/gorillascript.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="graphael" data-library-keywords="chart, charts, charting, popular" id="graphael" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/graphael"> graphael </a> <meta itemprop="url" content="http:&#x2F;&#x2F;g.raphaeljs.com&#x2F;" /> <meta itemprop="version" content="0.5.1" /> <!-- hidden text for searching --> <div style="display: none;"> chart, charts, charting, popular </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="graphael" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/graphael/0.5.1/g.raphael-min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="graphiql" data-library-keywords="" id="graphiql" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/graphiql"> graphiql </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;graphql&#x2F;graphiql" /> <meta itemprop="version" content="0.4.5" /> <!-- hidden text for searching --> <div style="display: none;"> </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="graphiql" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/graphiql/0.4.5/graphiql.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="gremlins.js" data-library-keywords="monkey, test, testing, stress, gremlin" id="gremlinsjs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/gremlins.js"> gremlins.js </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;marmelab&#x2F;gremlins.js" /> <meta itemprop="version" content="0.1.0" /> <!-- hidden text for searching --> <div style="display: none;"> monkey, test, testing, stress, gremlin </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="gremlins.js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/gremlins.js/0.1.0/gremlins.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="gridforms" data-library-keywords="Responsive, Grid, Forms" id="gridforms" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/gridforms"> gridforms </a> <meta itemprop="url" content="kumailht.com&#x2F;gridforms" /> <meta itemprop="version" content="1.0.7" /> <!-- hidden text for searching --> <div style="display: none;"> Responsive, Grid, Forms </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="gridforms" class="library-column css-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/gridforms/1.0.7/gridforms.min.css</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="gridlex" data-library-keywords="grid, Flexbox, css" id="gridlex" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/gridlex"> gridlex </a> <meta itemprop="url" content="" /> <meta itemprop="version" content="2.0.8" /> <!-- hidden text for searching --> <div style="display: none;"> grid, Flexbox, css </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="gridlex" class="library-column css-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/gridlex/2.0.8/gridlex.min.css</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="gridly" data-library-keywords="gridly, grid, css, modern, browsers" id="gridly" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/gridly"> gridly </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;IonicaBizau&#x2F;gridly#readme" /> <meta itemprop="version" content="1.4.1" /> <!-- hidden text for searching --> <div style="display: none;"> gridly, grid, css, modern, browsers </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="gridly" class="library-column css-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/gridly/1.4.1/gridly-col-widths.min.css</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="gridstack.js" data-library-keywords="grid, jQuery, widgets, layout" id="gridstackjs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/gridstack.js"> gridstack.js </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;troolee&#x2F;gridstack.js" /> <meta itemprop="version" content="0.2.3" /> <!-- hidden text for searching --> <div style="display: none;"> grid, jQuery, widgets, layout </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="gridstack.js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/gridstack.js/0.2.3/gridstack.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="gsap" data-library-keywords="animation, TweenLite, TweenMax, TimelineLite, TimelineMax, GSAP, GreenSock, easing, EasePack, jQuery, jquery.gsap.js, Bezier, 3D, 2D, transform, tweening" id="gsap" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/gsap"> gsap </a> <meta itemprop="url" content="http:&#x2F;&#x2F;www.greensock.com&#x2F;gsap-js&#x2F;" /> <meta itemprop="version" content="1.18.2" /> <!-- hidden text for searching --> <div style="display: none;"> animation, TweenLite, TweenMax, TimelineLite, TimelineMax, GSAP, GreenSock, easing, EasePack, jQuery, jquery.gsap.js, Bezier, 3D, 2D, transform, tweening </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="gsap" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/gsap/1.18.2/TweenMax.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="gulp" data-library-keywords="" id="gulp" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/gulp"> gulp </a> <meta itemprop="url" content="http:&#x2F;&#x2F;gulpjs.com" /> <meta itemprop="version" content="3.8.5" /> <!-- hidden text for searching --> <div style="display: none;"> </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="gulp" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/gulp/3.8.5/gulp.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="gumby" data-library-keywords="css, gumby, responsive" id="gumby" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/gumby"> gumby </a> <meta itemprop="url" content="http:&#x2F;&#x2F;gumbyframework.com&#x2F;" /> <meta itemprop="version" content="2.6.0" /> <!-- hidden text for searching --> <div style="display: none;"> css, gumby, responsive </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="gumby" class="library-column css-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/gumby/2.6.0/css&#x2F;gumby.min.css</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="h5Validate" data-library-keywords="form, html5, form validation, validation, jquery" id="h5Validate" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/h5Validate"> h5Validate </a> <meta itemprop="url" content="http:&#x2F;&#x2F;ericleads.com&#x2F;h5validate&#x2F;" /> <meta itemprop="version" content="0.8.4" /> <!-- hidden text for searching --> <div style="display: none;"> form, html5, form validation, validation, jquery </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="h5Validate" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/h5Validate/0.8.4/jquery.h5validate.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="hallo.js" data-library-keywords="wysiwyg, popular" id="hallojs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/hallo.js"> hallo.js </a> <meta itemprop="url" content="http:&#x2F;&#x2F;hallojs.org&#x2F;" /> <meta itemprop="version" content="1.1.1" /> <!-- hidden text for searching --> <div style="display: none;"> wysiwyg, popular </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="hallo.js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/hallo.js/1.1.1/hallo.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="hammer.js" data-library-keywords="events, touch, gestures" id="hammerjs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/hammer.js"> hammer.js </a> <meta itemprop="url" content="http:&#x2F;&#x2F;eightmedia.github.com&#x2F;hammer.js&#x2F;" /> <meta itemprop="version" content="2.0.6" /> <!-- hidden text for searching --> <div style="display: none;"> events, touch, gestures </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="hammer.js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/hammer.js/2.0.6/hammer.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="Han" data-library-keywords="CJK, normalize, typography, typesetting" id="Han" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/Han"> Han </a> <meta itemprop="url" content="http:&#x2F;&#x2F;css.hanzi.co&#x2F;" /> <meta itemprop="version" content="3.2.7" /> <!-- hidden text for searching --> <div style="display: none;"> CJK, normalize, typography, typesetting </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="Han" class="library-column css-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/Han/3.2.7/han.min.css</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="handjs" data-library-keywords="pointer, touch, event" id="handjs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/handjs"> handjs </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;deltakosh&#x2F;handjs" /> <meta itemprop="version" content="1.3.11" /> <!-- hidden text for searching --> <div style="display: none;"> pointer, touch, event </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="handjs" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/handjs/1.3.11/hand.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="handlebars.js" data-library-keywords="template, mustache" id="handlebarsjs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/handlebars.js"> handlebars.js </a> <meta itemprop="url" content="http:&#x2F;&#x2F;www.handlebarsjs.com" /> <meta itemprop="version" content="4.0.5" /> <!-- hidden text for searching --> <div style="display: none;"> template, mustache </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="handlebars.js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/handlebars.js/4.0.5/handlebars.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="handsontable" data-library-keywords="grid, datagrid, table, ui, input, ajax, handsontable, spreadsheet" id="handsontable" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/handsontable"> handsontable </a> <meta itemprop="url" content="http:&#x2F;&#x2F;handsontable.com&#x2F;" /> <meta itemprop="version" content="0.21.0" /> <!-- hidden text for searching --> <div style="display: none;"> grid, datagrid, table, ui, input, ajax, handsontable, spreadsheet </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="handsontable" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/handsontable/0.21.0/handsontable.full.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="hasher" data-library-keywords="history, hash, hasher, navigation, browser" id="hasher" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/hasher"> hasher </a> <meta itemprop="url" content="" /> <meta itemprop="version" content="1.2.0" /> <!-- hidden text for searching --> <div style="display: none;"> history, hash, hasher, navigation, browser </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="hasher" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/hasher/1.2.0/hasher.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="hashgrid" data-library-keywords="grid, layout, design, columns" id="hashgrid" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/hashgrid"> hashgrid </a> <meta itemprop="url" content="http:&#x2F;&#x2F;hashgrid.com&#x2F;" /> <meta itemprop="version" content="6" /> <!-- hidden text for searching --> <div style="display: none;"> grid, layout, design, columns </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="hashgrid" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/hashgrid/6/hashgrid.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="he" data-library-keywords="string, entities, entity, html, encode, decode, unicode" id="he" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/he"> he </a> <meta itemprop="url" content="http:&#x2F;&#x2F;mths.be&#x2F;he" /> <meta itemprop="version" content="0.5.0" /> <!-- hidden text for searching --> <div style="display: none;"> string, entities, entity, html, encode, decode, unicode </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="he" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/he/0.5.0/he.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="headhesive" data-library-keywords="header, head, sticky, banner, navigation, nav, scroll" id="headhesive" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/headhesive"> headhesive </a> <meta itemprop="url" content="http:&#x2F;&#x2F;markgoodyear.com&#x2F;labs&#x2F;headhesive" /> <meta itemprop="version" content="1.2.4" /> <!-- hidden text for searching --> <div style="display: none;"> header, head, sticky, banner, navigation, nav, scroll </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="headhesive" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/headhesive/1.2.4/headhesive.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="headjs" data-library-keywords="loader, polyfill, html5, css3, popular" id="headjs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/headjs"> headjs </a> <meta itemprop="url" content="http:&#x2F;&#x2F;headjs.com" /> <meta itemprop="version" content="1.0.3" /> <!-- hidden text for searching --> <div style="display: none;"> loader, polyfill, html5, css3, popular </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="headjs" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/headjs/1.0.3/head.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="headroom" data-library-keywords="header, fixed, scroll, menu" id="headroom" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/headroom"> headroom </a> <meta itemprop="url" content="http:&#x2F;&#x2F;wicky.nillia.ms&#x2F;headroom.js" /> <meta itemprop="version" content="0.7.0" /> <!-- hidden text for searching --> <div style="display: none;"> header, fixed, scroll, menu </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="headroom" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/headroom/0.7.0/headroom.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="helium-css" data-library-keywords="helium, css, scan" id="helium-css" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/helium-css"> helium-css </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;geuis&#x2F;helium-css" /> <meta itemprop="version" content="1.1" /> <!-- hidden text for searching --> <div style="display: none;"> helium, css, scan </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="helium-css" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/helium-css/1.1/helium.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="hellojs" data-library-keywords="oauth, oauth1.0, oauth2, api, facebooks, google, windows, linkedin, twitter" id="hellojs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/hellojs"> hellojs </a> <meta itemprop="url" content="" /> <meta itemprop="version" content="1.10.1" /> <!-- hidden text for searching --> <div style="display: none;"> oauth, oauth1.0, oauth2, api, facebooks, google, windows, linkedin, twitter </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="hellojs" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/hellojs/1.10.1/hello.all.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="hideseek" data-library-keywords="jquery-plugin, live, search, jquery, hideseek" id="hideseek" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/hideseek"> hideseek </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;vdw&#x2F;HideSeek" /> <meta itemprop="version" content="0.6.2" /> <!-- hidden text for searching --> <div style="display: none;"> jquery-plugin, live, search, jquery, hideseek </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="hideseek" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/hideseek/0.6.2/jquery.hideseek.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="hideshowpassword" data-library-keywords="form, forms, input, inputs, password, visibility, jquery-plugin, ecosystem:jquery" id="hideshowpassword" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/hideshowpassword"> hideshowpassword </a> <meta itemprop="url" content="http:&#x2F;&#x2F;cloudfour.github.io&#x2F;hideShowPassword&#x2F;" /> <meta itemprop="version" content="2.0.10" /> <!-- hidden text for searching --> <div style="display: none;"> form, forms, input, inputs, password, visibility, jquery-plugin, ecosystem:jquery </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="hideshowpassword" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/hideshowpassword/2.0.10/hideShowPassword.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="highcharts" data-library-keywords="highcharts, highslide, highsoft, charts, graphs" id="highcharts" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/highcharts"> highcharts </a> <meta itemprop="url" content="http:&#x2F;&#x2F;highcharts.com&#x2F;" /> <meta itemprop="version" content="4.2.1" /> <!-- hidden text for searching --> <div style="display: none;"> highcharts, highslide, highsoft, charts, graphs </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="highcharts" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/highcharts/4.2.1/highcharts.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="highlight.js" data-library-keywords="highlight, syntax highlighter" id="highlightjs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/highlight.js"> highlight.js </a> <meta itemprop="url" content="http:&#x2F;&#x2F;highlightjs.org" /> <meta itemprop="version" content="9.1.0" /> <!-- hidden text for searching --> <div style="display: none;"> highlight, syntax highlighter </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="highlight.js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/highlight.js/9.1.0/highlight.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="highmaps" data-library-keywords="highcharts, highmaps, map, maps" id="highmaps" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/highmaps"> highmaps </a> <meta itemprop="url" content="http:&#x2F;&#x2F;highcharts.com&#x2F;" /> <meta itemprop="version" content="4.2.1" /> <!-- hidden text for searching --> <div style="display: none;"> highcharts, highmaps, map, maps </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="highmaps" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/highmaps/4.2.1/highmaps.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="highstock" data-library-keywords="charts, graphs, time-series" id="highstock" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/highstock"> highstock </a> <meta itemprop="url" content="http:&#x2F;&#x2F;highcharts.com&#x2F;" /> <meta itemprop="version" content="4.2.1" /> <!-- hidden text for searching --> <div style="display: none;"> charts, graphs, time-series </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="highstock" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/highstock/4.2.1/highstock.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="hinclude" data-library-keywords="include" id="hinclude" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/hinclude"> hinclude </a> <meta itemprop="url" content="http:&#x2F;&#x2F;mnot.github.com&#x2F;hinclude&#x2F;" /> <meta itemprop="version" content="0.9.5" /> <!-- hidden text for searching --> <div style="display: none;"> include </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="hinclude" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/hinclude/0.9.5/hinclude.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="hint.css" data-library-keywords="tooltip, ui, sass, css, help, hint" id="hintcss" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/hint.css"> hint.css </a> <meta itemprop="url" content="http:&#x2F;&#x2F;kushagragour.in&#x2F;lab&#x2F;hint&#x2F;" /> <meta itemprop="version" content="1.3.6" /> <!-- hidden text for searching --> <div style="display: none;"> tooltip, ui, sass, css, help, hint </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="hint.css" class="library-column css-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/hint.css/1.3.6/hint.min.css</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="history.js" data-library-keywords="history, state, html5, onhashchange" id="historyjs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/history.js"> history.js </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;browserstate&#x2F;history.js&#x2F;" /> <meta itemprop="version" content="1.8" /> <!-- hidden text for searching --> <div style="display: none;"> history, state, html5, onhashchange </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="history.js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/history.js/1.8/native.history.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="history" data-library-keywords="history, location" id="history" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/history"> history </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;rackt&#x2F;history" /> <meta itemprop="version" content="1.17.0" /> <!-- hidden text for searching --> <div style="display: none;"> history, location </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="history" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/history/1.17.0/History.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="hiw-api" data-library-keywords="hiw, health, indicators, warehouse, health indicators, rest, api, sdk" id="hiw-api" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/hiw-api"> hiw-api </a> <meta itemprop="url" content="http:&#x2F;&#x2F;developers.healthindicators.gov" /> <meta itemprop="version" content="5.2.0" /> <!-- hidden text for searching --> <div style="display: none;"> hiw, health, indicators, warehouse, health indicators, rest, api, sdk </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="hiw-api" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/hiw-api/5.2.0/hiw-api.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="hls.js" data-library-keywords="" id="hlsjs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/hls.js"> hls.js </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;dailymotion&#x2F;hls.js" /> <meta itemprop="version" content="0.4.6" /> <!-- hidden text for searching --> <div style="display: none;"> </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="hls.js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/hls.js/0.4.6/hls.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="hogan.js" data-library-keywords="mustache, template" id="hoganjs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/hogan.js"> hogan.js </a> <meta itemprop="url" content="http:&#x2F;&#x2F;twitter.github.com&#x2F;hogan.js&#x2F;" /> <meta itemprop="version" content="3.0.2" /> <!-- hidden text for searching --> <div style="display: none;"> mustache, template </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="hogan.js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/hogan.js/3.0.2/hogan.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="holder" data-library-keywords="images, placeholders, client-side, canvas, generation, development" id="holder" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/holder"> holder </a> <meta itemprop="url" content="http:&#x2F;&#x2F;imsky.github.io&#x2F;holder&#x2F;" /> <meta itemprop="version" content="2.9.1" /> <!-- hidden text for searching --> <div style="display: none;"> images, placeholders, client-side, canvas, generation, development </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="holder" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/holder/2.9.1/holder.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="hopscotch" data-library-keywords="tour, linkedin" id="hopscotch" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/hopscotch"> hopscotch </a> <meta itemprop="url" content="" /> <meta itemprop="version" content="0.2.5" /> <!-- hidden text for searching --> <div style="display: none;"> tour, linkedin </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="hopscotch" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/hopscotch/0.2.5/js&#x2F;hopscotch.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="horsey" data-library-keywords="horsey, autocomplete, fuzzy-search" id="horsey" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/horsey"> horsey </a> <meta itemprop="url" content="http:&#x2F;&#x2F;bevacqua.github.io&#x2F;horsey&#x2F;" /> <meta itemprop="version" content="3.0.0" /> <!-- hidden text for searching --> <div style="display: none;"> horsey, autocomplete, fuzzy-search </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="horsey" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/horsey/3.0.0/horsey.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="hover.css" data-library-keywords="2d, 3d, CSS, CSS3, animations, effects, transitions" id="hovercss" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/hover.css"> hover.css </a> <meta itemprop="url" content="http:&#x2F;&#x2F;ianlunn.co.uk&#x2F;" /> <meta itemprop="version" content="2.0.2" /> <!-- hidden text for searching --> <div style="display: none;"> 2d, 3d, CSS, CSS3, animations, effects, transitions </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="hover.css" class="library-column css-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/hover.css/2.0.2/css&#x2F;hover-min.css</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="Hoverizr" data-library-keywords="hoverizr, hover" id="Hoverizr" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/Hoverizr"> Hoverizr </a> <meta itemprop="url" content="http:&#x2F;&#x2F;www.iliasiovis.com&#x2F;hoverizr" /> <meta itemprop="version" content="1.0" /> <!-- hidden text for searching --> <div style="display: none;"> hoverizr, hover </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="Hoverizr" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/Hoverizr/1.0/jquery.hoverizr.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="howler" data-library-keywords="audio" id="howler" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/howler"> howler </a> <meta itemprop="url" content="http:&#x2F;&#x2F;howlerjs.com&#x2F;" /> <meta itemprop="version" content="1.1.29" /> <!-- hidden text for searching --> <div style="display: none;"> audio </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="howler" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/howler/1.1.29/howler.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="hprose-html5" data-library-keywords="hprose, rpc, webservice, websocket, http, ajax, json, jsonrpc, cross-language, cross-platform, cross-domain, html5, serialize, serialization, protocol, web, service, framework, library, game, communication, middleware" id="hprose-html5" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/hprose-html5"> hprose-html5 </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;andot&#x2F;hprose" /> <meta itemprop="version" content="2.0.3" /> <!-- hidden text for searching --> <div style="display: none;"> hprose, rpc, webservice, websocket, http, ajax, json, jsonrpc, cross-language, cross-platform, cross-domain, html5, serialize, serialization, protocol, web, service, framework, library, game, communication, middleware </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="hprose-html5" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/hprose-html5/2.0.3/hprose-html5.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="html-gl" data-library-keywords="WebGL, HTML, CSS, JS, performance, NoDOM, 60fps, animations" id="html-gl" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/html-gl"> html-gl </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;PixelsCommander&#x2F;HTML-GL" /> <meta itemprop="version" content="0.3.1" /> <!-- hidden text for searching --> <div style="display: none;"> WebGL, HTML, CSS, JS, performance, NoDOM, 60fps, animations </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="html-gl" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/html-gl/0.3.1/htmlgl.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="html-inspector" data-library-keywords="html, validator, lint, inspector" id="html-inspector" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/html-inspector"> html-inspector </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;philipwalton&#x2F;html-inspector" /> <meta itemprop="version" content="0.8.2" /> <!-- hidden text for searching --> <div style="display: none;"> html, validator, lint, inspector </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="html-inspector" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/html-inspector/0.8.2/html-inspector.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="html.js" data-library-keywords="html, voyeur, DOM, befriend, traverse, manipulate, extend, better, query, element, emmet, native" id="htmljs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/html.js"> html.js </a> <meta itemprop="url" content="http:&#x2F;&#x2F;nbubna.github.io&#x2F;HTML&#x2F;" /> <meta itemprop="version" content="0.12.1" /> <!-- hidden text for searching --> <div style="display: none;"> html, voyeur, DOM, befriend, traverse, manipulate, extend, better, query, element, emmet, native </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="html.js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/html.js/0.12.1/HTML.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="html2canvas" data-library-keywords="canvas, screenshot, html5" id="html2canvas" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/html2canvas"> html2canvas </a> <meta itemprop="url" content="http:&#x2F;&#x2F;html2canvas.hertzen.com&#x2F;" /> <meta itemprop="version" content="0.4.1" /> <!-- hidden text for searching --> <div style="display: none;"> canvas, screenshot, html5 </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="html2canvas" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/html2canvas/0.4.1/html2canvas.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="html5-history-api" data-library-keywords="javascript, html5 history api, hashchange, popstate, pushstate, replacestate, hashes, hashbang, history, html5, devote" id="html5-history-api" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/html5-history-api"> html5-history-api </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;devote&#x2F;HTML5-History-API" /> <meta itemprop="version" content="4.2.5" /> <!-- hidden text for searching --> <div style="display: none;"> javascript, html5 history api, hashchange, popstate, pushstate, replacestate, hashes, hashbang, history, html5, devote </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="html5-history-api" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/html5-history-api/4.2.5/history.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="html5media" data-library-keywords="html5, audio, video, media, ogg, ogv, mp3, mp4, webm" id="html5media" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/html5media"> html5media </a> <meta itemprop="url" content="http:&#x2F;&#x2F;html5media.info&#x2F;" /> <meta itemprop="version" content="1.1.8" /> <!-- hidden text for searching --> <div style="display: none;"> html5, audio, video, media, ogg, ogv, mp3, mp4, webm </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="html5media" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/html5media/1.1.8/html5media.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="html5shiv" data-library-keywords="shim, ie, html5" id="html5shiv" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/html5shiv"> html5shiv </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;aFarkas&#x2F;html5shiv" /> <meta itemprop="version" content="3.7.3" /> <!-- hidden text for searching --> <div style="display: none;"> shim, ie, html5 </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="html5shiv" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/html5shiv/3.7.3/html5shiv.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="html5sortable" data-library-keywords="jquery, sortable, html5, drag and drop" id="html5sortable" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/html5sortable"> html5sortable </a> <meta itemprop="url" content="" /> <meta itemprop="version" content="0.3.1" /> <!-- hidden text for searching --> <div style="display: none;"> jquery, sortable, html5, drag and drop </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="html5sortable" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/html5sortable/0.3.1/html.sortable.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="humane-js" data-library-keywords="humane, humane-js" id="humane-js" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/humane-js"> humane-js </a> <meta itemprop="url" content="http:&#x2F;&#x2F;wavded.github.com&#x2F;humane-js&#x2F;" /> <meta itemprop="version" content="3.2.2" /> <!-- hidden text for searching --> <div style="display: none;"> humane, humane-js </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="humane-js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/humane-js/3.2.2/humane.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="humanize-plus" data-library-keywords="humanize, format, numbers, strings" id="humanize-plus" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/humanize-plus"> humanize-plus </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;HubSpot&#x2F;humanize" /> <meta itemprop="version" content="1.5.0" /> <!-- hidden text for searching --> <div style="display: none;"> humanize, format, numbers, strings </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="humanize-plus" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/humanize-plus/1.5.0/humanize.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="hydna" data-library-keywords="wink, messaging, real-time, hydna, networking, pubsub, websockets" id="hydna" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/hydna"> hydna </a> <meta itemprop="url" content="https:&#x2F;&#x2F;www.hydna.com" /> <meta itemprop="version" content="1.0.1" /> <!-- hidden text for searching --> <div style="display: none;"> wink, messaging, real-time, hydna, networking, pubsub, websockets </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="hydna" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/hydna/1.0.1/hydna.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="hydra.js" data-library-keywords="hydra, hydra.js, modular, modules, scalable" id="hydrajs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/hydra.js"> hydra.js </a> <meta itemprop="url" content="http:&#x2F;&#x2F;tcorral.github.com&#x2F;Hydra.js&#x2F;" /> <meta itemprop="version" content="3.9.12" /> <!-- hidden text for searching --> <div style="display: none;"> hydra, hydra.js, modular, modules, scalable </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="hydra.js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/hydra.js/3.9.12/hydra.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="i18next-browser-languagedetector" data-library-keywords="i18next, i18next-languageDetector" id="i18next-browser-languagedetector" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/i18next-browser-languagedetector"> i18next-browser-languagedetector </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;i18next&#x2F;i18next-browser-languageDetector" /> <meta itemprop="version" content="0.0.14" /> <!-- hidden text for searching --> <div style="display: none;"> i18next, i18next-languageDetector </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="i18next-browser-languagedetector" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/i18next-browser-languagedetector/0.0.14/i18nextBrowserLanguageDetector.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="i18next" data-library-keywords="i18n, internationalisation, clientside, data-i18n" id="i18next" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/i18next"> i18next </a> <meta itemprop="url" content="http:&#x2F;&#x2F;i18next.com&#x2F;" /> <meta itemprop="version" content="2.0.22" /> <!-- hidden text for searching --> <div style="display: none;"> i18n, internationalisation, clientside, data-i18n </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="i18next" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/i18next/2.0.22/i18next.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="i3d3" data-library-keywords="d3, histogram, charting, chart" id="i3d3" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/i3d3"> i3d3 </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;eigenhombre&#x2F;i3d3" /> <meta itemprop="version" content="0.9.1" /> <!-- hidden text for searching --> <div style="display: none;"> d3, histogram, charting, chart </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="i3d3" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/i3d3/0.9.1/i3d3.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="ICanHaz.js" data-library-keywords="templating, mustache, jquery, zepto" id="ICanHazjs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/ICanHaz.js"> ICanHaz.js </a> <meta itemprop="url" content="http:&#x2F;&#x2F;icanhazjs.com" /> <meta itemprop="version" content="0.10.3" /> <!-- hidden text for searching --> <div style="display: none;"> templating, mustache, jquery, zepto </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="ICanHaz.js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/ICanHaz.js/0.10.3/ICanHaz.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="ice" data-library-keywords="ice, rpc, framework, toolkit" id="ice" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/ice"> ice </a> <meta itemprop="url" content="https:&#x2F;&#x2F;zeroc.com&#x2F;" /> <meta itemprop="version" content="3.6.1" /> <!-- hidden text for searching --> <div style="display: none;"> ice, rpc, framework, toolkit </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="ice" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/ice/3.6.1/Ice.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="iCheck" data-library-keywords="checkbox, radio, input, field, form, desktop, mobile, custom, replacement, accessibility, skins, ui, checked, disabled, indeterminate, css3, html5, tiny, lightweight, jquery, zepto" id="iCheck" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/iCheck"> iCheck </a> <meta itemprop="url" content="http:&#x2F;&#x2F;fronteed.com&#x2F;iCheck&#x2F;" /> <meta itemprop="version" content="1.0.2" /> <!-- hidden text for searching --> <div style="display: none;"> checkbox, radio, input, field, form, desktop, mobile, custom, replacement, accessibility, skins, ui, checked, disabled, indeterminate, css3, html5, tiny, lightweight, jquery, zepto </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="iCheck" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/iCheck/1.0.2/icheck.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="icono" data-library-keywords="css, icons, ui, icono" id="icono" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/icono"> icono </a> <meta itemprop="url" content="http:&#x2F;&#x2F;saeedalipoor.github.io&#x2F;icono&#x2F;" /> <meta itemprop="version" content="1.3.0" /> <!-- hidden text for searching --> <div style="display: none;"> css, icons, ui, icono </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="icono" class="library-column css-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/icono/1.3.0/icono.min.css</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="idbwrapper" data-library-keywords="IndexedDB, storage, offline" id="idbwrapper" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/idbwrapper"> idbwrapper </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;jensarps&#x2F;IDBWrapper" /> <meta itemprop="version" content="1.6.1" /> <!-- hidden text for searching --> <div style="display: none;"> IndexedDB, storage, offline </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="idbwrapper" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/idbwrapper/1.6.1/idbstore.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="ie8" data-library-keywords="IE8, addEventListener, dispatchEvent, DOM3, document.createEvent, DOMContentLoaded" id="ie8" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/ie8"> ie8 </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;WebReflection&#x2F;ie8" /> <meta itemprop="version" content="0.3.0" /> <!-- hidden text for searching --> <div style="display: none;"> IE8, addEventListener, dispatchEvent, DOM3, document.createEvent, DOMContentLoaded </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="ie8" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/ie8/0.3.0/ie8.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="iframe-resizer" data-library-keywords="Cross, Domain, Cross-Domain, iFrame, Resizing, Resizer, postMessage, content, resize, height, auto-height, iframe-auto-height, height-iframe, width, mutationObserver, RWD, responsive, responsive-iframe, jquery-plugin" id="iframe-resizer" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/iframe-resizer"> iframe-resizer </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;davidjbradshaw&#x2F;iframe-resizer" /> <meta itemprop="version" content="3.5.1" /> <!-- hidden text for searching --> <div style="display: none;"> Cross, Domain, Cross-Domain, iFrame, Resizing, Resizer, postMessage, content, resize, height, auto-height, iframe-auto-height, height-iframe, width, mutationObserver, RWD, responsive, responsive-iframe, jquery-plugin </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="iframe-resizer" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/iframe-resizer/3.5.1/iframeResizer.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="ifvisible" data-library-keywords="visibility, HTML5, cross, browser, api, UI, idle, status, mousemove, reading, mode, tab, change" id="ifvisible" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/ifvisible"> ifvisible </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;serkanyersen&#x2F;ifvisible.js" /> <meta itemprop="version" content="1.0.6" /> <!-- hidden text for searching --> <div style="display: none;"> visibility, HTML5, cross, browser, api, UI, idle, status, mousemove, reading, mode, tab, change </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="ifvisible" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/ifvisible/1.0.6/ifvisible.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="image-picker" data-library-keywords="Image, Picker, jquery" id="image-picker" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/image-picker"> image-picker </a> <meta itemprop="url" content="http:&#x2F;&#x2F;rvera.github.com&#x2F;image-picker" /> <meta itemprop="version" content="0.2.4" /> <!-- hidden text for searching --> <div style="display: none;"> Image, Picker, jquery </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="image-picker" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/image-picker/0.2.4/image-picker.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="imager.js" data-library-keywords="responsive, srcset, images, resize, polyfill, shim, img, PictureFill" id="imagerjs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/imager.js"> imager.js </a> <meta itemprop="url" content="" /> <meta itemprop="version" content="0.5.0" /> <!-- hidden text for searching --> <div style="display: none;"> responsive, srcset, images, resize, polyfill, shim, img, PictureFill </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="imager.js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/imager.js/0.5.0/Imager.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="imagine.js" data-library-keywords="html5, canvas, shapes, imagine js, library" id="imaginejs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/imagine.js"> imagine.js </a> <meta itemprop="url" content="http:&#x2F;&#x2F;vladakilov.github.io&#x2F;imagine&#x2F;" /> <meta itemprop="version" content="0.1.0" /> <!-- hidden text for searching --> <div style="display: none;"> html5, canvas, shapes, imagine js, library </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="imagine.js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/imagine.js/0.1.0/imagine.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="imgareaselect" data-library-keywords="image, area, select, crop, cropper" id="imgareaselect" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/imgareaselect"> imgareaselect </a> <meta itemprop="url" content="" /> <meta itemprop="version" content="0.9.10" /> <!-- hidden text for searching --> <div style="display: none;"> image, area, select, crop, cropper </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="imgareaselect" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/imgareaselect/0.9.10/js&#x2F;jquery.imgareaselect.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="imgLiquid" data-library-keywords="resize, image, images, fit, responsive, fill, container, img, thumbnails" id="imgLiquid" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/imgLiquid"> imgLiquid </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;karacas&#x2F;imgLiquid" /> <meta itemprop="version" content="0.9.944" /> <!-- hidden text for searching --> <div style="display: none;"> resize, image, images, fit, responsive, fill, container, img, thumbnails </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="imgLiquid" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/imgLiquid/0.9.944/js&#x2F;imgLiquid-min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="immstruct" data-library-keywords="immutable, unidirectional flow, cursors, components, immutable, structure, datastructures, properties" id="immstruct" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/immstruct"> immstruct </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;omniscientjs&#x2F;immstruct" /> <meta itemprop="version" content="2.0.0" /> <!-- hidden text for searching --> <div style="display: none;"> immutable, unidirectional flow, cursors, components, immutable, structure, datastructures, properties </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="immstruct" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/immstruct/2.0.0/immstruct.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="immutable" data-library-keywords="immutable, persistent, lazy, data, datastructure, functional, collection, stateless, sequence, iteration" id="immutable" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/immutable"> immutable </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;facebook&#x2F;immutable-js" /> <meta itemprop="version" content="3.7.6" /> <!-- hidden text for searching --> <div style="display: none;"> immutable, persistent, lazy, data, datastructure, functional, collection, stateless, sequence, iteration </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="immutable" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/immutable/3.7.6/immutable.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="impress.js" data-library-keywords="slideshow, slides, css3" id="impressjs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/impress.js"> impress.js </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;impress&#x2F;impress.js" /> <meta itemprop="version" content="0.5.3" /> <!-- hidden text for searching --> <div style="display: none;"> slideshow, slides, css3 </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="impress.js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/impress.js/0.5.3/impress.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="incremental-dom" data-library-keywords="incremental, dom" id="incremental-dom" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/incremental-dom"> incremental-dom </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;google&#x2F;incremental-dom#readme" /> <meta itemprop="version" content="0.3.0" /> <!-- hidden text for searching --> <div style="display: none;"> incremental, dom </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="incremental-dom" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/incremental-dom/0.3.0/incremental-dom-min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="infect" data-library-keywords="dependency injection, dependency, injection, di, inverse of control, ioc, inject, infect" id="infect" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/infect"> infect </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;amwmedia&#x2F;infect.js" /> <meta itemprop="version" content="0.4.6" /> <!-- hidden text for searching --> <div style="display: none;"> dependency injection, dependency, injection, di, inverse of control, ioc, inject, infect </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="infect" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/infect/0.4.6/infect.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="infinity" data-library-keywords="infinite, scroll, infinity, UITableView, ListView" id="infinity" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/infinity"> infinity </a> <meta itemprop="url" content="http:&#x2F;&#x2F;airbnb.github.com&#x2F;infinity" /> <meta itemprop="version" content="0.2.2" /> <!-- hidden text for searching --> <div style="display: none;"> infinite, scroll, infinity, UITableView, ListView </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="infinity" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/infinity/0.2.2/infinity.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="ink" data-library-keywords="ink, SAPO, responsive, framework, ui" id="ink" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/ink"> ink </a> <meta itemprop="url" content="http:&#x2F;&#x2F;ink.sapo.pt&#x2F;" /> <meta itemprop="version" content="3.1.10" /> <!-- hidden text for searching --> <div style="display: none;"> ink, SAPO, responsive, framework, ui </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="ink" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/ink/3.1.10/js&#x2F;ink-all.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="insightjs" data-library-keywords="visualization, insight, svg, animation, canvas, chart, dimensional, crossfilter, d3" id="insightjs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/insightjs"> insightjs </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;scottlogic&#x2F;insight" /> <meta itemprop="version" content="1.4.0" /> <!-- hidden text for searching --> <div style="display: none;"> visualization, insight, svg, animation, canvas, chart, dimensional, crossfilter, d3 </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="insightjs" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/insightjs/1.4.0/insight.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="inspire-tree" data-library-keywords="performance-driven, javascript-based, tree" id="inspire-tree" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/inspire-tree"> inspire-tree </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;helion3&#x2F;inspire-tree#readme" /> <meta itemprop="version" content="1.2.4" /> <!-- hidden text for searching --> <div style="display: none;"> performance-driven, javascript-based, tree </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="inspire-tree" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/inspire-tree/1.2.4/inspire-tree.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="instantclick" data-library-keywords="ajax, preload, pjax, history" id="instantclick" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/instantclick"> instantclick </a> <meta itemprop="url" content="instantclick.io" /> <meta itemprop="version" content="3.0.1" /> <!-- hidden text for searching --> <div style="display: none;"> ajax, preload, pjax, history </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="instantclick" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/instantclick/3.0.1/instantclick.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="instantsearch.js" data-library-keywords="" id="instantsearchjs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/instantsearch.js"> instantsearch.js </a> <meta itemprop="url" content="" /> <meta itemprop="version" content="1.1.3" /> <!-- hidden text for searching --> <div style="display: none;"> </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="instantsearch.js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/instantsearch.js/1.1.3/instantsearch.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="interact.js" data-library-keywords="interact.js, draggable, droppable, drag, drop, drag and drop, resize, touch, multi-touch, gesture, snap, inertia, grid, autoscroll, SVG" id="interactjs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/interact.js"> interact.js </a> <meta itemprop="url" content="http:&#x2F;&#x2F;interactjs.io" /> <meta itemprop="version" content="1.2.6" /> <!-- hidden text for searching --> <div style="display: none;"> interact.js, draggable, droppable, drag, drop, drag and drop, resize, touch, multi-touch, gesture, snap, inertia, grid, autoscroll, SVG </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="interact.js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/interact.js/1.2.6/interact.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="intercom.js" data-library-keywords="intercom.js, intercom, js" id="intercomjs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/intercom.js"> intercom.js </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;diy&#x2F;intercom.js" /> <meta itemprop="version" content="0.1.4" /> <!-- hidden text for searching --> <div style="display: none;"> intercom.js, intercom, js </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="intercom.js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/intercom.js/0.1.4/intercom.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="interpolate.js" data-library-keywords="" id="interpolatejs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/interpolate.js"> interpolate.js </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;toddmotto&#x2F;interpolate" /> <meta itemprop="version" content="1.1.0" /> <!-- hidden text for searching --> <div style="display: none;"> </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="interpolate.js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/interpolate.js/1.1.0/interpolate.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="intl-tel-input" data-library-keywords="international, i18n, country, dial, code, telephone, mobile, input, flag" id="intl-tel-input" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/intl-tel-input"> intl-tel-input </a> <meta itemprop="url" content="http:&#x2F;&#x2F;jackocnr.com&#x2F;intl-tel-input.html" /> <meta itemprop="version" content="7.1.1" /> <!-- hidden text for searching --> <div style="display: none;"> international, i18n, country, dial, code, telephone, mobile, input, flag </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="intl-tel-input" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/intl-tel-input/7.1.1/js&#x2F;intlTelInput.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="intro.js" data-library-keywords="intro.js, tutorial, step-by-step guide, introductions" id="introjs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/intro.js"> intro.js </a> <meta itemprop="url" content="http:&#x2F;&#x2F;usablica.github.com&#x2F;intro.js&#x2F;" /> <meta itemprop="version" content="1.1.1" /> <!-- hidden text for searching --> <div style="display: none;"> intro.js, tutorial, step-by-step guide, introductions </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="intro.js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/intro.js/1.1.1/intro.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="ion-rangeslider" data-library-keywords="jquery-plugin, ecosystem:jquery, jquery, form, input, range, slider, rangeslider, interface, diapason, ui, noui, skins" id="ion-rangeslider" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/ion-rangeslider"> ion-rangeslider </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;IonDen&#x2F;ion.rangeSlider" /> <meta itemprop="version" content="2.1.2" /> <!-- hidden text for searching --> <div style="display: none;"> jquery-plugin, ecosystem:jquery, jquery, form, input, range, slider, rangeslider, interface, diapason, ui, noui, skins </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="ion-rangeslider" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/ion-rangeslider/2.1.2/js&#x2F;ion.rangeSlider.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="ionic" data-library-keywords="html5, mobile" id="ionic" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/ionic"> ionic </a> <meta itemprop="url" content="" /> <meta itemprop="version" content="1.2.4" /> <!-- hidden text for searching --> <div style="display: none;"> html5, mobile </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="ionic" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/ionic/1.2.4/js&#x2F;ionic.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="ionicons" data-library-keywords="font, icon" id="ionicons" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/ionicons"> ionicons </a> <meta itemprop="url" content="" /> <meta itemprop="version" content="2.0.1" /> <!-- hidden text for searching --> <div style="display: none;"> font, icon </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="ionicons" class="library-column css-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/ionicons/2.0.1/css&#x2F;ionicons.min.css</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="is_js" data-library-keywords="" id="is_js" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/is_js"> is_js </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;arasatasaygin&#x2F;is.js" /> <meta itemprop="version" content="0.8.0" /> <!-- hidden text for searching --> <div style="display: none;"> </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="is_js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/is_js/0.8.0/is.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="iScroll" data-library-keywords="scrolling, carousel, zoom, iphone, android, mobile, desktop" id="iScroll" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/iScroll"> iScroll </a> <meta itemprop="url" content="http:&#x2F;&#x2F;cubiq.org&#x2F;iscroll-4" /> <meta itemprop="version" content="5.1.3" /> <!-- hidden text for searching --> <div style="display: none;"> scrolling, carousel, zoom, iphone, android, mobile, desktop </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="iScroll" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/iScroll/5.1.3/iscroll.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="ixjs" data-library-keywords="LINQ, Array, Query, Enumerable" id="ixjs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/ixjs"> ixjs </a> <meta itemprop="url" content="http:&#x2F;&#x2F;rx.codeplex.com" /> <meta itemprop="version" content="1.0.6" /> <!-- hidden text for searching --> <div style="display: none;"> LINQ, Array, Query, Enumerable </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="ixjs" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/ixjs/1.0.6/ix.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jade" data-library-keywords="template, jade" id="jade" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jade"> jade </a> <meta itemprop="url" content="http:&#x2F;&#x2F;jade-lang.com&#x2F;" /> <meta itemprop="version" content="1.11.0" /> <!-- hidden text for searching --> <div style="display: none;"> template, jade </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jade" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jade/1.11.0/jade.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jasmine-ajax" data-library-keywords="bdd, testing, ajax" id="jasmine-ajax" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jasmine-ajax"> jasmine-ajax </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;jasmine&#x2F;jasmine-ajax&#x2F;" /> <meta itemprop="version" content="3.2.0" /> <!-- hidden text for searching --> <div style="display: none;"> bdd, testing, ajax </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jasmine-ajax" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jasmine-ajax/3.2.0/mock-ajax.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jasmine" data-library-keywords="bdd, testing" id="jasmine" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jasmine"> jasmine </a> <meta itemprop="url" content="http:&#x2F;&#x2F;jasmine.github.io&#x2F;" /> <meta itemprop="version" content="2.4.1" /> <!-- hidden text for searching --> <div style="display: none;"> bdd, testing </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jasmine" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jasmine/2.4.1/jasmine.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jasny-bootstrap" data-library-keywords="twitter bootstrap, bootstrap, css" id="jasny-bootstrap" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jasny-bootstrap"> jasny-bootstrap </a> <meta itemprop="url" content="http:&#x2F;&#x2F;jasny.github.com&#x2F;bootstrap&#x2F;" /> <meta itemprop="version" content="3.1.3" /> <!-- hidden text for searching --> <div style="display: none;"> twitter bootstrap, bootstrap, css </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jasny-bootstrap" class="library-column css-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jasny-bootstrap/3.1.3/css&#x2F;jasny-bootstrap.min.css</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="javascript-canvas-to-blob" data-library-keywords="javascript, canvas, blob, convert, conversion" id="javascript-canvas-to-blob" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/javascript-canvas-to-blob"> javascript-canvas-to-blob </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;blueimp&#x2F;JavaScript-Canvas-to-Blob" /> <meta itemprop="version" content="3.1.0" /> <!-- hidden text for searching --> <div style="display: none;"> javascript, canvas, blob, convert, conversion </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="javascript-canvas-to-blob" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/javascript-canvas-to-blob/3.1.0/js&#x2F;canvas-to-blob.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="javascript-state-machine" data-library-keywords="state-machine, fsm" id="javascript-state-machine" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/javascript-state-machine"> javascript-state-machine </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;jakesgordon&#x2F;javascript-state-machine" /> <meta itemprop="version" content="2.0.0" /> <!-- hidden text for searching --> <div style="display: none;"> state-machine, fsm </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="javascript-state-machine" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/javascript-state-machine/2.0.0/state-machine.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jbone" data-library-keywords="jquery, jbone, backbone, javascript, DOM, events, library" id="jbone" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jbone"> jbone </a> <meta itemprop="url" content="http:&#x2F;&#x2F;jbone.js.org" /> <meta itemprop="version" content="1.1.2" /> <!-- hidden text for searching --> <div style="display: none;"> jquery, jbone, backbone, javascript, DOM, events, library </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jbone" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jbone/1.1.2/jbone.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jcalculator" data-library-keywords="calculator, jquery, input" id="jcalculator" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jcalculator"> jcalculator </a> <meta itemprop="url" content="http:&#x2F;&#x2F;mariusbalaj.com&#x2F;dev&#x2F;jcalculator&#x2F;" /> <meta itemprop="version" content="1403955268" /> <!-- hidden text for searching --> <div style="display: none;"> calculator, jquery, input </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jcalculator" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jcalculator/1403955268/jcalculator.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jcanvas" data-library-keywords="canvas, html5, jquery, events, animation" id="jcanvas" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jcanvas"> jcanvas </a> <meta itemprop="url" content="http:&#x2F;&#x2F;projects.calebevans.me&#x2F;jcanvas&#x2F;" /> <meta itemprop="version" content="15.12.12" /> <!-- hidden text for searching --> <div style="display: none;"> canvas, html5, jquery, events, animation </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jcanvas" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jcanvas/15.12.12/jcanvas.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jcarousel" data-library-keywords="carousel, slideshow, animation" id="jcarousel" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jcarousel"> jcarousel </a> <meta itemprop="url" content="http:&#x2F;&#x2F;sorgalla.com&#x2F;jcarousel&#x2F;" /> <meta itemprop="version" content="0.3.4" /> <!-- hidden text for searching --> <div style="display: none;"> carousel, slideshow, animation </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jcarousel" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jcarousel/0.3.4/jquery.jcarousel.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jeditable.js" data-library-keywords="editable, jquery" id="jeditablejs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jeditable.js"> jeditable.js </a> <meta itemprop="url" content="http:&#x2F;&#x2F;www.appelsiini.net&#x2F;projects&#x2F;jeditable" /> <meta itemprop="version" content="1.7.3" /> <!-- hidden text for searching --> <div style="display: none;"> editable, jquery </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jeditable.js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jeditable.js/1.7.3/jeditable.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jets" data-library-keywords="css, search, list, jets, Jets.js" id="jets" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jets"> jets </a> <meta itemprop="url" content="http:&#x2F;&#x2F;nexts.github.io&#x2F;Jets.js&#x2F;" /> <meta itemprop="version" content="0.6.0" /> <!-- hidden text for searching --> <div style="display: none;"> css, search, list, jets, Jets.js </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jets" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jets/0.6.0/jets.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jic" data-library-keywords="image, compressor, javascript, canvas, file, api, jpeg, png" id="jic" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jic"> jic </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;brunobar79&#x2F;J-I-C" /> <meta itemprop="version" content="1.1.1" /> <!-- hidden text for searching --> <div style="display: none;"> image, compressor, javascript, canvas, file, api, jpeg, png </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jic" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jic/1.1.1/JIC.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jinplace" data-library-keywords="jquery-plugin, inline, edit, form" id="jinplace" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jinplace"> jinplace </a> <meta itemprop="url" content="https:&#x2F;&#x2F;bitbucket.org&#x2F;itinken&#x2F;jinplace" /> <meta itemprop="version" content="1.2.1" /> <!-- hidden text for searching --> <div style="display: none;"> jquery-plugin, inline, edit, form </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jinplace" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jinplace/1.2.1/jinplace.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jit" data-library-keywords="jit, thejit, InfoVis, data, visualization" id="jit" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jit"> jit </a> <meta itemprop="url" content="http:&#x2F;&#x2F;thejit.org" /> <meta itemprop="version" content="2.0.2" /> <!-- hidden text for searching --> <div style="display: none;"> jit, thejit, InfoVis, data, visualization </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jit" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jit/2.0.2/jit.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jmpress" data-library-keywords="" id="jmpress" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jmpress"> jmpress </a> <meta itemprop="url" content="http:&#x2F;&#x2F;jmpressjs.github.com&#x2F;jmpress.js" /> <meta itemprop="version" content="0.4.5" /> <!-- hidden text for searching --> <div style="display: none;"> </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jmpress" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jmpress/0.4.5/jmpress.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jo" data-library-keywords="mobile, framework" id="jo" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jo"> jo </a> <meta itemprop="url" content="http:&#x2F;&#x2F;joapp.com" /> <meta itemprop="version" content="0.4.1" /> <!-- hidden text for searching --> <div style="display: none;"> mobile, framework </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jo" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jo/0.4.1/jo.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jointjs" data-library-keywords="diagram, flowchart, graph, visualization" id="jointjs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jointjs"> jointjs </a> <meta itemprop="url" content="http:&#x2F;&#x2F;jointjs.com" /> <meta itemprop="version" content="0.9.7" /> <!-- hidden text for searching --> <div style="display: none;"> diagram, flowchart, graph, visualization </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jointjs" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jointjs/0.9.7/joint.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="joopl" data-library-keywords="joopl, oop, object-oriented" id="joopl" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/joopl"> joopl </a> <meta itemprop="url" content="http:&#x2F;&#x2F;mfidemraizer.github.io&#x2F;joopl" /> <meta itemprop="version" content="2.3.0" /> <!-- hidden text for searching --> <div style="display: none;"> joopl, oop, object-oriented </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="joopl" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/joopl/2.3.0/joopl.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="joyride" data-library-keywords="" id="joyride" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/joyride"> joyride </a> <meta itemprop="url" content="http:&#x2F;&#x2F;zurb.com&#x2F;playground&#x2F;jquery-joyride-feature-tour-plugin" /> <meta itemprop="version" content="2.1.0" /> <!-- hidden text for searching --> <div style="display: none;"> </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="joyride" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/joyride/2.1.0/jquery.joyride.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jplayer" data-library-keywords="framework, audio, video, html5" id="jplayer" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jplayer"> jplayer </a> <meta itemprop="url" content="http:&#x2F;&#x2F;www.jplayer.org&#x2F;" /> <meta itemprop="version" content="2.9.2" /> <!-- hidden text for searching --> <div style="display: none;"> framework, audio, video, html5 </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jplayer" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jplayer/2.9.2/jplayer&#x2F;jquery.jplayer.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jplist" data-library-keywords="pagination, paging, search, filter, filtering, sort, sorting" id="jplist" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jplist"> jplist </a> <meta itemprop="url" content="http:&#x2F;&#x2F;jplist.com" /> <meta itemprop="version" content="5.1.38" /> <!-- hidden text for searching --> <div style="display: none;"> pagination, paging, search, filter, filtering, sort, sorting </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jplist" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jplist/5.1.38/jplist.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jq-console" data-library-keywords="terminal, shell, jquery, plugin, console" id="jq-console" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jq-console"> jq-console </a> <meta itemprop="url" content="http:&#x2F;&#x2F;repl.it&#x2F;" /> <meta itemprop="version" content="2.7.7" /> <!-- hidden text for searching --> <div style="display: none;"> terminal, shell, jquery, plugin, console </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jq-console" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jq-console/2.7.7/jqconsole.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jqBootstrapValidation" data-library-keywords="jquery, validation, plugin, form, bootstrap" id="jqBootstrapValidation" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jqBootstrapValidation"> jqBootstrapValidation </a> <meta itemprop="url" content="http:&#x2F;&#x2F;reactiveraven.github.com&#x2F;jqBootstrapValidation" /> <meta itemprop="version" content="1.3.7" /> <!-- hidden text for searching --> <div style="display: none;"> jquery, validation, plugin, form, bootstrap </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jqBootstrapValidation" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jqBootstrapValidation/1.3.7/jqBootstrapValidation.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jqcloud" data-library-keywords="visualization, text" id="jqcloud" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jqcloud"> jqcloud </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;lucaong&#x2F;jQCloud" /> <meta itemprop="version" content="1.0.4" /> <!-- hidden text for searching --> <div style="display: none;"> visualization, text </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jqcloud" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jqcloud/1.0.4/jqcloud-1.0.4.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jqgrid" data-library-keywords="grid, jquery" id="jqgrid" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jqgrid"> jqgrid </a> <meta itemprop="url" content="http:&#x2F;&#x2F;www.trirand.com&#x2F;blog&#x2F;" /> <meta itemprop="version" content="4.6.0" /> <!-- hidden text for searching --> <div style="display: none;"> grid, jquery </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jqgrid" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jqgrid/4.6.0/js&#x2F;jquery.jqGrid.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jqlouds" data-library-keywords="clouds, decoration, jQuery, interface, animation" id="jqlouds" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jqlouds"> jqlouds </a> <meta itemprop="url" content="https:&#x2F;&#x2F;enricodeleo.github.io&#x2F;jqlouds" /> <meta itemprop="version" content="0.2.3" /> <!-- hidden text for searching --> <div style="display: none;"> clouds, decoration, jQuery, interface, animation </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jqlouds" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jqlouds/0.2.3/jquery.jqlouds.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jqModal" data-library-keywords="jquery, dialog" id="jqModal" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jqModal"> jqModal </a> <meta itemprop="url" content="http:&#x2F;&#x2F;jquery.iceburg.net&#x2F;jqModal&#x2F;" /> <meta itemprop="version" content="1.4.1" /> <!-- hidden text for searching --> <div style="display: none;"> jquery, dialog </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jqModal" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jqModal/1.4.1/jqModal.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jqPlot" data-library-keywords="chart, charts, charting, popular" id="jqPlot" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jqPlot"> jqPlot </a> <meta itemprop="url" content="http:&#x2F;&#x2F;www.jqplot.com&#x2F;" /> <meta itemprop="version" content="1.0.8" /> <!-- hidden text for searching --> <div style="display: none;"> chart, charts, charting, popular </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jqPlot" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jqPlot/1.0.8/jquery.jqplot.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jqplugin" data-library-keywords="flash, java, pdf, quicktime, realplayer, silverlight, shockwave" id="jqplugin" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jqplugin"> jqplugin </a> <meta itemprop="url" content="https:&#x2F;&#x2F;code.google.com&#x2F;p&#x2F;jqplugin&#x2F;" /> <meta itemprop="version" content="1.0.2" /> <!-- hidden text for searching --> <div style="display: none;"> flash, java, pdf, quicktime, realplayer, silverlight, shockwave </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jqplugin" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jqplugin/1.0.2/jquery.jqplugin.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jQRangeSlider" data-library-keywords="date, slider, range, value, selection, select, ui, widget, number, scroll" id="jQRangeSlider" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jQRangeSlider"> jQRangeSlider </a> <meta itemprop="url" content="http:&#x2F;&#x2F;ghusse.github.com&#x2F;jQRangeSlider&#x2F;" /> <meta itemprop="version" content="5.7.2" /> <!-- hidden text for searching --> <div style="display: none;"> date, slider, range, value, selection, select, ui, widget, number, scroll </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jQRangeSlider" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jQRangeSlider/5.7.2/jQRangeSlider.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jqtree" data-library-keywords="jquery-plugin, tree" id="jqtree" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jqtree"> jqtree </a> <meta itemprop="url" content="https:&#x2F;&#x2F;mbraak.github.io&#x2F;jqTree&#x2F;" /> <meta itemprop="version" content="1.3.0" /> <!-- hidden text for searching --> <div style="display: none;"> jquery-plugin, tree </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jqtree" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jqtree/1.3.0/tree.jquery.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jquery_lazyload" data-library-keywords="jquery-plugin, ecosystem:jquery" id="jquery_lazyload" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jquery_lazyload"> jquery_lazyload </a> <meta itemprop="url" content="" /> <meta itemprop="version" content="1.9.7" /> <!-- hidden text for searching --> <div style="display: none;"> jquery-plugin, ecosystem:jquery </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jquery_lazyload" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jquery_lazyload/1.9.7/jquery.lazyload.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jquery-ajaxchimp" data-library-keywords="mailchimp, ajax, email, form, jsonp" id="jquery-ajaxchimp" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jquery-ajaxchimp"> jquery-ajaxchimp </a> <meta itemprop="url" content="" /> <meta itemprop="version" content="1.3.0" /> <!-- hidden text for searching --> <div style="display: none;"> mailchimp, ajax, email, form, jsonp </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jquery-ajaxchimp" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jquery-ajaxchimp/1.3.0/jquery.ajaxchimp.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jquery-ajaxtransport-xdomainrequest" data-library-keywords="ajax, cors, jquery, xdomainrequest, ajaxtransport, ie8, ie9" id="jquery-ajaxtransport-xdomainrequest" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jquery-ajaxtransport-xdomainrequest"> jquery-ajaxtransport-xdomainrequest </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;MoonScript&#x2F;jQuery-ajaxTransport-XDomainRequest" /> <meta itemprop="version" content="1.0.3" /> <!-- hidden text for searching --> <div style="display: none;"> ajax, cors, jquery, xdomainrequest, ajaxtransport, ie8, ie9 </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jquery-ajaxtransport-xdomainrequest" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jquery-ajaxtransport-xdomainrequest/1.0.3/jquery.xdomainrequest.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jquery-backstretch" data-library-keywords="jquery, background, photo, stretch" id="jquery-backstretch" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jquery-backstretch"> jquery-backstretch </a> <meta itemprop="url" content="http:&#x2F;&#x2F;srobbin.com&#x2F;jquery-plugins&#x2F;backstretch&#x2F;" /> <meta itemprop="version" content="2.0.4" /> <!-- hidden text for searching --> <div style="display: none;"> jquery, background, photo, stretch </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jquery-backstretch" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jquery-backstretch/2.0.4/jquery.backstretch.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jquery-boilerplate" data-library-keywords="jquery-plugin, jquery, boilerplate, plugins" id="jquery-boilerplate" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jquery-boilerplate"> jquery-boilerplate </a> <meta itemprop="url" content="http:&#x2F;&#x2F;jqueryboilerplate.com" /> <meta itemprop="version" content="4.0.0" /> <!-- hidden text for searching --> <div style="display: none;"> jquery-plugin, jquery, boilerplate, plugins </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jquery-boilerplate" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jquery-boilerplate/4.0.0/jquery.boilerplate.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jquery-bootgrid" data-library-keywords="jquery-plugin, jQuery, Bootstrap, Plugin, Component, Control, UI, Grid, Table, Data, Sorting, Filtering, HTML5, Accessibility" id="jquery-bootgrid" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jquery-bootgrid"> jquery-bootgrid </a> <meta itemprop="url" content="http:&#x2F;&#x2F;www.jquery-bootgrid.com" /> <meta itemprop="version" content="1.3.1" /> <!-- hidden text for searching --> <div style="display: none;"> jquery-plugin, jQuery, Bootstrap, Plugin, Component, Control, UI, Grid, Table, Data, Sorting, Filtering, HTML5, Accessibility </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jquery-bootgrid" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jquery-bootgrid/1.3.1/jquery.bootgrid.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jquery-bootpag" data-library-keywords="pagination, bootstrap, jquery-plugin, ecosystem:jquery" id="jquery-bootpag" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jquery-bootpag"> jquery-bootpag </a> <meta itemprop="url" content="http:&#x2F;&#x2F;botmonster.com&#x2F;jquery-bootpag&#x2F;" /> <meta itemprop="version" content="1.0.4" /> <!-- hidden text for searching --> <div style="display: none;"> pagination, bootstrap, jquery-plugin, ecosystem:jquery </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jquery-bootpag" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jquery-bootpag/1.0.4/jquery.bootpag.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jquery-browser" data-library-keywords="browser, jquery, desktop, detect" id="jquery-browser" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jquery-browser"> jquery-browser </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;gabceb&#x2F;jquery-browser-plugin" /> <meta itemprop="version" content="0.1.0" /> <!-- hidden text for searching --> <div style="display: none;"> browser, jquery, desktop, detect </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jquery-browser" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jquery-browser/0.1.0/jquery.browser.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jquery-circle-progress" data-library-keywords="jquery, canvas, progress-bar" id="jquery-circle-progress" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jquery-circle-progress"> jquery-circle-progress </a> <meta itemprop="url" content="" /> <meta itemprop="version" content="1.1.3" /> <!-- hidden text for searching --> <div style="display: none;"> jquery, canvas, progress-bar </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jquery-circle-progress" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jquery-circle-progress/1.1.3/circle-progress.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jquery-color" data-library-keywords="jquery, color" id="jquery-color" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jquery-color"> jquery-color </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;jquery&#x2F;jquery-color" /> <meta itemprop="version" content="2.1.2" /> <!-- hidden text for searching --> <div style="display: none;"> jquery, color </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jquery-color" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jquery-color/2.1.2/jquery.color.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jquery-contextify" data-library-keywords="jquery, context, menu" id="jquery-contextify" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jquery-contextify"> jquery-contextify </a> <meta itemprop="url" content="http:&#x2F;&#x2F;contextify.donlabs.com" /> <meta itemprop="version" content="1.0.5" /> <!-- hidden text for searching --> <div style="display: none;"> jquery, context, menu </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jquery-contextify" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jquery-contextify/1.0.5/jquery.contextify.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jquery-contextmenu" data-library-keywords="jquery, contextmenu, menu, context" id="jquery-contextmenu" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jquery-contextmenu"> jquery-contextmenu </a> <meta itemprop="url" content="http:&#x2F;&#x2F;swisnl.github.io&#x2F;jQuery-contextMenu&#x2F;" /> <meta itemprop="version" content="2.1.0" /> <!-- hidden text for searching --> <div style="display: none;"> jquery, contextmenu, menu, context </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jquery-contextmenu" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jquery-contextmenu/2.1.0/jquery.contextMenu.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jquery-cookie" data-library-keywords="jquery, cookie" id="jquery-cookie" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jquery-cookie"> jquery-cookie </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;carhartl&#x2F;jquery-cookie" /> <meta itemprop="version" content="1.4.1" /> <!-- hidden text for searching --> <div style="display: none;"> jquery, cookie </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jquery-cookie" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jquery-cookie/1.4.1/jquery.cookie.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jquery-countdown" data-library-keywords="jquery, countdown, i18n, timer, timezone, ui" id="jquery-countdown" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jquery-countdown"> jquery-countdown </a> <meta itemprop="url" content="http:&#x2F;&#x2F;keith-wood.name&#x2F;countdown.html" /> <meta itemprop="version" content="2.0.2" /> <!-- hidden text for searching --> <div style="display: none;"> jquery, countdown, i18n, timer, timezone, ui </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jquery-countdown" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jquery-countdown/2.0.2/jquery.countdown.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jquery-csv" data-library-keywords="jquery, csv" id="jquery-csv" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jquery-csv"> jquery-csv </a> <meta itemprop="url" content="http:&#x2F;&#x2F;code.google.com&#x2F;p&#x2F;jquery-csv&#x2F;" /> <meta itemprop="version" content="0.71" /> <!-- hidden text for searching --> <div style="display: none;"> jquery, csv </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jquery-csv" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jquery-csv/0.71/jquery.csv-0.71.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jquery-customSelect" data-library-keywords="jquery, select, forms" id="jquery-customSelect" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jquery-customSelect"> jquery-customSelect </a> <meta itemprop="url" content="http:&#x2F;&#x2F;www.adamcoulombe.info&#x2F;lab&#x2F;jquery&#x2F;select-box" /> <meta itemprop="version" content="0.4.1" /> <!-- hidden text for searching --> <div style="display: none;"> jquery, select, forms </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jquery-customSelect" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jquery-customSelect/0.4.1/jquery.customSelect.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jquery-data-remote" data-library-keywords="jquery, plugin, ajax, data, remote" id="jquery-data-remote" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jquery-data-remote"> jquery-data-remote </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;codfish&#x2F;jquery-data-remote" /> <meta itemprop="version" content="0.8.3" /> <!-- hidden text for searching --> <div style="display: none;"> jquery, plugin, ajax, data, remote </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jquery-data-remote" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jquery-data-remote/0.8.3/jquery.data-remote.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jquery-dateFormat" data-library-keywords="jquery, dateformat, date, format" id="jquery-dateFormat" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jquery-dateFormat"> jquery-dateFormat </a> <meta itemprop="url" content="http:&#x2F;&#x2F;archive.plugins.jquery.com&#x2F;project&#x2F;jquery-dateFormat" /> <meta itemprop="version" content="1.0" /> <!-- hidden text for searching --> <div style="display: none;"> jquery, dateformat, date, format </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jquery-dateFormat" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jquery-dateFormat/1.0/jquery.dateFormat.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jquery-datetimepicker" data-library-keywords="jquery-plugin, calendar, date, time, datetime, datepicker, timepicker" id="jquery-datetimepicker" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jquery-datetimepicker"> jquery-datetimepicker </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;xdan&#x2F;datetimepicker" /> <meta itemprop="version" content="2.4.5" /> <!-- hidden text for searching --> <div style="display: none;"> jquery-plugin, calendar, date, time, datetime, datepicker, timepicker </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jquery-datetimepicker" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jquery-datetimepicker/2.4.5/jquery.datetimepicker.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jquery-details" data-library-keywords="html5, details, summary, annotation" id="jquery-details" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jquery-details"> jquery-details </a> <meta itemprop="url" content="https:&#x2F;&#x2F;mathiasbynens.be&#x2F;notes&#x2F;html5-details-jquery" /> <meta itemprop="version" content="0.1.0" /> <!-- hidden text for searching --> <div style="display: none;"> html5, details, summary, annotation </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jquery-details" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jquery-details/0.1.0/jquery.details.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jquery-domPath" data-library-keywords="DOM, path, fullPath, inspect" id="jquery-domPath" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jquery-domPath"> jquery-domPath </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;asatour&#x2F;jquery-domPath" /> <meta itemprop="version" content="1.0.0" /> <!-- hidden text for searching --> <div style="display: none;"> DOM, path, fullPath, inspect </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jquery-domPath" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jquery-domPath/1.0.0/jquery.domPath.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jquery-dotimeout" data-library-keywords="setTimeout, doTimeout, jQuery" id="jquery-dotimeout" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jquery-dotimeout"> jquery-dotimeout </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;cowboy&#x2F;jquery-dotimeout" /> <meta itemprop="version" content="1.0" /> <!-- hidden text for searching --> <div style="display: none;"> setTimeout, doTimeout, jQuery </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jquery-dotimeout" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jquery-dotimeout/1.0/jquery.ba-dotimeout.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jquery-easing" data-library-keywords="jquery, easing" id="jquery-easing" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jquery-easing"> jquery-easing </a> <meta itemprop="url" content="http:&#x2F;&#x2F;gsgd.co.uk&#x2F;sandbox&#x2F;jquery&#x2F;easing&#x2F;" /> <meta itemprop="version" content="1.3" /> <!-- hidden text for searching --> <div style="display: none;"> jquery, easing </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jquery-easing" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jquery-easing/1.3/jquery.easing.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jquery-footable" data-library-keywords="jquery, footable, tables" id="jquery-footable" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jquery-footable"> jquery-footable </a> <meta itemprop="url" content="http:&#x2F;&#x2F;themergency.com&#x2F;footable&#x2F;" /> <meta itemprop="version" content="0.1.0" /> <!-- hidden text for searching --> <div style="display: none;"> jquery, footable, tables </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jquery-footable" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jquery-footable/0.1.0/js&#x2F;footable.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jquery-form-serializer" data-library-keywords="form, serializer, jquery" id="jquery-form-serializer" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jquery-form-serializer"> jquery-form-serializer </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;jillix&#x2F;jQuery-form-serializer" /> <meta itemprop="version" content="1.2.0" /> <!-- hidden text for searching --> <div style="display: none;"> form, serializer, jquery </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jquery-form-serializer" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jquery-form-serializer/1.2.0/jQuery-form-serializer.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jquery-form-validator" data-library-keywords="form, validation, validator" id="jquery-form-validator" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jquery-form-validator"> jquery-form-validator </a> <meta itemprop="url" content="http:&#x2F;&#x2F;formvalidator.net" /> <meta itemprop="version" content="2.2.81" /> <!-- hidden text for searching --> <div style="display: none;"> form, validation, validator </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jquery-form-validator" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jquery-form-validator/2.2.81/jquery.form-validator.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jquery-fracs" data-library-keywords="" id="jquery-fracs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jquery-fracs"> jquery-fracs </a> <meta itemprop="url" content="http:&#x2F;&#x2F;larsjung.de&#x2F;jquery-fracs&#x2F;" /> <meta itemprop="version" content="0.15.1" /> <!-- hidden text for searching --> <div style="display: none;"> </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jquery-fracs" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jquery-fracs/0.15.1/jquery.fracs.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jquery-gamequery" data-library-keywords="jquery, game, sprite, animation, collision, tile map" id="jquery-gamequery" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jquery-gamequery"> jquery-gamequery </a> <meta itemprop="url" content="http:&#x2F;&#x2F;gamequeryjs.com" /> <meta itemprop="version" content="0.7.0" /> <!-- hidden text for searching --> <div style="display: none;"> jquery, game, sprite, animation, collision, tile map </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jquery-gamequery" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jquery-gamequery/0.7.0/jquery.gamequery.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jQuery-Geolocation" data-library-keywords="jquery, geolocation" id="jQuery-Geolocation" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jQuery-Geolocation"> jQuery-Geolocation </a> <meta itemprop="url" content="http:&#x2F;&#x2F;www.manuel-bieh.de" /> <meta itemprop="version" content="1.0.50" /> <!-- hidden text for searching --> <div style="display: none;"> jquery, geolocation </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jQuery-Geolocation" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jQuery-Geolocation/1.0.50/jquery.geolocation.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jquery-handsontable" data-library-keywords="excel, data, editor, popular" id="jquery-handsontable" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jquery-handsontable"> jquery-handsontable </a> <meta itemprop="url" content="http:&#x2F;&#x2F;handsontable.com&#x2F;" /> <meta itemprop="version" content="0.10.2" /> <!-- hidden text for searching --> <div style="display: none;"> excel, data, editor, popular </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jquery-handsontable" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jquery-handsontable/0.10.2/jquery.handsontable.full.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jquery-hashchange" data-library-keywords="jquery, history" id="jquery-hashchange" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jquery-hashchange"> jquery-hashchange </a> <meta itemprop="url" content="http:&#x2F;&#x2F;benalman.com&#x2F;projects&#x2F;jquery-hashchange-plugin&#x2F;" /> <meta itemprop="version" content="1.3" /> <!-- hidden text for searching --> <div style="display: none;"> jquery, history </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jquery-hashchange" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jquery-hashchange/1.3/jquery.ba-hashchange.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jquery-history" data-library-keywords="jquery, history" id="jquery-history" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jquery-history"> jquery-history </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;tkyk&#x2F;jquery-history-plugin" /> <meta itemprop="version" content="1.9" /> <!-- hidden text for searching --> <div style="display: none;"> jquery, history </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jquery-history" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jquery-history/1.9/jquery.history.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jquery-i18next" data-library-keywords="i18next, internationalization, i18n, translation, localization, l10n, globalization, jquery, jquery-plugin" id="jquery-i18next" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jquery-i18next"> jquery-i18next </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;i18next&#x2F;jquery-i18next" /> <meta itemprop="version" content="0.0.9" /> <!-- hidden text for searching --> <div style="display: none;"> i18next, internationalization, i18n, translation, localization, l10n, globalization, jquery, jquery-plugin </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jquery-i18next" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jquery-i18next/0.0.9/i18next-jquery.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jquery-idletimer" data-library-keywords="" id="jquery-idletimer" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jquery-idletimer"> jquery-idletimer </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;thorst&#x2F;jquery-idletimer" /> <meta itemprop="version" content="1.0.0" /> <!-- hidden text for searching --> <div style="display: none;"> </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jquery-idletimer" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jquery-idletimer/1.0.0/idle-timer.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jquery-image-upload" data-library-keywords="image, upload, jQuery" id="jquery-image-upload" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jquery-image-upload"> jquery-image-upload </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;jillix&#x2F;jQuery-image-upload" /> <meta itemprop="version" content="1.2.0" /> <!-- hidden text for searching --> <div style="display: none;"> image, upload, jQuery </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jquery-image-upload" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jquery-image-upload/1.2.0/jQuery-image-upload.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jquery-impromptu" data-library-keywords="" id="jquery-impromptu" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jquery-impromptu"> jquery-impromptu </a> <meta itemprop="url" content="http:&#x2F;&#x2F;trentrichardson.com&#x2F;Impromptu" /> <meta itemprop="version" content="6.2.2" /> <!-- hidden text for searching --> <div style="display: none;"> </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jquery-impromptu" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jquery-impromptu/6.2.2/jquery-impromptu.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jquery-infinitescroll" data-library-keywords="jquery, scroll, infinite, masonry" id="jquery-infinitescroll" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jquery-infinitescroll"> jquery-infinitescroll </a> <meta itemprop="url" content="http:&#x2F;&#x2F;www.infinite-scroll.com&#x2F;infinite-scroll-jquery-plugin&#x2F;" /> <meta itemprop="version" content="2.1.0" /> <!-- hidden text for searching --> <div style="display: none;"> jquery, scroll, infinite, masonry </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jquery-infinitescroll" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jquery-infinitescroll/2.1.0/jquery.infinitescroll.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jquery-instagram" data-library-keywords="jquery, instagram, plugin, photography, pictures, mobile" id="jquery-instagram" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jquery-instagram"> jquery-instagram </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;potomak&#x2F;jquery-instagram" /> <meta itemprop="version" content="0.3.1" /> <!-- hidden text for searching --> <div style="display: none;"> jquery, instagram, plugin, photography, pictures, mobile </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jquery-instagram" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jquery-instagram/0.3.1/instagram.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jquery-jcrop" data-library-keywords="jquery, crop" id="jquery-jcrop" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jquery-jcrop"> jquery-jcrop </a> <meta itemprop="url" content="http:&#x2F;&#x2F;deepliquid.com&#x2F;content&#x2F;Jcrop.html" /> <meta itemprop="version" content="0.9.12" /> <!-- hidden text for searching --> <div style="display: none;"> jquery, crop </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jquery-jcrop" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jquery-jcrop/0.9.12/js&#x2F;jquery.Jcrop.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jquery-jgrowl" data-library-keywords="message, toaster, notification, growl" id="jquery-jgrowl" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jquery-jgrowl"> jquery-jgrowl </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;stanlemon&#x2F;jGrowl" /> <meta itemprop="version" content="1.4.3" /> <!-- hidden text for searching --> <div style="display: none;"> message, toaster, notification, growl </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jquery-jgrowl" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jquery-jgrowl/1.4.3/jquery.jgrowl.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jquery-jkit" data-library-keywords="jquery, jkit, ui, toolkit" id="jquery-jkit" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jquery-jkit"> jquery-jkit </a> <meta itemprop="url" content="http:&#x2F;&#x2F;jquery-jkit.com&#x2F;" /> <meta itemprop="version" content="1.1.8" /> <!-- hidden text for searching --> <div style="display: none;"> jquery, jkit, ui, toolkit </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jquery-jkit" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jquery-jkit/1.1.8/jquery.jkit.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jquery-json-editor" data-library-keywords="json, editor, jQuery" id="jquery-json-editor" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jquery-json-editor"> jquery-json-editor </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;jillix&#x2F;jQuery-json-editor" /> <meta itemprop="version" content="1.1.0" /> <!-- hidden text for searching --> <div style="display: none;"> json, editor, jQuery </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jquery-json-editor" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jquery-json-editor/1.1.0/jquery-json-editor.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jquery-json" data-library-keywords="jquery-plugin" id="jquery-json" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jquery-json"> jquery-json </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;Krinkle&#x2F;jquery-json" /> <meta itemprop="version" content="2.5.1" /> <!-- hidden text for searching --> <div style="display: none;"> jquery-plugin </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jquery-json" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jquery-json/2.5.1/jquery.json.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jQuery-Knob" data-library-keywords="jquery, knob, dial" id="jQuery-Knob" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jQuery-Knob"> jQuery-Knob </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;aterrien&#x2F;jQuery-Knob#readme" /> <meta itemprop="version" content="1.2.13" /> <!-- hidden text for searching --> <div style="display: none;"> jquery, knob, dial </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jQuery-Knob" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jQuery-Knob/1.2.13/jquery.knob.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jquery-lang-js" data-library-keywords="jquery, lang, localization, i18n, language, automatic, translation" id="jquery-lang-js" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jquery-lang-js"> jquery-lang-js </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;Irrelon&#x2F;jquery-lang-js" /> <meta itemprop="version" content="3.0.0" /> <!-- hidden text for searching --> <div style="display: none;"> jquery, lang, localization, i18n, language, automatic, translation </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jquery-lang-js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jquery-lang-js/3.0.0/jquery-lang.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jquery-layout" data-library-keywords="jquery, layout, ui" id="jquery-layout" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jquery-layout"> jquery-layout </a> <meta itemprop="url" content="http:&#x2F;&#x2F;layout.jquery-dev.net&#x2F;" /> <meta itemprop="version" content="1.4.3" /> <!-- hidden text for searching --> <div style="display: none;"> jquery, layout, ui </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jquery-layout" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jquery-layout/1.4.3/jquery.layout.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jquery-lazyload-any" data-library-keywords="lazyload, jquery-plugin" id="jquery-lazyload-any" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jquery-lazyload-any"> jquery-lazyload-any </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;emn178&#x2F;jquery-lazyload-any" /> <meta itemprop="version" content="0.2.3" /> <!-- hidden text for searching --> <div style="display: none;"> lazyload, jquery-plugin </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jquery-lazyload-any" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jquery-lazyload-any/0.2.3/jquery.lazyload-any.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jQuery-linkify" data-library-keywords="url, jquery, linkify" id="jQuery-linkify" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jQuery-linkify"> jQuery-linkify </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;SoapBox&#x2F;linkifyjs&#x2F;" /> <meta itemprop="version" content="1.1.7" /> <!-- hidden text for searching --> <div style="display: none;"> url, jquery, linkify </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jQuery-linkify" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jQuery-linkify/1.1.7/jquery.linkify.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jquery-localScroll" data-library-keywords="browser, animated, animation, scrolling, scroll, links, anchors" id="jquery-localScroll" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jquery-localScroll"> jquery-localScroll </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;flesler&#x2F;jquery.localScroll" /> <meta itemprop="version" content="1.4.0" /> <!-- hidden text for searching --> <div style="display: none;"> browser, animated, animation, scrolling, scroll, links, anchors </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jquery-localScroll" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jquery-localScroll/1.4.0/jquery.localScroll.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jquery-maskmoney" data-library-keywords="form, money, jquery" id="jquery-maskmoney" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jquery-maskmoney"> jquery-maskmoney </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;plentz&#x2F;jquery-maskmoney" /> <meta itemprop="version" content="3.0.2" /> <!-- hidden text for searching --> <div style="display: none;"> form, money, jquery </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jquery-maskmoney" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jquery-maskmoney/3.0.2/jquery.maskMoney.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jquery-migrate" data-library-keywords="framework, toolkit, popular" id="jquery-migrate" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jquery-migrate"> jquery-migrate </a> <meta itemprop="url" content="http:&#x2F;&#x2F;jquery.com&#x2F;" /> <meta itemprop="version" content="1.3.0" /> <!-- hidden text for searching --> <div style="display: none;"> framework, toolkit, popular </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jquery-migrate" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jquery-migrate/1.3.0/jquery-migrate.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jquery-mobile-datebox" data-library-keywords="" id="jquery-mobile-datebox" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jquery-mobile-datebox"> jquery-mobile-datebox </a> <meta itemprop="url" content="http:&#x2F;&#x2F;dev.jtsage.com&#x2F;forums&#x2F;" /> <meta itemprop="version" content="1.1.1" /> <!-- hidden text for searching --> <div style="display: none;"> </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jquery-mobile-datebox" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jquery-mobile-datebox/1.1.1/jqm-datebox.core.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jquery-mobile" data-library-keywords="framework, toolkit, popular" id="jquery-mobile" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jquery-mobile"> jquery-mobile </a> <meta itemprop="url" content="http:&#x2F;&#x2F;jquerymobile.com&#x2F;" /> <meta itemprop="version" content="1.4.5" /> <!-- hidden text for searching --> <div style="display: none;"> framework, toolkit, popular </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jquery-mobile" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jquery-mobile/1.4.5/jquery.mobile.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jquery-mockjax" data-library-keywords="ajax, mock, unit, testing" id="jquery-mockjax" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jquery-mockjax"> jquery-mockjax </a> <meta itemprop="url" content="http:&#x2F;&#x2F;code.appendto.com&#x2F;plugins&#x2F;jquery-mockjax&#x2F;" /> <meta itemprop="version" content="1.6.2" /> <!-- hidden text for searching --> <div style="display: none;"> ajax, mock, unit, testing </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jquery-mockjax" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jquery-mockjax/1.6.2/jquery.mockjax.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jquery-mousewheel" data-library-keywords="browser, event, jquery, mouse, mousewheel, plugin, wheel" id="jquery-mousewheel" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jquery-mousewheel"> jquery-mousewheel </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;jquery&#x2F;jquery-mousewheel" /> <meta itemprop="version" content="3.1.13" /> <!-- hidden text for searching --> <div style="display: none;"> browser, event, jquery, mouse, mousewheel, plugin, wheel </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jquery-mousewheel" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jquery-mousewheel/3.1.13/jquery.mousewheel.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jquery-nivoslider" data-library-keywords="slider, jquery, image, slideshow" id="jquery-nivoslider" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jquery-nivoslider"> jquery-nivoslider </a> <meta itemprop="url" content="http:&#x2F;&#x2F;nivo.dev7studios.com" /> <meta itemprop="version" content="3.2" /> <!-- hidden text for searching --> <div style="display: none;"> slider, jquery, image, slideshow </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jquery-nivoslider" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jquery-nivoslider/3.2/jquery.nivo.slider.pack.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jquery-noty" data-library-keywords="notifications, alert, dialog, noty" id="jquery-noty" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jquery-noty"> jquery-noty </a> <meta itemprop="url" content="http:&#x2F;&#x2F;needim.github.com&#x2F;noty&#x2F;" /> <meta itemprop="version" content="2.3.8" /> <!-- hidden text for searching --> <div style="display: none;"> notifications, alert, dialog, noty </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jquery-noty" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jquery-noty/2.3.8/jquery.noty.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jquery-nstslider" data-library-keywords="ui, range, slider, values, select, control, nestoria, widget" id="jquery-nstslider" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jquery-nstslider"> jquery-nstslider </a> <meta itemprop="url" content="" /> <meta itemprop="version" content="1.0.13" /> <!-- hidden text for searching --> <div style="display: none;"> ui, range, slider, values, select, control, nestoria, widget </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jquery-nstslider" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jquery-nstslider/1.0.13/jquery.nstSlider.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jquery-once" data-library-keywords="jquery, jquery-plugin" id="jquery-once" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jquery-once"> jquery-once </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;RobLoach&#x2F;jquery-once" /> <meta itemprop="version" content="2.1.1" /> <!-- hidden text for searching --> <div style="display: none;"> jquery, jquery-plugin </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jquery-once" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jquery-once/2.1.1/jquery.once.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jquery-one-page-nav" data-library-keywords="nav, jquery, scroll" id="jquery-one-page-nav" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jquery-one-page-nav"> jquery-one-page-nav </a> <meta itemprop="url" content="http:&#x2F;&#x2F;davist11.github.io&#x2F;jQuery-One-Page-Nav&#x2F;" /> <meta itemprop="version" content="3.0.0" /> <!-- hidden text for searching --> <div style="display: none;"> nav, jquery, scroll </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jquery-one-page-nav" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jquery-one-page-nav/3.0.0/jquery.nav.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jquery-outside-events" data-library-keywords="jQuery, outside" id="jquery-outside-events" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jquery-outside-events"> jquery-outside-events </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;cowboy&#x2F;jquery-outside-events" /> <meta itemprop="version" content="1.1" /> <!-- hidden text for searching --> <div style="display: none;"> jQuery, outside </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jquery-outside-events" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jquery-outside-events/1.1/jquery.ba-outside-events.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jquery-overscroll" data-library-keywords="" id="jquery-overscroll" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jquery-overscroll"> jquery-overscroll </a> <meta itemprop="url" content="http:&#x2F;&#x2F;azoff.github.io&#x2F;overscroll&#x2F;" /> <meta itemprop="version" content="1.7.7" /> <!-- hidden text for searching --> <div style="display: none;"> </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jquery-overscroll" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jquery-overscroll/1.7.7/jquery.overscroll.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jquery-parallax" data-library-keywords="jquery, slider, images" id="jquery-parallax" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jquery-parallax"> jquery-parallax </a> <meta itemprop="url" content="http:&#x2F;&#x2F;ianlunn.co.uk&#x2F;articles&#x2F;recreate-nikebetterworld-parallax&#x2F;" /> <meta itemprop="version" content="1.1.3" /> <!-- hidden text for searching --> <div style="display: none;"> jquery, slider, images </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jquery-parallax" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jquery-parallax/1.1.3/jquery-parallax-min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jquery-placeholder" data-library-keywords="jquery, placeholder, input, textarea, html5" id="jquery-placeholder" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jquery-placeholder"> jquery-placeholder </a> <meta itemprop="url" content="http:&#x2F;&#x2F;mths.be&#x2F;placeholder" /> <meta itemprop="version" content="2.3.1" /> <!-- hidden text for searching --> <div style="display: none;"> jquery, placeholder, input, textarea, html5 </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jquery-placeholder" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jquery-placeholder/2.3.1/jquery.placeholder.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jquery-powertip" data-library-keywords="jquery-powertip" id="jquery-powertip" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jquery-powertip"> jquery-powertip </a> <meta itemprop="url" content="http:&#x2F;&#x2F;stevenbenner.github.com&#x2F;jquery-powertip&#x2F;" /> <meta itemprop="version" content="1.2.0" /> <!-- hidden text for searching --> <div style="display: none;"> jquery-powertip </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jquery-powertip" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jquery-powertip/1.2.0/jquery.powertip.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jquery-prompt21" data-library-keywords="prompt21, jquery" id="jquery-prompt21" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jquery-prompt21"> jquery-prompt21 </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;jillix&#x2F;jQuery-prompt21" /> <meta itemprop="version" content="1.1.1" /> <!-- hidden text for searching --> <div style="display: none;"> prompt21, jquery </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jquery-prompt21" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jquery-prompt21/1.1.1/jquery-prompt21.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jquery-replace-text" data-library-keywords="text, replace, dom, jquery" id="jquery-replace-text" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jquery-replace-text"> jquery-replace-text </a> <meta itemprop="url" content="http:&#x2F;&#x2F;benalman.com&#x2F;projects&#x2F;jquery-replacetext-plugin&#x2F;" /> <meta itemprop="version" content="1.1.0" /> <!-- hidden text for searching --> <div style="display: none;"> text, replace, dom, jquery </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jquery-replace-text" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jquery-replace-text/1.1.0/jquery-replace-text-min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jquery-resize" data-library-keywords="jquery-resize" id="jquery-resize" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jquery-resize"> jquery-resize </a> <meta itemprop="url" content="http:&#x2F;&#x2F;benalman.com&#x2F;projects&#x2F;jquery-resize-plugin&#x2F;" /> <meta itemprop="version" content="1.1" /> <!-- hidden text for searching --> <div style="display: none;"> jquery-resize </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jquery-resize" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jquery-resize/1.1/jquery.ba-resize.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jquery-scrolldepth" data-library-keywords="analytics, google-analytics, tracking, jquery, scrolldepth" id="jquery-scrolldepth" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jquery-scrolldepth"> jquery-scrolldepth </a> <meta itemprop="url" content="http:&#x2F;&#x2F;scrolldepth.parsnip.io" /> <meta itemprop="version" content="0.9.0" /> <!-- hidden text for searching --> <div style="display: none;"> analytics, google-analytics, tracking, jquery, scrolldepth </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jquery-scrolldepth" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jquery-scrolldepth/0.9.0/jquery.scrolldepth.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jquery-scrollpanel" data-library-keywords="" id="jquery-scrollpanel" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jquery-scrollpanel"> jquery-scrollpanel </a> <meta itemprop="url" content="http:&#x2F;&#x2F;larsjung.de&#x2F;jquery-scrollpanel&#x2F;" /> <meta itemprop="version" content="0.5.0" /> <!-- hidden text for searching --> <div style="display: none;"> </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jquery-scrollpanel" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jquery-scrollpanel/0.5.0/jquery.scrollpanel.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jquery-scrollTo" data-library-keywords="browser, animated, animation, scrolling, scroll, links, anchors" id="jquery-scrollTo" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jquery-scrollTo"> jquery-scrollTo </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;flesler&#x2F;jquery.scrollTo" /> <meta itemprop="version" content="2.1.2" /> <!-- hidden text for searching --> <div style="display: none;"> browser, animated, animation, scrolling, scroll, links, anchors </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jquery-scrollTo" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jquery-scrollTo/2.1.2/jquery.scrollTo.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jquery-searcher" data-library-keywords="searcher, search, filter, table, list, connect" id="jquery-searcher" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jquery-searcher"> jquery-searcher </a> <meta itemprop="url" content="http:&#x2F;&#x2F;lloiser.github.io&#x2F;jquery-searcher&#x2F;" /> <meta itemprop="version" content="0.2.0" /> <!-- hidden text for searching --> <div style="display: none;"> searcher, search, filter, table, list, connect </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jquery-searcher" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jquery-searcher/0.2.0/jquery.searcher.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jquery-serialize-object" data-library-keywords="form, serialize, json, object, jquery-plugin" id="jquery-serialize-object" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jquery-serialize-object"> jquery-serialize-object </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;macek&#x2F;jquery-serialize-object" /> <meta itemprop="version" content="2.5.0" /> <!-- hidden text for searching --> <div style="display: none;"> form, serialize, json, object, jquery-plugin </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jquery-serialize-object" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jquery-serialize-object/2.5.0/jquery.serialize-object.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jquery-sheetrock" data-library-keywords="sheetrock, jquery, spreadsheet, tables, google, googledocs, ajax, nodb" id="jquery-sheetrock" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jquery-sheetrock"> jquery-sheetrock </a> <meta itemprop="url" content="http:&#x2F;&#x2F;chriszarate.github.io&#x2F;sheetrock&#x2F;" /> <meta itemprop="version" content="1.0.0" /> <!-- hidden text for searching --> <div style="display: none;"> sheetrock, jquery, spreadsheet, tables, google, googledocs, ajax, nodb </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jquery-sheetrock" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jquery-sheetrock/1.0.0/dist&#x2F;sheetrock.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jquery-sidebar" data-library-keywords="jQuery, sidebar, simple" id="jquery-sidebar" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jquery-sidebar"> jquery-sidebar </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;jillix&#x2F;jQuery-sidebar" /> <meta itemprop="version" content="3.3.2" /> <!-- hidden text for searching --> <div style="display: none;"> jQuery, sidebar, simple </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jquery-sidebar" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jquery-sidebar/3.3.2/jquery.sidebar.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jQuery-slimScroll" data-library-keywords="scrollbar, scroll, slimscroll, scrollable, scrolling, scroller, ui" id="jQuery-slimScroll" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jQuery-slimScroll"> jQuery-slimScroll </a> <meta itemprop="url" content="http:&#x2F;&#x2F;rocha.la&#x2F;jQuery-slimScroll&#x2F;" /> <meta itemprop="version" content="1.3.7" /> <!-- hidden text for searching --> <div style="display: none;"> scrollbar, scroll, slimscroll, scrollable, scrolling, scroller, ui </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jQuery-slimScroll" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jQuery-slimScroll/1.3.7/jquery.slimscroll.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jquery-smart-web-app-banner" data-library-keywords="web app banner, web banner, app banner, jquery app banner, homescreen" id="jquery-smart-web-app-banner" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jquery-smart-web-app-banner"> jquery-smart-web-app-banner </a> <meta itemprop="url" content="http:&#x2F;&#x2F;kzeni.com&#x2F;p&#x2F;smart-web-banner&#x2F;" /> <meta itemprop="version" content="1.4" /> <!-- hidden text for searching --> <div style="display: none;"> web app banner, web banner, app banner, jquery app banner, homescreen </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jquery-smart-web-app-banner" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jquery-smart-web-app-banner/1.4/jquery.smartwebbanner.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jquery-smooth-scroll" data-library-keywords="jQuery, jquery-plugin, scroll, animation" id="jquery-smooth-scroll" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jquery-smooth-scroll"> jquery-smooth-scroll </a> <meta itemprop="url" content="" /> <meta itemprop="version" content="1.7.1" /> <!-- hidden text for searching --> <div style="display: none;"> jQuery, jquery-plugin, scroll, animation </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jquery-smooth-scroll" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jquery-smooth-scroll/1.7.1/jquery.smooth-scroll.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jquery-smoove" data-library-keywords="jquery, scroll, css, animation" id="jquery-smoove" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jquery-smoove"> jquery-smoove </a> <meta itemprop="url" content="http:&#x2F;&#x2F;smoove.donlabs.com" /> <meta itemprop="version" content="0.2.7" /> <!-- hidden text for searching --> <div style="display: none;"> jquery, scroll, css, animation </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jquery-smoove" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jquery-smoove/0.2.7/jquery.smoove.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="JQuery-Snowfall" data-library-keywords="snow, snowfall, snowing" id="JQuery-Snowfall" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/JQuery-Snowfall"> JQuery-Snowfall </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;loktar00&#x2F;JQuery-Snowfall" /> <meta itemprop="version" content="1.7.4" /> <!-- hidden text for searching --> <div style="display: none;"> snow, snowfall, snowing </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="JQuery-Snowfall" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/JQuery-Snowfall/1.7.4/snowfall.jquery.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jquery-sortable" data-library-keywords="sortable, sort, sorting, drag, dragging" id="jquery-sortable" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jquery-sortable"> jquery-sortable </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;johnny&#x2F;jquery-sortable" /> <meta itemprop="version" content="0.9.13" /> <!-- hidden text for searching --> <div style="display: none;"> sortable, sort, sorting, drag, dragging </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jquery-sortable" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jquery-sortable/0.9.13/jquery-sortable-min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jquery-sparklines" data-library-keywords="jquery, sparkline" id="jquery-sparklines" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jquery-sparklines"> jquery-sparklines </a> <meta itemprop="url" content="http:&#x2F;&#x2F;omnipotent.net&#x2F;jquery.sparkline" /> <meta itemprop="version" content="2.1.2" /> <!-- hidden text for searching --> <div style="display: none;"> jquery, sparkline </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jquery-sparklines" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jquery-sparklines/2.1.2/jquery.sparkline.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jquery-steps" data-library-keywords="jQuery, Wizard, Tabs, Steps, Plugin" id="jquery-steps" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jquery-steps"> jquery-steps </a> <meta itemprop="url" content="http:&#x2F;&#x2F;www.jquery-steps.com" /> <meta itemprop="version" content="1.1.0" /> <!-- hidden text for searching --> <div style="display: none;"> jQuery, Wizard, Tabs, Steps, Plugin </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jquery-steps" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jquery-steps/1.1.0/jquery.steps.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jquery-storage-api" data-library-keywords="jquery, storage, html5, localStorage, sessionStorage, cookie, namespace, jquery-plugins, ecosystem:jquery" id="jquery-storage-api" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jquery-storage-api"> jquery-storage-api </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;julien-maurel&#x2F;jQuery-Storage-API" /> <meta itemprop="version" content="1.7.5" /> <!-- hidden text for searching --> <div style="display: none;"> jquery, storage, html5, localStorage, sessionStorage, cookie, namespace, jquery-plugins, ecosystem:jquery </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jquery-storage-api" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jquery-storage-api/1.7.5/jquery.storageapi.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jquery-tagsinput" data-library-keywords="jquery, tags" id="jquery-tagsinput" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jquery-tagsinput"> jquery-tagsinput </a> <meta itemprop="url" content="http:&#x2F;&#x2F;xoxco.com&#x2F;2013&#x2F;js&#x2F;jQuery-Tags-Input&#x2F;" /> <meta itemprop="version" content="1.3.6" /> <!-- hidden text for searching --> <div style="display: none;"> jquery, tags </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jquery-tagsinput" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jquery-tagsinput/1.3.6/jquery.tagsinput.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jquery-te" data-library-keywords="jquery, wysiwyg, editor" id="jquery-te" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jquery-te"> jquery-te </a> <meta itemprop="url" content="http:&#x2F;&#x2F;jqueryte.com" /> <meta itemprop="version" content="1.4.0" /> <!-- hidden text for searching --> <div style="display: none;"> jquery, wysiwyg, editor </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jquery-te" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jquery-te/1.4.0/jquery-te.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jquery-textext" data-library-keywords="jquery, textext" id="jquery-textext" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jquery-textext"> jquery-textext </a> <meta itemprop="url" content="http:&#x2F;&#x2F;textextjs.com&#x2F;" /> <meta itemprop="version" content="1.3.0" /> <!-- hidden text for searching --> <div style="display: none;"> jquery, textext </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jquery-textext" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jquery-textext/1.3.0/jquery.textext.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jquery-throttle-debounce" data-library-keywords="jquery, throttle, debounce, ratelimit" id="jquery-throttle-debounce" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jquery-throttle-debounce"> jquery-throttle-debounce </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;cowboy&#x2F;jquery-throttle-debounce" /> <meta itemprop="version" content="1.1" /> <!-- hidden text for searching --> <div style="display: none;"> jquery, throttle, debounce, ratelimit </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jquery-throttle-debounce" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jquery-throttle-debounce/1.1/jquery.ba-throttle-debounce.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jquery-timeago" data-library-keywords="time, jquery, dateformat, popular" id="jquery-timeago" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jquery-timeago"> jquery-timeago </a> <meta itemprop="url" content="http:&#x2F;&#x2F;timeago.yarp.com&#x2F;" /> <meta itemprop="version" content="1.5.0" /> <!-- hidden text for searching --> <div style="display: none;"> time, jquery, dateformat, popular </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jquery-timeago" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jquery-timeago/1.5.0/jquery.timeago.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jquery-timepicker" data-library-keywords="timepicker, time, picker, ui, google calendar" id="jquery-timepicker" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jquery-timepicker"> jquery-timepicker </a> <meta itemprop="url" content="http:&#x2F;&#x2F;jonthornton.github.com&#x2F;jquery-timepicker&#x2F;" /> <meta itemprop="version" content="1.8.9" /> <!-- hidden text for searching --> <div style="display: none;"> timepicker, time, picker, ui, google calendar </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jquery-timepicker" class="library-column css-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jquery-timepicker/1.8.9/jquery.timepicker.min.css</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jquery-toggles" data-library-keywords="jquery, toggle, toggles, switch, checkbox" id="jquery-toggles" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jquery-toggles"> jquery-toggles </a> <meta itemprop="url" content="http:&#x2F;&#x2F;simontabor.com&#x2F;labs&#x2F;toggles&#x2F;" /> <meta itemprop="version" content="2.0.4" /> <!-- hidden text for searching --> <div style="display: none;"> jquery, toggle, toggles, switch, checkbox </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jquery-toggles" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jquery-toggles/2.0.4/toggles.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jquery-tools" data-library-keywords="jquery, ui, tools" id="jquery-tools" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jquery-tools"> jquery-tools </a> <meta itemprop="url" content="http:&#x2F;&#x2F;jquerytools.org&#x2F;" /> <meta itemprop="version" content="1.2.7" /> <!-- hidden text for searching --> <div style="display: none;"> jquery, ui, tools </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jquery-tools" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jquery-tools/1.2.7/jquery.tools.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jquery-treegrid" data-library-keywords="jquery-treegrid, file download" id="jquery-treegrid" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jquery-treegrid"> jquery-treegrid </a> <meta itemprop="url" content="http:&#x2F;&#x2F;maxazan.github.io&#x2F;jquery-treegrid&#x2F;" /> <meta itemprop="version" content="0.2.0" /> <!-- hidden text for searching --> <div style="display: none;"> jquery-treegrid, file download </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jquery-treegrid" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jquery-treegrid/0.2.0/js&#x2F;jquery.treegrid.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jquery-treetable" data-library-keywords="explorer, file, table, tree, ui" id="jquery-treetable" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jquery-treetable"> jquery-treetable </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;ludo&#x2F;jquery-treetable" /> <meta itemprop="version" content="3.2.0" /> <!-- hidden text for searching --> <div style="display: none;"> explorer, file, table, tree, ui </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jquery-treetable" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jquery-treetable/3.2.0/jquery.treetable.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jquery-tubeplayer" data-library-keywords="youtube, media, vedio, player" id="jquery-tubeplayer" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jquery-tubeplayer"> jquery-tubeplayer </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;nirvanatikku&#x2F;jQuery-TubePlayer-Plugin" /> <meta itemprop="version" content="1.1.7" /> <!-- hidden text for searching --> <div style="display: none;"> youtube, media, vedio, player </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jquery-tubeplayer" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jquery-tubeplayer/1.1.7/jQuery.tubeplayer.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jquery-twinkle" data-library-keywords="" id="jquery-twinkle" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jquery-twinkle"> jquery-twinkle </a> <meta itemprop="url" content="http:&#x2F;&#x2F;larsjung.de&#x2F;jquery-twinkle&#x2F;" /> <meta itemprop="version" content="0.8.0" /> <!-- hidden text for searching --> <div style="display: none;"> </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jquery-twinkle" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jquery-twinkle/0.8.0/jquery.twinkle.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jquery-ui-bootstrap" data-library-keywords="jquery, bootstrap" id="jquery-ui-bootstrap" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jquery-ui-bootstrap"> jquery-ui-bootstrap </a> <meta itemprop="url" content="" /> <meta itemprop="version" content="0.5pre" /> <!-- hidden text for searching --> <div style="display: none;"> jquery, bootstrap </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jquery-ui-bootstrap" class="library-column css-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jquery-ui-bootstrap/0.5pre/assets&#x2F;css&#x2F;bootstrap.min.css</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jquery-ui-map" data-library-keywords="jquery, maps, gmaps, google maps, google, jqm, jquery mobile" id="jquery-ui-map" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jquery-ui-map"> jquery-ui-map </a> <meta itemprop="url" content="https:&#x2F;&#x2F;code.google.com&#x2F;p&#x2F;jquery-ui-map&#x2F;" /> <meta itemprop="version" content="3.0-rc1" /> <!-- hidden text for searching --> <div style="display: none;"> jquery, maps, gmaps, google maps, google, jqm, jquery mobile </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jquery-ui-map" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jquery-ui-map/3.0-rc1/jquery.ui.map.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jQuery-ui-Slider-Pips" data-library-keywords="jquery, ui, slider, widget, pips, points, labels, floats, markers, waypoints" id="jQuery-ui-Slider-Pips" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jQuery-ui-Slider-Pips"> jQuery-ui-Slider-Pips </a> <meta itemprop="url" content="" /> <meta itemprop="version" content="1.11.1" /> <!-- hidden text for searching --> <div style="display: none;"> jquery, ui, slider, widget, pips, points, labels, floats, markers, waypoints </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jQuery-ui-Slider-Pips" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jQuery-ui-Slider-Pips/1.11.1/jquery-ui-slider-pips.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jquery-ui-timepicker-addon" data-library-keywords="date, time, jquery-ui, timepicker, jquery, datetime" id="jquery-ui-timepicker-addon" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jquery-ui-timepicker-addon"> jquery-ui-timepicker-addon </a> <meta itemprop="url" content="http:&#x2F;&#x2F;trentrichardson.com&#x2F;examples&#x2F;timepicker&#x2F;" /> <meta itemprop="version" content="1.6.1" /> <!-- hidden text for searching --> <div style="display: none;"> date, time, jquery-ui, timepicker, jquery, datetime </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jquery-ui-timepicker-addon" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jquery-ui-timepicker-addon/1.6.1/jquery-ui-timepicker-addon.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jquery-ujs" data-library-keywords="jquery, ujs, rails" id="jquery-ujs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jquery-ujs"> jquery-ujs </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;rails&#x2F;jquery-ujs" /> <meta itemprop="version" content="1.2.0" /> <!-- hidden text for searching --> <div style="display: none;"> jquery, ujs, rails </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jquery-ujs" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jquery-ujs/1.2.0/rails.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jquery-url-parser" data-library-keywords="jquery-url-parser, purl" id="jquery-url-parser" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jquery-url-parser"> jquery-url-parser </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;allmarkedup&#x2F;purl" /> <meta itemprop="version" content="2.3.1" /> <!-- hidden text for searching --> <div style="display: none;"> jquery-url-parser, purl </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jquery-url-parser" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jquery-url-parser/2.3.1/purl.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jquery-validate" data-library-keywords="jQuery, forms, validate, validation" id="jquery-validate" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jquery-validate"> jquery-validate </a> <meta itemprop="url" content="http:&#x2F;&#x2F;jqueryvalidation.org&#x2F;" /> <meta itemprop="version" content="1.14.0" /> <!-- hidden text for searching --> <div style="display: none;"> jQuery, forms, validate, validation </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jquery-validate" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jquery-validate/1.14.0/jquery.validate.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jQuery-Validation-Engine" data-library-keywords="form, field, validation, jquery" id="jQuery-Validation-Engine" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jQuery-Validation-Engine"> jQuery-Validation-Engine </a> <meta itemprop="url" content="http:&#x2F;&#x2F;www.position-relative.net&#x2F;" /> <meta itemprop="version" content="2.6.4" /> <!-- hidden text for searching --> <div style="display: none;"> form, field, validation, jquery </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jQuery-Validation-Engine" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jQuery-Validation-Engine/2.6.4/jquery.validationEngine.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jQuery-viewport-checker" data-library-keywords="jQuery, Viewport, checker, Viewport" id="jQuery-viewport-checker" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jQuery-viewport-checker"> jQuery-viewport-checker </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;dirkgroenen&#x2F;jQuery-viewport-checker" /> <meta itemprop="version" content="1.8.7" /> <!-- hidden text for searching --> <div style="display: none;"> jQuery, Viewport, checker, Viewport </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jQuery-viewport-checker" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jQuery-viewport-checker/1.8.7/jquery.viewportchecker.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jquery-visibility" data-library-keywords="page, visibility, visible, jquery-plugin, ecosystem:jquery" id="jquery-visibility" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jquery-visibility"> jquery-visibility </a> <meta itemprop="url" content="http:&#x2F;&#x2F;mths.be&#x2F;visibility" /> <meta itemprop="version" content="1.0.11" /> <!-- hidden text for searching --> <div style="display: none;"> page, visibility, visible, jquery-plugin, ecosystem:jquery </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jquery-visibility" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jquery-visibility/1.0.11/jquery-visibility.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jquery-zoom" data-library-keywords="zoom, images, ui, jQuery, jquery-plugin" id="jquery-zoom" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jquery-zoom"> jquery-zoom </a> <meta itemprop="url" content="http:&#x2F;&#x2F;www.jacklmoore.com&#x2F;zoom" /> <meta itemprop="version" content="1.7.14" /> <!-- hidden text for searching --> <div style="display: none;"> zoom, images, ui, jQuery, jquery-plugin </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jquery-zoom" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jquery-zoom/1.7.14/jquery.zoom.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jquery.activity-indicator" data-library-keywords="jquery, loader, indicator" id="jqueryactivity-indicator" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jquery.activity-indicator"> jquery.activity-indicator </a> <meta itemprop="url" content="http:&#x2F;&#x2F;neteye.github.com&#x2F;activity-indicator.html" /> <meta itemprop="version" content="1.0.0" /> <!-- hidden text for searching --> <div style="display: none;"> jquery, loader, indicator </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jquery.activity-indicator" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jquery.activity-indicator/1.0.0/jquery.activity-indicator.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jquery.actual" data-library-keywords="width, height, hidden element width, hidden element height, actual" id="jqueryactual" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jquery.actual"> jquery.actual </a> <meta itemprop="url" content="http:&#x2F;&#x2F;dreamerslab.com&#x2F;blog&#x2F;get-hidden-elements-width-and-height-with-jquery&#x2F;" /> <meta itemprop="version" content="1.0.17" /> <!-- hidden text for searching --> <div style="display: none;"> width, height, hidden element width, hidden element height, actual </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jquery.actual" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jquery.actual/1.0.17/jquery.actual.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jquery.address" data-library-keywords="utility, popular" id="jqueryaddress" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jquery.address"> jquery.address </a> <meta itemprop="url" content="http:&#x2F;&#x2F;www.asual.com&#x2F;jquery&#x2F;address&#x2F;" /> <meta itemprop="version" content="1.6" /> <!-- hidden text for searching --> <div style="display: none;"> utility, popular </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jquery.address" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jquery.address/1.6/jquery.address.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jquery.age" data-library-keywords="time, age" id="jqueryage" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jquery.age"> jquery.age </a> <meta itemprop="url" content="https:&#x2F;&#x2F;ksylvest.github.com&#x2F;jquery-age" /> <meta itemprop="version" content="1.2.4" /> <!-- hidden text for searching --> <div style="display: none;"> time, age </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jquery.age" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jquery.age/1.2.4/jquery.age.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jquery.allowed-chars" data-library-keywords="jquery, plugin, simple, allowed, chars, allowed chars, regular expression, regExp" id="jqueryallowed-chars" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jquery.allowed-chars"> jquery.allowed-chars </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;pvoznenko&#x2F;jquery-allowed-chars-simple-plugin" /> <meta itemprop="version" content="1.0.4" /> <!-- hidden text for searching --> <div style="display: none;"> jquery, plugin, simple, allowed, chars, allowed chars, regular expression, regExp </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jquery.allowed-chars" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jquery.allowed-chars/1.0.4/jquery.allowed-chars.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jquery.alphanum" data-library-keywords="alphanumeric, alphanun, alphabetic, numeric, input, textarea, text, restrict" id="jqueryalphanum" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jquery.alphanum"> jquery.alphanum </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;KevinSheedy&#x2F;jquery.alphanum" /> <meta itemprop="version" content="1.0.21" /> <!-- hidden text for searching --> <div style="display: none;"> alphanumeric, alphanun, alphabetic, numeric, input, textarea, text, restrict </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jquery.alphanum" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jquery.alphanum/1.0.21/jquery.alphanum.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jquery.appear" data-library-keywords="event, appear, disappear" id="jqueryappear" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jquery.appear"> jquery.appear </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;morr&#x2F;jquery.appear" /> <meta itemprop="version" content="0.3.3" /> <!-- hidden text for searching --> <div style="display: none;"> event, appear, disappear </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jquery.appear" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jquery.appear/0.3.3/jquery.appear.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jquery.AreYouSure" data-library-keywords="dirty, form, onbeforeunload, save, check" id="jqueryAreYouSure" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jquery.AreYouSure"> jquery.AreYouSure </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;codedance&#x2F;jquery.AreYouSure" /> <meta itemprop="version" content="1.9.0" /> <!-- hidden text for searching --> <div style="display: none;"> dirty, form, onbeforeunload, save, check </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jquery.AreYouSure" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jquery.AreYouSure/1.9.0/jquery.are-you-sure.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jquery.atmosphere" data-library-keywords="ws, websocket, sse, serversentevents, comet, streaming, longpolling" id="jqueryatmosphere" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jquery.atmosphere"> jquery.atmosphere </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;Atmosphere&#x2F;atmosphere-javascript" /> <meta itemprop="version" content="2.1.2" /> <!-- hidden text for searching --> <div style="display: none;"> ws, websocket, sse, serversentevents, comet, streaming, longpolling </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jquery.atmosphere" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jquery.atmosphere/2.1.2/jquery.atmosphere.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jquery.avgrund" data-library-keywords="popin, modal, popup, ui, lightbox" id="jqueryavgrund" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jquery.avgrund"> jquery.avgrund </a> <meta itemprop="url" content="http:&#x2F;&#x2F;labs.voronianski.com&#x2F;jquery.avgrund.js" /> <meta itemprop="version" content="1.3.3" /> <!-- hidden text for searching --> <div style="display: none;"> popin, modal, popup, ui, lightbox </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jquery.avgrund" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jquery.avgrund/1.3.3/jquery.avgrund.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jquery.ba-bbq" data-library-keywords="jquery, history" id="jqueryba-bbq" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jquery.ba-bbq"> jquery.ba-bbq </a> <meta itemprop="url" content="http:&#x2F;&#x2F;benalman.com&#x2F;projects&#x2F;jquery-bbq-plugin&#x2F;" /> <meta itemprop="version" content="1.2.1" /> <!-- hidden text for searching --> <div style="display: none;"> jquery, history </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jquery.ba-bbq" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jquery.ba-bbq/1.2.1/jquery.ba-bbq.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jQuery.BlackAndWhite" data-library-keywords="jquery, grayscale, images" id="jQueryBlackAndWhite" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jQuery.BlackAndWhite"> jQuery.BlackAndWhite </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;GianlucaGuarini&#x2F;jQuery.BlackAndWhite" /> <meta itemprop="version" content="0.3.6" /> <!-- hidden text for searching --> <div style="display: none;"> jquery, grayscale, images </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jQuery.BlackAndWhite" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jQuery.BlackAndWhite/0.3.6/jquery.BlackAndWhite.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jquery.blockUI" data-library-keywords="block, overlay, dialog, modal" id="jqueryblockUI" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jquery.blockUI"> jquery.blockUI </a> <meta itemprop="url" content="http:&#x2F;&#x2F;jquery.malsup.com&#x2F;block" /> <meta itemprop="version" content="2.70.0-2014.11.23" /> <!-- hidden text for searching --> <div style="display: none;"> block, overlay, dialog, modal </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jquery.blockUI" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jquery.blockUI/2.70.0-2014.11.23/jquery.blockUI.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jquery.bootstrapvalidator" data-library-keywords="jQuery, plugin, validate, validator, form, Bootstrap" id="jquerybootstrapvalidator" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jquery.bootstrapvalidator"> jquery.bootstrapvalidator </a> <meta itemprop="url" content="http:&#x2F;&#x2F;bootstrapvalidator.com" /> <meta itemprop="version" content="0.5.3" /> <!-- hidden text for searching --> <div style="display: none;"> jQuery, plugin, validate, validator, form, Bootstrap </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jquery.bootstrapvalidator" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jquery.bootstrapvalidator/0.5.3/js&#x2F;bootstrapValidator.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jquery.businessHours" data-library-keywords="jQuery, plugin, business hours" id="jquerybusinessHours" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jquery.businessHours"> jquery.businessHours </a> <meta itemprop="url" content="http:&#x2F;&#x2F;gendelf.github.io&#x2F;jquery.businessHours&#x2F;" /> <meta itemprop="version" content="1.0.1" /> <!-- hidden text for searching --> <div style="display: none;"> jQuery, plugin, business hours </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jquery.businessHours" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jquery.businessHours/1.0.1/jquery.businessHours.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jquery.caroufredsel" data-library-keywords="carousel, responsive, jquery" id="jquerycaroufredsel" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jquery.caroufredsel"> jquery.caroufredsel </a> <meta itemprop="url" content="http:&#x2F;&#x2F;caroufredsel.dev7studios.com&#x2F;" /> <meta itemprop="version" content="6.2.1" /> <!-- hidden text for searching --> <div style="display: none;"> carousel, responsive, jquery </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jquery.caroufredsel" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jquery.caroufredsel/6.2.1/jquery.carouFredSel.packed.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jquery.collapsible" data-library-keywords="jquery, collapsable, div" id="jquerycollapsible" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jquery.collapsible"> jquery.collapsible </a> <meta itemprop="url" content="http:&#x2F;&#x2F;www.snyderplace.com&#x2F;demos&#x2F;collapsible.html" /> <meta itemprop="version" content="1.2" /> <!-- hidden text for searching --> <div style="display: none;"> jquery, collapsable, div </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jquery.collapsible" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jquery.collapsible/1.2/jquery.collapsible.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jquery.colorbox" data-library-keywords="modal, lightbox, gallery, popup, ui, jquery-plugin" id="jquerycolorbox" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jquery.colorbox"> jquery.colorbox </a> <meta itemprop="url" content="http:&#x2F;&#x2F;www.jacklmoore.com&#x2F;colorbox" /> <meta itemprop="version" content="1.6.3" /> <!-- hidden text for searching --> <div style="display: none;"> modal, lightbox, gallery, popup, ui, jquery-plugin </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jquery.colorbox" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jquery.colorbox/1.6.3/jquery.colorbox-min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jquery.countdown" data-library-keywords="countdown, coupons, auction, clock, datetime, date" id="jquerycountdown" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jquery.countdown"> jquery.countdown </a> <meta itemprop="url" content="http:&#x2F;&#x2F;hilios.github.io&#x2F;jQuery.countdown&#x2F;" /> <meta itemprop="version" content="2.1.0" /> <!-- hidden text for searching --> <div style="display: none;"> countdown, coupons, auction, clock, datetime, date </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jquery.countdown" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jquery.countdown/2.1.0/jquery.countdown.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jquery.customSelect" data-library-keywords="" id="jquerycustomSelect" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jquery.customSelect"> jquery.customSelect </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;adamcoulombe&#x2F;jquery.customSelect" /> <meta itemprop="version" content="0.5.1" /> <!-- hidden text for searching --> <div style="display: none;"> </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jquery.customSelect" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jquery.customSelect/0.5.1/jquery.customSelect.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jquery.cycle" data-library-keywords="jquery, slideshow, cycle" id="jquerycycle" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jquery.cycle"> jquery.cycle </a> <meta itemprop="url" content="http:&#x2F;&#x2F;jquery.malsup.com&#x2F;cycle&#x2F;" /> <meta itemprop="version" content="3.0.3" /> <!-- hidden text for searching --> <div style="display: none;"> jquery, slideshow, cycle </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jquery.cycle" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jquery.cycle/3.0.3/jquery.cycle.all.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jquery.cycle2" data-library-keywords="slideshow, carousel, slider" id="jquerycycle2" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jquery.cycle2"> jquery.cycle2 </a> <meta itemprop="url" content="http:&#x2F;&#x2F;jquery.malsup.com&#x2F;cycle2&#x2F;" /> <meta itemprop="version" content="2.1.6" /> <!-- hidden text for searching --> <div style="display: none;"> slideshow, carousel, slider </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jquery.cycle2" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jquery.cycle2/2.1.6/jquery.cycle2.core.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jquery.devbridge-autocomplete" data-library-keywords="autocomplete" id="jquerydevbridge-autocomplete" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jquery.devbridge-autocomplete"> jquery.devbridge-autocomplete </a> <meta itemprop="url" content="http:&#x2F;&#x2F;www.devbridge.com&#x2F;projects&#x2F;autocomplete&#x2F;jquery&#x2F;" /> <meta itemprop="version" content="1.2.24" /> <!-- hidden text for searching --> <div style="display: none;"> autocomplete </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jquery.devbridge-autocomplete" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jquery.devbridge-autocomplete/1.2.24/jquery.autocomplete.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jquery.dirtyforms.dialogs.blockui" data-library-keywords="blockui, jquery, plugin, dirty, forms, confirmation, validate, validation, areyousure, jquery-plugin, ecosystem:jquery" id="jquerydirtyformsdialogsblockui" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jquery.dirtyforms.dialogs.blockui"> jquery.dirtyforms.dialogs.blockui </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;snikch&#x2F;jquery.dirtyforms" /> <meta itemprop="version" content="2.0.0-beta00004" /> <!-- hidden text for searching --> <div style="display: none;"> blockui, jquery, plugin, dirty, forms, confirmation, validate, validation, areyousure, jquery-plugin, ecosystem:jquery </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jquery.dirtyforms.dialogs.blockui" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jquery.dirtyforms.dialogs.blockui/2.0.0-beta00004/jquery.dirtyforms.dialogs.blockui.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jquery.dirtyforms.dialogs.bootstrap" data-library-keywords="bootstrap, modal, jquery, plugin, dirty, forms, confirmation, validate, validation, areyousure, jquery-plugin, ecosystem:jquery" id="jquerydirtyformsdialogsbootstrap" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jquery.dirtyforms.dialogs.bootstrap"> jquery.dirtyforms.dialogs.bootstrap </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;snikch&#x2F;jquery.dirtyforms" /> <meta itemprop="version" content="2.0.0-beta00004" /> <!-- hidden text for searching --> <div style="display: none;"> bootstrap, modal, jquery, plugin, dirty, forms, confirmation, validate, validation, areyousure, jquery-plugin, ecosystem:jquery </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jquery.dirtyforms.dialogs.bootstrap" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jquery.dirtyforms.dialogs.bootstrap/2.0.0-beta00004/jquery.dirtyforms.dialogs.bootstrap.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jquery.dirtyforms.dialogs.facebox" data-library-keywords="facebox, jquery, plugin, dirty, forms, confirmation, validate, validation, areyousure, jquery-plugin, ecosystem:jquery" id="jquerydirtyformsdialogsfacebox" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jquery.dirtyforms.dialogs.facebox"> jquery.dirtyforms.dialogs.facebox </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;snikch&#x2F;jquery.dirtyforms" /> <meta itemprop="version" content="2.0.0-beta00004" /> <!-- hidden text for searching --> <div style="display: none;"> facebox, jquery, plugin, dirty, forms, confirmation, validate, validation, areyousure, jquery-plugin, ecosystem:jquery </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jquery.dirtyforms.dialogs.facebox" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jquery.dirtyforms.dialogs.facebox/2.0.0-beta00004/jquery.dirtyforms.dialogs.facebox.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jquery.dirtyforms.dialogs.jquery-ui" data-library-keywords="ui, jquery, plugin, dirty, forms, confirmation, validate, validation, areyousure, jquery-plugin, ecosystem:jquery" id="jquerydirtyformsdialogsjquery-ui" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jquery.dirtyforms.dialogs.jquery-ui"> jquery.dirtyforms.dialogs.jquery-ui </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;snikch&#x2F;jquery.dirtyforms" /> <meta itemprop="version" content="2.0.0-beta00004" /> <!-- hidden text for searching --> <div style="display: none;"> ui, jquery, plugin, dirty, forms, confirmation, validate, validation, areyousure, jquery-plugin, ecosystem:jquery </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jquery.dirtyforms.dialogs.jquery-ui" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jquery.dirtyforms.dialogs.jquery-ui/2.0.0-beta00004/jquery.dirtyforms.dialogs.jquery-ui.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jquery.dirtyforms.dialogs.pnotify" data-library-keywords="pnotify, dirty, forms, HTML, form, confirm, dialog, confirmation, are, you, sure" id="jquerydirtyformsdialogspnotify" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jquery.dirtyforms.dialogs.pnotify"> jquery.dirtyforms.dialogs.pnotify </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;snikch&#x2F;jquery.dirtyforms" /> <meta itemprop="version" content="2.0.0-beta00004" /> <!-- hidden text for searching --> <div style="display: none;"> pnotify, dirty, forms, HTML, form, confirm, dialog, confirmation, are, you, sure </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jquery.dirtyforms.dialogs.pnotify" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jquery.dirtyforms.dialogs.pnotify/2.0.0-beta00004/jquery.dirtyforms.dialogs.pnotify.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jquery.dirtyforms.helpers.alwaysdirty" data-library-keywords="dirty, forms, HTML, form, confirm, dialog, confirmation, are, you, sure" id="jquerydirtyformshelpersalwaysdirty" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jquery.dirtyforms.helpers.alwaysdirty"> jquery.dirtyforms.helpers.alwaysdirty </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;snikch&#x2F;jquery.dirtyforms" /> <meta itemprop="version" content="1.2.3" /> <!-- hidden text for searching --> <div style="display: none;"> dirty, forms, HTML, form, confirm, dialog, confirmation, are, you, sure </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jquery.dirtyforms.helpers.alwaysdirty" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jquery.dirtyforms.helpers.alwaysdirty/1.2.3/jquery.dirtyforms.helpers.alwaysdirty.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jquery.dirtyforms.helpers.ckeditor" data-library-keywords="ckeditor, dirty, forms, HTML, form, confirm, dialog, confirmation, are, you, sure" id="jquerydirtyformshelpersckeditor" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jquery.dirtyforms.helpers.ckeditor"> jquery.dirtyforms.helpers.ckeditor </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;snikch&#x2F;jquery.dirtyforms" /> <meta itemprop="version" content="1.2.3" /> <!-- hidden text for searching --> <div style="display: none;"> ckeditor, dirty, forms, HTML, form, confirm, dialog, confirmation, are, you, sure </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jquery.dirtyforms.helpers.ckeditor" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jquery.dirtyforms.helpers.ckeditor/1.2.3/jquery.dirtyforms.helpers.ckeditor.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jquery.dirtyforms.helpers.tinymce" data-library-keywords="tinymce, jquery, plugin, dirty, forms, confirmation, validate, validation, areyousure, jquery-plugin, ecosystem:jquery" id="jquerydirtyformshelperstinymce" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jquery.dirtyforms.helpers.tinymce"> jquery.dirtyforms.helpers.tinymce </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;snikch&#x2F;jquery.dirtyforms" /> <meta itemprop="version" content="1.2.3" /> <!-- hidden text for searching --> <div style="display: none;"> tinymce, jquery, plugin, dirty, forms, confirmation, validate, validation, areyousure, jquery-plugin, ecosystem:jquery </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jquery.dirtyforms.helpers.tinymce" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jquery.dirtyforms.helpers.tinymce/1.2.3/jquery.dirtyforms.helpers.tinymce.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jquery.dirtyforms" data-library-keywords="jquery, plugin, dirty, forms, confirmation, validate, validation, areyousure, jquery-plugin, ecosystem:jquery" id="jquerydirtyforms" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jquery.dirtyforms"> jquery.dirtyforms </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;snikch&#x2F;jquery.dirtyforms#readme" /> <meta itemprop="version" content="1.2.3" /> <!-- hidden text for searching --> <div style="display: none;"> jquery, plugin, dirty, forms, confirmation, validate, validation, areyousure, jquery-plugin, ecosystem:jquery </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jquery.dirtyforms" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jquery.dirtyforms/1.2.3/jquery.dirtyforms.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jQuery.dotdotdot" data-library-keywords="ellipsis, dotdotdot, multiline, text, text-overflow, overflow, dots" id="jQuerydotdotdot" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jQuery.dotdotdot"> jQuery.dotdotdot </a> <meta itemprop="url" content="http:&#x2F;&#x2F;dotdotdot.frebsite.nl&#x2F;" /> <meta itemprop="version" content="1.7.4" /> <!-- hidden text for searching --> <div style="display: none;"> ellipsis, dotdotdot, multiline, text, text-overflow, overflow, dots </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jQuery.dotdotdot" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jQuery.dotdotdot/1.7.4/jquery.dotdotdot.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jquery.downCount" data-library-keywords="countdown, timezone, offset" id="jquerydownCount" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jquery.downCount"> jquery.downCount </a> <meta itemprop="url" content="http:&#x2F;&#x2F;sonnyt.com&#x2F;downCount-plugin&#x2F;" /> <meta itemprop="version" content="1.0.0" /> <!-- hidden text for searching --> <div style="display: none;"> countdown, timezone, offset </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jquery.downCount" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jquery.downCount/1.0.0/jquery.downCount.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jquery.dropotron" data-library-keywords="jquery, dropdown, menu" id="jquerydropotron" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jquery.dropotron"> jquery.dropotron </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;n33&#x2F;jquery.dropotron" /> <meta itemprop="version" content="1.4.3" /> <!-- hidden text for searching --> <div style="display: none;"> jquery, dropdown, menu </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jquery.dropotron" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jquery.dropotron/1.4.3/jquery.dropotron.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jquery.easytabs" data-library-keywords="tabs, jquery, easy" id="jqueryeasytabs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jquery.easytabs"> jquery.easytabs </a> <meta itemprop="url" content="http:&#x2F;&#x2F;os.alfajango.com&#x2F;easytabs&#x2F;" /> <meta itemprop="version" content="3.2.0" /> <!-- hidden text for searching --> <div style="display: none;"> tabs, jquery, easy </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jquery.easytabs" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jquery.easytabs/3.2.0/jquery.easytabs.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jquery.fancytree" data-library-keywords="ajax, jquery-plugin, lazy, table, tabletree, tree, treegrid" id="jqueryfancytree" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jquery.fancytree"> jquery.fancytree </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;mar10&#x2F;fancytree" /> <meta itemprop="version" content="2.15.0" /> <!-- hidden text for searching --> <div style="display: none;"> ajax, jquery-plugin, lazy, table, tabletree, tree, treegrid </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jquery.fancytree" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jquery.fancytree/2.15.0/jquery.fancytree-all.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jquery.fileDownload" data-library-keywords="jquery.fileDownload, file download" id="jqueryfileDownload" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jquery.fileDownload"> jquery.fileDownload </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;johnculviner&#x2F;jquery.fileDownload" /> <meta itemprop="version" content="1.4.2" /> <!-- hidden text for searching --> <div style="display: none;"> jquery.fileDownload, file download </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jquery.fileDownload" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jquery.fileDownload/1.4.2/jquery.fileDownload.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jquery.finderselect" data-library-keywords="select, selectable, highlight, command, click, shift" id="jqueryfinderselect" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jquery.finderselect"> jquery.finderselect </a> <meta itemprop="url" content="http:&#x2F;&#x2F;evulse.github.io&#x2F;finderSelect&#x2F;" /> <meta itemprop="version" content="0.6.0" /> <!-- hidden text for searching --> <div style="display: none;"> select, selectable, highlight, command, click, shift </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jquery.finderselect" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jquery.finderselect/0.6.0/jquery.finderselect.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jquery.form" data-library-keywords="form, upload, ajax" id="jqueryform" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jquery.form"> jquery.form </a> <meta itemprop="url" content="http:&#x2F;&#x2F;jquery.malsup.com&#x2F;form&#x2F;" /> <meta itemprop="version" content="3.51" /> <!-- hidden text for searching --> <div style="display: none;"> form, upload, ajax </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jquery.form" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jquery.form/3.51/jquery.form.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jquery.formalize" data-library-keywords="forms, formalize, form, jquery" id="jqueryformalize" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jquery.formalize"> jquery.formalize </a> <meta itemprop="url" content="http:&#x2F;&#x2F;formalize.me&#x2F;" /> <meta itemprop="version" content="1.2" /> <!-- hidden text for searching --> <div style="display: none;"> forms, formalize, form, jquery </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jquery.formalize" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jquery.formalize/1.2/jquery.formalize.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jquery.formset" data-library-keywords="django-dynamic-formset, jquery-plugin, Django, formsets" id="jqueryformset" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jquery.formset"> jquery.formset </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;elo80ka&#x2F;django-dynamic-formset" /> <meta itemprop="version" content="1.2.2" /> <!-- hidden text for searching --> <div style="display: none;"> django-dynamic-formset, jquery-plugin, Django, formsets </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jquery.formset" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jquery.formset/1.2.2/jquery.formset.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jquery.googlemap" data-library-keywords="grid, datagrid, table, ui, input, ajax, handsontable, spreadsheet" id="jquerygooglemap" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jquery.googlemap"> jquery.googlemap </a> <meta itemprop="url" content="http:&#x2F;&#x2F;tilotiti.github.com&#x2F;jQuery-Google-Map&#x2F;" /> <meta itemprop="version" content="1.5" /> <!-- hidden text for searching --> <div style="display: none;"> grid, datagrid, table, ui, input, ajax, handsontable, spreadsheet </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jquery.googlemap" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jquery.googlemap/1.5/jquery.googlemap.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jquery.gray" data-library-keywords="gray, grey, grayscale, images, image" id="jquerygray" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jquery.gray"> jquery.gray </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;karlhorky&#x2F;gray" /> <meta itemprop="version" content="1.4.4" /> <!-- hidden text for searching --> <div style="display: none;"> gray, grey, grayscale, images, image </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jquery.gray" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jquery.gray/1.4.4/js&#x2F;jquery.gray.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jquery.gridster" data-library-keywords="grids, ui, templating, jquery" id="jquerygridster" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jquery.gridster"> jquery.gridster </a> <meta itemprop="url" content="http:&#x2F;&#x2F;gridster.net&#x2F;" /> <meta itemprop="version" content="0.5.6" /> <!-- hidden text for searching --> <div style="display: none;"> grids, ui, templating, jquery </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jquery.gridster" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jquery.gridster/0.5.6/jquery.gridster.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jquery.hashcash.io" data-library-keywords="spam, security, jquery" id="jqueryhashcashio" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jquery.hashcash.io"> jquery.hashcash.io </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;hashcash&#x2F;jquery.hashcash.io" /> <meta itemprop="version" content="0.0.2" /> <!-- hidden text for searching --> <div style="display: none;"> spam, security, jquery </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jquery.hashcash.io" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jquery.hashcash.io/0.0.2/jquery.hashcash.io.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jquery.hoverintent" data-library-keywords="hover, jquery, hoverintent, hoverIntent, jquery.hoverIntent, jquery.hoverintent" id="jqueryhoverintent" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jquery.hoverintent"> jquery.hoverintent </a> <meta itemprop="url" content="http:&#x2F;&#x2F;cherne.net&#x2F;brian&#x2F;resources&#x2F;jquery.hoverIntent.html" /> <meta itemprop="version" content="1.8.1" /> <!-- hidden text for searching --> <div style="display: none;"> hover, jquery, hoverintent, hoverIntent, jquery.hoverIntent, jquery.hoverintent </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jquery.hoverintent" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jquery.hoverintent/1.8.1/jquery.hoverIntent.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jquery.html5loader" data-library-keywords="" id="jqueryhtml5loader" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jquery.html5loader"> jquery.html5loader </a> <meta itemprop="url" content="" /> <meta itemprop="version" content="1.8.0" /> <!-- hidden text for searching --> <div style="display: none;"> </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jquery.html5loader" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jquery.html5loader/1.8.0/jquery.html5Loader.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jquery.iframetracker" data-library-keywords="jquery-plugin, iframe, youtube, adsense, advertising, click" id="jqueryiframetracker" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jquery.iframetracker"> jquery.iframetracker </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;vincepare&#x2F;iframeTracker-jquery" /> <meta itemprop="version" content="1.1.0" /> <!-- hidden text for searching --> <div style="display: none;"> jquery-plugin, iframe, youtube, adsense, advertising, click </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jquery.iframetracker" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jquery.iframetracker/1.1.0/jquery.iframetracker.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jquery.imagesloaded" data-library-keywords="images, load, jquery" id="jqueryimagesloaded" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jquery.imagesloaded"> jquery.imagesloaded </a> <meta itemprop="url" content="http:&#x2F;&#x2F;desandro.github.com&#x2F;imagesloaded&#x2F;" /> <meta itemprop="version" content="4.1.0" /> <!-- hidden text for searching --> <div style="display: none;"> images, load, jquery </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jquery.imagesloaded" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jquery.imagesloaded/4.1.0/imagesloaded.pkgd.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jquery.inputmask" data-library-keywords="jquery, plugins, input, form, inputmask, mask" id="jqueryinputmask" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jquery.inputmask"> jquery.inputmask </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;RobinHerbots&#x2F;jquery.inputmask" /> <meta itemprop="version" content="3.2.5" /> <!-- hidden text for searching --> <div style="display: none;"> jquery, plugins, input, form, inputmask, mask </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jquery.inputmask" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jquery.inputmask/3.2.5/jquery.inputmask.bundle.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jquery.is.js" data-library-keywords="regexp, test, simple" id="jqueryisjs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jquery.is.js"> jquery.is.js </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;rthor&#x2F;isjs" /> <meta itemprop="version" content="0.2.1" /> <!-- hidden text for searching --> <div style="display: none;"> regexp, test, simple </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jquery.is.js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jquery.is.js/0.2.1/jquery.is.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jquery.isotope" data-library-keywords="isotope, filtering, sorting, masonry, layout" id="jqueryisotope" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jquery.isotope"> jquery.isotope </a> <meta itemprop="url" content="http:&#x2F;&#x2F;isotope.metafizzy.co" /> <meta itemprop="version" content="2.2.2" /> <!-- hidden text for searching --> <div style="display: none;"> isotope, filtering, sorting, masonry, layout </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jquery.isotope" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jquery.isotope/2.2.2/isotope.pkgd.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jquery.lazy" data-library-keywords="lazy, lazyload, load, loader, image, images, background, speed, delay, delayed, pageload, performance, jquery, jquery-plugin, retina, placeholder" id="jquerylazy" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jquery.lazy"> jquery.lazy </a> <meta itemprop="url" content="http:&#x2F;&#x2F;jquery.eisbehr.de&#x2F;lazy&#x2F;" /> <meta itemprop="version" content="1.6.5" /> <!-- hidden text for searching --> <div style="display: none;"> lazy, lazyload, load, loader, image, images, background, speed, delay, delayed, pageload, performance, jquery, jquery-plugin, retina, placeholder </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jquery.lazy" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jquery.lazy/1.6.5/jquery.lazy.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jquery.lazyload" data-library-keywords="lazyload, lazy, load, image" id="jquerylazyload" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jquery.lazyload"> jquery.lazyload </a> <meta itemprop="url" content="http:&#x2F;&#x2F;www.appelsiini.net&#x2F;projects&#x2F;lazyload" /> <meta itemprop="version" content="1.9.1" /> <!-- hidden text for searching --> <div style="display: none;"> lazyload, lazy, load, image </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jquery.lazyload" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jquery.lazyload/1.9.1/jquery.lazyload.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jquery.lazyloadxt" data-library-keywords="image, images, jquery, jquerymobile, lazy, lazyload, load, media, mobile, performance, responsive, speed, video, vimeo, youtube" id="jquerylazyloadxt" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jquery.lazyloadxt"> jquery.lazyloadxt </a> <meta itemprop="url" content="http:&#x2F;&#x2F;ressio.github.io&#x2F;lazy-load-xt" /> <meta itemprop="version" content="1.1.0" /> <!-- hidden text for searching --> <div style="display: none;"> image, images, jquery, jquerymobile, lazy, lazyload, load, media, mobile, performance, responsive, speed, video, vimeo, youtube </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jquery.lazyloadxt" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jquery.lazyloadxt/1.1.0/jquery.lazyloadxt.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jquery.lifestream" data-library-keywords="lifestream, social networks, jquery" id="jquerylifestream" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jquery.lifestream"> jquery.lifestream </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;christianvuerings&#x2F;jquery-lifestream" /> <meta itemprop="version" content="0.3.7" /> <!-- hidden text for searching --> <div style="display: none;"> lifestream, social networks, jquery </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jquery.lifestream" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jquery.lifestream/0.3.7/jquery.lifestream.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jquery.liveurl" data-library-keywords="liveurl, url, attachement, facebook" id="jqueryliveurl" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jquery.liveurl"> jquery.liveurl </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;stephan-fischer&#x2F;jQuery-LiveUrl" /> <meta itemprop="version" content="1.2.2" /> <!-- hidden text for searching --> <div style="display: none;"> liveurl, url, attachement, facebook </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jquery.liveurl" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jquery.liveurl/1.2.2/jquery.liveurl.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jquery.mask" data-library-keywords="jquery, mask, input, form" id="jquerymask" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jquery.mask"> jquery.mask </a> <meta itemprop="url" content="http:&#x2F;&#x2F;igorescobar.github.com&#x2F;jQuery-Mask-Plugin&#x2F;" /> <meta itemprop="version" content="1.13.4" /> <!-- hidden text for searching --> <div style="display: none;"> jquery, mask, input, form </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jquery.mask" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jquery.mask/1.13.4/jquery.mask.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jquery.maskedinput" data-library-keywords="input, form, mask" id="jquerymaskedinput" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jquery.maskedinput"> jquery.maskedinput </a> <meta itemprop="url" content="http:&#x2F;&#x2F;digitalbush.com&#x2F;projects&#x2F;masked-input-plugin&#x2F;" /> <meta itemprop="version" content="1.4.1" /> <!-- hidden text for searching --> <div style="display: none;"> input, form, mask </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jquery.maskedinput" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jquery.maskedinput/1.4.1/jquery.maskedinput.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jquery.matchHeight" data-library-keywords="matchHeight, equal, match, height, equalize, columns" id="jquerymatchHeight" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jquery.matchHeight"> jquery.matchHeight </a> <meta itemprop="url" content="http:&#x2F;&#x2F;brm.io&#x2F;jquery-match-height&#x2F;" /> <meta itemprop="version" content="0.7.0" /> <!-- hidden text for searching --> <div style="display: none;"> matchHeight, equal, match, height, equalize, columns </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jquery.matchHeight" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jquery.matchHeight/0.7.0/jquery.matchHeight-min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jquery.mb.YTPlayer" data-library-keywords="video, Youtube, background, HTML5, player, custom" id="jquerymbYTPlayer" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jquery.mb.YTPlayer"> jquery.mb.YTPlayer </a> <meta itemprop="url" content="http:&#x2F;&#x2F;pupunzi.open-lab.com&#x2F;mb-jquery-components&#x2F;jquery-mb-ytplayer&#x2F;" /> <meta itemprop="version" content="2.9.11" /> <!-- hidden text for searching --> <div style="display: none;"> video, Youtube, background, HTML5, player, custom </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jquery.mb.YTPlayer" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jquery.mb.YTPlayer/2.9.11/jquery.mb.YTPlayer.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jquery.meiomask" data-library-keywords="jquery, library, framework, popular, meiomask, mask, input" id="jquerymeiomask" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jquery.meiomask"> jquery.meiomask </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;fabiomcosta&#x2F;jquery-meiomask" /> <meta itemprop="version" content="1.1.14" /> <!-- hidden text for searching --> <div style="display: none;"> jquery, library, framework, popular, meiomask, mask, input </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jquery.meiomask" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jquery.meiomask/1.1.14/meiomask.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jQuery.mmenu" data-library-keywords="mmenu, menu, navigation, mobile, panels, app" id="jQuerymmenu" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jQuery.mmenu"> jQuery.mmenu </a> <meta itemprop="url" content="http:&#x2F;&#x2F;mmenu.frebsite.nl&#x2F;" /> <meta itemprop="version" content="5.6.1" /> <!-- hidden text for searching --> <div style="display: none;"> mmenu, menu, navigation, mobile, panels, app </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jQuery.mmenu" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jQuery.mmenu/5.6.1/js&#x2F;jquery.mmenu.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jQuery.my" data-library-keywords="MVVM, framework, ui, form, validation, data binding, jquery-plugin, ecosystem:jquery" id="jQuerymy" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jQuery.my"> jQuery.my </a> <meta itemprop="url" content="http:&#x2F;&#x2F;jquerymy.com&#x2F;" /> <meta itemprop="version" content="1.2.1" /> <!-- hidden text for searching --> <div style="display: none;"> MVVM, framework, ui, form, validation, data binding, jquery-plugin, ecosystem:jquery </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jQuery.my" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jQuery.my/1.2.1/jquerymy.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jquery.nanoscroller" data-library-keywords="scrollbar, custom, lion, jquery" id="jquerynanoscroller" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jquery.nanoscroller"> jquery.nanoscroller </a> <meta itemprop="url" content="http:&#x2F;&#x2F;jamesflorentino.github.com&#x2F;nanoScrollerJS&#x2F;" /> <meta itemprop="version" content="0.8.7" /> <!-- hidden text for searching --> <div style="display: none;"> scrollbar, custom, lion, jquery </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jquery.nanoscroller" class="library-column css-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jquery.nanoscroller/0.8.7/css&#x2F;nanoscroller.min.css</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jquery.nicescroll" data-library-keywords="nicescroll, jquery, interface, window, dom, div, scroll, ios, mobile, desktop, scrollbar, touch, android" id="jquerynicescroll" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jquery.nicescroll"> jquery.nicescroll </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;inuyaksa&#x2F;jquery.nicescroll" /> <meta itemprop="version" content="3.6.0" /> <!-- hidden text for searching --> <div style="display: none;"> nicescroll, jquery, interface, window, dom, div, scroll, ios, mobile, desktop, scrollbar, touch, android </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jquery.nicescroll" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jquery.nicescroll/3.6.0/jquery.nicescroll.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jquery.notification" data-library-keywords="notification, notification_api, wrapper, webkit" id="jquerynotification" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jquery.notification"> jquery.notification </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;azproduction&#x2F;jquery.notification" /> <meta itemprop="version" content="1.0.2" /> <!-- hidden text for searching --> <div style="display: none;"> notification, notification_api, wrapper, webkit </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jquery.notification" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jquery.notification/1.0.2/jquery.notification.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jquery.panzoom" data-library-keywords="jquery, jquery-plugin, panning, zooming, panzoom" id="jquerypanzoom" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jquery.panzoom"> jquery.panzoom </a> <meta itemprop="url" content="http:&#x2F;&#x2F;timmywil.github.io&#x2F;jquery.panzoom&#x2F;" /> <meta itemprop="version" content="2.0.5" /> <!-- hidden text for searching --> <div style="display: none;"> jquery, jquery-plugin, panning, zooming, panzoom </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jquery.panzoom" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jquery.panzoom/2.0.5/jquery.panzoom.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jquery.payment" data-library-keywords="payment, jquery" id="jquerypayment" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jquery.payment"> jquery.payment </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;stripe&#x2F;jquery.payment" /> <meta itemprop="version" content="1.3.2" /> <!-- hidden text for searching --> <div style="display: none;"> payment, jquery </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jquery.payment" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jquery.payment/1.3.2/jquery.payment.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jquery.pep" data-library-keywords="jquery-pep, jquery.pep, jquery.pep,js, pep" id="jquerypep" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jquery.pep"> jquery.pep </a> <meta itemprop="url" content="http:&#x2F;&#x2F;pep.briangonzalez.org" /> <meta itemprop="version" content="0.4.0" /> <!-- hidden text for searching --> <div style="display: none;"> jquery-pep, jquery.pep, jquery.pep,js, pep </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jquery.pep" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jquery.pep/0.4.0/jquery.pep.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jquery.percentageloader" data-library-keywords="percentage, loader, jquery, tiny" id="jquerypercentageloader" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jquery.percentageloader"> jquery.percentageloader </a> <meta itemprop="url" content="http:&#x2F;&#x2F;widgets.better2web.com&#x2F;loader&#x2F;" /> <meta itemprop="version" content="0.1.0" /> <!-- hidden text for searching --> <div style="display: none;"> percentage, loader, jquery, tiny </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jquery.percentageloader" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jquery.percentageloader/0.1.0/jquery.percentageloader.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jquery.perfect-scrollbar" data-library-keywords="jquery-plugin, frontend, scroll, scrollbar" id="jqueryperfect-scrollbar" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jquery.perfect-scrollbar"> jquery.perfect-scrollbar </a> <meta itemprop="url" content="http:&#x2F;&#x2F;noraesae.github.io&#x2F;perfect-scrollbar" /> <meta itemprop="version" content="0.6.10" /> <!-- hidden text for searching --> <div style="display: none;"> jquery-plugin, frontend, scroll, scrollbar </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jquery.perfect-scrollbar" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jquery.perfect-scrollbar/0.6.10/js&#x2F;min&#x2F;perfect-scrollbar.jquery.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jquery.photocols" data-library-keywords="" id="jqueryphotocols" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jquery.photocols"> jquery.photocols </a> <meta itemprop="url" content="http:&#x2F;&#x2F;2coders.com" /> <meta itemprop="version" content="1.0.3" /> <!-- hidden text for searching --> <div style="display: none;"> </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jquery.photocols" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jquery.photocols/1.0.3/jquery.photocols.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jquery.pin" data-library-keywords="jquery-pin, jquery.pin, pin" id="jquerypin" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jquery.pin"> jquery.pin </a> <meta itemprop="url" content="http:&#x2F;&#x2F;webpop.github.com&#x2F;jquery.pin&#x2F;" /> <meta itemprop="version" content="1.0.1" /> <!-- hidden text for searching --> <div style="display: none;"> jquery-pin, jquery.pin, pin </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jquery.pin" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jquery.pin/1.0.1/jquery.pin.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jquery.pjax" data-library-keywords="jquery.pjax, ajax, pjax, pushState, jquery" id="jquerypjax" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jquery.pjax"> jquery.pjax </a> <meta itemprop="url" content="http:&#x2F;&#x2F;pjax.heroku.com" /> <meta itemprop="version" content="1.9.6" /> <!-- hidden text for searching --> <div style="display: none;"> jquery.pjax, ajax, pjax, pushState, jquery </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jquery.pjax" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jquery.pjax/1.9.6/jquery.pjax.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jquery.poptrox" data-library-keywords="jquery, gallery, lightbox" id="jquerypoptrox" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jquery.poptrox"> jquery.poptrox </a> <meta itemprop="url" content="http:&#x2F;&#x2F;n33.co" /> <meta itemprop="version" content="2.5.1" /> <!-- hidden text for searching --> <div style="display: none;"> jquery, gallery, lightbox </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jquery.poptrox" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jquery.poptrox/2.5.1/jquery.poptrox.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jquery.postcodify" data-library-keywords="jquery, korea, postal code, postcodify" id="jquerypostcodify" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jquery.postcodify"> jquery.postcodify </a> <meta itemprop="url" content="http:&#x2F;&#x2F;postcodify.poesis.kr&#x2F;" /> <meta itemprop="version" content="3.3.0" /> <!-- hidden text for searching --> <div style="display: none;"> jquery, korea, postal code, postcodify </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jquery.postcodify" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jquery.postcodify/3.3.0/search.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jQuery.print" data-library-keywords="print, element printing, jquery print" id="jQueryprint" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jQuery.print"> jQuery.print </a> <meta itemprop="url" content="https:&#x2F;&#x2F;doersguild.github.io&#x2F;jQuery.print&#x2F;" /> <meta itemprop="version" content="1.3.3" /> <!-- hidden text for searching --> <div style="display: none;"> print, element printing, jquery print </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jQuery.print" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jQuery.print/1.3.3/jQuery.print.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jquery.qrcode" data-library-keywords="jquery, qrcode, qr" id="jqueryqrcode" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jquery.qrcode"> jquery.qrcode </a> <meta itemprop="url" content="http:&#x2F;&#x2F;jeromeetienne.github.com&#x2F;jquery-qrcode&#x2F;" /> <meta itemprop="version" content="1.0" /> <!-- hidden text for searching --> <div style="display: none;"> jquery, qrcode, qr </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jquery.qrcode" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jquery.qrcode/1.0/jquery.qrcode.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jquery.rest" data-library-keywords="jquery, rest, api" id="jqueryrest" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jquery.rest"> jquery.rest </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;jpillora&#x2F;jquery.rest" /> <meta itemprop="version" content="1.0.2" /> <!-- hidden text for searching --> <div style="display: none;"> jquery, rest, api </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jquery.rest" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jquery.rest/1.0.2/jquery.rest.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jquery.scregal" data-library-keywords="full, screen, gallery, slides, images" id="jqueryscregal" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jquery.scregal"> jquery.scregal </a> <meta itemprop="url" content="http:&#x2F;&#x2F;scregal.blue-world.pl" /> <meta itemprop="version" content="1.3" /> <!-- hidden text for searching --> <div style="display: none;"> full, screen, gallery, slides, images </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jquery.scregal" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jquery.scregal/1.3/jquery.scregal.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jquery.scroll4ever" data-library-keywords="infinite, scroll, jquery" id="jqueryscroll4ever" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jquery.scroll4ever"> jquery.scroll4ever </a> <meta itemprop="url" content="http:&#x2F;&#x2F;sb.luanlmd.com&#x2F;jquery.scroll4ever" /> <meta itemprop="version" content="1.0.0" /> <!-- hidden text for searching --> <div style="display: none;"> infinite, scroll, jquery </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jquery.scroll4ever" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jquery.scroll4ever/1.0.0/jquery.scroll4ever.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jquery.scrollbar" data-library-keywords="jquery, scrollbar, angular, textarea" id="jqueryscrollbar" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jquery.scrollbar"> jquery.scrollbar </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;gromo&#x2F;jquery.scrollbar" /> <meta itemprop="version" content="0.2.10" /> <!-- hidden text for searching --> <div style="display: none;"> jquery, scrollbar, angular, textarea </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jquery.scrollbar" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jquery.scrollbar/0.2.10/jquery.scrollbar.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jquery.selectboxit" data-library-keywords="jquery, jqueryui, select box" id="jqueryselectboxit" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jquery.selectboxit"> jquery.selectboxit </a> <meta itemprop="url" content="http:&#x2F;&#x2F;www.selectboxit.com" /> <meta itemprop="version" content="3.8.0" /> <!-- hidden text for searching --> <div style="display: none;"> jquery, jqueryui, select box </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jquery.selectboxit" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jquery.selectboxit/3.8.0/jquery.selectBoxIt.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jquery.selection" data-library-keywords="selection, caret" id="jqueryselection" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jquery.selection"> jquery.selection </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;madapaja&#x2F;jquery.selection" /> <meta itemprop="version" content="1.0.1" /> <!-- hidden text for searching --> <div style="display: none;"> selection, caret </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jquery.selection" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jquery.selection/1.0.1/jquery.selection.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jquery.serializeJSON" data-library-keywords="jquery, serialize, form, helper" id="jqueryserializeJSON" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jquery.serializeJSON"> jquery.serializeJSON </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;marioizquierdo&#x2F;jquery.serializeJSON" /> <meta itemprop="version" content="2.7.2" /> <!-- hidden text for searching --> <div style="display: none;"> jquery, serialize, form, helper </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jquery.serializeJSON" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jquery.serializeJSON/2.7.2/jquery.serializejson.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jQuery.serializeObject" data-library-keywords="jquery, serialize, object, json, serializeJSON, serializeObject" id="jQueryserializeObject" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jQuery.serializeObject"> jQuery.serializeObject </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;hongymagic&#x2F;jQuery.serializeObject" /> <meta itemprop="version" content="2.0.3" /> <!-- hidden text for searching --> <div style="display: none;"> jquery, serialize, object, json, serializeJSON, serializeObject </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jQuery.serializeObject" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jQuery.serializeObject/2.0.3/jquery.serializeObject.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jquery.serialScroll" data-library-keywords="slideshow, sequence, animated, animation, scrolling, scroll, prev, next" id="jqueryserialScroll" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jquery.serialScroll"> jquery.serialScroll </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;flesler&#x2F;jquery.serialScroll" /> <meta itemprop="version" content="1.3.1" /> <!-- hidden text for searching --> <div style="display: none;"> slideshow, sequence, animated, animation, scrolling, scroll, prev, next </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jquery.serialScroll" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jquery.serialScroll/1.3.1/jquery.serialScroll.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jquery.shapeshift" data-library-keywords="grid, column, drag, drop" id="jqueryshapeshift" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jquery.shapeshift"> jquery.shapeshift </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;McPants&#x2F;jquery.shapeshift" /> <meta itemprop="version" content="2.0.0" /> <!-- hidden text for searching --> <div style="display: none;"> grid, column, drag, drop </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jquery.shapeshift" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jquery.shapeshift/2.0.0/jquery.shapeshift.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jquery.simpleWeather" data-library-keywords="weather, weather-data" id="jquerysimpleWeather" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jquery.simpleWeather"> jquery.simpleWeather </a> <meta itemprop="url" content="http:&#x2F;&#x2F;simpleweatherjs.com" /> <meta itemprop="version" content="3.0.2" /> <!-- hidden text for searching --> <div style="display: none;"> weather, weather-data </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jquery.simpleWeather" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jquery.simpleWeather/3.0.2/jquery.simpleWeather.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jquery.smartbanner" data-library-keywords="mobile, ios, android" id="jquerysmartbanner" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jquery.smartbanner"> jquery.smartbanner </a> <meta itemprop="url" content="http:&#x2F;&#x2F;jasny.github.io&#x2F;jquery.smartbanner&#x2F;" /> <meta itemprop="version" content="1.0.0" /> <!-- hidden text for searching --> <div style="display: none;"> mobile, ios, android </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jquery.smartbanner" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jquery.smartbanner/1.0.0/jquery.smartbanner.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jquery.smartmenus" data-library-keywords="menu, navigation, accessible, responsive, mobile, ui" id="jquerysmartmenus" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jquery.smartmenus"> jquery.smartmenus </a> <meta itemprop="url" content="http:&#x2F;&#x2F;www.smartmenus.org&#x2F;" /> <meta itemprop="version" content="1.0.0" /> <!-- hidden text for searching --> <div style="display: none;"> menu, navigation, accessible, responsive, mobile, ui </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jquery.smartmenus" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jquery.smartmenus/1.0.0/jquery.smartmenus.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jquery.socialshareprivacy" data-library-keywords="privacy, datenschutz, heise" id="jquerysocialshareprivacy" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jquery.socialshareprivacy"> jquery.socialshareprivacy </a> <meta itemprop="url" content="http:&#x2F;&#x2F;www.heise.de&#x2F;extras&#x2F;socialshareprivacy&#x2F;" /> <meta itemprop="version" content="1.6" /> <!-- hidden text for searching --> <div style="display: none;"> privacy, datenschutz, heise </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jquery.socialshareprivacy" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jquery.socialshareprivacy/1.6/jquery.socialshareprivacy.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jquery.spritely" data-library-keywords="spritely, ui, jquery" id="jqueryspritely" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jquery.spritely"> jquery.spritely </a> <meta itemprop="url" content="http:&#x2F;&#x2F;www.spritely.net" /> <meta itemprop="version" content="0.6.8" /> <!-- hidden text for searching --> <div style="display: none;"> spritely, ui, jquery </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jquery.spritely" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jquery.spritely/0.6.8/jquery.spritely.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jquery.SPServices" data-library-keywords="jquery, spservices, sharepoint, services, service" id="jquerySPServices" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jquery.SPServices"> jquery.SPServices </a> <meta itemprop="url" content="http:&#x2F;&#x2F;spservices.codeplex.com&#x2F;" /> <meta itemprop="version" content="2014.02" /> <!-- hidden text for searching --> <div style="display: none;"> jquery, spservices, sharepoint, services, service </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jquery.SPServices" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jquery.SPServices/2014.02/jquery.SPServices.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jquery.sticky" data-library-keywords="UI, DOM, sticky, jquery-plugin" id="jquerysticky" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jquery.sticky"> jquery.sticky </a> <meta itemprop="url" content="http:&#x2F;&#x2F;stickyjs.com&#x2F;" /> <meta itemprop="version" content="1.0.3" /> <!-- hidden text for searching --> <div style="display: none;"> UI, DOM, sticky, jquery-plugin </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jquery.sticky" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jquery.sticky/1.0.3/jquery.sticky.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jquery.superlabels" data-library-keywords="jquery, superlabels, form" id="jquerysuperlabels" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jquery.superlabels"> jquery.superlabels </a> <meta itemprop="url" content="http:&#x2F;&#x2F;plugins.jquery.com&#x2F;superLabels&#x2F;" /> <meta itemprop="version" content="2.0.3" /> <!-- hidden text for searching --> <div style="display: none;"> jquery, superlabels, form </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jquery.superlabels" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jquery.superlabels/2.0.3/jquery.superLabels.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jquery.swipebox" data-library-keywords="jquery, library, ajax, framework, swipebox, popular" id="jqueryswipebox" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jquery.swipebox"> jquery.swipebox </a> <meta itemprop="url" content="https:&#x2F;&#x2F;brutaldesign.github.io&#x2F;swipebox&#x2F;" /> <meta itemprop="version" content="1.4.1" /> <!-- hidden text for searching --> <div style="display: none;"> jquery, library, ajax, framework, swipebox, popular </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jquery.swipebox" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jquery.swipebox/1.4.1/js&#x2F;jquery.swipebox.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jquery.tablesorter" data-library-keywords="jquery.tablesorter, tablesorter, table, sort, sorter, sorting, alphanumeric, natural" id="jquerytablesorter" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jquery.tablesorter"> jquery.tablesorter </a> <meta itemprop="url" content="http:&#x2F;&#x2F;mottie.github.com&#x2F;tablesorter&#x2F;" /> <meta itemprop="version" content="2.25.3" /> <!-- hidden text for searching --> <div style="display: none;"> jquery.tablesorter, tablesorter, table, sort, sorter, sorting, alphanumeric, natural </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jquery.tablesorter" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jquery.tablesorter/2.25.3/js&#x2F;jquery.tablesorter.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jquery.textcomplete" data-library-keywords="jquery.textcomplete" id="jquerytextcomplete" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jquery.textcomplete"> jquery.textcomplete </a> <meta itemprop="url" content="http:&#x2F;&#x2F;yuku-t.com&#x2F;jquery-textcomplete&#x2F;" /> <meta itemprop="version" content="0.2.2" /> <!-- hidden text for searching --> <div style="display: none;"> jquery.textcomplete </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jquery.textcomplete" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jquery.textcomplete/0.2.2/jquery.textcomplete.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jquery.tipsy" data-library-keywords="jquery, tipsy, facebook" id="jquerytipsy" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jquery.tipsy"> jquery.tipsy </a> <meta itemprop="url" content="" /> <meta itemprop="version" content="1.0.2" /> <!-- hidden text for searching --> <div style="display: none;"> jquery, tipsy, facebook </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jquery.tipsy" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jquery.tipsy/1.0.2/jquery.tipsy.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jquery.tiptip" data-library-keywords="jquery, tiptip, tooltip" id="jquerytiptip" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jquery.tiptip"> jquery.tiptip </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;drewwilson&#x2F;TipTip" /> <meta itemprop="version" content="1.3" /> <!-- hidden text for searching --> <div style="display: none;"> jquery, tiptip, tooltip </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jquery.tiptip" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jquery.tiptip/1.3/jquery.tipTip.minified.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jquery.tocify" data-library-keywords="jquery, toc, table of contents" id="jquerytocify" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jquery.tocify"> jquery.tocify </a> <meta itemprop="url" content="http:&#x2F;&#x2F;gregfranko.com&#x2F;jquery.tocify.js&#x2F;" /> <meta itemprop="version" content="1.9.0" /> <!-- hidden text for searching --> <div style="display: none;"> jquery, toc, table of contents </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jquery.tocify" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jquery.tocify/1.9.0/javascripts&#x2F;jquery.tocify.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jquery.touchswipe" data-library-keywords="touch, swipe, mobile, jquery" id="jquerytouchswipe" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jquery.touchswipe"> jquery.touchswipe </a> <meta itemprop="url" content="http:&#x2F;&#x2F;labs.skinkers.com&#x2F;touchSwipe" /> <meta itemprop="version" content="1.6.15" /> <!-- hidden text for searching --> <div style="display: none;"> touch, swipe, mobile, jquery </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jquery.touchswipe" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jquery.touchswipe/1.6.15/jquery.touchSwipe.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jquery.transit" data-library-keywords="css3, transitions, transformations, jquery" id="jquerytransit" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jquery.transit"> jquery.transit </a> <meta itemprop="url" content="http:&#x2F;&#x2F;ricostacruz.com&#x2F;jquery.transit&#x2F;" /> <meta itemprop="version" content="0.9.12" /> <!-- hidden text for searching --> <div style="display: none;"> css3, transitions, transformations, jquery </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jquery.transit" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jquery.transit/0.9.12/jquery.transit.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jquery.turbolinks" data-library-keywords="" id="jqueryturbolinks" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jquery.turbolinks"> jquery.turbolinks </a> <meta itemprop="url" content="" /> <meta itemprop="version" content="2.0.2" /> <!-- hidden text for searching --> <div style="display: none;"> </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jquery.turbolinks" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jquery.turbolinks/2.0.2/jquery.turbolinks.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jquery.ui-contextmenu" data-library-keywords="context-menu, contextmenu, delegate, jquery-plugin, jquery-ui-menu, menu, navigation, popup, right-click, right-click-menu" id="jqueryui-contextmenu" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jquery.ui-contextmenu"> jquery.ui-contextmenu </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;mar10&#x2F;jquery-ui-contextmenu" /> <meta itemprop="version" content="1.11.0" /> <!-- hidden text for searching --> <div style="display: none;"> context-menu, contextmenu, delegate, jquery-plugin, jquery-ui-menu, menu, navigation, popup, right-click, right-click-menu </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jquery.ui-contextmenu" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jquery.ui-contextmenu/1.11.0/jquery.ui-contextmenu.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jquery.waitforimages" data-library-keywords="" id="jquerywaitforimages" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jquery.waitforimages"> jquery.waitforimages </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;alexanderdickson&#x2F;waitForImages" /> <meta itemprop="version" content="2.1.0" /> <!-- hidden text for searching --> <div style="display: none;"> </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jquery.waitforimages" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jquery.waitforimages/2.1.0/jquery.waitforimages.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jquery.wookmark" data-library-keywords="wookmark" id="jquerywookmark" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jquery.wookmark"> jquery.wookmark </a> <meta itemprop="url" content="http:&#x2F;&#x2F;www.wookmark.com&#x2F;jquery-plugin" /> <meta itemprop="version" content="1.3.1" /> <!-- hidden text for searching --> <div style="display: none;"> wookmark </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jquery.wookmark" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jquery.wookmark/1.3.1/jquery.wookmark.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jquery" data-library-keywords="jquery, library, ajax, framework, toolkit, popular" id="jquery" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jquery"> jquery </a> <meta itemprop="url" content="http:&#x2F;&#x2F;jquery.com&#x2F;" /> <meta itemprop="version" content="3.0.0-beta1" /> <!-- hidden text for searching --> <div style="display: none;"> jquery, library, ajax, framework, toolkit, popular </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jquery" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jquery/3.0.0-beta1/jquery.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jquerykeyframes" data-library-keywords="animation, keyframes, jquery, css3" id="jquerykeyframes" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jquerykeyframes"> jquerykeyframes </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;Keyframes&#x2F;jQuery.Keyframes" /> <meta itemprop="version" content="0.0.9" /> <!-- hidden text for searching --> <div style="display: none;"> animation, keyframes, jquery, css3 </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jquerykeyframes" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jquerykeyframes/0.0.9/jquery.keyframes.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jqueryui-touch-punch" data-library-keywords="touch, jquery, events" id="jqueryui-touch-punch" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jqueryui-touch-punch"> jqueryui-touch-punch </a> <meta itemprop="url" content="http:&#x2F;&#x2F;touchpunch.furf.com&#x2F;" /> <meta itemprop="version" content="0.2.3" /> <!-- hidden text for searching --> <div style="display: none;"> touch, jquery, events </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jqueryui-touch-punch" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jqueryui-touch-punch/0.2.3/jquery.ui.touch-punch.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jqueryui" data-library-keywords="jquery, jqueryui, jquery-ui, ui, themeing, popular" id="jqueryui" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jqueryui"> jqueryui </a> <meta itemprop="url" content="http:&#x2F;&#x2F;jqueryui.com&#x2F;" /> <meta itemprop="version" content="1.11.4" /> <!-- hidden text for searching --> <div style="display: none;"> jquery, jqueryui, jquery-ui, ui, themeing, popular </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jqueryui" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jqueryui/1.11.4/jquery-ui.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jReject" data-library-keywords="browser, reject, popup" id="jReject" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jReject"> jReject </a> <meta itemprop="url" content="http:&#x2F;&#x2F;jreject.turnwheel.com" /> <meta itemprop="version" content="1.1.4" /> <!-- hidden text for searching --> <div style="display: none;"> browser, reject, popup </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jReject" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jReject/1.1.4/js&#x2F;jquery.reject.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="js-bson" data-library-keywords="mongodb, BSON parser, node.js" id="js-bson" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/js-bson"> js-bson </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;mongodb&#x2F;js-bson" /> <meta itemprop="version" content="0.4.21" /> <!-- hidden text for searching --> <div style="display: none;"> mongodb, BSON parser, node.js </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="js-bson" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/js-bson/0.4.21/bson.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="js-cookie" data-library-keywords="cookie, cookies, browser, amd, commonjs, client, js-cookie, browserify" id="js-cookie" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/js-cookie"> js-cookie </a> <meta itemprop="url" content="" /> <meta itemprop="version" content="2.1.0" /> <!-- hidden text for searching --> <div style="display: none;"> cookie, cookies, browser, amd, commonjs, client, js-cookie, browserify </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="js-cookie" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/js-cookie/2.1.0/js.cookie.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="js-data-angular" data-library-keywords="" id="js-data-angular" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/js-data-angular"> js-data-angular </a> <meta itemprop="url" content="http:&#x2F;&#x2F;www.js-data.io&#x2F;docs&#x2F;js-data-angular" /> <meta itemprop="version" content="3.1.0" /> <!-- hidden text for searching --> <div style="display: none;"> </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="js-data-angular" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/js-data-angular/3.1.0/js-data-angular.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="js-data-firebase" data-library-keywords="data, datastore, store, database, adapter, firebase" id="js-data-firebase" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/js-data-firebase"> js-data-firebase </a> <meta itemprop="url" content="http:&#x2F;&#x2F;www.js-data.io&#x2F;docs&#x2F;dsfirebaseadapter" /> <meta itemprop="version" content="2.1.1" /> <!-- hidden text for searching --> <div style="display: none;"> data, datastore, store, database, adapter, firebase </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="js-data-firebase" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/js-data-firebase/2.1.1/js-data-firebase.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="js-data-http" data-library-keywords="ajax, axios, rest, adapter, http" id="js-data-http" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/js-data-http"> js-data-http </a> <meta itemprop="url" content="http:&#x2F;&#x2F;www.js-data.io&#x2F;docs&#x2F;dshttpadapter" /> <meta itemprop="version" content="2.1.2" /> <!-- hidden text for searching --> <div style="display: none;"> ajax, axios, rest, adapter, http </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="js-data-http" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/js-data-http/2.1.2/js-data-http.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="js-data-localforage" data-library-keywords="data, datastore, store, database, adapter, localstorage, localforage, websql, indexeddb" id="js-data-localforage" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/js-data-localforage"> js-data-localforage </a> <meta itemprop="url" content="http:&#x2F;&#x2F;www.js-data.io&#x2F;docs&#x2F;dslocalforageadapter" /> <meta itemprop="version" content="2.1.1" /> <!-- hidden text for searching --> <div style="display: none;"> data, datastore, store, database, adapter, localstorage, localforage, websql, indexeddb </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="js-data-localforage" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/js-data-localforage/2.1.1/js-data-localforage.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="js-data-localstorage" data-library-keywords="data, datastore, store, database, adapter, localstorage" id="js-data-localstorage" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/js-data-localstorage"> js-data-localstorage </a> <meta itemprop="url" content="http:&#x2F;&#x2F;www.js-data.io&#x2F;docs&#x2F;dslocalstorageadapter" /> <meta itemprop="version" content="2.3.2" /> <!-- hidden text for searching --> <div style="display: none;"> data, datastore, store, database, adapter, localstorage </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="js-data-localstorage" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/js-data-localstorage/2.3.2/js-data-localstorage.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="js-data" data-library-keywords="orm, odm, model, schema, rest, angular, ember, backbone, react, firebase, datastore, store, database, adapter, http, localstorage" id="js-data" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/js-data"> js-data </a> <meta itemprop="url" content="http:&#x2F;&#x2F;www.js-data.io" /> <meta itemprop="version" content="2.8.2" /> <!-- hidden text for searching --> <div style="display: none;"> orm, odm, model, schema, rest, angular, ember, backbone, react, firebase, datastore, store, database, adapter, http, localstorage </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="js-data" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/js-data/2.8.2/js-data.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="js-sequence-diagrams" data-library-keywords="svg, uml, sequence, diagram" id="js-sequence-diagrams" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/js-sequence-diagrams"> js-sequence-diagrams </a> <meta itemprop="url" content="http:&#x2F;&#x2F;bramp.github.io&#x2F;js-sequence-diagrams&#x2F;" /> <meta itemprop="version" content="1.0.6" /> <!-- hidden text for searching --> <div style="display: none;"> svg, uml, sequence, diagram </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="js-sequence-diagrams" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/js-sequence-diagrams/1.0.6/sequence-diagram-min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="js-signals" data-library-keywords="event, messaging, popular" id="js-signals" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/js-signals"> js-signals </a> <meta itemprop="url" content="http:&#x2F;&#x2F;millermedeiros.github.com&#x2F;js-signals&#x2F;" /> <meta itemprop="version" content="1.0.0" /> <!-- hidden text for searching --> <div style="display: none;"> event, messaging, popular </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="js-signals" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/js-signals/1.0.0/js-signals.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="js-url" data-library-keywords="url, js-url" id="js-url" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/js-url"> js-url </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;websanova&#x2F;js-url" /> <meta itemprop="version" content="2.1.0" /> <!-- hidden text for searching --> <div style="display: none;"> url, js-url </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="js-url" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/js-url/2.1.0/url.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="js-yaml" data-library-keywords="yaml, parser, serializer, pyyaml" id="js-yaml" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/js-yaml"> js-yaml </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;nodeca&#x2F;js-yaml" /> <meta itemprop="version" content="3.5.2" /> <!-- hidden text for searching --> <div style="display: none;"> yaml, parser, serializer, pyyaml </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="js-yaml" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/js-yaml/3.5.2/js-yaml.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jschannel" data-library-keywords="postMessage, cross-domain, iframe, mozilla, messaging" id="jschannel" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jschannel"> jschannel </a> <meta itemprop="url" content="http:&#x2F;&#x2F;mozilla.github.io&#x2F;jschannel&#x2F;docs&#x2F;" /> <meta itemprop="version" content="1.0.0-git-commit1-8c4f7eb" /> <!-- hidden text for searching --> <div style="display: none;"> postMessage, cross-domain, iframe, mozilla, messaging </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jschannel" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jschannel/1.0.0-git-commit1-8c4f7eb/jschannel.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jScrollPane" data-library-keywords="framework, toolkit, popular, jquery, scroll, jscrollpane" id="jScrollPane" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jScrollPane"> jScrollPane </a> <meta itemprop="url" content="http:&#x2F;&#x2F;jscrollpane.kelvinluck.com" /> <meta itemprop="version" content="2.0.22" /> <!-- hidden text for searching --> <div style="display: none;"> framework, toolkit, popular, jquery, scroll, jscrollpane </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jScrollPane" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jScrollPane/2.0.22/script&#x2F;jquery.jscrollpane.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jsencrypt" data-library-keywords="OpenSSL, RSA, Javascript encryption" id="jsencrypt" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jsencrypt"> jsencrypt </a> <meta itemprop="url" content="http:&#x2F;&#x2F;www.travistidwell.com&#x2F;jsencrypt" /> <meta itemprop="version" content="2.1.0" /> <!-- hidden text for searching --> <div style="display: none;"> OpenSSL, RSA, Javascript encryption </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jsencrypt" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jsencrypt/2.1.0/jsencrypt.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jsface" data-library-keywords="jsface, JSFace, OOP, JavaScript OOP, JavaScript Object Oriented Programming, AOP, Aspect Oriented Programming" id="jsface" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jsface"> jsface </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;tnhu&#x2F;jsface" /> <meta itemprop="version" content="2.4.9" /> <!-- hidden text for searching --> <div style="display: none;"> jsface, JSFace, OOP, JavaScript OOP, JavaScript Object Oriented Programming, AOP, Aspect Oriented Programming </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jsface" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jsface/2.4.9/jsface.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jsfeat" data-library-keywords="Computer Vision, image processing, multiview, feature detector, object detector" id="jsfeat" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jsfeat"> jsfeat </a> <meta itemprop="url" content="http:&#x2F;&#x2F;inspirit.github.io&#x2F;jsfeat&#x2F;" /> <meta itemprop="version" content="0.0.8" /> <!-- hidden text for searching --> <div style="display: none;"> Computer Vision, image processing, multiview, feature detector, object detector </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jsfeat" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jsfeat/0.0.8/jsfeat-min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jsforce" data-library-keywords="salesforce, salesforce.com, sfdc, force.com, database.com" id="jsforce" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jsforce"> jsforce </a> <meta itemprop="url" content="http:&#x2F;&#x2F;jsforce.github.io" /> <meta itemprop="version" content="1.5.1" /> <!-- hidden text for searching --> <div style="display: none;"> salesforce, salesforce.com, sfdc, force.com, database.com </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jsforce" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jsforce/1.5.1/jsforce.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jsgrid" data-library-keywords="grid, jquery, plugin" id="jsgrid" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jsgrid"> jsgrid </a> <meta itemprop="url" content="http:&#x2F;&#x2F;js-grid.com" /> <meta itemprop="version" content="1.3.1" /> <!-- hidden text for searching --> <div style="display: none;"> grid, jquery, plugin </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jsgrid" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jsgrid/1.3.1/jsgrid.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jshint" data-library-keywords="" id="jshint" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jshint"> jshint </a> <meta itemprop="url" content="http:&#x2F;&#x2F;jshint.com&#x2F;" /> <meta itemprop="version" content="2.9.1" /> <!-- hidden text for searching --> <div style="display: none;"> </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jshint" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jshint/2.9.1/jshint.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jsmpeg" data-library-keywords="MPEG1, decode, player, java" id="jsmpeg" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jsmpeg"> jsmpeg </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;phoboslab&#x2F;jsmpeg" /> <meta itemprop="version" content="0.1" /> <!-- hidden text for searching --> <div style="display: none;"> MPEG1, decode, player, java </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jsmpeg" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jsmpeg/0.1/jsmpg.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jsnlog" data-library-keywords="logging, client, exceptions, ajax, timeouts, debugging, winston" id="jsnlog" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jsnlog"> jsnlog </a> <meta itemprop="url" content="http:&#x2F;&#x2F;nodejs.jsnlog.com&#x2F;" /> <meta itemprop="version" content="2.16.0" /> <!-- hidden text for searching --> <div style="display: none;"> logging, client, exceptions, ajax, timeouts, debugging, winston </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jsnlog" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jsnlog/2.16.0/jsnlog.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="json-editor" data-library-keywords="json, schema, jsonschema, editor" id="json-editor" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/json-editor"> json-editor </a> <meta itemprop="url" content="" /> <meta itemprop="version" content="0.7.23" /> <!-- hidden text for searching --> <div style="display: none;"> json, schema, jsonschema, editor </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="json-editor" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/json-editor/0.7.23/jsoneditor.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="json-mask" data-library-keywords="mask, filter, select, fields, projection, query, json" id="json-mask" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/json-mask"> json-mask </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;nemtsov&#x2F;json-mask" /> <meta itemprop="version" content="0.3.5" /> <!-- hidden text for searching --> <div style="display: none;"> mask, filter, select, fields, projection, query, json </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="json-mask" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/json-mask/0.3.5/jsonMask.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="json2" data-library-keywords="json, popular" id="json2" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/json2"> json2 </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;douglascrockford&#x2F;JSON-js" /> <meta itemprop="version" content="20150503" /> <!-- hidden text for searching --> <div style="display: none;"> json, popular </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="json2" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/json2/20150503/json2.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="json3" data-library-keywords="json, spec, ecma, es5, lexer, parser, stringify" id="json3" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/json3"> json3 </a> <meta itemprop="url" content="http:&#x2F;&#x2F;bestiejs.github.io&#x2F;json3" /> <meta itemprop="version" content="3.3.2" /> <!-- hidden text for searching --> <div style="display: none;"> json, spec, ecma, es5, lexer, parser, stringify </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="json3" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/json3/3.3.2/json3.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="json5" data-library-keywords="json" id="json5" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/json5"> json5 </a> <meta itemprop="url" content="http:&#x2F;&#x2F;json5.org" /> <meta itemprop="version" content="0.3.0" /> <!-- hidden text for searching --> <div style="display: none;"> json </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="json5" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/json5/0.3.0/json5.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jsondiffpatch" data-library-keywords="json, diff, patch" id="jsondiffpatch" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jsondiffpatch"> jsondiffpatch </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;benjamine&#x2F;jsondiffpatch" /> <meta itemprop="version" content="0.1.38" /> <!-- hidden text for searching --> <div style="display: none;"> json, diff, patch </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jsondiffpatch" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jsondiffpatch/0.1.38/jsondiffpatch.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jsoneditor" data-library-keywords="json, html, editor" id="jsoneditor" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jsoneditor"> jsoneditor </a> <meta itemprop="url" content="http:&#x2F;&#x2F;jsoneditoronline.org" /> <meta itemprop="version" content="5.1.2" /> <!-- hidden text for searching --> <div style="display: none;"> json, html, editor </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jsoneditor" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jsoneditor/5.1.2/jsoneditor.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jsonld" data-library-keywords="JSON, Linked Data, JSON-LD, RDF, Semantic Web, jsonld" id="jsonld" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jsonld"> jsonld </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;digitalbazaar&#x2F;jsonld.js" /> <meta itemprop="version" content="0.4.5" /> <!-- hidden text for searching --> <div style="display: none;"> JSON, Linked Data, JSON-LD, RDF, Semantic Web, jsonld </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jsonld" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jsonld/0.4.5/jsonld.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jsonlint" data-library-keywords="json, validation, lint, jsonlint" id="jsonlint" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jsonlint"> jsonlint </a> <meta itemprop="url" content="http:&#x2F;&#x2F;zaach.github.com&#x2F;jsonlint&#x2F;" /> <meta itemprop="version" content="1.6.0" /> <!-- hidden text for searching --> <div style="display: none;"> json, validation, lint, jsonlint </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jsonlint" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jsonlint/1.6.0/jsonlint.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jspdf-autotable" data-library-keywords="pdf, table, jspdf" id="jspdf-autotable" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jspdf-autotable"> jspdf-autotable </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;simonbengtsson&#x2F;jsPDF-AutoTable#readme" /> <meta itemprop="version" content="2.0.17" /> <!-- hidden text for searching --> <div style="display: none;"> pdf, table, jspdf </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jspdf-autotable" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jspdf-autotable/2.0.17/jspdf.plugin.autotable.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jspdf" data-library-keywords="pdf, jspdf" id="jspdf" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jspdf"> jspdf </a> <meta itemprop="url" content="http:&#x2F;&#x2F;parall.ax&#x2F;products&#x2F;jspdf" /> <meta itemprop="version" content="1.1.135" /> <!-- hidden text for searching --> <div style="display: none;"> pdf, jspdf </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jspdf" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jspdf/1.1.135/jspdf.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jsPlumb" data-library-keywords="framework, toolkit, popular, jquery, mootools, yui, flowchart" id="jsPlumb" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jsPlumb"> jsPlumb </a> <meta itemprop="url" content="http:&#x2F;&#x2F;jsplumbtoolkit.com" /> <meta itemprop="version" content="1.4.1" /> <!-- hidden text for searching --> <div style="display: none;"> framework, toolkit, popular, jquery, mootools, yui, flowchart </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jsPlumb" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jsPlumb/1.4.1/jquery.jsPlumb-1.4.1-all-min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jsrender" data-library-keywords="jsrender, node, express, hapi, browserify, templates, template" id="jsrender" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jsrender"> jsrender </a> <meta itemprop="url" content="http:&#x2F;&#x2F;www.jsviews.com&#x2F;#jsrender" /> <meta itemprop="version" content="0.9.71" /> <!-- hidden text for searching --> <div style="display: none;"> jsrender, node, express, hapi, browserify, templates, template </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jsrender" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jsrender/0.9.71/jsrender.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jss" data-library-keywords="jss, style, sheet, stylesheet, css, components, composable" id="jss" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jss"> jss </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;jsstyles&#x2F;jss#readme" /> <meta itemprop="version" content="3.2.0" /> <!-- hidden text for searching --> <div style="display: none;"> jss, style, sheet, stylesheet, css, components, composable </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jss" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jss/3.2.0/jss.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jsSHA" data-library-keywords="SHA-1, SHA-256, SHA-224, SHA-384, SHA-512, SHA1, SHA256, SHA224, SHA384, SHA512, SHA2, HMAC, hash" id="jsSHA" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jsSHA"> jsSHA </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;Caligatio&#x2F;jsSHA" /> <meta itemprop="version" content="2.0.2" /> <!-- hidden text for searching --> <div style="display: none;"> SHA-1, SHA-256, SHA-224, SHA-384, SHA-512, SHA1, SHA256, SHA224, SHA384, SHA512, SHA2, HMAC, hash </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jsSHA" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jsSHA/2.0.2/sha.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jssip" data-library-keywords="SIP" id="jssip" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jssip"> jssip </a> <meta itemprop="url" content="http:&#x2F;&#x2F;jssip.net" /> <meta itemprop="version" content="0.7.11" /> <!-- hidden text for searching --> <div style="display: none;"> SIP </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jssip" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jssip/0.7.11/jssip.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jssor-slider" data-library-keywords="jquery, javascript, photo, image, picture, content, text, slider, slideshow, carousel, gallery, banner, js, mobile, responsive, front-end, touch, swipe, web, website, web page" id="jssor-slider" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jssor-slider"> jssor-slider </a> <meta itemprop="url" content="http:&#x2F;&#x2F;jssor.com" /> <meta itemprop="version" content="20.0.0" /> <!-- hidden text for searching --> <div style="display: none;"> jquery, javascript, photo, image, picture, content, text, slider, slideshow, carousel, gallery, banner, js, mobile, responsive, front-end, touch, swipe, web, website, web page </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jssor-slider" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jssor-slider/20.0.0/jssor.slider.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jstat" data-library-keywords="" id="jstat" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jstat"> jstat </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;jstat&#x2F;jstat" /> <meta itemprop="version" content="1.5.2" /> <!-- hidden text for searching --> <div style="display: none;"> </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jstat" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jstat/1.5.2/jstat.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jstimezonedetect" data-library-keywords="time, timezone, tz, date" id="jstimezonedetect" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jstimezonedetect"> jstimezonedetect </a> <meta itemprop="url" content="http:&#x2F;&#x2F;pellepim.bitbucket.org&#x2F;jstz&#x2F;" /> <meta itemprop="version" content="1.0.6" /> <!-- hidden text for searching --> <div style="display: none;"> time, timezone, tz, date </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jstimezonedetect" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jstimezonedetect/1.0.6/jstz.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jStorage" data-library-keywords="storage, offline, webstorage, localStorage" id="jStorage" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jStorage"> jStorage </a> <meta itemprop="url" content="http:&#x2F;&#x2F;jstorage.info&#x2F;" /> <meta itemprop="version" content="0.4.12" /> <!-- hidden text for searching --> <div style="display: none;"> storage, offline, webstorage, localStorage </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jStorage" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jStorage/0.4.12/jstorage.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jstree" data-library-keywords="" id="jstree" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jstree"> jstree </a> <meta itemprop="url" content="http:&#x2F;&#x2F;jstree.com" /> <meta itemprop="version" content="3.2.1" /> <!-- hidden text for searching --> <div style="display: none;"> </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jstree" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jstree/3.2.1/jstree.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jsviews" data-library-keywords="jsviews, jsrender, jquery, mvvm, mvp, spa, browserify, templates, template" id="jsviews" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jsviews"> jsviews </a> <meta itemprop="url" content="http:&#x2F;&#x2F;www.jsviews.com&#x2F;#jsviews" /> <meta itemprop="version" content="0.9.71" /> <!-- hidden text for searching --> <div style="display: none;"> jsviews, jsrender, jquery, mvvm, mvp, spa, browserify, templates, template </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jsviews" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jsviews/0.9.71/jsviews.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jsxgraph" data-library-keywords="dynamic geometry, function plotting, mathematics education" id="jsxgraph" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jsxgraph"> jsxgraph </a> <meta itemprop="url" content="http:&#x2F;&#x2F;jsxgraph.org&#x2F;" /> <meta itemprop="version" content="0.99.3" /> <!-- hidden text for searching --> <div style="display: none;"> dynamic geometry, function plotting, mathematics education </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jsxgraph" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jsxgraph/0.99.3/jsxgraphcore.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jszip" data-library-keywords="zip, deflate, inflate" id="jszip" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jszip"> jszip </a> <meta itemprop="url" content="http:&#x2F;&#x2F;stuk.github.io&#x2F;jszip&#x2F;" /> <meta itemprop="version" content="2.5.0" /> <!-- hidden text for searching --> <div style="display: none;"> zip, deflate, inflate </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jszip" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jszip/2.5.0/jszip.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="justifiedGallery" data-library-keywords="gallery, justified, grid, row, image, layout, flickr, google" id="justifiedGallery" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/justifiedGallery"> justifiedGallery </a> <meta itemprop="url" content="http:&#x2F;&#x2F;miromannino.github.io&#x2F;Justified-Gallery&#x2F;" /> <meta itemprop="version" content="3.6.1" /> <!-- hidden text for searching --> <div style="display: none;"> gallery, justified, grid, row, image, layout, flickr, google </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="justifiedGallery" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/justifiedGallery/3.6.1/js&#x2F;jquery.justifiedGallery.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jvectormap" data-library-keywords="map, vector, world, usa, choropleth" id="jvectormap" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jvectormap"> jvectormap </a> <meta itemprop="url" content="http:&#x2F;&#x2F;jvectormap.com" /> <meta itemprop="version" content="2.0.4" /> <!-- hidden text for searching --> <div style="display: none;"> map, vector, world, usa, choropleth </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jvectormap" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jvectormap/2.0.4/jquery-jvectormap.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jwerty" data-library-keywords="key, dom, keyup, KeyboardEvent, addEventListener, jQuery, Zepto, browser, ender" id="jwerty" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jwerty"> jwerty </a> <meta itemprop="url" content="http:&#x2F;&#x2F;keithamus.github.com&#x2F;jwerty" /> <meta itemprop="version" content="0.3.2" /> <!-- hidden text for searching --> <div style="display: none;"> key, dom, keyup, KeyboardEvent, addEventListener, jQuery, Zepto, browser, ender </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jwerty" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jwerty/0.3.2/jwerty.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jxon" data-library-keywords="jxon, bidirectional, loseless, badgerfish, parker convention, xml to js, xml2js, xml to json, xml2json, js to xml, js2xml, json to xml, json2xml" id="jxon" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jxon"> jxon </a> <meta itemprop="url" content="" /> <meta itemprop="version" content="1.6.1" /> <!-- hidden text for searching --> <div style="display: none;"> jxon, bidirectional, loseless, badgerfish, parker convention, xml to js, xml2js, xml to json, xml2json, js to xml, js2xml, json to xml, json2xml </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jxon" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jxon/1.6.1/index.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="Kalendae" data-library-keywords="datepicker" id="Kalendae" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/Kalendae"> Kalendae </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;ChiperSoft&#x2F;Kalendae" /> <meta itemprop="version" content="0.4.1" /> <!-- hidden text for searching --> <div style="display: none;"> datepicker </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="Kalendae" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/Kalendae/0.4.1/kalendae.standalone.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="kartograph-js" data-library-keywords="svg, map, raphael" id="kartograph-js" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/kartograph-js"> kartograph-js </a> <meta itemprop="url" content="http:&#x2F;&#x2F;kartograph.org" /> <meta itemprop="version" content="0.8.7" /> <!-- hidden text for searching --> <div style="display: none;"> svg, map, raphael </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="kartograph-js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/kartograph-js/0.8.7/kartograph.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="KaTeX" data-library-keywords="tex, latex, khan" id="KaTeX" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/KaTeX"> KaTeX </a> <meta itemprop="url" content="https:&#x2F;&#x2F;khan.github.io&#x2F;KaTeX&#x2F;" /> <meta itemprop="version" content="0.5.1" /> <!-- hidden text for searching --> <div style="display: none;"> tex, latex, khan </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="KaTeX" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/KaTeX/0.5.1/katex.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="keen-js" data-library-keywords="analytics, metrics, tracking, logging, stats, pageviews, keen, keen.io, keen-io" id="keen-js" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/keen-js"> keen-js </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;keen&#x2F;keen-js" /> <meta itemprop="version" content="3.3.0" /> <!-- hidden text for searching --> <div style="display: none;"> analytics, metrics, tracking, logging, stats, pageviews, keen, keen.io, keen-io </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="keen-js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/keen-js/3.3.0/keen.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="kefir" data-library-keywords="frp, bacon, bacon.js, kefir, kefir.js, functional, reactive, stream, streams, EventStream, Rx, RxJs, Observable" id="kefir" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/kefir"> kefir </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;rpominov&#x2F;kefir" /> <meta itemprop="version" content="3.2.0" /> <!-- hidden text for searching --> <div style="display: none;"> frp, bacon, bacon.js, kefir, kefir.js, functional, reactive, stream, streams, EventStream, Rx, RxJs, Observable </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="kefir" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/kefir/3.2.0/kefir.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="kendo-ui-core" data-library-keywords="kendo, ui, core" id="kendo-ui-core" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/kendo-ui-core"> kendo-ui-core </a> <meta itemprop="url" content="http:&#x2F;&#x2F;www.telerik.com&#x2F;kendo-ui" /> <meta itemprop="version" content="2014.1.416" /> <!-- hidden text for searching --> <div style="display: none;"> kendo, ui, core </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="kendo-ui-core" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/kendo-ui-core/2014.1.416/js&#x2F;kendo.core.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="kerning.js" data-library-keywords="design, typography, kerning, font, fonts, letters, words" id="kerningjs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/kerning.js"> kerning.js </a> <meta itemprop="url" content="http:&#x2F;&#x2F;kerningjs.com&#x2F;" /> <meta itemprop="version" content="0.2" /> <!-- hidden text for searching --> <div style="display: none;"> design, typography, kerning, font, fonts, letters, words </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="kerning.js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/kerning.js/0.2/kerning.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="keydrown" data-library-keywords="JavaScript, keyboard, state handler, tiny" id="keydrown" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/keydrown"> keydrown </a> <meta itemprop="url" content="http:&#x2F;&#x2F;jeremyckahn.github.com&#x2F;keydrown" /> <meta itemprop="version" content="1.2.1" /> <!-- hidden text for searching --> <div style="display: none;"> JavaScript, keyboard, state handler, tiny </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="keydrown" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/keydrown/1.2.1/keydrown.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="keymage" data-library-keywords="keymage, key-binding" id="keymage" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/keymage"> keymage </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;piranha&#x2F;keymage" /> <meta itemprop="version" content="1.1.3" /> <!-- hidden text for searching --> <div style="display: none;"> keymage, key-binding </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="keymage" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/keymage/1.1.3/keymage.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="keymaster" data-library-keywords="hotkeys, hotkey" id="keymaster" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/keymaster"> keymaster </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;madrobby&#x2F;keymaster" /> <meta itemprop="version" content="1.6.1" /> <!-- hidden text for searching --> <div style="display: none;"> hotkeys, hotkey </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="keymaster" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/keymaster/1.6.1/keymaster.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="keypress" data-library-keywords="keypress" id="keypress" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/keypress"> keypress </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;dmauro&#x2F;Keypress" /> <meta itemprop="version" content="2.1.3" /> <!-- hidden text for searching --> <div style="display: none;"> keypress </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="keypress" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/keypress/2.1.3/keypress.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="kibo" data-library-keywords="keyboard, events, handling" id="kibo" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/kibo"> kibo </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;marquete&#x2F;kibo" /> <meta itemprop="version" content="1.1.0" /> <!-- hidden text for searching --> <div style="display: none;"> keyboard, events, handling </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="kibo" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/kibo/1.1.0/kibo.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="kineticjs" data-library-keywords="html5, canvas" id="kineticjs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/kineticjs"> kineticjs </a> <meta itemprop="url" content="http:&#x2F;&#x2F;kineticjs.com&#x2F;" /> <meta itemprop="version" content="5.2.0" /> <!-- hidden text for searching --> <div style="display: none;"> html5, canvas </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="kineticjs" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/kineticjs/5.2.0/kinetic.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="kiss.animate" data-library-keywords="slides, animation, simple, effect" id="kissanimate" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/kiss.animate"> kiss.animate </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;daogurtsov&#x2F;KISS.Animate" /> <meta itemprop="version" content="0.1.2" /> <!-- hidden text for searching --> <div style="display: none;"> slides, animation, simple, effect </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="kiss.animate" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/kiss.animate/0.1.2/kiss.animate.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="kiwi" data-library-keywords="kiwi, asynchronous, template, web, express, engine, html" id="kiwi" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/kiwi"> kiwi </a> <meta itemprop="url" content="" /> <meta itemprop="version" content="0.2.1" /> <!-- hidden text for searching --> <div style="display: none;"> kiwi, asynchronous, template, web, express, engine, html </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="kiwi" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/kiwi/0.2.1/kiwi.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="klass" data-library-keywords="javascript" id="klass" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/klass"> klass </a> <meta itemprop="url" content="http:&#x2F;&#x2F;dustindiaz.com&#x2F;klass" /> <meta itemprop="version" content="1.4.1" /> <!-- hidden text for searching --> <div style="display: none;"> javascript </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="klass" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/klass/1.4.1/klass.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="knockback-core-stack" data-library-keywords="mvvm, ui, templating" id="knockback-core-stack" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/knockback-core-stack"> knockback-core-stack </a> <meta itemprop="url" content="" /> <meta itemprop="version" content="0.17.2" /> <!-- hidden text for searching --> <div style="display: none;"> mvvm, ui, templating </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="knockback-core-stack" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/knockback-core-stack/0.17.2/knockback-core-stack.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="knockback" data-library-keywords="mvvm, ui, templating" id="knockback" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/knockback"> knockback </a> <meta itemprop="url" content="" /> <meta itemprop="version" content="1.0.0" /> <!-- hidden text for searching --> <div style="display: none;"> mvvm, ui, templating </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="knockback" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/knockback/1.0.0/knockback.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="knockout-bootstrap" data-library-keywords="knockout, bootstrap, knockout-bootstrap, bindings" id="knockout-bootstrap" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/knockout-bootstrap"> knockout-bootstrap </a> <meta itemprop="url" content="" /> <meta itemprop="version" content="0.2.1" /> <!-- hidden text for searching --> <div style="display: none;"> knockout, bootstrap, knockout-bootstrap, bindings </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="knockout-bootstrap" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/knockout-bootstrap/0.2.1/knockout-bootstrap.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="knockout-kendo" data-library-keywords="Knockout.js, Kendo UI, widgets" id="knockout-kendo" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/knockout-kendo"> knockout-kendo </a> <meta itemprop="url" content="http:&#x2F;&#x2F;kendo-labs.github.com&#x2F;knockout-kendo&#x2F;" /> <meta itemprop="version" content="0.9.6" /> <!-- hidden text for searching --> <div style="display: none;"> Knockout.js, Kendo UI, widgets </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="knockout-kendo" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/knockout-kendo/0.9.6/knockout-kendo.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="knockout-paging" data-library-keywords="knockout, foreach, paging, initialize, javascript" id="knockout-paging" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/knockout-paging"> knockout-paging </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;ErikSchierboom&#x2F;knockout-paging" /> <meta itemprop="version" content="0.3.0" /> <!-- hidden text for searching --> <div style="display: none;"> knockout, foreach, paging, initialize, javascript </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="knockout-paging" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/knockout-paging/0.3.0/knockout-paging.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="knockout-postbox" data-library-keywords="" id="knockout-postbox" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/knockout-postbox"> knockout-postbox </a> <meta itemprop="url" content="" /> <meta itemprop="version" content="0.5.2" /> <!-- hidden text for searching --> <div style="display: none;"> </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="knockout-postbox" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/knockout-postbox/0.5.2/knockout-postbox.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="knockout-pre-rendered" data-library-keywords="knockout, foreach, pre-rendered, initialize, javascript" id="knockout-pre-rendered" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/knockout-pre-rendered"> knockout-pre-rendered </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;ErikSchierboom&#x2F;knockout-pre-rendered" /> <meta itemprop="version" content="0.7.0" /> <!-- hidden text for searching --> <div style="display: none;"> knockout, foreach, pre-rendered, initialize, javascript </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="knockout-pre-rendered" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/knockout-pre-rendered/0.7.0/knockout-pre-rendered.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="knockout-sortable" data-library-keywords="mvvm, ui, templating, sorting" id="knockout-sortable" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/knockout-sortable"> knockout-sortable </a> <meta itemprop="url" content="" /> <meta itemprop="version" content="0.11.0" /> <!-- hidden text for searching --> <div style="display: none;"> mvvm, ui, templating, sorting </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="knockout-sortable" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/knockout-sortable/0.11.0/knockout-sortable.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="knockout-validation" data-library-keywords="knockout, mvvm, ui, templating, mapping, validation" id="knockout-validation" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/knockout-validation"> knockout-validation </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;Knockout-Contrib&#x2F;Knockout-Validation" /> <meta itemprop="version" content="2.0.3" /> <!-- hidden text for searching --> <div style="display: none;"> knockout, mvvm, ui, templating, mapping, validation </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="knockout-validation" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/knockout-validation/2.0.3/knockout.validation.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="knockout.mapping" data-library-keywords="knockout, mvvm, ui, templating, mapping" id="knockoutmapping" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/knockout.mapping"> knockout.mapping </a> <meta itemprop="url" content="http:&#x2F;&#x2F;knockoutjs.com&#x2F;documentation&#x2F;plugins-mapping.html" /> <meta itemprop="version" content="2.4.1" /> <!-- hidden text for searching --> <div style="display: none;"> knockout, mvvm, ui, templating, mapping </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="knockout.mapping" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/knockout.mapping/2.4.1/knockout.mapping.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="knockout" data-library-keywords="mvvm, ui, templating" id="knockout" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/knockout"> knockout </a> <meta itemprop="url" content="http:&#x2F;&#x2F;knockoutjs.com&#x2F;" /> <meta itemprop="version" content="3.4.0" /> <!-- hidden text for searching --> <div style="display: none;"> mvvm, ui, templating </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="knockout" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/knockout/3.4.0/knockout-min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="kronos.js" data-library-keywords="kronos, analytics, logging, metrics" id="kronosjs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/kronos.js"> kronos.js </a> <meta itemprop="url" content="https:&#x2F;&#x2F;chronology.github.io" /> <meta itemprop="version" content="0.7.2" /> <!-- hidden text for searching --> <div style="display: none;"> kronos, analytics, logging, metrics </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="kronos.js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/kronos.js/0.7.2/kronos.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="kube" data-library-keywords="kube, design" id="kube" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/kube"> kube </a> <meta itemprop="url" content="" /> <meta itemprop="version" content="3.0.2" /> <!-- hidden text for searching --> <div style="display: none;"> kube, design </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="kube" class="library-column css-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/kube/3.0.2/css&#x2F;kube.min.css</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="kule.lazy" data-library-keywords="Kule, Lazy, Kei, css, framework, components, effects, animates, grid, mobile, tablet, desktop, rwd, responsive, browsers" id="kulelazy" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/kule.lazy"> kule.lazy </a> <meta itemprop="url" content="http:&#x2F;&#x2F;www.kule.tw" /> <meta itemprop="version" content="3.1.160123" /> <!-- hidden text for searching --> <div style="display: none;"> Kule, Lazy, Kei, css, framework, components, effects, animates, grid, mobile, tablet, desktop, rwd, responsive, browsers </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="kule.lazy" class="library-column css-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/kule.lazy/3.1.160123/css&#x2F;kule-lazy.min.css</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="kwargsjs" data-library-keywords="kwargs, arguments, python, args, argument, management, defaults, partial, tools, helpers, utility" id="kwargsjs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/kwargsjs"> kwargsjs </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;serkanyersen&#x2F;kwargsjs" /> <meta itemprop="version" content="1.0.1" /> <!-- hidden text for searching --> <div style="display: none;"> kwargs, arguments, python, args, argument, management, defaults, partial, tools, helpers, utility </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="kwargsjs" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/kwargsjs/1.0.1/kwargs.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="l20n" data-library-keywords="localization, l10n" id="l20n" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/l20n"> l20n </a> <meta itemprop="url" content="http:&#x2F;&#x2F;l20n.org" /> <meta itemprop="version" content="1.0.2" /> <!-- hidden text for searching --> <div style="display: none;"> localization, l10n </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="l20n" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/l20n/1.0.2/l20n.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="label.css" data-library-keywords="" id="labelcss" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/label.css"> label.css </a> <meta itemprop="url" content="" /> <meta itemprop="version" content="0.1.1" /> <!-- hidden text for searching --> <div style="display: none;"> </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="label.css" class="library-column css-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/label.css/0.1.1/label.min.css</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="labella" data-library-keywords="labella.js, visualization, javascript" id="labella" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/labella"> labella </a> <meta itemprop="url" content="https:&#x2F;&#x2F;twitter.github.io&#x2F;labella.js&#x2F;" /> <meta itemprop="version" content="1.0.0" /> <!-- hidden text for searching --> <div style="display: none;"> labella.js, visualization, javascript </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="labella" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/labella/1.0.0/labella.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="labjs" data-library-keywords="loader, popular" id="labjs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/labjs"> labjs </a> <meta itemprop="url" content="http:&#x2F;&#x2F;labjs.com&#x2F;" /> <meta itemprop="version" content="2.0.3" /> <!-- hidden text for searching --> <div style="display: none;"> loader, popular </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="labjs" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/labjs/2.0.3/LAB.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="ladda-bootstrap" data-library-keywords="loading, indicator, bootstrap" id="ladda-bootstrap" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/ladda-bootstrap"> ladda-bootstrap </a> <meta itemprop="url" content="http:&#x2F;&#x2F;msurguy.github.io&#x2F;ladda-bootstrap&#x2F;" /> <meta itemprop="version" content="0.9.4" /> <!-- hidden text for searching --> <div style="display: none;"> loading, indicator, bootstrap </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="ladda-bootstrap" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/ladda-bootstrap/0.9.4/ladda.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="Ladda" data-library-keywords="" id="Ladda" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/Ladda"> Ladda </a> <meta itemprop="url" content="http:&#x2F;&#x2F;lab.hakim.se&#x2F;ladda" /> <meta itemprop="version" content="0.9.8" /> <!-- hidden text for searching --> <div style="display: none;"> </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="Ladda" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/Ladda/0.9.8/ladda.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="later" data-library-keywords="schedule, occurrences, recur, cron" id="later" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/later"> later </a> <meta itemprop="url" content="" /> <meta itemprop="version" content="1.2.0" /> <!-- hidden text for searching --> <div style="display: none;"> schedule, occurrences, recur, cron </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="later" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/later/1.2.0/later.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="layzr.js" data-library-keywords="images, lazy, load, scroll" id="layzrjs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/layzr.js"> layzr.js </a> <meta itemprop="url" content="http:&#x2F;&#x2F;callmecavs.github.io&#x2F;layzr.js&#x2F;" /> <meta itemprop="version" content="2.0.0" /> <!-- hidden text for searching --> <div style="display: none;"> images, lazy, load, scroll </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="layzr.js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/layzr.js/2.0.0/layzr.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="lazy.js" data-library-keywords="lazy, functional, performance, speed, util" id="lazyjs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/lazy.js"> lazy.js </a> <meta itemprop="url" content="http:&#x2F;&#x2F;dtao.github.io&#x2F;lazy.js&#x2F;" /> <meta itemprop="version" content="0.4.2" /> <!-- hidden text for searching --> <div style="display: none;"> lazy, functional, performance, speed, util </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="lazy.js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/lazy.js/0.4.2/lazy.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="lazyad-loader" data-library-keywords="ads, lazy-load, async, responsive" id="lazyad-loader" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/lazyad-loader"> lazyad-loader </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;madgex&#x2F;lazy-ads" /> <meta itemprop="version" content="1.1.10" /> <!-- hidden text for searching --> <div style="display: none;"> ads, lazy-load, async, responsive </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="lazyad-loader" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/lazyad-loader/1.1.10/lazyad-loader.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="lazyload" data-library-keywords="loader, modules, asynchronous" id="lazyload" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/lazyload"> lazyload </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;rgrove&#x2F;lazyload&#x2F;" /> <meta itemprop="version" content="2.0.3" /> <!-- hidden text for searching --> <div style="display: none;"> loader, modules, asynchronous </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="lazyload" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/lazyload/2.0.3/lazyload-min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="lazysizes" data-library-keywords="lazy, loader, lazyloader, lazyload, performance, responsive, image, responsive images, picture, srcset, respimg, respimage, include, include" id="lazysizes" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/lazysizes"> lazysizes </a> <meta itemprop="url" content="" /> <meta itemprop="version" content="1.4.0" /> <!-- hidden text for searching --> <div style="display: none;"> lazy, loader, lazyloader, lazyload, performance, responsive, image, responsive images, picture, srcset, respimg, respimage, include, include </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="lazysizes" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/lazysizes/1.4.0/lazysizes.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="le_js" data-library-keywords="Logentries, logging, Cross-browser" id="le_js" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/le_js"> le_js </a> <meta itemprop="url" content="https:&#x2F;&#x2F;logentries.com" /> <meta itemprop="version" content="0.0.3" /> <!-- hidden text for searching --> <div style="display: none;"> Logentries, logging, Cross-browser </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="le_js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/le_js/0.0.3/le.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="leaflet-dvf" data-library-keywords="maps, leaflet, data visualization" id="leaflet-dvf" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/leaflet-dvf"> leaflet-dvf </a> <meta itemprop="url" content="http:&#x2F;&#x2F;humangeo.github.io&#x2F;leaflet-dvf&#x2F;" /> <meta itemprop="version" content="0.2.5" /> <!-- hidden text for searching --> <div style="display: none;"> maps, leaflet, data visualization </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="leaflet-dvf" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/leaflet-dvf/0.2.5/leaflet-dvf.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="leaflet-editable" data-library-keywords="leaflet, map" id="leaflet-editable" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/leaflet-editable"> leaflet-editable </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;Leaflet&#x2F;Leaflet.Editable&#x2F;" /> <meta itemprop="version" content="0.6.2" /> <!-- hidden text for searching --> <div style="display: none;"> leaflet, map </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="leaflet-editable" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/leaflet-editable/0.6.2/Leaflet.Editable.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="leaflet-geocoder-mapzen" data-library-keywords="leaflet, plugin, search, geocoder, pelias, mapzen" id="leaflet-geocoder-mapzen" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/leaflet-geocoder-mapzen"> leaflet-geocoder-mapzen </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;mapzen&#x2F;leaflet-geocoder" /> <meta itemprop="version" content="1.4.1" /> <!-- hidden text for searching --> <div style="display: none;"> leaflet, plugin, search, geocoder, pelias, mapzen </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="leaflet-geocoder-mapzen" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/leaflet-geocoder-mapzen/1.4.1/leaflet-geocoder-mapzen.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="leaflet-hash" data-library-keywords="leaflet, hash, plugin, map" id="leaflet-hash" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/leaflet-hash"> leaflet-hash </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;mlevans&#x2F;leaflet-hash" /> <meta itemprop="version" content="0.2.1" /> <!-- hidden text for searching --> <div style="display: none;"> leaflet, hash, plugin, map </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="leaflet-hash" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/leaflet-hash/0.2.1/leaflet-hash.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="leaflet-providers" data-library-keywords="leaflet, stamen, osm" id="leaflet-providers" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/leaflet-providers"> leaflet-providers </a> <meta itemprop="url" content="" /> <meta itemprop="version" content="1.1.7" /> <!-- hidden text for searching --> <div style="display: none;"> leaflet, stamen, osm </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="leaflet-providers" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/leaflet-providers/1.1.7/leaflet-providers.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="Leaflet.awesome-markers" data-library-keywords="" id="Leafletawesome-markers" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/Leaflet.awesome-markers"> Leaflet.awesome-markers </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;lvoogdt&#x2F;Leaflet.awesome-markers" /> <meta itemprop="version" content="2.0.2" /> <!-- hidden text for searching --> <div style="display: none;"> </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="Leaflet.awesome-markers" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/Leaflet.awesome-markers/2.0.2/leaflet.awesome-markers.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="leaflet.draw" data-library-keywords="maps, mobile, drawing, vector" id="leafletdraw" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/leaflet.draw"> leaflet.draw </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;Leaflet&#x2F;Leaflet.draw" /> <meta itemprop="version" content="0.2.3" /> <!-- hidden text for searching --> <div style="display: none;"> maps, mobile, drawing, vector </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="leaflet.draw" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/leaflet.draw/0.2.3/leaflet.draw.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="leaflet.fullscreen" data-library-keywords="" id="leafletfullscreen" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/leaflet.fullscreen"> leaflet.fullscreen </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;brunob&#x2F;leaflet.fullscreen" /> <meta itemprop="version" content="1.0.0" /> <!-- hidden text for searching --> <div style="display: none;"> </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="leaflet.fullscreen" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/leaflet.fullscreen/1.0.0/Control.FullScreen.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="leaflet.markercluster" data-library-keywords="maps, mobile" id="leafletmarkercluster" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/leaflet.markercluster"> leaflet.markercluster </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;Leaflet&#x2F;Leaflet.markercluster" /> <meta itemprop="version" content="0.4.0" /> <!-- hidden text for searching --> <div style="display: none;"> maps, mobile </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="leaflet.markercluster" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/leaflet.markercluster/0.4.0/leaflet.markercluster.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="leaflet" data-library-keywords="maps, mobile" id="leaflet" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/leaflet"> leaflet </a> <meta itemprop="url" content="http:&#x2F;&#x2F;leafletjs.com&#x2F;" /> <meta itemprop="version" content="0.7.7" /> <!-- hidden text for searching --> <div style="display: none;"> maps, mobile </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="leaflet" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/leaflet/0.7.7/leaflet.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="leapjs" data-library-keywords="graphics, leap" id="leapjs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/leapjs"> leapjs </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;leapmotion&#x2F;leapjs" /> <meta itemprop="version" content="0.6.1" /> <!-- hidden text for searching --> <div style="display: none;"> graphics, leap </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="leapjs" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/leapjs/0.6.1/leap.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="legojs" data-library-keywords="" id="legojs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/legojs"> legojs </a> <meta itemprop="url" content="" /> <meta itemprop="version" content="0.0.1" /> <!-- hidden text for searching --> <div style="display: none;"> </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="legojs" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/legojs/0.0.1/lego.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="lemonade" data-library-keywords="sass, framework" id="lemonade" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/lemonade"> lemonade </a> <meta itemprop="url" content="http:&#x2F;&#x2F;lemonade.im" /> <meta itemprop="version" content="2.1.0" /> <!-- hidden text for searching --> <div style="display: none;"> sass, framework </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="lemonade" class="library-column css-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/lemonade/2.1.0/lemonade.min.css</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="less.js" data-library-keywords="less, less.js, css, css3, preprocessor, pre-processor, popular" id="lessjs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/less.js"> less.js </a> <meta itemprop="url" content="http:&#x2F;&#x2F;lesscss.org&#x2F;" /> <meta itemprop="version" content="2.5.3" /> <!-- hidden text for searching --> <div style="display: none;"> less, less.js, css, css3, preprocessor, pre-processor, popular </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="less.js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/less.js/2.5.3/less.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="lettering.js" data-library-keywords="typography" id="letteringjs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/lettering.js"> lettering.js </a> <meta itemprop="url" content="http:&#x2F;&#x2F;letteringjs.com&#x2F;" /> <meta itemprop="version" content="0.7.0" /> <!-- hidden text for searching --> <div style="display: none;"> typography </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="lettering.js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/lettering.js/0.7.0/jquery.lettering.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="libil" data-library-keywords="malang, jogja, walikan, library, libil" id="libil" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/libil"> libil </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;lynxluna&#x2F;libil.js" /> <meta itemprop="version" content="0.1.2" /> <!-- hidden text for searching --> <div style="display: none;"> malang, jogja, walikan, library, libil </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="libil" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/libil/0.1.2/libil.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="libsodium-wrappers" data-library-keywords="crypto, sodium, libsodium, nacl, chacha20, poly1305, curve25519, ed25519, blake2, siphash" id="libsodium-wrappers" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/libsodium-wrappers"> libsodium-wrappers </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;jedisct1&#x2F;libsodium.js" /> <meta itemprop="version" content="0.2.12" /> <!-- hidden text for searching --> <div style="display: none;"> crypto, sodium, libsodium, nacl, chacha20, poly1305, curve25519, ed25519, blake2, siphash </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="libsodium-wrappers" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/libsodium-wrappers/0.2.12/sodium.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="lightbox2" data-library-keywords="lightbox, lightbox2, image, enlarge" id="lightbox2" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/lightbox2"> lightbox2 </a> <meta itemprop="url" content="http:&#x2F;&#x2F;lokeshdhakar.com&#x2F;projects&#x2F;lightbox2&#x2F;" /> <meta itemprop="version" content="2.8.2" /> <!-- hidden text for searching --> <div style="display: none;"> lightbox, lightbox2, image, enlarge </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="lightbox2" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/lightbox2/2.8.2/js&#x2F;lightbox.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="lightcase" data-library-keywords="jquery-plugin, lightbox, modal, window, popup" id="lightcase" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/lightcase"> lightcase </a> <meta itemprop="url" content="http:&#x2F;&#x2F;cornel.bopp-art.com&#x2F;lightcase&#x2F;" /> <meta itemprop="version" content="2.3.4" /> <!-- hidden text for searching --> <div style="display: none;"> jquery-plugin, lightbox, modal, window, popup </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="lightcase" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/lightcase/2.3.4/js&#x2F;lightcase.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="lightgallery" data-library-keywords="gallery, lightbox, image, video, jquery, plugin, responsive, css, javacript, touch, swipe" id="lightgallery" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/lightgallery"> lightgallery </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;sachinchoolur&#x2F;lightGallery" /> <meta itemprop="version" content="1.2.14" /> <!-- hidden text for searching --> <div style="display: none;"> gallery, lightbox, image, video, jquery, plugin, responsive, css, javacript, touch, swipe </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="lightgallery" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/lightgallery/1.2.14/js&#x2F;lightgallery.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="lightslider" data-library-keywords="slider, contentslider, textslider, slideshow, gallery, responsive, carousel, animation, jQuery, video, image, CSS3, touch, swipe, thumbnail" id="lightslider" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/lightslider"> lightslider </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;sachinchoolur&#x2F;lightslider" /> <meta itemprop="version" content="1.1.5" /> <!-- hidden text for searching --> <div style="display: none;"> slider, contentslider, textslider, slideshow, gallery, responsive, carousel, animation, jQuery, video, image, CSS3, touch, swipe, thumbnail </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="lightslider" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/lightslider/1.1.5/js&#x2F;lightslider.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="line-chart" data-library-keywords="" id="line-chart" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/line-chart"> line-chart </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;n3-charts&#x2F;line-chart" /> <meta itemprop="version" content="2.0.3" /> <!-- hidden text for searching --> <div style="display: none;"> </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="line-chart" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/line-chart/2.0.3/LineChart.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="linkurious.js" data-library-keywords="" id="linkuriousjs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/linkurious.js"> linkurious.js </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;Linkurious&#x2F;linkurious.js" /> <meta itemprop="version" content="1.4.0" /> <!-- hidden text for searching --> <div style="display: none;"> </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="linkurious.js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/linkurious.js/1.4.0/sigma.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="linq.js" data-library-keywords="linq, json, query, jquery, rx" id="linqjs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/linq.js"> linq.js </a> <meta itemprop="url" content="http:&#x2F;&#x2F;linqjs.codeplex.com&#x2F;" /> <meta itemprop="version" content="2.2.0.2" /> <!-- hidden text for searching --> <div style="display: none;"> linq, json, query, jquery, rx </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="linq.js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/linq.js/2.2.0.2/linq.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="list.js" data-library-keywords="list, search, sort, table, dom, html, ui" id="listjs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/list.js"> list.js </a> <meta itemprop="url" content="http:&#x2F;&#x2F;listjs.com" /> <meta itemprop="version" content="1.1.1" /> <!-- hidden text for searching --> <div style="display: none;"> list, search, sort, table, dom, html, ui </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="list.js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/list.js/1.1.1/list.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="list.pagination.js" data-library-keywords="pagination, list, table, dom, html, ui" id="listpaginationjs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/list.pagination.js"> list.pagination.js </a> <meta itemprop="url" content="http:&#x2F;&#x2F;listjs.com&#x2F;docs&#x2F;plugins&#x2F;fuzzysearch" /> <meta itemprop="version" content="0.1.1" /> <!-- hidden text for searching --> <div style="display: none;"> pagination, list, table, dom, html, ui </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="list.pagination.js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/list.pagination.js/0.1.1/list.pagination.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="livescript" data-library-keywords="language, compiler, coffeescript, coco, javascript" id="livescript" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/livescript"> livescript </a> <meta itemprop="url" content="http:&#x2F;&#x2F;livescript.net" /> <meta itemprop="version" content="1.4.0" /> <!-- hidden text for searching --> <div style="display: none;"> language, compiler, coffeescript, coco, javascript </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="livescript" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/livescript/1.4.0/livescript-min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="livestamp" data-library-keywords="date, moment, timezone, time, jQuery" id="livestamp" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/livestamp"> livestamp </a> <meta itemprop="url" content="http:&#x2F;&#x2F;mattbradley.github.io&#x2F;livestampjs&#x2F;" /> <meta itemprop="version" content="1.1.2" /> <!-- hidden text for searching --> <div style="display: none;"> date, moment, timezone, time, jQuery </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="livestamp" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/livestamp/1.1.2/livestamp.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="load.js" data-library-keywords="loading" id="loadjs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/load.js"> load.js </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;chriso&#x2F;load.js" /> <meta itemprop="version" content="1316434407" /> <!-- hidden text for searching --> <div style="display: none;"> loading </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="load.js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/load.js/1316434407/load-min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="loaders.css" data-library-keywords="css, loader, animation, animate" id="loaderscss" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/loaders.css"> loaders.css </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;ConnorAtherton&#x2F;loaders.css" /> <meta itemprop="version" content="0.1.2" /> <!-- hidden text for searching --> <div style="display: none;"> css, loader, animation, animate </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="loaders.css" class="library-column css-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/loaders.css/0.1.2/loaders.min.css</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="LoadGo" data-library-keywords="jquery, plugin, loadgo, progress, bar, image" id="LoadGo" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/LoadGo"> LoadGo </a> <meta itemprop="url" content="http:&#x2F;&#x2F;franverona.com&#x2F;loadgo" /> <meta itemprop="version" content="1.0.1" /> <!-- hidden text for searching --> <div style="display: none;"> jquery, plugin, loadgo, progress, bar, image </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="LoadGo" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/LoadGo/1.0.1/loadgo.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="localforage" data-library-keywords="indexeddb, localstorage, storage, websql" id="localforage" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/localforage"> localforage </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;mozilla&#x2F;localForage" /> <meta itemprop="version" content="1.3.2" /> <!-- hidden text for searching --> <div style="display: none;"> indexeddb, localstorage, storage, websql </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="localforage" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/localforage/1.3.2/localforage.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="localStorage" data-library-keywords="" id="localStorage" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/localStorage"> localStorage </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;mortzdk&#x2F;localStorage" /> <meta itemprop="version" content="2.0.1" /> <!-- hidden text for searching --> <div style="display: none;"> </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="localStorage" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/localStorage/2.0.1/localStorage.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="lodash-compat" data-library-keywords="amd, browser, client, customize, functional, server, util" id="lodash-compat" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/lodash-compat"> lodash-compat </a> <meta itemprop="url" content="http:&#x2F;&#x2F;lodash.com&#x2F;" /> <meta itemprop="version" content="3.10.1" /> <!-- hidden text for searching --> <div style="display: none;"> amd, browser, client, customize, functional, server, util </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="lodash-compat" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/lodash-compat/3.10.1/lodash.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="lodash-fp" data-library-keywords="functional, stdlib, util" id="lodash-fp" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/lodash-fp"> lodash-fp </a> <meta itemprop="url" content="" /> <meta itemprop="version" content="0.10.2" /> <!-- hidden text for searching --> <div style="display: none;"> functional, stdlib, util </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="lodash-fp" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/lodash-fp/0.10.2/lodash-fp.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="lodash.js" data-library-keywords="amd, browser, client, customize, functional, server, util" id="lodashjs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/lodash.js"> lodash.js </a> <meta itemprop="url" content="http:&#x2F;&#x2F;lodash.com&#x2F;" /> <meta itemprop="version" content="4.0.0" /> <!-- hidden text for searching --> <div style="display: none;"> amd, browser, client, customize, functional, server, util </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="lodash.js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/lodash.js/4.0.0/lodash.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="log4javascript" data-library-keywords="log4javascript, log4j, logger" id="log4javascript" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/log4javascript"> log4javascript </a> <meta itemprop="url" content="http:&#x2F;&#x2F;log4javascript.org&#x2F;" /> <meta itemprop="version" content="1.4.9" /> <!-- hidden text for searching --> <div style="display: none;"> log4javascript, log4j, logger </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="log4javascript" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/log4javascript/1.4.9/log4javascript.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="loglevel" data-library-keywords="log, logger, logging, browser" id="loglevel" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/loglevel"> loglevel </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;pimterry&#x2F;loglevel" /> <meta itemprop="version" content="1.4.0" /> <!-- hidden text for searching --> <div style="display: none;"> log, logger, logging, browser </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="loglevel" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/loglevel/1.4.0/loglevel.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="lokijs" data-library-keywords="javascript, document-oriented, mmdb, json, nosql, lokijs, in-memory" id="lokijs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/lokijs"> lokijs </a> <meta itemprop="url" content="http:&#x2F;&#x2F;lokijs.org" /> <meta itemprop="version" content="1.3.11" /> <!-- hidden text for searching --> <div style="display: none;"> javascript, document-oriented, mmdb, json, nosql, lokijs, in-memory </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="lokijs" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/lokijs/1.3.11/lokijs.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="lovefield" data-library-keywords="lovefield" id="lovefield" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/lovefield"> lovefield </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;google&#x2F;lovefield" /> <meta itemprop="version" content="2.1.5" /> <!-- hidden text for searching --> <div style="display: none;"> lovefield </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="lovefield" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/lovefield/2.1.5/lovefield.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="lrsjng.jquery-qrcode" data-library-keywords="" id="lrsjngjquery-qrcode" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/lrsjng.jquery-qrcode"> lrsjng.jquery-qrcode </a> <meta itemprop="url" content="http:&#x2F;&#x2F;larsjung.de&#x2F;jquery-qrcode&#x2F;" /> <meta itemprop="version" content="0.12.0" /> <!-- hidden text for searching --> <div style="display: none;"> </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="lrsjng.jquery-qrcode" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/lrsjng.jquery-qrcode/0.12.0/jquery.qrcode.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="luminateExtend" data-library-keywords="non-profit, blackbaud" id="luminateExtend" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/luminateExtend"> luminateExtend </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;noahcooper&#x2F;luminateExtend" /> <meta itemprop="version" content="1.7.1" /> <!-- hidden text for searching --> <div style="display: none;"> non-profit, blackbaud </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="luminateExtend" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/luminateExtend/1.7.1/luminateExtend.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="lumx" data-library-keywords="AngularJS, Material Design, Framework" id="lumx" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/lumx"> lumx </a> <meta itemprop="url" content="http:&#x2F;&#x2F;ui.lumapps.com" /> <meta itemprop="version" content="0.3.96" /> <!-- hidden text for searching --> <div style="display: none;"> AngularJS, Material Design, Framework </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="lumx" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/lumx/0.3.96/lumx.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="lunr.js" data-library-keywords="search" id="lunrjs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/lunr.js"> lunr.js </a> <meta itemprop="url" content="http:&#x2F;&#x2F;lunrjs.com" /> <meta itemprop="version" content="0.6.0" /> <!-- hidden text for searching --> <div style="display: none;"> search </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="lunr.js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/lunr.js/0.6.0/lunr.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="lz-string" data-library-keywords="lz, compression, string" id="lz-string" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/lz-string"> lz-string </a> <meta itemprop="url" content="http:&#x2F;&#x2F;pieroxy.net&#x2F;blog&#x2F;pages&#x2F;lz-string&#x2F;index.html" /> <meta itemprop="version" content="1.4.4" /> <!-- hidden text for searching --> <div style="display: none;"> lz, compression, string </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="lz-string" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/lz-string/1.4.4/lz-string.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="m8tro-bootstrap" data-library-keywords="css, less, bootstrap, modern ui, metro, metro ui, windows 8, windows 10, windows phone" id="m8tro-bootstrap" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/m8tro-bootstrap"> m8tro-bootstrap </a> <meta itemprop="url" content="http:&#x2F;&#x2F;idleberg.github.io&#x2F;m8tro-bootstrap&#x2F;" /> <meta itemprop="version" content="3.3.5" /> <!-- hidden text for searching --> <div style="display: none;"> css, less, bootstrap, modern ui, metro, metro ui, windows 8, windows 10, windows phone </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="m8tro-bootstrap" class="library-column css-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/m8tro-bootstrap/3.3.5/m8tro.min.css</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="machina.js" data-library-keywords="state machine, finite state machine, fsm, async, workflow, state, machina, machina-js, machina.js, machinajs" id="machinajs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/machina.js"> machina.js </a> <meta itemprop="url" content="http:&#x2F;&#x2F;machina-js.org&#x2F;" /> <meta itemprop="version" content="1.1.2" /> <!-- hidden text for searching --> <div style="display: none;"> state machine, finite state machine, fsm, async, workflow, state, machina, machina-js, machina.js, machinajs </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="machina.js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/machina.js/1.1.2/machina.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="magic" data-library-keywords="css, css3, magic, animations" id="magic" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/magic"> magic </a> <meta itemprop="url" content="" /> <meta itemprop="version" content="1.1.0" /> <!-- hidden text for searching --> <div style="display: none;"> css, css3, magic, animations </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="magic" class="library-column css-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/magic/1.1.0/magic.min.css</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="magnific-popup.js" data-library-keywords="lightbox, popup, modal, window, dialog, ui, gallery, slideshow, video, image, ajax, html5, animation, jquery, photo, responsive, mobile" id="magnific-popupjs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/magnific-popup.js"> magnific-popup.js </a> <meta itemprop="url" content="http:&#x2F;&#x2F;dimsemenov.com&#x2F;plugins&#x2F;magnific-popup&#x2F;" /> <meta itemprop="version" content="1.0.1" /> <!-- hidden text for searching --> <div style="display: none;"> lightbox, popup, modal, window, dialog, ui, gallery, slideshow, video, image, ajax, html5, animation, jquery, photo, responsive, mobile </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="magnific-popup.js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/magnific-popup.js/1.0.1/jquery.magnific-popup.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="mailcheck" data-library-keywords="form, email, spell check" id="mailcheck" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/mailcheck"> mailcheck </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;mailcheck&#x2F;mailcheck" /> <meta itemprop="version" content="1.1.1" /> <!-- hidden text for searching --> <div style="display: none;"> form, email, spell check </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="mailcheck" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/mailcheck/1.1.1/mailcheck.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="malihu-custom-scrollbar-plugin" data-library-keywords="jquery-plugin, custom-scrollbar, scrollbar" id="malihu-custom-scrollbar-plugin" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/malihu-custom-scrollbar-plugin"> malihu-custom-scrollbar-plugin </a> <meta itemprop="url" content="http:&#x2F;&#x2F;manos.malihu.gr&#x2F;jquery-custom-content-scroller" /> <meta itemprop="version" content="3.1.3" /> <!-- hidden text for searching --> <div style="display: none;"> jquery-plugin, custom-scrollbar, scrollbar </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="malihu-custom-scrollbar-plugin" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/malihu-custom-scrollbar-plugin/3.1.3/jquery.mCustomScrollbar.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="maplace-js" data-library-keywords="google, maps, googlemaps, maps, maplace, maplacejs, jquery, markers, locations, circles, directions" id="maplace-js" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/maplace-js"> maplace-js </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;danielemoraschi&#x2F;maplace.js" /> <meta itemprop="version" content="0.2.5" /> <!-- hidden text for searching --> <div style="display: none;"> google, maps, googlemaps, maps, maplace, maplacejs, jquery, markers, locations, circles, directions </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="maplace-js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/maplace-js/0.2.5/maplace.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="maquette" data-library-keywords="virtual, dom, animation, transitions" id="maquette" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/maquette"> maquette </a> <meta itemprop="url" content="http:&#x2F;&#x2F;johan-gorter.github.io&#x2F;maquette&#x2F;" /> <meta itemprop="version" content="2.1.6" /> <!-- hidden text for searching --> <div style="display: none;"> virtual, dom, animation, transitions </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="maquette" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/maquette/2.1.6/maquette.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="markdown-it" data-library-keywords="markdown, parser, commonmark, markdown-it, markdown-it-plugin" id="markdown-it" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/markdown-it"> markdown-it </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;markdown-it&#x2F;markdown-it" /> <meta itemprop="version" content="5.1.0" /> <!-- hidden text for searching --> <div style="display: none;"> markdown, parser, commonmark, markdown-it, markdown-it-plugin </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="markdown-it" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/markdown-it/5.1.0/markdown-it.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="markdown.js" data-library-keywords="markdown, markdown-js, text processing, ast" id="markdownjs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/markdown.js"> markdown.js </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;evilstreak&#x2F;markdown-js&#x2F;" /> <meta itemprop="version" content="0.5.0" /> <!-- hidden text for searching --> <div style="display: none;"> markdown, markdown-js, text processing, ast </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="markdown.js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/markdown.js/0.5.0/markdown.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="marked" data-library-keywords="markdown, markup, html" id="marked" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/marked"> marked </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;chjj&#x2F;marked" /> <meta itemprop="version" content="0.3.5" /> <!-- hidden text for searching --> <div style="display: none;"> markdown, markup, html </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="marked" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/marked/0.3.5/marked.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="marx" data-library-keywords="marx, karl, mblode, matthew blode, matt, blode, layout, framework, css, sass, scss, web, frontend, bootstrap, pure, markdown, format, classless" id="marx" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/marx"> marx </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;mblode&#x2F;marx" /> <meta itemprop="version" content="1.3.0" /> <!-- hidden text for searching --> <div style="display: none;"> marx, karl, mblode, matthew blode, matt, blode, layout, framework, css, sass, scss, web, frontend, bootstrap, pure, markdown, format, classless </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="marx" class="library-column css-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/marx/1.3.0/marx.min.css</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="masonry" data-library-keywords="jquery, layout, float, grid" id="masonry" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/masonry"> masonry </a> <meta itemprop="url" content="http:&#x2F;&#x2F;masonry.desandro.com&#x2F;" /> <meta itemprop="version" content="4.0.0" /> <!-- hidden text for searching --> <div style="display: none;"> jquery, layout, float, grid </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="masonry" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/masonry/4.0.0/masonry.pkgd.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="material-design-iconic-font" data-library-keywords="material, design, css, font, icons" id="material-design-iconic-font" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/material-design-iconic-font"> material-design-iconic-font </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;zavoloklom&#x2F;material-design-iconic-font" /> <meta itemprop="version" content="2.2.0" /> <!-- hidden text for searching --> <div style="display: none;"> material, design, css, font, icons </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="material-design-iconic-font" class="library-column css-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/material-design-iconic-font/2.2.0/css&#x2F;material-design-iconic-font.min.css</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="material-design-icons" data-library-keywords="icons, material, material-design, google" id="material-design-icons" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/material-design-icons"> material-design-icons </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;google&#x2F;material-design-icons" /> <meta itemprop="version" content="2.1.3" /> <!-- hidden text for searching --> <div style="display: none;"> icons, material, material-design, google </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="material-design-icons" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/material-design-icons/2.1.3/maps&#x2F;svg&#x2F;production&#x2F;ic_beenhere_24px.svg</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="material-design-lite" data-library-keywords="material, design, styleguide, style, guide" id="material-design-lite" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/material-design-lite"> material-design-lite </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;google&#x2F;material-design-lite" /> <meta itemprop="version" content="1.0.6" /> <!-- hidden text for searching --> <div style="display: none;"> material, design, styleguide, style, guide </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="material-design-lite" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/material-design-lite/1.0.6/material.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="materialize" data-library-keywords="" id="materialize" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/materialize"> materialize </a> <meta itemprop="url" content="" /> <meta itemprop="version" content="0.97.5" /> <!-- hidden text for searching --> <div style="display: none;"> </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="materialize" class="library-column css-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/materialize/0.97.5/css&#x2F;materialize.min.css</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="mathjax" data-library-keywords="Math, MathML, LaTeX, TeX" id="mathjax" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/mathjax"> mathjax </a> <meta itemprop="url" content="http:&#x2F;&#x2F;www.mathjax.org&#x2F;" /> <meta itemprop="version" content="2.6.0" /> <!-- hidden text for searching --> <div style="display: none;"> Math, MathML, LaTeX, TeX </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="mathjax" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/mathjax/2.6.0/MathJax.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="mathjs" data-library-keywords="math, mathematics, functions, numeric, parser, expression, real, complex, matrix, unit" id="mathjs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/mathjs"> mathjs </a> <meta itemprop="url" content="http:&#x2F;&#x2F;mathjs.org" /> <meta itemprop="version" content="2.6.0" /> <!-- hidden text for searching --> <div style="display: none;"> math, mathematics, functions, numeric, parser, expression, real, complex, matrix, unit </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="mathjs" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/mathjs/2.6.0/math.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="matreshka" data-library-keywords="matreshka, framework" id="matreshka" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/matreshka"> matreshka </a> <meta itemprop="url" content="http:&#x2F;&#x2F;matreshka.io&#x2F;" /> <meta itemprop="version" content="1.5.2-2" /> <!-- hidden text for searching --> <div style="display: none;"> matreshka, framework </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="matreshka" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/matreshka/1.5.2-2/matreshka.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="matter-js" data-library-keywords="javascript, canvas, html5, physics, physics engine, game engine, rigid body physics" id="matter-js" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/matter-js"> matter-js </a> <meta itemprop="url" content="http:&#x2F;&#x2F;brm.io&#x2F;matter-js&#x2F;" /> <meta itemprop="version" content="0.9.0" /> <!-- hidden text for searching --> <div style="display: none;"> javascript, canvas, html5, physics, physics engine, game engine, rigid body physics </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="matter-js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/matter-js/0.9.0/matter.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="mediaelement" data-library-keywords="video, player, html5" id="mediaelement" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/mediaelement"> mediaelement </a> <meta itemprop="url" content="http:&#x2F;&#x2F;mediaelementjs.com&#x2F;" /> <meta itemprop="version" content="2.19.0" /> <!-- hidden text for searching --> <div style="display: none;"> video, player, html5 </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="mediaelement" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/mediaelement/2.19.0/mediaelement.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="medium-editor-custom-html" data-library-keywords="medium, editor, custom, html" id="medium-editor-custom-html" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/medium-editor-custom-html"> medium-editor-custom-html </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;jillix&#x2F;medium-editor-custom-html" /> <meta itemprop="version" content="1.1.0" /> <!-- hidden text for searching --> <div style="display: none;"> medium, editor, custom, html </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="medium-editor-custom-html" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/medium-editor-custom-html/1.1.0/custom-html.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="medium-editor" data-library-keywords="contenteditable, editor, medium, wysiwyg, rich-text" id="medium-editor" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/medium-editor"> medium-editor </a> <meta itemprop="url" content="http:&#x2F;&#x2F;yabwe.github.io&#x2F;medium-editor&#x2F;" /> <meta itemprop="version" content="5.13.0" /> <!-- hidden text for searching --> <div style="display: none;"> contenteditable, editor, medium, wysiwyg, rich-text </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="medium-editor" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/medium-editor/5.13.0/&#x2F;js&#x2F;medium-editor.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="melonjs" data-library-keywords="melonjs" id="melonjs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/melonjs"> melonjs </a> <meta itemprop="url" content="http:&#x2F;&#x2F;www.melonjs.org&#x2F;" /> <meta itemprop="version" content="1.0.1" /> <!-- hidden text for searching --> <div style="display: none;"> melonjs </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="melonjs" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/melonjs/1.0.1/melonjs.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="meny" data-library-keywords="menu, meny, 3d" id="meny" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/meny"> meny </a> <meta itemprop="url" content="http:&#x2F;&#x2F;lab.hakim.se&#x2F;meny&#x2F;" /> <meta itemprop="version" content="1.4.0" /> <!-- hidden text for searching --> <div style="display: none;"> menu, meny, 3d </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="meny" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/meny/1.4.0/meny.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="mermaid" data-library-keywords="mermaid, mermaid.js" id="mermaid" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/mermaid"> mermaid </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;knsv&#x2F;mermaid" /> <meta itemprop="version" content="0.5.6" /> <!-- hidden text for searching --> <div style="display: none;"> mermaid, mermaid.js </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="mermaid" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/mermaid/0.5.6/mermaid.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="messenger" data-library-keywords="client-side, notification, toast, ajax" id="messenger" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/messenger"> messenger </a> <meta itemprop="url" content="http:&#x2F;&#x2F;github.hubspot.com&#x2F;messenger" /> <meta itemprop="version" content="1.4.2" /> <!-- hidden text for searching --> <div style="display: none;"> client-side, notification, toast, ajax </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="messenger" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/messenger/1.4.2/js&#x2F;messenger.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="metisMenu" data-library-keywords="twitter, bootstrap, twbs, jquery, menu, accordion, toggle, metis, metisMenu" id="metisMenu" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/metisMenu"> metisMenu </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;onokumus&#x2F;metisMenu" /> <meta itemprop="version" content="2.2.0" /> <!-- hidden text for searching --> <div style="display: none;"> twitter, bootstrap, twbs, jquery, menu, accordion, toggle, metis, metisMenu </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="metisMenu" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/metisMenu/2.2.0/metisMenu.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="metrics-graphics" data-library-keywords="metrics-graphics, metricsgraphicsjs, metricsgraphics, metricsgraphics.js, d3 charts" id="metrics-graphics" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/metrics-graphics"> metrics-graphics </a> <meta itemprop="url" content="http:&#x2F;&#x2F;metricsgraphicsjs.org" /> <meta itemprop="version" content="2.8.0" /> <!-- hidden text for searching --> <div style="display: none;"> metrics-graphics, metricsgraphicsjs, metricsgraphics, metricsgraphics.js, d3 charts </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="metrics-graphics" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/metrics-graphics/2.8.0/metricsgraphics.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="metro" data-library-keywords="css, less, mobile-first, responsive, front-end, framework, web" id="metro" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/metro"> metro </a> <meta itemprop="url" content="http:&#x2F;&#x2F;metroui.org.ua" /> <meta itemprop="version" content="3.0.13" /> <!-- hidden text for searching --> <div style="display: none;"> css, less, mobile-first, responsive, front-end, framework, web </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="metro" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/metro/3.0.13/js&#x2F;metro.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="meyer-reset" data-library-keywords="css, reset" id="meyer-reset" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/meyer-reset"> meyer-reset </a> <meta itemprop="url" content="http:&#x2F;&#x2F;meyerweb.com&#x2F;eric&#x2F;tools&#x2F;css&#x2F;reset&#x2F;" /> <meta itemprop="version" content="2.0" /> <!-- hidden text for searching --> <div style="display: none;"> css, reset </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="meyer-reset" class="library-column css-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/meyer-reset/2.0/reset.min.css</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="midi.js" data-library-keywords="" id="midijs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/midi.js"> midi.js </a> <meta itemprop="url" content="" /> <meta itemprop="version" content="0.3.0" /> <!-- hidden text for searching --> <div style="display: none;"> </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="midi.js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/midi.js/0.3.0/midi.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="milligram" data-library-keywords="boilerplate, bootstrap, css, css3, design, front-end, framework, html, html5, kickstart, less, milligram, responsive, mobile, mobile-first, responsive, sass, stylus, style, stylesheet" id="milligram" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/milligram"> milligram </a> <meta itemprop="url" content="http:&#x2F;&#x2F;milligram.github.io" /> <meta itemprop="version" content="1.0.3" /> <!-- hidden text for searching --> <div style="display: none;"> boilerplate, bootstrap, css, css3, design, front-end, framework, html, html5, kickstart, less, milligram, responsive, mobile, mobile-first, responsive, sass, stylus, style, stylesheet </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="milligram" class="library-column css-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/milligram/1.0.3/milligram.min.css</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="min.js" data-library-keywords="min, min.js, framework, micro, dom, events" id="minjs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/min.js"> min.js </a> <meta itemprop="url" content="" /> <meta itemprop="version" content="0.2.3" /> <!-- hidden text for searching --> <div style="display: none;"> min, min.js, framework, micro, dom, events </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="min.js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/min.js/0.2.3/$.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="min" data-library-keywords="min, mincss, minimal" id="min" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/min"> min </a> <meta itemprop="url" content="http:&#x2F;&#x2F;mincss.com" /> <meta itemprop="version" content="1.5.0" /> <!-- hidden text for searching --> <div style="display: none;"> min, mincss, minimal </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="min" class="library-column css-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/min/1.5.0/entireframework.min.css</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="mindb" data-library-keywords="html5, redis, database, localstorage, store" id="mindb" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/mindb"> mindb </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;iwillwen&#x2F;mindb" /> <meta itemprop="version" content="0.1.13" /> <!-- hidden text for searching --> <div style="display: none;"> html5, redis, database, localstorage, store </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="mindb" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/mindb/0.1.13/min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="mini-meteor" data-library-keywords="reactive, FRP, Meteor, MeteorJS, rx" id="mini-meteor" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/mini-meteor"> mini-meteor </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;deanius&#x2F;mini-meteor" /> <meta itemprop="version" content="1.0.1" /> <!-- hidden text for searching --> <div style="display: none;"> reactive, FRP, Meteor, MeteorJS, rx </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="mini-meteor" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/mini-meteor/1.0.1/mini-meteor.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="minicart" data-library-keywords="paypal, cart, minicart, mini cart, buttons, ecommerce" id="minicart" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/minicart"> minicart </a> <meta itemprop="url" content="http:&#x2F;&#x2F;www.minicartjs.com" /> <meta itemprop="version" content="3.0.6" /> <!-- hidden text for searching --> <div style="display: none;"> paypal, cart, minicart, mini cart, buttons, ecommerce </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="minicart" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/minicart/3.0.6/minicart.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="minigrid" data-library-keywords="min, mini, grid, minigrid, cascading, layout, javascript, minimal, responsive" id="minigrid" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/minigrid"> minigrid </a> <meta itemprop="url" content="http:&#x2F;&#x2F;alves.im&#x2F;minigrid" /> <meta itemprop="version" content="1.6.5" /> <!-- hidden text for searching --> <div style="display: none;"> min, mini, grid, minigrid, cascading, layout, javascript, minimal, responsive </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="minigrid" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/minigrid/1.6.5/minigrid.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="minitranslate" data-library-keywords="translate, translator, minitranslate" id="minitranslate" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/minitranslate"> minitranslate </a> <meta itemprop="url" content="http:&#x2F;&#x2F;bryce.io&#x2F;minitranslate" /> <meta itemprop="version" content="1.2.0" /> <!-- hidden text for searching --> <div style="display: none;"> translate, translator, minitranslate </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="minitranslate" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/minitranslate/1.2.0/minitranslate.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="mithril" data-library-keywords="mvc, browser" id="mithril" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/mithril"> mithril </a> <meta itemprop="url" content="http:&#x2F;&#x2F;lhorie.github.io&#x2F;mithril" /> <meta itemprop="version" content="0.2.1" /> <!-- hidden text for searching --> <div style="display: none;"> mvc, browser </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="mithril" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/mithril/0.2.1/mithril.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="mixitup" data-library-keywords="image, gallery, filter, filtering, sort, sorting" id="mixitup" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/mixitup"> mixitup </a> <meta itemprop="url" content="http:&#x2F;&#x2F;mixitup.io&#x2F;" /> <meta itemprop="version" content="2.1.11" /> <!-- hidden text for searching --> <div style="display: none;"> image, gallery, filter, filtering, sort, sorting </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="mixitup" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/mixitup/2.1.11/jquery.mixitup.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="mo-js" data-library-keywords="motion, effects, animation, motion graphics" id="mo-js" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/mo-js"> mo-js </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;legomushroom&#x2F;mojs" /> <meta itemprop="version" content="0.174.4" /> <!-- hidden text for searching --> <div style="display: none;"> motion, effects, animation, motion graphics </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="mo-js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/mo-js/0.174.4/mo.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="mo" data-library-keywords="AMD, oz, ozjs" id="mo" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/mo"> mo </a> <meta itemprop="url" content="http:&#x2F;&#x2F;ozjs.org&#x2F;mo&#x2F;" /> <meta itemprop="version" content="1.7.3" /> <!-- hidden text for searching --> <div style="display: none;"> AMD, oz, ozjs </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="mo" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/mo/1.7.3/lang.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="mobile-detect" data-library-keywords="useragent, mobile, phone, tablet, detect, device, browser, version, mobilegrade, sniff" id="mobile-detect" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/mobile-detect"> mobile-detect </a> <meta itemprop="url" content="http:&#x2F;&#x2F;hgoebl.github.io&#x2F;mobile-detect.js&#x2F;" /> <meta itemprop="version" content="1.3.1" /> <!-- hidden text for searching --> <div style="display: none;"> useragent, mobile, phone, tablet, detect, device, browser, version, mobilegrade, sniff </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="mobile-detect" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/mobile-detect/1.3.1/mobile-detect.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="mobilizejs" data-library-keywords="mobile, framework" id="mobilizejs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/mobilizejs"> mobilizejs </a> <meta itemprop="url" content="http:&#x2F;&#x2F;mobilizejs.com" /> <meta itemprop="version" content="0.9" /> <!-- hidden text for searching --> <div style="display: none;"> mobile, framework </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="mobilizejs" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/mobilizejs/0.9/mobilize.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="mocha" data-library-keywords="mocha, test, bdd, tdd, tap" id="mocha" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/mocha"> mocha </a> <meta itemprop="url" content="" /> <meta itemprop="version" content="2.3.4" /> <!-- hidden text for searching --> <div style="display: none;"> mocha, test, bdd, tdd, tap </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="mocha" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/mocha/2.3.4/mocha.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="ModelCore" data-library-keywords="javascript, rest, orm, angular, angularjs" id="ModelCore" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/ModelCore"> ModelCore </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;klederson&#x2F;ModelCore&#x2F;" /> <meta itemprop="version" content="1.1.1" /> <!-- hidden text for searching --> <div style="display: none;"> javascript, rest, orm, angular, angularjs </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="ModelCore" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/ModelCore/1.1.1/ModelCore.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="modernizr" data-library-keywords="modernizr, js, javascript, css, css3, html, html5, popular" id="modernizr" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/modernizr"> modernizr </a> <meta itemprop="url" content="http:&#x2F;&#x2F;www.modernizr.com&#x2F;" /> <meta itemprop="version" content="2.8.3" /> <!-- hidden text for searching --> <div style="display: none;"> modernizr, js, javascript, css, css3, html, html5, popular </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="modernizr" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/modernizr/2.8.3/modernizr.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="mogl" data-library-keywords="mobile, webgl" id="mogl" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/mogl"> mogl </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;projectBS&#x2F;MoGL" /> <meta itemprop="version" content="0.3.0" /> <!-- hidden text for searching --> <div style="display: none;"> mobile, webgl </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="mogl" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/mogl/0.3.0/mogl.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="mojio-js" data-library-keywords="Mojio, javascript, vehicle, car, connected, client" id="mojio-js" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/mojio-js"> mojio-js </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;mojio&#x2F;mojio-js" /> <meta itemprop="version" content="3.5.2" /> <!-- hidden text for searching --> <div style="display: none;"> Mojio, javascript, vehicle, car, connected, client </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="mojio-js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/mojio-js/3.5.2/mojio-js.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="moment-duration-format" data-library-keywords="moment, duration, format" id="moment-duration-format" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/moment-duration-format"> moment-duration-format </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;jsmreese&#x2F;moment-duration-format" /> <meta itemprop="version" content="1.3.0" /> <!-- hidden text for searching --> <div style="display: none;"> moment, duration, format </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="moment-duration-format" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/moment-duration-format/1.3.0/moment-duration-format.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="moment-range" data-library-keywords="date, moment, time, range" id="moment-range" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/moment-range"> moment-range </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;gf3&#x2F;moment-range" /> <meta itemprop="version" content="2.1.0" /> <!-- hidden text for searching --> <div style="display: none;"> date, moment, time, range </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="moment-range" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/moment-range/2.1.0/moment-range.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="moment-timezone" data-library-keywords="date, moment, timezone, time" id="moment-timezone" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/moment-timezone"> moment-timezone </a> <meta itemprop="url" content="http:&#x2F;&#x2F;momentjs.com&#x2F;timezone" /> <meta itemprop="version" content="0.5.0" /> <!-- hidden text for searching --> <div style="display: none;"> date, moment, timezone, time </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="moment-timezone" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/moment-timezone/0.5.0/moment-timezone.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="moment.js" data-library-keywords="date, moment, time" id="momentjs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/moment.js"> moment.js </a> <meta itemprop="url" content="http:&#x2F;&#x2F;momentjs.com&#x2F;" /> <meta itemprop="version" content="2.11.1" /> <!-- hidden text for searching --> <div style="display: none;"> date, moment, time </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="moment.js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/moment.js/2.11.1/moment.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="money.js" data-library-keywords="accounting, number, money, currency, exchange" id="moneyjs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/money.js"> money.js </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;openexchangerates&#x2F;money.js" /> <meta itemprop="version" content="0.2.0" /> <!-- hidden text for searching --> <div style="display: none;"> accounting, number, money, currency, exchange </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="money.js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/money.js/0.2.0/money.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="mootools-more" data-library-keywords="framework, toolkit, popular" id="mootools-more" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/mootools-more"> mootools-more </a> <meta itemprop="url" content="http:&#x2F;&#x2F;mootools.net&#x2F;" /> <meta itemprop="version" content="1.5.2" /> <!-- hidden text for searching --> <div style="display: none;"> framework, toolkit, popular </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="mootools-more" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/mootools-more/1.5.2/mootools-more-compressed.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="mootools" data-library-keywords="mootools, browser, class, utilities, types, framework, DOM, Fx, Request" id="mootools" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/mootools"> mootools </a> <meta itemprop="url" content="http:&#x2F;&#x2F;mootools.net" /> <meta itemprop="version" content="1.6.0" /> <!-- hidden text for searching --> <div style="display: none;"> mootools, browser, class, utilities, types, framework, DOM, Fx, Request </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="mootools" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/mootools/1.6.0/mootools-core.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="mori" data-library-keywords="amd, browser, client, immutable, functional, datastructures" id="mori" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/mori"> mori </a> <meta itemprop="url" content="http:&#x2F;&#x2F;swannodette.github.io&#x2F;mori&#x2F;" /> <meta itemprop="version" content="0.3.2" /> <!-- hidden text for searching --> <div style="display: none;"> amd, browser, client, immutable, functional, datastructures </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="mori" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/mori/0.3.2/mori.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="morris.js" data-library-keywords="graphs, line, time, charts" id="morrisjs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/morris.js"> morris.js </a> <meta itemprop="url" content="http:&#x2F;&#x2F;morrisjs.github.io&#x2F;morris.js&#x2F;" /> <meta itemprop="version" content="0.5.1" /> <!-- hidden text for searching --> <div style="display: none;"> graphs, line, time, charts </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="morris.js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/morris.js/0.5.1/morris.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="motajs" data-library-keywords="javascript, browser, library, util, functional, motajs, mota, js" id="motajs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/motajs"> motajs </a> <meta itemprop="url" content="http:&#x2F;&#x2F;motapc97.github.io&#x2F;motajs&#x2F;" /> <meta itemprop="version" content="0.10.3" /> <!-- hidden text for searching --> <div style="display: none;"> javascript, browser, library, util, functional, motajs, mota, js </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="motajs" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/motajs/0.10.3/mota.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="motion-ui" data-library-keywords="Sass, motion" id="motion-ui" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/motion-ui"> motion-ui </a> <meta itemprop="url" content="http:&#x2F;&#x2F;zurb.com&#x2F;playground&#x2F;motion-ui" /> <meta itemprop="version" content="1.1.1" /> <!-- hidden text for searching --> <div style="display: none;"> Sass, motion </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="motion-ui" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/motion-ui/1.1.1/motion-ui.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="motion.js" data-library-keywords="" id="motionjs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/motion.js"> motion.js </a> <meta itemprop="url" content="" /> <meta itemprop="version" content="0.3.0" /> <!-- hidden text for searching --> <div style="display: none;"> </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="motion.js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/motion.js/0.3.0/motion.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="mouse0270-bootstrap-notify" data-library-keywords="bootstrap, jquery, notify, notification, notifications, growl, message, notice" id="mouse0270-bootstrap-notify" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/mouse0270-bootstrap-notify"> mouse0270-bootstrap-notify </a> <meta itemprop="url" content="http:&#x2F;&#x2F;bootstrap-notify.remabledesigns.com&#x2F;" /> <meta itemprop="version" content="3.1.5" /> <!-- hidden text for searching --> <div style="display: none;"> bootstrap, jquery, notify, notification, notifications, growl, message, notice </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="mouse0270-bootstrap-notify" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/mouse0270-bootstrap-notify/3.1.5/bootstrap-notify.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="mousetrap" data-library-keywords="keyboard, shortcut, mouse" id="mousetrap" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/mousetrap"> mousetrap </a> <meta itemprop="url" content="http:&#x2F;&#x2F;craig.is&#x2F;killing&#x2F;mice" /> <meta itemprop="version" content="1.4.6" /> <!-- hidden text for searching --> <div style="display: none;"> keyboard, shortcut, mouse </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="mousetrap" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/mousetrap/1.4.6/mousetrap.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="move.js" data-library-keywords="animation, css3, move" id="movejs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/move.js"> move.js </a> <meta itemprop="url" content="http:&#x2F;&#x2F;visionmedia.github.io&#x2F;move.js&#x2F;" /> <meta itemprop="version" content="0.5.0" /> <!-- hidden text for searching --> <div style="display: none;"> animation, css3, move </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="move.js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/move.js/0.5.0/move.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="msgpack5" data-library-keywords="msgpack, extension, v5, msgpack, v5, ext" id="msgpack5" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/msgpack5"> msgpack5 </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;mcollina&#x2F;msgpack5" /> <meta itemprop="version" content="3.3.0" /> <!-- hidden text for searching --> <div style="display: none;"> msgpack, extension, v5, msgpack, v5, ext </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="msgpack5" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/msgpack5/3.3.0/msgpack5.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="msl-client-browser" data-library-keywords="" id="msl-client-browser" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/msl-client-browser"> msl-client-browser </a> <meta itemprop="url" content="http:&#x2F;&#x2F;finraos.github.io&#x2F;MSL" /> <meta itemprop="version" content="1.0.6" /> <!-- hidden text for searching --> <div style="display: none;"> </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="msl-client-browser" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/msl-client-browser/1.0.6/mockapi-browser.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="msngr" data-library-keywords="message, messaging, subscription, delegation, eventing, dom, binding" id="msngr" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/msngr"> msngr </a> <meta itemprop="url" content="http:&#x2F;&#x2F;www.msngrjs.com&#x2F;" /> <meta itemprop="version" content="3.2.2" /> <!-- hidden text for searching --> <div style="display: none;"> message, messaging, subscription, delegation, eventing, dom, binding </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="msngr" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/msngr/3.2.2/msngr.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="multiple-select" data-library-keywords="multiple.select, select.list, multiple.choose, checkbox" id="multiple-select" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/multiple-select"> multiple-select </a> <meta itemprop="url" content="http:&#x2F;&#x2F;wenzhixin.net.cn&#x2F;p&#x2F;multiple-select&#x2F;" /> <meta itemprop="version" content="1.2.0" /> <!-- hidden text for searching --> <div style="display: none;"> multiple.select, select.list, multiple.choose, checkbox </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="multiple-select" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/multiple-select/1.2.0/multiple-select.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="musicmetadata" data-library-keywords="id3, id3v1, id3v2, m4a, mp4, vorbis, ogg, flac, asf, wma, wmv" id="musicmetadata" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/musicmetadata"> musicmetadata </a> <meta itemprop="url" content="" /> <meta itemprop="version" content="2.0.2" /> <!-- hidden text for searching --> <div style="display: none;"> id3, id3v1, id3v2, m4a, mp4, vorbis, ogg, flac, asf, wma, wmv </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="musicmetadata" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/musicmetadata/2.0.2/musicmetadata.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="mustache.js" data-library-keywords="templates, templating, mustache, template, ejs" id="mustachejs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/mustache.js"> mustache.js </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;janl&#x2F;mustache.js" /> <meta itemprop="version" content="2.2.1" /> <!-- hidden text for searching --> <div style="display: none;"> templates, templating, mustache, template, ejs </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="mustache.js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/mustache.js/2.2.1/mustache.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="mvw-injection" data-library-keywords="mvc, model, view, controller, dependency, injection" id="mvw-injection" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/mvw-injection"> mvw-injection </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;XavierBoubert&#x2F;mvc-injection" /> <meta itemprop="version" content="0.2.4" /> <!-- hidden text for searching --> <div style="display: none;"> mvc, model, view, controller, dependency, injection </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="mvw-injection" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/mvw-injection/0.2.4/dependency-injection.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="myscript" data-library-keywords="myscript, javascript, developer, handwriting, recognition, cloud" id="myscript" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/myscript"> myscript </a> <meta itemprop="url" content="http:&#x2F;&#x2F;myscript.github.io&#x2F;MyScriptJS&#x2F;" /> <meta itemprop="version" content="1.1.2" /> <!-- hidden text for searching --> <div style="display: none;"> myscript, javascript, developer, handwriting, recognition, cloud </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="myscript" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/myscript/1.1.2/myscript.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="nanobar" data-library-keywords="progressbar, css3, js, html" id="nanobar" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/nanobar"> nanobar </a> <meta itemprop="url" content="http:&#x2F;&#x2F;nanobar.micronube.com" /> <meta itemprop="version" content="0.2.1" /> <!-- hidden text for searching --> <div style="display: none;"> progressbar, css3, js, html </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="nanobar" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/nanobar/0.2.1/nanobar.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="nanogallery" data-library-keywords="image, javascript, gallery, portfolio, photo, photoset, slideshow, flickr, googleplus, picasa, smugmug, effects, responsive" id="nanogallery" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/nanogallery"> nanogallery </a> <meta itemprop="url" content="http:&#x2F;&#x2F;nanogallery.brisbois.fr&#x2F;" /> <meta itemprop="version" content="5.9.1" /> <!-- hidden text for searching --> <div style="display: none;"> image, javascript, gallery, portfolio, photo, photoset, slideshow, flickr, googleplus, picasa, smugmug, effects, responsive </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="nanogallery" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/nanogallery/5.9.1/jquery.nanogallery.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="neo-async" data-library-keywords="async" id="neo-async" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/neo-async"> neo-async </a> <meta itemprop="url" content="" /> <meta itemprop="version" content="1.7.2" /> <!-- hidden text for searching --> <div style="display: none;"> async </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="neo-async" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/neo-async/1.7.2/async.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="nes" data-library-keywords="hapi, plugin, websocket" id="nes" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/nes"> nes </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;hapijs&#x2F;nes" /> <meta itemprop="version" content="2.3.1" /> <!-- hidden text for searching --> <div style="display: none;"> hapi, plugin, websocket </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="nes" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/nes/2.3.1/client.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="ng-clip" data-library-keywords="angular, angularjs, clipboard, copy, ZeroClipboard" id="ng-clip" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/ng-clip"> ng-clip </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;asafdav&#x2F;ng-clip" /> <meta itemprop="version" content="0.2.6" /> <!-- hidden text for searching --> <div style="display: none;"> angular, angularjs, clipboard, copy, ZeroClipboard </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="ng-clip" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/ng-clip/0.2.6/ng-clip.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="ng-context-menu" data-library-keywords="ng-context-menu, context menu, right click, angularjs, angular" id="ng-context-menu" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/ng-context-menu"> ng-context-menu </a> <meta itemprop="url" content="" /> <meta itemprop="version" content="1.0.2" /> <!-- hidden text for searching --> <div style="display: none;"> ng-context-menu, context menu, right click, angularjs, angular </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="ng-context-menu" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/ng-context-menu/1.0.2/ng-context-menu.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="ng-cordova" data-library-keywords="ngCordova, AngularJS, Cordova" id="ng-cordova" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/ng-cordova"> ng-cordova </a> <meta itemprop="url" content="http:&#x2F;&#x2F;ngcordova.com&#x2F;" /> <meta itemprop="version" content="0.1.23-alpha" /> <!-- hidden text for searching --> <div style="display: none;"> ngCordova, AngularJS, Cordova </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="ng-cordova" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/ng-cordova/0.1.23-alpha/ng-cordova.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="ng-csv" data-library-keywords="angular, angularjs, csv" id="ng-csv" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/ng-csv"> ng-csv </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;asafdav&#x2F;ng-csv" /> <meta itemprop="version" content="0.3.6" /> <!-- hidden text for searching --> <div style="display: none;"> angular, angularjs, csv </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="ng-csv" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/ng-csv/0.3.6/ng-csv.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="ng-currency" data-library-keywords="currency, directive, filter" id="ng-currency" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/ng-currency"> ng-currency </a> <meta itemprop="url" content="http:&#x2F;&#x2F;alaguirre.com" /> <meta itemprop="version" content="0.9.2" /> <!-- hidden text for searching --> <div style="display: none;"> currency, directive, filter </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="ng-currency" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/ng-currency/0.9.2/ng-currency.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="ng-dialog" data-library-keywords="angular, angularjs, ng-dialog, ngDialog, dialog, modal, popup" id="ng-dialog" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/ng-dialog"> ng-dialog </a> <meta itemprop="url" content="http:&#x2F;&#x2F;likeastore.github.io&#x2F;ngDialog&#x2F;" /> <meta itemprop="version" content="0.5.6" /> <!-- hidden text for searching --> <div style="display: none;"> angular, angularjs, ng-dialog, ngDialog, dialog, modal, popup </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="ng-dialog" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/ng-dialog/0.5.6/js&#x2F;ngDialog.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="ng-fittext" data-library-keywords="angular, javascript, typography" id="ng-fittext" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/ng-fittext"> ng-fittext </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;patrickmarabeas&#x2F;ng-FitText.js" /> <meta itemprop="version" content="4.1.0" /> <!-- hidden text for searching --> <div style="display: none;"> angular, javascript, typography </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="ng-fittext" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/ng-fittext/4.1.0/ng-FitText.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="ng-flow" data-library-keywords="flow.js, flow, resumable.js, resumable, angular, angular.js, angular-upload, file upload, upload" id="ng-flow" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/ng-flow"> ng-flow </a> <meta itemprop="url" content="" /> <meta itemprop="version" content="2.7.1" /> <!-- hidden text for searching --> <div style="display: none;"> flow.js, flow, resumable.js, resumable, angular, angular.js, angular-upload, file upload, upload </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="ng-flow" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/ng-flow/2.7.1/ng-flow-standalone.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="ng-grid" data-library-keywords="angular, ng-grid, nggrid, grid, angularjs, slickgrid, kogrid" id="ng-grid" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/ng-grid"> ng-grid </a> <meta itemprop="url" content="http:&#x2F;&#x2F;angular-ui.github.io&#x2F;ng-grid&#x2F;" /> <meta itemprop="version" content="2.0.11" /> <!-- hidden text for searching --> <div style="display: none;"> angular, ng-grid, nggrid, grid, angularjs, slickgrid, kogrid </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="ng-grid" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/ng-grid/2.0.11/ng-grid.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="ng-i18next" data-library-keywords="AngularJS, ngSanitize, i18next, translation" id="ng-i18next" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/ng-i18next"> ng-i18next </a> <meta itemprop="url" content="" /> <meta itemprop="version" content="0.5.2" /> <!-- hidden text for searching --> <div style="display: none;"> AngularJS, ngSanitize, i18next, translation </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="ng-i18next" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/ng-i18next/0.5.2/ng-i18next.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="ng-pdfviewer" data-library-keywords="AngularJS, PDF viewer, pdf.js" id="ng-pdfviewer" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/ng-pdfviewer"> ng-pdfviewer </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;akrennmair&#x2F;ng-pdfviewer" /> <meta itemprop="version" content="0.2.1" /> <!-- hidden text for searching --> <div style="display: none;"> AngularJS, PDF viewer, pdf.js </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="ng-pdfviewer" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/ng-pdfviewer/0.2.1/ng-pdfviewer.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="ng-showdown" data-library-keywords="markdown, showdown, ng-showdown, md, mdown, angular" id="ng-showdown" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/ng-showdown"> ng-showdown </a> <meta itemprop="url" content="" /> <meta itemprop="version" content="1.1.0" /> <!-- hidden text for searching --> <div style="display: none;"> markdown, showdown, ng-showdown, md, mdown, angular </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="ng-showdown" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/ng-showdown/1.1.0/ng-showdown.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="ng-slider" data-library-keywords="angular, slider, control, ui" id="ng-slider" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/ng-slider"> ng-slider </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;darul75&#x2F;angular-awesome-slider" /> <meta itemprop="version" content="2.2.6" /> <!-- hidden text for searching --> <div style="display: none;"> angular, slider, control, ui </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="ng-slider" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/ng-slider/2.2.6/&#x2F;ng-slider.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="ng-table" data-library-keywords="ng-table, table, angularjs" id="ng-table" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/ng-table"> ng-table </a> <meta itemprop="url" content="" /> <meta itemprop="version" content="0.8.3" /> <!-- hidden text for searching --> <div style="display: none;"> ng-table, table, angularjs </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="ng-table" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/ng-table/0.8.3/ng-table.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="ng-tags-input" data-library-keywords="angular, tags, tags-input" id="ng-tags-input" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/ng-tags-input"> ng-tags-input </a> <meta itemprop="url" content="http:&#x2F;&#x2F;mbenford.github.io&#x2F;ngTagsInput" /> <meta itemprop="version" content="3.0.0" /> <!-- hidden text for searching --> <div style="display: none;"> angular, tags, tags-input </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="ng-tags-input" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/ng-tags-input/3.0.0/ng-tags-input.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="ng-tasty" data-library-keywords="" id="ng-tasty" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/ng-tasty"> ng-tasty </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;Zizzamia&#x2F;ng-tasty" /> <meta itemprop="version" content="0.6.1" /> <!-- hidden text for searching --> <div style="display: none;"> </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="ng-tasty" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/ng-tasty/0.6.1/ng-tasty-tpls.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="ng-token-auth" data-library-keywords="authentication, oauth2, angular, token, secure" id="ng-token-auth" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/ng-token-auth"> ng-token-auth </a> <meta itemprop="url" content="" /> <meta itemprop="version" content="0.0.28" /> <!-- hidden text for searching --> <div style="display: none;"> authentication, oauth2, angular, token, secure </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="ng-token-auth" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/ng-token-auth/0.0.28/ng-token-auth.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="ngHandsontable" data-library-keywords="data grid applications, AngularJS, ngHandsontable" id="ngHandsontable" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/ngHandsontable"> ngHandsontable </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;handsontable&#x2F;ngHandsontable" /> <meta itemprop="version" content="0.7.0" /> <!-- hidden text for searching --> <div style="display: none;"> data grid applications, AngularJS, ngHandsontable </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="ngHandsontable" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/ngHandsontable/0.7.0/ngHandsontable.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="ngInfiniteScroll" data-library-keywords="AngularJS, ngInfiniteScroll, scrolling, endless-scrolling, unpagination" id="ngInfiniteScroll" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/ngInfiniteScroll"> ngInfiniteScroll </a> <meta itemprop="url" content="http:&#x2F;&#x2F;sroze.github.io&#x2F;ngInfiniteScroll&#x2F;" /> <meta itemprop="version" content="1.2.2" /> <!-- hidden text for searching --> <div style="display: none;"> AngularJS, ngInfiniteScroll, scrolling, endless-scrolling, unpagination </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="ngInfiniteScroll" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/ngInfiniteScroll/1.2.2/ng-infinite-scroll.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="ngMask" data-library-keywords="mask, js" id="ngMask" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/ngMask"> ngMask </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;candreoliveira&#x2F;ngMask#ngmask" /> <meta itemprop="version" content="3.0.16" /> <!-- hidden text for searching --> <div style="display: none;"> mask, js </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="ngMask" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/ngMask/3.0.16/ngMask.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="ngOfficeUiFabric" data-library-keywords="angular, directives, office, office-ui-fabric, ngofficeuifabric, ng-office-ui-fabric, sharepoint" id="ngOfficeUiFabric" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/ngOfficeUiFabric"> ngOfficeUiFabric </a> <meta itemprop="url" content="http:&#x2F;&#x2F;ngOfficeUiFabric.com&#x2F;" /> <meta itemprop="version" content="0.2.0" /> <!-- hidden text for searching --> <div style="display: none;"> angular, directives, office, office-ui-fabric, ngofficeuifabric, ng-office-ui-fabric, sharepoint </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="ngOfficeUiFabric" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/ngOfficeUiFabric/0.2.0/ngOfficeUiFabric.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="ngStorage" data-library-keywords="angular, localStorage, sessionStorage" id="ngStorage" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/ngStorage"> ngStorage </a> <meta itemprop="url" content="" /> <meta itemprop="version" content="0.3.10" /> <!-- hidden text for searching --> <div style="display: none;"> angular, localStorage, sessionStorage </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="ngStorage" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/ngStorage/0.3.10/ngStorage.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="nice-validator" data-library-keywords="jquery-plugin, ecosystem:jquery, form, validate, validation, validator, nice-validator" id="nice-validator" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/nice-validator"> nice-validator </a> <meta itemprop="url" content="http:&#x2F;&#x2F;validator.niceue.com&#x2F;" /> <meta itemprop="version" content="0.10.2" /> <!-- hidden text for searching --> <div style="display: none;"> jquery-plugin, ecosystem:jquery, form, validate, validation, validator, nice-validator </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="nice-validator" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/nice-validator/0.10.2/jquery.validator.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="jquery.nicescroll" data-library-keywords="nicescroll, jquery, interface, window, dom, div, scroll, ios, mobile, desktop, scrollbar, touch, android" id="jquerynicescroll" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/jquery.nicescroll"> jquery.nicescroll </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;inuyaksa&#x2F;jquery.nicescroll" /> <meta itemprop="version" content="3.6.0" /> <!-- hidden text for searching --> <div style="display: none;"> nicescroll, jquery, interface, window, dom, div, scroll, ios, mobile, desktop, scrollbar, touch, android </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="jquery.nicescroll" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/jquery.nicescroll/3.6.0/jquery.nicescroll.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="ninjaui" data-library-keywords="ninjaui, ui, jquery" id="ninjaui" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/ninjaui"> ninjaui </a> <meta itemprop="url" content="http:&#x2F;&#x2F;ninjaui.com&#x2F;" /> <meta itemprop="version" content="1.0.1" /> <!-- hidden text for searching --> <div style="display: none;"> ninjaui, ui, jquery </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="ninjaui" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/ninjaui/1.0.1/jquery.ninjaui.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="node-waves" data-library-keywords="click, material-design" id="node-waves" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/node-waves"> node-waves </a> <meta itemprop="url" content="http:&#x2F;&#x2F;fian.my.id&#x2F;Waves" /> <meta itemprop="version" content="0.7.4" /> <!-- hidden text for searching --> <div style="display: none;"> click, material-design </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="node-waves" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/node-waves/0.7.4/waves.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="noisy" data-library-keywords="noisy, noise generator, canvas" id="noisy" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/noisy"> noisy </a> <meta itemprop="url" content="http:&#x2F;&#x2F;rappdaniel.com&#x2F;noisy&#x2F;" /> <meta itemprop="version" content="1.2" /> <!-- hidden text for searching --> <div style="display: none;"> noisy, noise generator, canvas </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="noisy" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/noisy/1.2/jquery.noisy.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="nomnoml" data-library-keywords="uml" id="nomnoml" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/nomnoml"> nomnoml </a> <meta itemprop="url" content="http:&#x2F;&#x2F;www.nomnoml.com" /> <meta itemprop="version" content="0.0.3" /> <!-- hidden text for searching --> <div style="display: none;"> uml </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="nomnoml" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/nomnoml/0.0.3/nomnoml.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="normalize" data-library-keywords="cross browser" id="normalize" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/normalize"> normalize </a> <meta itemprop="url" content="http:&#x2F;&#x2F;necolas.github.com&#x2F;normalize.css&#x2F;" /> <meta itemprop="version" content="3.0.3" /> <!-- hidden text for searching --> <div style="display: none;"> cross browser </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="normalize" class="library-column css-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/normalize/3.0.3/normalize.min.css</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="noti.js" data-library-keywords="noti.js, notification, notifications, web notification, web notifications, html5 notification, html5 notifications" id="notijs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/noti.js"> noti.js </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;j-l-n&#x2F;noti.js" /> <meta itemprop="version" content="1.0.2" /> <!-- hidden text for searching --> <div style="display: none;"> noti.js, notification, notifications, web notification, web notifications, html5 notification, html5 notifications </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="noti.js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/noti.js/1.0.2/noti.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="notie" data-library-keywords="tip" id="notie" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/notie"> notie </a> <meta itemprop="url" content="https:&#x2F;&#x2F;jaredreich.com&#x2F;projects&#x2F;notie.js" /> <meta itemprop="version" content="2.1.0" /> <!-- hidden text for searching --> <div style="display: none;"> tip </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="notie" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/notie/2.1.0/notie.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="notifxi" data-library-keywords="notification, notify, jquery, jquery-plugin, plugin, bootstrap, simple, flexible, weaponxi, alert, queued, queue, notifications, automatic" id="notifxi" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/notifxi"> notifxi </a> <meta itemprop="url" content="" /> <meta itemprop="version" content="0.2.2" /> <!-- hidden text for searching --> <div style="display: none;"> notification, notify, jquery, jquery-plugin, plugin, bootstrap, simple, flexible, weaponxi, alert, queued, queue, notifications, automatic </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="notifxi" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/notifxi/0.2.2/notifxi.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="notify" data-library-keywords="notification" id="notify" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/notify"> notify </a> <meta itemprop="url" content="http:&#x2F;&#x2F;notifyjs.com&#x2F;" /> <meta itemprop="version" content="0.4.0" /> <!-- hidden text for searching --> <div style="display: none;"> notification </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="notify" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/notify/0.4.0/notify.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="noUiSlider" data-library-keywords="jquery, slider, nouislider, form, range, handles, touch, input, slide" id="noUiSlider" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/noUiSlider"> noUiSlider </a> <meta itemprop="url" content="http:&#x2F;&#x2F;refreshless.com&#x2F;nouislider&#x2F;" /> <meta itemprop="version" content="8.2.1" /> <!-- hidden text for searching --> <div style="display: none;"> jquery, slider, nouislider, form, range, handles, touch, input, slide </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="noUiSlider" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/noUiSlider/8.2.1/nouislider.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="nprogress" data-library-keywords="progress, load, ajax" id="nprogress" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/nprogress"> nprogress </a> <meta itemprop="url" content="http:&#x2F;&#x2F;ricostacruz.com&#x2F;nprogress&#x2F;" /> <meta itemprop="version" content="0.2.0" /> <!-- hidden text for searching --> <div style="display: none;"> progress, load, ajax </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="nprogress" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/nprogress/0.2.0/nprogress.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="nuclear-js" data-library-keywords="flux, nuclear, immutable, react, vue, vuejs, functional, stateless" id="nuclear-js" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/nuclear-js"> nuclear-js </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;optimizely&#x2F;nuclear-js" /> <meta itemprop="version" content="1.3.0" /> <!-- hidden text for searching --> <div style="display: none;"> flux, nuclear, immutable, react, vue, vuejs, functional, stateless </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="nuclear-js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/nuclear-js/1.3.0/nuclear.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="numbro" data-library-keywords="numeral, numbro, number, format, time, money, percentage" id="numbro" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/numbro"> numbro </a> <meta itemprop="url" content="http:&#x2F;&#x2F;numbrojs.com" /> <meta itemprop="version" content="1.6.2" /> <!-- hidden text for searching --> <div style="display: none;"> numeral, numbro, number, format, time, money, percentage </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="numbro" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/numbro/1.6.2/numbro.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="numeral.js" data-library-keywords="numeral, number, format, time, money, percentage" id="numeraljs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/numeral.js"> numeral.js </a> <meta itemprop="url" content="http:&#x2F;&#x2F;numeraljs.com&#x2F;" /> <meta itemprop="version" content="1.5.3" /> <!-- hidden text for searching --> <div style="display: none;"> numeral, number, format, time, money, percentage </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="numeral.js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/numeral.js/1.5.3/numeral.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="numeric" data-library-keywords="numeric, analysis, math" id="numeric" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/numeric"> numeric </a> <meta itemprop="url" content="http:&#x2F;&#x2F;numericjs.com" /> <meta itemprop="version" content="1.2.6" /> <!-- hidden text for searching --> <div style="display: none;"> numeric, analysis, math </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="numeric" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/numeric/1.2.6/numeric.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="nunjucks" data-library-keywords="template, templating" id="nunjucks" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/nunjucks"> nunjucks </a> <meta itemprop="url" content="" /> <meta itemprop="version" content="2.3.0" /> <!-- hidden text for searching --> <div style="display: none;"> template, templating </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="nunjucks" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/nunjucks/2.3.0/nunjucks.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="nvd3" data-library-keywords="d3, visualization, svg, charts" id="nvd3" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/nvd3"> nvd3 </a> <meta itemprop="url" content="http:&#x2F;&#x2F;nvd3.org&#x2F;" /> <meta itemprop="version" content="1.8.1" /> <!-- hidden text for searching --> <div style="display: none;"> d3, visualization, svg, charts </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="nvd3" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/nvd3/1.8.1/nv.d3.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="nwmatcher" data-library-keywords="css, matcher, selector, ender" id="nwmatcher" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/nwmatcher"> nwmatcher </a> <meta itemprop="url" content="http:&#x2F;&#x2F;javascript.nwbox.com&#x2F;NWMatcher&#x2F;" /> <meta itemprop="version" content="1.3.6" /> <!-- hidden text for searching --> <div style="display: none;"> css, matcher, selector, ender </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="nwmatcher" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/nwmatcher/1.3.6/nwmatcher.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="oauth-io" data-library-keywords="oauth, auth, api, security" id="oauth-io" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/oauth-io"> oauth-io </a> <meta itemprop="url" content="" /> <meta itemprop="version" content="0.9.0" /> <!-- hidden text for searching --> <div style="display: none;"> oauth, auth, api, security </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="oauth-io" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/oauth-io/0.9.0/oauth.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="object-fit" data-library-keywords="html5, polyfill, object-fit" id="object-fit" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/object-fit"> object-fit </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;anselmh&#x2F;dialog-polyfill" /> <meta itemprop="version" content="0.4.3" /> <!-- hidden text for searching --> <div style="display: none;"> html5, polyfill, object-fit </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="object-fit" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/object-fit/0.4.3/polyfill.object-fit.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="object-observe" data-library-keywords="observe, data-binding, Object.observe" id="object-observe" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/object-observe"> object-observe </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;MaxArt2501&#x2F;object-observe" /> <meta itemprop="version" content="0.2.6" /> <!-- hidden text for searching --> <div style="display: none;"> observe, data-binding, Object.observe </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="object-observe" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/object-observe/0.2.6/object-observe.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="oboe.js" data-library-keywords="json, parser, stream, progressive, http, sax, event, emitter, async, browser" id="oboejs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/oboe.js"> oboe.js </a> <meta itemprop="url" content="http:&#x2F;&#x2F;oboejs.com" /> <meta itemprop="version" content="2.1.2" /> <!-- hidden text for searching --> <div style="display: none;"> json, parser, stream, progressive, http, sax, event, emitter, async, browser </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="oboe.js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/oboe.js/2.1.2/oboe-browser.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="ocanvas" data-library-keywords="html5, canvas" id="ocanvas" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/ocanvas"> ocanvas </a> <meta itemprop="url" content="http:&#x2F;&#x2F;ocanvas.org&#x2F;" /> <meta itemprop="version" content="2.8.3" /> <!-- hidden text for searching --> <div style="display: none;"> html5, canvas </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="ocanvas" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/ocanvas/2.8.3/ocanvas.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="octicons" data-library-keywords="GitHub, icons, font, web font, icon font" id="octicons" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/octicons"> octicons </a> <meta itemprop="url" content="http:&#x2F;&#x2F;octicons.github.com&#x2F;" /> <meta itemprop="version" content="3.4.0" /> <!-- hidden text for searching --> <div style="display: none;"> GitHub, icons, font, web font, icon font </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="octicons" class="library-column css-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/octicons/3.4.0/octicons.min.css</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="odometer.js" data-library-keywords="numbers, transition" id="odometerjs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/odometer.js"> odometer.js </a> <meta itemprop="url" content="http:&#x2F;&#x2F;github.hubspot.com&#x2F;odometer&#x2F;docs&#x2F;welcome&#x2F;" /> <meta itemprop="version" content="0.4.7" /> <!-- hidden text for searching --> <div style="display: none;"> numbers, transition </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="odometer.js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/odometer.js/0.4.7/odometer.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="offline-js" data-library-keywords="" id="offline-js" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/offline-js"> offline-js </a> <meta itemprop="url" content="" /> <meta itemprop="version" content="0.7.14" /> <!-- hidden text for searching --> <div style="display: none;"> </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="offline-js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/offline-js/0.7.14/offline.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="oj.AceEditor" data-library-keywords="oj, ace, editor" id="ojAceEditor" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/oj.AceEditor"> oj.AceEditor </a> <meta itemprop="url" content="http:&#x2F;&#x2F;ojjs.org" /> <meta itemprop="version" content="0.0.6" /> <!-- hidden text for searching --> <div style="display: none;"> oj, ace, editor </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="oj.AceEditor" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/oj.AceEditor/0.0.6/oj.AceEditor.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="oj.GitHubButton" data-library-keywords="oj, plugin, github, button" id="ojGitHubButton" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/oj.GitHubButton"> oj.GitHubButton </a> <meta itemprop="url" content="http:&#x2F;&#x2F;ojjs.org&#x2F;docs#GitHubButton" /> <meta itemprop="version" content="0.0.2" /> <!-- hidden text for searching --> <div style="display: none;"> oj, plugin, github, button </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="oj.GitHubButton" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/oj.GitHubButton/0.0.2/oj.GitHubButton.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="oj.JSFiddle" data-library-keywords="oj, plugin, jsfiddle" id="ojJSFiddle" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/oj.JSFiddle"> oj.JSFiddle </a> <meta itemprop="url" content="http:&#x2F;&#x2F;ojjs.org&#x2F;plugins#JSFiddle" /> <meta itemprop="version" content="0.0.1" /> <!-- hidden text for searching --> <div style="display: none;"> oj, plugin, jsfiddle </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="oj.JSFiddle" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/oj.JSFiddle/0.0.1/oj.JSFiddle.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="oj.markdown" data-library-keywords="oj, markdown, marked" id="ojmarkdown" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/oj.markdown"> oj.markdown </a> <meta itemprop="url" content="http:&#x2F;&#x2F;ojjs.org" /> <meta itemprop="version" content="0.2.10" /> <!-- hidden text for searching --> <div style="display: none;"> oj, markdown, marked </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="oj.markdown" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/oj.markdown/0.2.10/oj.markdown.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="oj.mustache" data-library-keywords="oj, mustache" id="ojmustache" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/oj.mustache"> oj.mustache </a> <meta itemprop="url" content="http:&#x2F;&#x2F;ojjs.org" /> <meta itemprop="version" content="0.7.2" /> <!-- hidden text for searching --> <div style="display: none;"> oj, mustache </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="oj.mustache" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/oj.mustache/0.7.2/oj.mustache.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="oj.TwitterButton" data-library-keywords="oj, plugin, twitter, follow" id="ojTwitterButton" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/oj.TwitterButton"> oj.TwitterButton </a> <meta itemprop="url" content="http:&#x2F;&#x2F;ojjs.org&#x2F;docs#TwitterButton" /> <meta itemprop="version" content="0.0.4" /> <!-- hidden text for searching --> <div style="display: none;"> oj, plugin, twitter, follow </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="oj.TwitterButton" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/oj.TwitterButton/0.0.4/oj.TwitterButton.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="oj.VimeoVideo" data-library-keywords="oj, plugin, vimeo, video" id="ojVimeoVideo" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/oj.VimeoVideo"> oj.VimeoVideo </a> <meta itemprop="url" content="http:&#x2F;&#x2F;ojjs.org&#x2F;docs#VimeoVideo" /> <meta itemprop="version" content="0.0.6" /> <!-- hidden text for searching --> <div style="display: none;"> oj, plugin, vimeo, video </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="oj.VimeoVideo" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/oj.VimeoVideo/0.0.6/oj.VimeoVideo.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="oj.YouTubeVideo" data-library-keywords="oj, plugin, youtube, video" id="ojYouTubeVideo" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/oj.YouTubeVideo"> oj.YouTubeVideo </a> <meta itemprop="url" content="http:&#x2F;&#x2F;ojjs.org&#x2F;docs#YouTubeVideo" /> <meta itemprop="version" content="0.0.1" /> <!-- hidden text for searching --> <div style="display: none;"> oj, plugin, youtube, video </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="oj.YouTubeVideo" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/oj.YouTubeVideo/0.0.1/oj.YouTubeVideo.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="oj" data-library-keywords="templating, html, css, js, jquery, backbone" id="oj" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/oj"> oj </a> <meta itemprop="url" content="http:&#x2F;&#x2F;ojjs.org" /> <meta itemprop="version" content="0.2.1" /> <!-- hidden text for searching --> <div style="display: none;"> templating, html, css, js, jquery, backbone </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="oj" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/oj/0.2.1/oj.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="ol3" data-library-keywords="map, openlayers, maps" id="ol3" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/ol3"> ol3 </a> <meta itemprop="url" content="http:&#x2F;&#x2F;openlayers.org&#x2F;" /> <meta itemprop="version" content="3.13.0" /> <!-- hidden text for searching --> <div style="display: none;"> map, openlayers, maps </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="ol3" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/ol3/3.13.0/ol.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="omniscient" data-library-keywords="quiescent, react, immutable, unidirectional flow, omniscient, cursors, components" id="omniscient" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/omniscient"> omniscient </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;omniscientjs&#x2F;omniscient" /> <meta itemprop="version" content="4.1.1" /> <!-- hidden text for searching --> <div style="display: none;"> quiescent, react, immutable, unidirectional flow, omniscient, cursors, components </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="omniscient" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/omniscient/4.1.1/omniscient.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="onepage-scroll" data-library-keywords="onepage-scroll, one_page, jquery, Apple-like, keyboard" id="onepage-scroll" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/onepage-scroll"> onepage-scroll </a> <meta itemprop="url" content="http:&#x2F;&#x2F;www.thepetedesign.com&#x2F;demos&#x2F;onepage_scroll_demo.html" /> <meta itemprop="version" content="1.3.1" /> <!-- hidden text for searching --> <div style="display: none;"> onepage-scroll, one_page, jquery, Apple-like, keyboard </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="onepage-scroll" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/onepage-scroll/1.3.1/jquery.onepage-scroll.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="onsen" data-library-keywords="onsenui, angular, html5, cordova, phonegap, web, component, monaca" id="onsen" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/onsen"> onsen </a> <meta itemprop="url" content="http:&#x2F;&#x2F;onsen.io&#x2F;" /> <meta itemprop="version" content="1.3.15" /> <!-- hidden text for searching --> <div style="display: none;"> onsenui, angular, html5, cordova, phonegap, web, component, monaca </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="onsen" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/onsen/1.3.15/js&#x2F;onsenui.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="opal-jquery" data-library-keywords="opal, opal.js, opalrb, ruby, compiler, javascript, language, opal-jquery, jquery" id="opal-jquery" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/opal-jquery"> opal-jquery </a> <meta itemprop="url" content="http:&#x2F;&#x2F;opalrb.org" /> <meta itemprop="version" content="0.0.8" /> <!-- hidden text for searching --> <div style="display: none;"> opal, opal.js, opalrb, ruby, compiler, javascript, language, opal-jquery, jquery </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="opal-jquery" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/opal-jquery/0.0.8/opal-jquery.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="opal-parser" data-library-keywords="opal, opal-parser, opal.js, opalrb, ruby, compiler, javascript, language" id="opal-parser" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/opal-parser"> opal-parser </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;opal&#x2F;opal" /> <meta itemprop="version" content="0.3.43" /> <!-- hidden text for searching --> <div style="display: none;"> opal, opal-parser, opal.js, opalrb, ruby, compiler, javascript, language </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="opal-parser" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/opal-parser/0.3.43/opal-parser.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="opal" data-library-keywords="opal, opal.js, opalrb, ruby, compiler, javascript, language" id="opal" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/opal"> opal </a> <meta itemprop="url" content="http:&#x2F;&#x2F;opalrb.org" /> <meta itemprop="version" content="0.3.43" /> <!-- hidden text for searching --> <div style="display: none;"> opal, opal.js, opalrb, ruby, compiler, javascript, language </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="opal" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/opal/0.3.43/opal.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="openajax-hub" data-library-keywords="publish, subscribe, pub&#x2F;sub, hub, messaging, broadcast, decoupling" id="openajax-hub" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/openajax-hub"> openajax-hub </a> <meta itemprop="url" content="http:&#x2F;&#x2F;www.openajax.org&#x2F;member&#x2F;wiki&#x2F;OpenAjax_Hub_1.0_Specification" /> <meta itemprop="version" content="2.0.7" /> <!-- hidden text for searching --> <div style="display: none;"> publish, subscribe, pub&#x2F;sub, hub, messaging, broadcast, decoupling </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="openajax-hub" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/openajax-hub/2.0.7/OpenAjaxUnmanagedHub.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="openlayers" data-library-keywords="map, openlayers, maps" id="openlayers" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/openlayers"> openlayers </a> <meta itemprop="url" content="http:&#x2F;&#x2F;openlayers.org&#x2F;" /> <meta itemprop="version" content="2.13.1" /> <!-- hidden text for searching --> <div style="display: none;"> map, openlayers, maps </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="openlayers" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/openlayers/2.13.1/OpenLayers.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="openpgp" data-library-keywords="crypto, pgp, gpg, openpgp" id="openpgp" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/openpgp"> openpgp </a> <meta itemprop="url" content="http:&#x2F;&#x2F;openpgpjs.org&#x2F;" /> <meta itemprop="version" content="1.5.0" /> <!-- hidden text for searching --> <div style="display: none;"> crypto, pgp, gpg, openpgp </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="openpgp" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/openpgp/1.5.0/openpgp.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="opentype.js" data-library-keywords="graphics, fonts, opentype, otf, ttf, type" id="opentypejs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/opentype.js"> opentype.js </a> <meta itemprop="url" content="http:&#x2F;&#x2F;nodebox.github.io&#x2F;opentype.js&#x2F;" /> <meta itemprop="version" content="0.6.0" /> <!-- hidden text for searching --> <div style="display: none;"> graphics, fonts, opentype, otf, ttf, type </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="opentype.js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/opentype.js/0.6.0/opentype.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="operative" data-library-keywords="" id="operative" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/operative"> operative </a> <meta itemprop="url" content="" /> <meta itemprop="version" content="0.4.4" /> <!-- hidden text for searching --> <div style="display: none;"> </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="operative" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/operative/0.4.4/operative.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="oppia" data-library-keywords="" id="oppia" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/oppia"> oppia </a> <meta itemprop="url" content="https:&#x2F;&#x2F;code.google.com&#x2F;p&#x2F;oppia&#x2F;" /> <meta itemprop="version" content="0.0.1" /> <!-- hidden text for searching --> <div style="display: none;"> </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="oppia" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/oppia/0.0.1/oppia-player.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="orb" data-library-keywords="pivot, grid, table, pivot grid, pivot table, aggregation, dimension" id="orb" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/orb"> orb </a> <meta itemprop="url" content="http:&#x2F;&#x2F;nnajm.github.io&#x2F;orb&#x2F;" /> <meta itemprop="version" content="1.0.9" /> <!-- hidden text for searching --> <div style="display: none;"> pivot, grid, table, pivot grid, pivot table, aggregation, dimension </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="orb" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/orb/1.0.9/orb.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="ot.js" data-library-keywords="operational, transformation" id="otjs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/ot.js"> ot.js </a> <meta itemprop="url" content="http:&#x2F;&#x2F;operational-transformation.github.com" /> <meta itemprop="version" content="0.0.15" /> <!-- hidden text for searching --> <div style="display: none;"> operational, transformation </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="ot.js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/ot.js/0.0.15/ot-min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="ouibounce" data-library-keywords="modal, leave, page, marketing" id="ouibounce" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/ouibounce"> ouibounce </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;carlsednaoui&#x2F;ouibounce" /> <meta itemprop="version" content="0.0.11" /> <!-- hidden text for searching --> <div style="display: none;"> modal, leave, page, marketing </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="ouibounce" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/ouibounce/0.0.11/ouibounce.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="outdated-browser" data-library-keywords="" id="outdated-browser" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/outdated-browser"> outdated-browser </a> <meta itemprop="url" content="" /> <meta itemprop="version" content="1.1.2" /> <!-- hidden text for searching --> <div style="display: none;"> </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="outdated-browser" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/outdated-browser/1.1.2/outdatedbrowser.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="overthrow" data-library-keywords="overthrow" id="overthrow" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/overthrow"> overthrow </a> <meta itemprop="url" content="http:&#x2F;&#x2F;filamentgroup.github.io&#x2F;Overthrow" /> <meta itemprop="version" content="0.7.0" /> <!-- hidden text for searching --> <div style="display: none;"> overthrow </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="overthrow" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/overthrow/0.7.0/overthrow.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="owl-carousel" data-library-keywords="carousel, jquery, slider" id="owl-carousel" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/owl-carousel"> owl-carousel </a> <meta itemprop="url" content="http:&#x2F;&#x2F;owlgraphic.com&#x2F;owlcarousel&#x2F;" /> <meta itemprop="version" content="1.3.3" /> <!-- hidden text for searching --> <div style="display: none;"> carousel, jquery, slider </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="owl-carousel" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/owl-carousel/1.3.3/owl.carousel.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="OwlCarousel2" data-library-keywords="responsive, carousel, owlcarousel, jQuery, plugin" id="OwlCarousel2" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/OwlCarousel2"> OwlCarousel2 </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;smashingboxes&#x2F;OwlCarousel2" /> <meta itemprop="version" content="2.0.0-beta.3" /> <!-- hidden text for searching --> <div style="display: none;"> responsive, carousel, owlcarousel, jQuery, plugin </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="OwlCarousel2" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/OwlCarousel2/2.0.0-beta.3/owl.carousel.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="oz.js" data-library-keywords="AMD, oz, ozjs" id="ozjs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/oz.js"> oz.js </a> <meta itemprop="url" content="https:&#x2F;&#x2F;ozjs.org" /> <meta itemprop="version" content="2.6.4" /> <!-- hidden text for searching --> <div style="display: none;"> AMD, oz, ozjs </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="oz.js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/oz.js/2.6.4/oz.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="p2.js" data-library-keywords="p2.js, p2, physics, engine, 2d" id="p2js" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/p2.js"> p2.js </a> <meta itemprop="url" content="" /> <meta itemprop="version" content="0.7.1" /> <!-- hidden text for searching --> <div style="display: none;"> p2.js, p2, physics, engine, 2d </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="p2.js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/p2.js/0.7.1/p2.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="p5.js" data-library-keywords="canvas, processing, drawing, graphics, interactive" id="p5js" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/p5.js"> p5.js </a> <meta itemprop="url" content="http:&#x2F;&#x2F;p5js.org" /> <meta itemprop="version" content="0.4.21" /> <!-- hidden text for searching --> <div style="display: none;"> canvas, processing, drawing, graphics, interactive </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="p5.js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/p5.js/0.4.21/p5.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="pablo" data-library-keywords="SVG, AMD, graphics, vectors, games" id="pablo" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/pablo"> pablo </a> <meta itemprop="url" content="http:&#x2F;&#x2F;pablojs.com" /> <meta itemprop="version" content="0.4.0" /> <!-- hidden text for searching --> <div style="display: none;"> SVG, AMD, graphics, vectors, games </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="pablo" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/pablo/0.4.0/pablo.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="pace" data-library-keywords="pace, pace.js" id="pace" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/pace"> pace </a> <meta itemprop="url" content="http:&#x2F;&#x2F;github.hubspot.com&#x2F;pace&#x2F;" /> <meta itemprop="version" content="1.0.2" /> <!-- hidden text for searching --> <div style="display: none;"> pace, pace.js </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="pace" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/pace/1.0.2/pace.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="packery" data-library-keywords="bin-packing, layout, float, masonry, nogaps" id="packery" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/packery"> packery </a> <meta itemprop="url" content="http:&#x2F;&#x2F;packery.metafizzy.co&#x2F;" /> <meta itemprop="version" content="1.4.3" /> <!-- hidden text for searching --> <div style="display: none;"> bin-packing, layout, float, masonry, nogaps </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="packery" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/packery/1.4.3/packery.pkgd.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="page.js" data-library-keywords="" id="pagejs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/page.js"> page.js </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;visionmedia&#x2F;page.js" /> <meta itemprop="version" content="1.6.4" /> <!-- hidden text for searching --> <div style="display: none;"> </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="page.js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/page.js/1.6.4/page.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="pagedown" data-library-keywords="markdown, converter" id="pagedown" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/pagedown"> pagedown </a> <meta itemprop="url" content="http:&#x2F;&#x2F;code.google.com&#x2F;p&#x2F;pagedown&#x2F;wiki&#x2F;PageDown" /> <meta itemprop="version" content="1.0" /> <!-- hidden text for searching --> <div style="display: none;"> markdown, converter </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="pagedown" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/pagedown/1.0/Markdown.Converter.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="pako" data-library-keywords="zlib, deflate, inflate, gzip" id="pako" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/pako"> pako </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;nodeca&#x2F;pako" /> <meta itemprop="version" content="0.2.8" /> <!-- hidden text for searching --> <div style="display: none;"> zlib, deflate, inflate, gzip </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="pako" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/pako/0.2.8/pako.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="pangu" data-library-keywords="chinese, file, japanese, korean, obsessive-compulsive disorder, ocd, pangu, paranoia, paranoid, readability, spacing, text" id="pangu" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/pangu"> pangu </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;vinta&#x2F;pangu.js" /> <meta itemprop="version" content="3.0.0" /> <!-- hidden text for searching --> <div style="display: none;"> chinese, file, japanese, korean, obsessive-compulsive disorder, ocd, pangu, paranoia, paranoid, readability, spacing, text </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="pangu" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/pangu/3.0.0/pangu.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="PapaParse" data-library-keywords="csv, parser, parse, parsing, delimited, text, data, auto-detect, comma, tab, pipe, file, filereader, stream, worker, workers, thread, threading, multi-threaded, jquery-plugin" id="PapaParse" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/PapaParse"> PapaParse </a> <meta itemprop="url" content="http:&#x2F;&#x2F;papaparse.com" /> <meta itemprop="version" content="4.1.2" /> <!-- hidden text for searching --> <div style="display: none;"> csv, parser, parse, parsing, delimited, text, data, auto-detect, comma, tab, pipe, file, filereader, stream, worker, workers, thread, threading, multi-threaded, jquery-plugin </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="PapaParse" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/PapaParse/4.1.2/papaparse.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="paper.js" data-library-keywords="vector, graphic, graphics, 2d, geometry, bezier, curve, curves, path, paths, canvas, svg, paper, paper.js" id="paperjs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/paper.js"> paper.js </a> <meta itemprop="url" content="http:&#x2F;&#x2F;paperjs.org&#x2F;" /> <meta itemprop="version" content="0.9.25" /> <!-- hidden text for searching --> <div style="display: none;"> vector, graphic, graphics, 2d, geometry, bezier, curve, curves, path, paths, canvas, svg, paper, paper.js </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="paper.js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/paper.js/0.9.25/paper-full.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="paradeiser" data-library-keywords="paradeiser, hamburger, menu" id="paradeiser" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/paradeiser"> paradeiser </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;lucidlemon&#x2F;paradeiser" /> <meta itemprop="version" content="0.4.3" /> <!-- hidden text for searching --> <div style="display: none;"> paradeiser, hamburger, menu </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="paradeiser" class="library-column css-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/paradeiser/0.4.3/min&#x2F;paradeiser.min.css</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="parallax.js" data-library-keywords="parallax, scroll, scrolling, image" id="parallaxjs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/parallax.js"> parallax.js </a> <meta itemprop="url" content="http:&#x2F;&#x2F;pixelcog.com&#x2F;parallax.js&#x2F;" /> <meta itemprop="version" content="1.4.1" /> <!-- hidden text for searching --> <div style="display: none;"> parallax, scroll, scrolling, image </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="parallax.js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/parallax.js/1.4.1/parallax.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="parallax" data-library-keywords="parallax, gyroscope, jquery, javascript, library" id="parallax" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/parallax"> parallax </a> <meta itemprop="url" content="http:&#x2F;&#x2F;wagerfield.github.io&#x2F;parallax&#x2F;" /> <meta itemprop="version" content="2.1.3" /> <!-- hidden text for searching --> <div style="display: none;"> parallax, gyroscope, jquery, javascript, library </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="parallax" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/parallax/2.1.3/parallax.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="parsley.js" data-library-keywords="form, validation" id="parsleyjs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/parsley.js"> parsley.js </a> <meta itemprop="url" content="http:&#x2F;&#x2F;parsleyjs.org&#x2F;" /> <meta itemprop="version" content="2.2.0" /> <!-- hidden text for searching --> <div style="display: none;"> form, validation </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="parsley.js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/parsley.js/2.2.0/parsley.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="particles.js" data-library-keywords="particles, particle, canvas" id="particlesjs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/particles.js"> particles.js </a> <meta itemprop="url" content="http:&#x2F;&#x2F;vincentgarreau.com&#x2F;particles.js" /> <meta itemprop="version" content="2.0.0" /> <!-- hidden text for searching --> <div style="display: none;"> particles, particle, canvas </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="particles.js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/particles.js/2.0.0/particles.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="path.js" data-library-keywords="path, routing, fragment, hash, push-state" id="pathjs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/path.js"> path.js </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;mtrpcic&#x2F;pathjs" /> <meta itemprop="version" content="0.8.4" /> <!-- hidden text for searching --> <div style="display: none;"> path, routing, fragment, hash, push-state </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="path.js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/path.js/0.8.4/path.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="paymentfont" data-library-keywords="payment, font, icons" id="paymentfont" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/paymentfont"> paymentfont </a> <meta itemprop="url" content="http:&#x2F;&#x2F;paymentfont.io&#x2F;" /> <meta itemprop="version" content="1.1.2" /> <!-- hidden text for searching --> <div style="display: none;"> payment, font, icons </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="paymentfont" class="library-column css-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/paymentfont/1.1.2/css&#x2F;paymentfont.min.css</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="paypaljsbuttons" data-library-keywords="paypal, paypal button, credit card, payment, payments, ecommerce, javascriptbuttons, jsbuttons" id="paypaljsbuttons" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/paypaljsbuttons"> paypaljsbuttons </a> <meta itemprop="url" content="http:&#x2F;&#x2F;paypal.github.io&#x2F;JavaScriptButtons" /> <meta itemprop="version" content="1.0.2" /> <!-- hidden text for searching --> <div style="display: none;"> paypal, paypal button, credit card, payment, payments, ecommerce, javascriptbuttons, jsbuttons </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="paypaljsbuttons" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/paypaljsbuttons/1.0.2/paypal-button-minicart.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="pdfmake" data-library-keywords="pdf, javascript, printing, layout" id="pdfmake" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/pdfmake"> pdfmake </a> <meta itemprop="url" content="https:&#x2F;&#x2F;bpampuch.github.io&#x2F;pdfmake" /> <meta itemprop="version" content="0.1.20" /> <!-- hidden text for searching --> <div style="display: none;"> pdf, javascript, printing, layout </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="pdfmake" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/pdfmake/0.1.20/pdfmake.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="peerjs" data-library-keywords="js, WebRTC" id="peerjs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/peerjs"> peerjs </a> <meta itemprop="url" content="http:&#x2F;&#x2F;peerjs.com&#x2F;" /> <meta itemprop="version" content="0.3.14" /> <!-- hidden text for searching --> <div style="display: none;"> js, WebRTC </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="peerjs" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/peerjs/0.3.14/peer.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="pegasus" data-library-keywords="ajax, promise, xhr, http, request, XMLHttpRequest, data, json, bootstrap, performance, optimization, load, loader, preload, preloader" id="pegasus" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/pegasus"> pegasus </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;typicode&#x2F;pegasus" /> <meta itemprop="version" content="0.3.2" /> <!-- hidden text for searching --> <div style="display: none;"> ajax, promise, xhr, http, request, XMLHttpRequest, data, json, bootstrap, performance, optimization, load, loader, preload, preloader </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="pegasus" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/pegasus/0.3.2/pegasus.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="pegjs" data-library-keywords="parser, generator, peg" id="pegjs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/pegjs"> pegjs </a> <meta itemprop="url" content="http:&#x2F;&#x2F;pegjs.majda.cz&#x2F;" /> <meta itemprop="version" content="0.9.0" /> <!-- hidden text for searching --> <div style="display: none;"> parser, generator, peg </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="pegjs" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/pegjs/0.9.0/peg.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="peity" data-library-keywords="jquery-plugin, ecosystem:jquery, chart, graph, sparkline, svg" id="peity" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/peity"> peity </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;benpickles&#x2F;peity" /> <meta itemprop="version" content="3.2.0" /> <!-- hidden text for searching --> <div style="display: none;"> jquery-plugin, ecosystem:jquery, chart, graph, sparkline, svg </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="peity" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/peity/3.2.0/jquery.peity.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="perfbar" data-library-keywords="perfbar, frontend, performance" id="perfbar" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/perfbar"> perfbar </a> <meta itemprop="url" content="http:&#x2F;&#x2F;lafikl.github.io&#x2F;perfBar" /> <meta itemprop="version" content="0.2.1" /> <!-- hidden text for searching --> <div style="display: none;"> perfbar, frontend, performance </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="perfbar" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/perfbar/0.2.1/perfbar.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="persian.js" data-library-keywords="persian, farsi, arabic, english, culture, localization, i18n, l10n" id="persianjs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/persian.js"> persian.js </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;usablica&#x2F;persian.js" /> <meta itemprop="version" content="0.3.0" /> <!-- hidden text for searching --> <div style="display: none;"> persian, farsi, arabic, english, culture, localization, i18n, l10n </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="persian.js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/persian.js/0.3.0/persian.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="phaser" data-library-keywords="HTML5, game, canvas, 2d, WebGL, web audio, physics, tweens, javascript, typescript" id="phaser" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/phaser"> phaser </a> <meta itemprop="url" content="http:&#x2F;&#x2F;phaser.io&#x2F;" /> <meta itemprop="version" content="2.4.4" /> <!-- hidden text for searching --> <div style="display: none;"> HTML5, game, canvas, 2d, WebGL, web audio, physics, tweens, javascript, typescript </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="phaser" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/phaser/2.4.4/phaser.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="photoset-grid" data-library-keywords="photo, grid" id="photoset-grid" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/photoset-grid"> photoset-grid </a> <meta itemprop="url" content="" /> <meta itemprop="version" content="1.0.1" /> <!-- hidden text for searching --> <div style="display: none;"> photo, grid </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="photoset-grid" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/photoset-grid/1.0.1/jquery.photoset-grid.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="photoswipe" data-library-keywords="image, gallery, lightbox, photo, touch, swipe, zoom" id="photoswipe" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/photoswipe"> photoswipe </a> <meta itemprop="url" content="http:&#x2F;&#x2F;www.photoswipe.com&#x2F;" /> <meta itemprop="version" content="4.1.1" /> <!-- hidden text for searching --> <div style="display: none;"> image, gallery, lightbox, photo, touch, swipe, zoom </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="photoswipe" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/photoswipe/4.1.1/photoswipe.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="PhysicsJS" data-library-keywords="physics, engine" id="PhysicsJS" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/PhysicsJS"> PhysicsJS </a> <meta itemprop="url" content="" /> <meta itemprop="version" content="0.7.0" /> <!-- hidden text for searching --> <div style="display: none;"> physics, engine </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="PhysicsJS" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/PhysicsJS/0.7.0/physicsjs.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="pickadate.js" data-library-keywords="date, time, picker, input, responsive" id="pickadatejs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/pickadate.js"> pickadate.js </a> <meta itemprop="url" content="http:&#x2F;&#x2F;amsul.github.io&#x2F;pickadate.js" /> <meta itemprop="version" content="3.5.6" /> <!-- hidden text for searching --> <div style="display: none;"> date, time, picker, input, responsive </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="pickadate.js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/pickadate.js/3.5.6/picker.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="picturefill" data-library-keywords="polyfill, responsive, images, html, picture" id="picturefill" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/picturefill"> picturefill </a> <meta itemprop="url" content="http:&#x2F;&#x2F;scottjehl.github.com&#x2F;picturefill&#x2F;" /> <meta itemprop="version" content="3.0.1" /> <!-- hidden text for searching --> <div style="display: none;"> polyfill, responsive, images, html, picture </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="picturefill" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/picturefill/3.0.1/picturefill.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="css3pie" data-library-keywords="polyfill, ie, internet, explorer, css3, pie" id="css3pie" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/css3pie"> css3pie </a> <meta itemprop="url" content="http:&#x2F;&#x2F;css3pie.com" /> <meta itemprop="version" content="2.0beta1" /> <!-- hidden text for searching --> <div style="display: none;"> polyfill, ie, internet, explorer, css3, pie </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="css3pie" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/css3pie/2.0beta1/PIE_IE678.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="piecon" data-library-keywords="favicon, piecon, progress, chart" id="piecon" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/piecon"> piecon </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;lipka&#x2F;piecon" /> <meta itemprop="version" content="0.5.0" /> <!-- hidden text for searching --> <div style="display: none;"> favicon, piecon, progress, chart </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="piecon" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/piecon/0.5.0/piecon.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="PikaChoose" data-library-keywords="jQuery, image, gallery, slideshow, lightweight" id="PikaChoose" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/PikaChoose"> PikaChoose </a> <meta itemprop="url" content="http:&#x2F;&#x2F;www.pikachoose.com" /> <meta itemprop="version" content="4.5.0" /> <!-- hidden text for searching --> <div style="display: none;"> jQuery, image, gallery, slideshow, lightweight </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="PikaChoose" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/PikaChoose/4.5.0/jquery.pikachoose.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="pikaday" data-library-keywords="datepicker, calendar, date" id="pikaday" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/pikaday"> pikaday </a> <meta itemprop="url" content="http:&#x2F;&#x2F;dbushell.github.io&#x2F;Pikaday&#x2F;" /> <meta itemprop="version" content="1.4.0" /> <!-- hidden text for searching --> <div style="display: none;"> datepicker, calendar, date </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="pikaday" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/pikaday/1.4.0/pikaday.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="pileup" data-library-keywords="genome, track, bam, gene, bioinformatics, genomics, sequencing, reads, interactive" id="pileup" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/pileup"> pileup </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;hammerlab&#x2F;pileup.js" /> <meta itemprop="version" content="0.6.2" /> <!-- hidden text for searching --> <div style="display: none;"> genome, track, bam, gene, bioinformatics, genomics, sequencing, reads, interactive </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="pileup" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/pileup/0.6.2/pileup.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="pivottable" data-library-keywords="pivot, crosstab, grid, table, pivottable, pivotgrid, pivotchart, jquery" id="pivottable" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/pivottable"> pivottable </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;nicolaskruchten&#x2F;pivottable" /> <meta itemprop="version" content="2.0.2" /> <!-- hidden text for searching --> <div style="display: none;"> pivot, crosstab, grid, table, pivottable, pivotgrid, pivotchart, jquery </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="pivottable" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/pivottable/2.0.2/pivot.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="piwik" data-library-keywords="analytics, webmaster, popular" id="piwik" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/piwik"> piwik </a> <meta itemprop="url" content="http:&#x2F;&#x2F;piwik.org&#x2F;" /> <meta itemprop="version" content="2.15.0" /> <!-- hidden text for searching --> <div style="display: none;"> analytics, webmaster, popular </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="piwik" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/piwik/2.15.0/piwik.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="pixi.js" data-library-keywords="2d, animation, canvas, graphics, rendering, webgl" id="pixijs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/pixi.js"> pixi.js </a> <meta itemprop="url" content="http:&#x2F;&#x2F;goodboydigital.com&#x2F;" /> <meta itemprop="version" content="3.0.9" /> <!-- hidden text for searching --> <div style="display: none;"> 2d, animation, canvas, graphics, rendering, webgl </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="pixi.js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/pixi.js/3.0.9/pixi.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="pizza" data-library-keywords="adobe, charts, snap, svg, zurb" id="pizza" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/pizza"> pizza </a> <meta itemprop="url" content="http:&#x2F;&#x2F;zurb.com&#x2F;playground&#x2F;pizza-pie-charts" /> <meta itemprop="version" content="0.2.1" /> <!-- hidden text for searching --> <div style="display: none;"> adobe, charts, snap, svg, zurb </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="pizza" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/pizza/0.2.1/js&#x2F;pizza.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="placeholder-shiv" data-library-keywords="html5, polyfill" id="placeholder-shiv" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/placeholder-shiv"> placeholder-shiv </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;walterdavis&#x2F;placeholder-shiv" /> <meta itemprop="version" content="0.2" /> <!-- hidden text for searching --> <div style="display: none;"> html5, polyfill </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="placeholder-shiv" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/placeholder-shiv/0.2/placeholder-shiv.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="placeholder.js" data-library-keywords="images, placeholders, client-side, canvas, generation, development, html5" id="placeholderjs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/placeholder.js"> placeholder.js </a> <meta itemprop="url" content="http:&#x2F;&#x2F;placeholder.cn&#x2F;" /> <meta itemprop="version" content="2.0.1" /> <!-- hidden text for searching --> <div style="display: none;"> images, placeholders, client-side, canvas, generation, development, html5 </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="placeholder.js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/placeholder.js/2.0.1/placeholder.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="placeholders" data-library-keywords="html5, form, placeholder, polyfill" id="placeholders" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/placeholders"> placeholders </a> <meta itemprop="url" content="http:&#x2F;&#x2F;jamesallardice.github.io&#x2F;Placeholders.js&#x2F;" /> <meta itemprop="version" content="4.0.1" /> <!-- hidden text for searching --> <div style="display: none;"> html5, form, placeholder, polyfill </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="placeholders" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/placeholders/4.0.1/placeholders.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="plastiq" data-library-keywords="virtual-dom, front-end, mvc, framework, html, plastiq" id="plastiq" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/plastiq"> plastiq </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;featurist&#x2F;plastiq" /> <meta itemprop="version" content="1.14.0" /> <!-- hidden text for searching --> <div style="display: none;"> virtual-dom, front-end, mvc, framework, html, plastiq </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="plastiq" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/plastiq/1.14.0/plastiq.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="platform" data-library-keywords="environment, platform, ua, useragent" id="platform" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/platform"> platform </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;bestiejs&#x2F;platform.js" /> <meta itemprop="version" content="1.3.1" /> <!-- hidden text for searching --> <div style="display: none;"> environment, platform, ua, useragent </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="platform" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/platform/1.3.1/platform.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="playlyfe-js-sdk" data-library-keywords="playlyfe, auth, authentication, identity, oauth, api, sdk" id="playlyfe-js-sdk" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/playlyfe-js-sdk"> playlyfe-js-sdk </a> <meta itemprop="url" content="https:&#x2F;&#x2F;dev.playlyfe.com&#x2F;docs&#x2F;sdk.html" /> <meta itemprop="version" content="1.0.1" /> <!-- hidden text for searching --> <div style="display: none;"> playlyfe, auth, authentication, identity, oauth, api, sdk </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="playlyfe-js-sdk" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/playlyfe-js-sdk/1.0.1/playlyfe-js-sdk.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="playlyfe-odysseus" data-library-keywords="playlyfe, gamification, notifications, event, story-builder" id="playlyfe-odysseus" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/playlyfe-odysseus"> playlyfe-odysseus </a> <meta itemprop="url" content="" /> <meta itemprop="version" content="0.5.6" /> <!-- hidden text for searching --> <div style="display: none;"> playlyfe, gamification, notifications, event, story-builder </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="playlyfe-odysseus" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/playlyfe-odysseus/0.5.6/odysseus.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="pleasejs" data-library-keywords="color, scheme, random" id="pleasejs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/pleasejs"> pleasejs </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;Fooidge&#x2F;PleaseJS" /> <meta itemprop="version" content="0.2.0" /> <!-- hidden text for searching --> <div style="display: none;"> color, scheme, random </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="pleasejs" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/pleasejs/0.2.0/Please.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="plottable.js" data-library-keywords="plottable, plottablejs, plottable.js, d3, data viz, chart, charts, reusable charts, visualization, scatterplot, bar chart, plot, plots" id="plottablejs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/plottable.js"> plottable.js </a> <meta itemprop="url" content="" /> <meta itemprop="version" content="2.0.0" /> <!-- hidden text for searching --> <div style="display: none;"> plottable, plottablejs, plottable.js, d3, data viz, chart, charts, reusable charts, visualization, scatterplot, bar chart, plot, plots </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="plottable.js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/plottable.js/2.0.0/plottable.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="plupload" data-library-keywords="" id="plupload" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/plupload"> plupload </a> <meta itemprop="url" content="http:&#x2F;&#x2F;plupload.com" /> <meta itemprop="version" content="2.1.8" /> <!-- hidden text for searching --> <div style="display: none;"> </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="plupload" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/plupload/2.1.8/plupload.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="pnotify" data-library-keywords="pnotify, notice, notification, growl, nonblocking, non-blocking, unobtrusive, bootstrap, jquery" id="pnotify" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/pnotify"> pnotify </a> <meta itemprop="url" content="http:&#x2F;&#x2F;sciactive.com&#x2F;pnotify&#x2F;" /> <meta itemprop="version" content="3.0.0" /> <!-- hidden text for searching --> <div style="display: none;"> pnotify, notice, notification, growl, nonblocking, non-blocking, unobtrusive, bootstrap, jquery </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="pnotify" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/pnotify/3.0.0/pnotify.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="polyglot.js" data-library-keywords="i18n, internationalization, internationalisation, translation, interpolation, translate, polyglot" id="polyglotjs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/polyglot.js"> polyglot.js </a> <meta itemprop="url" content="" /> <meta itemprop="version" content="1.0.0" /> <!-- hidden text for searching --> <div style="display: none;"> i18n, internationalization, internationalisation, translation, interpolation, translate, polyglot </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="polyglot.js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/polyglot.js/1.0.0/polyglot.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="polyglot" data-library-keywords="polyglot" id="polyglot" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/polyglot"> polyglot </a> <meta itemprop="url" content="http:&#x2F;&#x2F;ixtendo.com&#x2F;polyglot-language-switcher-jquery-plugin&#x2F;" /> <meta itemprop="version" content="2.2.0" /> <!-- hidden text for searching --> <div style="display: none;"> polyglot </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="polyglot" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/polyglot/2.2.0/js&#x2F;jquery.polyglot.language.switcher.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="polymaps" data-library-keywords="maps, visualization, svg" id="polymaps" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/polymaps"> polymaps </a> <meta itemprop="url" content="http:&#x2F;&#x2F;polymaps.org&#x2F;" /> <meta itemprop="version" content="2.5.1" /> <!-- hidden text for searching --> <div style="display: none;"> maps, visualization, svg </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="polymaps" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/polymaps/2.5.1/polymaps.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="polymer" data-library-keywords="web-components" id="polymer" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/polymer"> polymer </a> <meta itemprop="url" content="http:&#x2F;&#x2F;polymer-project.org&#x2F;" /> <meta itemprop="version" content="0.5.6" /> <!-- hidden text for searching --> <div style="display: none;"> web-components </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="polymer" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/polymer/0.5.6/polymer.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="popmotion" data-library-keywords="animation, ux, ui, popmotion, redshift, canvas animation, jquery animation, dom animation, dom, pointer tracking, mouse, mouse tracking, touch, touch tracking, physics, interaction, interface, svg" id="popmotion" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/popmotion"> popmotion </a> <meta itemprop="url" content="http:&#x2F;&#x2F;popmotion.io" /> <meta itemprop="version" content="4.3.4" /> <!-- hidden text for searching --> <div style="display: none;"> animation, ux, ui, popmotion, redshift, canvas animation, jquery animation, dom animation, dom, pointer tracking, mouse, mouse tracking, touch, touch tracking, physics, interaction, interface, svg </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="popmotion" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/popmotion/4.3.4/popmotion.global.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="portal" data-library-keywords="ws, websocket, sse, serversentevents, comet, streaming, longpolling" id="portal" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/portal"> portal </a> <meta itemprop="url" content="http:&#x2F;&#x2F;flowersinthesand.github.io&#x2F;portal&#x2F;" /> <meta itemprop="version" content="1.1.1" /> <!-- hidden text for searching --> <div style="display: none;"> ws, websocket, sse, serversentevents, comet, streaming, longpolling </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="portal" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/portal/1.1.1/portal.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="postal.js" data-library-keywords="pub&#x2F;sub, pub, sub, messaging, message, bus, event, mediator, broker, envelope" id="postaljs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/postal.js"> postal.js </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;postaljs&#x2F;postal.js" /> <meta itemprop="version" content="1.0.7" /> <!-- hidden text for searching --> <div style="display: none;"> pub&#x2F;sub, pub, sub, messaging, message, bus, event, mediator, broker, envelope </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="postal.js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/postal.js/1.0.7/postal.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="postgrest-client" data-library-keywords="postgrest, api, client" id="postgrest-client" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/postgrest-client"> postgrest-client </a> <meta itemprop="url" content="" /> <meta itemprop="version" content="1.1.2" /> <!-- hidden text for searching --> <div style="display: none;"> postgrest, api, client </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="postgrest-client" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/postgrest-client/1.1.2/postgrest-client.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="postscribe" data-library-keywords="document.write, tag writer, asynchronous, javascript, after load" id="postscribe" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/postscribe"> postscribe </a> <meta itemprop="url" content="https:&#x2F;&#x2F;krux.github.io&#x2F;postscribe" /> <meta itemprop="version" content="1.4.0" /> <!-- hidden text for searching --> <div style="display: none;"> document.write, tag writer, asynchronous, javascript, after load </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="postscribe" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/postscribe/1.4.0/postscribe.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="pouchdb" data-library-keywords="db, couchdb, pouchdb" id="pouchdb" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/pouchdb"> pouchdb </a> <meta itemprop="url" content="http:&#x2F;&#x2F;pouchdb.com&#x2F;" /> <meta itemprop="version" content="5.2.0" /> <!-- hidden text for searching --> <div style="display: none;"> db, couchdb, pouchdb </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="pouchdb" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/pouchdb/5.2.0/pouchdb.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="pqGrid" data-library-keywords="ParamQuery Grid, grid, excel, datagrid, table, ajax, ui, sort, filter, nesting, export, i18n, summary, themeRoller, frozen, group, search, crud, paging" id="pqGrid" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/pqGrid"> pqGrid </a> <meta itemprop="url" content="http:&#x2F;&#x2F;paramquery.com&#x2F;" /> <meta itemprop="version" content="2.0.4" /> <!-- hidden text for searching --> <div style="display: none;"> ParamQuery Grid, grid, excel, datagrid, table, ajax, ui, sort, filter, nesting, export, i18n, summary, themeRoller, frozen, group, search, crud, paging </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="pqGrid" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/pqGrid/2.0.4/pqgrid.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="preconditions" data-library-keywords="utility, conditional, preconditions" id="preconditions" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/preconditions"> preconditions </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;anshulverma&#x2F;conditional" /> <meta itemprop="version" content="5.3.0" /> <!-- hidden text for searching --> <div style="display: none;"> utility, conditional, preconditions </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="preconditions" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/preconditions/5.3.0/preconditions.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="prefixfree" data-library-keywords="css" id="prefixfree" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/prefixfree"> prefixfree </a> <meta itemprop="url" content="http:&#x2F;&#x2F;leaverou.github.com&#x2F;prefixfree&#x2F;" /> <meta itemprop="version" content="1.0.7" /> <!-- hidden text for searching --> <div style="display: none;"> css </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="prefixfree" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/prefixfree/1.0.7/prefixfree.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="PreloadJS" data-library-keywords="load, image, assets, preload" id="PreloadJS" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/PreloadJS"> PreloadJS </a> <meta itemprop="url" content="http:&#x2F;&#x2F;www.createjs.com&#x2F;#!&#x2F;PreloadJS" /> <meta itemprop="version" content="0.6.0" /> <!-- hidden text for searching --> <div style="display: none;"> load, image, assets, preload </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="PreloadJS" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/PreloadJS/0.6.0/preloadjs.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="prettify" data-library-keywords="code, syntax, highlighting, code-prettify" id="prettify" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/prettify"> prettify </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;google&#x2F;code-prettify" /> <meta itemprop="version" content="r298" /> <!-- hidden text for searching --> <div style="display: none;"> code, syntax, highlighting, code-prettify </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="prettify" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/prettify/r298/prettify.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="prettydiff" data-library-keywords="diff, prettydiff, pretty diff, pretty print, pretty-print, beautify, minify, xml, html, css, javascript" id="prettydiff" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/prettydiff"> prettydiff </a> <meta itemprop="url" content="http:&#x2F;&#x2F;prettydiff.com&#x2F;" /> <meta itemprop="version" content="1.16.12" /> <!-- hidden text for searching --> <div style="display: none;"> diff, prettydiff, pretty diff, pretty print, pretty-print, beautify, minify, xml, html, css, javascript </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="prettydiff" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/prettydiff/1.16.12/prettydiff.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="prettyPhoto" data-library-keywords="jQuery, lightbox, videos, flash, YouTube, iFrame" id="prettyPhoto" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/prettyPhoto"> prettyPhoto </a> <meta itemprop="url" content="" /> <meta itemprop="version" content="3.1.6" /> <!-- hidden text for searching --> <div style="display: none;"> jQuery, lightbox, videos, flash, YouTube, iFrame </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="prettyPhoto" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/prettyPhoto/3.1.6/js&#x2F;jquery.prettyPhoto.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="primish" data-library-keywords="class, mootools, prime, primish" id="primish" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/primish"> primish </a> <meta itemprop="url" content="" /> <meta itemprop="version" content="0.3.9" /> <!-- hidden text for searching --> <div style="display: none;"> class, mootools, prime, primish </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="primish" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/primish/0.3.9/primish-min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="prism" data-library-keywords="prism, prismjs, prism.js, highlight" id="prism" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/prism"> prism </a> <meta itemprop="url" content="http:&#x2F;&#x2F;prismjs.com&#x2F;" /> <meta itemprop="version" content="0.0.1" /> <!-- hidden text for searching --> <div style="display: none;"> prism, prismjs, prism.js, highlight </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="prism" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/prism/0.0.1/prism.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="probtn" data-library-keywords="floating, element, button, mobile, web, survey" id="probtn" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/probtn"> probtn </a> <meta itemprop="url" content="http:&#x2F;&#x2F;probtn.com&#x2F;en" /> <meta itemprop="version" content="1.0.1" /> <!-- hidden text for searching --> <div style="display: none;"> floating, element, button, mobile, web, survey </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="probtn" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/probtn/1.0.1/includepb.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="processing.js" data-library-keywords="html5, canvas" id="processingjs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/processing.js"> processing.js </a> <meta itemprop="url" content="http:&#x2F;&#x2F;processingjs.org" /> <meta itemprop="version" content="1.4.16" /> <!-- hidden text for searching --> <div style="display: none;"> html5, canvas </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="processing.js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/processing.js/1.4.16/processing.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="progress.js" data-library-keywords="progress, progressbar, loading" id="progressjs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/progress.js"> progress.js </a> <meta itemprop="url" content="" /> <meta itemprop="version" content="0.1.0" /> <!-- hidden text for searching --> <div style="display: none;"> progress, progressbar, loading </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="progress.js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/progress.js/0.1.0/progress.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="progressbar.js" data-library-keywords="progress, bar, js, svg, circular, circle, pace, radial, line, loading, loader, semi-circle, indicator" id="progressbarjs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/progressbar.js"> progressbar.js </a> <meta itemprop="url" content="https:&#x2F;&#x2F;kimmobrunfeldt.github.io&#x2F;progressbar.js&#x2F;" /> <meta itemprop="version" content="0.9.0" /> <!-- hidden text for searching --> <div style="display: none;"> progress, bar, js, svg, circular, circle, pace, radial, line, loading, loader, semi-circle, indicator </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="progressbar.js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/progressbar.js/0.9.0/progressbar.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="proj4js" data-library-keywords="projection" id="proj4js" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/proj4js"> proj4js </a> <meta itemprop="url" content="http:&#x2F;&#x2F;proj4js.org&#x2F;" /> <meta itemprop="version" content="2.3.12" /> <!-- hidden text for searching --> <div style="display: none;"> projection </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="proj4js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/proj4js/2.3.12/proj4.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="promiz" data-library-keywords="promiz, promise, promise&#x2F;A+, library, promises, promises-a, promises-aplus, deffered, future, async, flow control" id="promiz" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/promiz"> promiz </a> <meta itemprop="url" content="" /> <meta itemprop="version" content="1.0.6" /> <!-- hidden text for searching --> <div style="display: none;"> promiz, promise, promise&#x2F;A+, library, promises, promises-a, promises-aplus, deffered, future, async, flow control </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="promiz" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/promiz/1.0.6/promiz.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="prostyle" data-library-keywords="web, animation, css, css3, html5, greensock, gsap, timeline, tween, animate" id="prostyle" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/prostyle"> prostyle </a> <meta itemprop="url" content="https:&#x2F;&#x2F;prostyle.io" /> <meta itemprop="version" content="1.2.0" /> <!-- hidden text for searching --> <div style="display: none;"> web, animation, css, css3, html5, greensock, gsap, timeline, tween, animate </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="prostyle" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/prostyle/1.2.0/prostyle.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="prototype" data-library-keywords="framework, toolkit, popular" id="prototype" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/prototype"> prototype </a> <meta itemprop="url" content="http:&#x2F;&#x2F;prototypejs.org&#x2F;" /> <meta itemprop="version" content="1.7.2" /> <!-- hidden text for searching --> <div style="display: none;"> framework, toolkit, popular </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="prototype" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/prototype/1.7.2/prototype.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="protovis" data-library-keywords="visualization, svg, animation" id="protovis" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/protovis"> protovis </a> <meta itemprop="url" content="http:&#x2F;&#x2F;mbostock.github.com&#x2F;protovis&#x2F;" /> <meta itemprop="version" content="3.3.1" /> <!-- hidden text for searching --> <div style="display: none;"> visualization, svg, animation </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="protovis" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/protovis/3.3.1/protovis.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="psd.js" data-library-keywords="images, popular, psd, parser, node" id="psdjs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/psd.js"> psd.js </a> <meta itemprop="url" content="http:&#x2F;&#x2F;meltingice.github.com&#x2F;psd.js&#x2F;" /> <meta itemprop="version" content="3.1.0" /> <!-- hidden text for searching --> <div style="display: none;"> images, popular, psd, parser, node </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="psd.js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/psd.js/3.1.0/psd.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="pubnub" data-library-keywords="realtime, messaging, broadcasting, publish, subscribe, mobile, tablet, android, iphone, html5, webos, cloud, service, popular" id="pubnub" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/pubnub"> pubnub </a> <meta itemprop="url" content="http:&#x2F;&#x2F;www.pubnub.com&#x2F;" /> <meta itemprop="version" content="3.7.7" /> <!-- hidden text for searching --> <div style="display: none;"> realtime, messaging, broadcasting, publish, subscribe, mobile, tablet, android, iphone, html5, webos, cloud, service, popular </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="pubnub" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/pubnub/3.7.7/pubnub.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="pubsub-js" data-library-keywords="pub&#x2F;sub, pubsub, publish&#x2F;subscribe, publish, subscribe" id="pubsub-js" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/pubsub-js"> pubsub-js </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;mroderick&#x2F;PubSubJS&#x2F;" /> <meta itemprop="version" content="1.5.3" /> <!-- hidden text for searching --> <div style="display: none;"> pub&#x2F;sub, pubsub, publish&#x2F;subscribe, publish, subscribe </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="pubsub-js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/pubsub-js/1.5.3/pubsub.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="PullToRefresh" data-library-keywords="webkit, mobile, scroll, webapp, css3, html5" id="PullToRefresh" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/PullToRefresh"> PullToRefresh </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;SimonWaldherr&#x2F;PullToRefresh" /> <meta itemprop="version" content="0.1.1" /> <!-- hidden text for searching --> <div style="display: none;"> webkit, mobile, scroll, webapp, css3, html5 </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="PullToRefresh" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/PullToRefresh/0.1.1/ptr.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="punycode" data-library-keywords="punycode, unicode, idn, url, domain" id="punycode" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/punycode"> punycode </a> <meta itemprop="url" content="http:&#x2F;&#x2F;mths.be&#x2F;punycode" /> <meta itemprop="version" content="1.4.0" /> <!-- hidden text for searching --> <div style="display: none;"> punycode, unicode, idn, url, domain </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="punycode" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/punycode/1.4.0/punycode.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="pure" data-library-keywords="css, framework, responsive" id="pure" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/pure"> pure </a> <meta itemprop="url" content="http:&#x2F;&#x2F;purecss.io&#x2F;" /> <meta itemprop="version" content="0.6.0" /> <!-- hidden text for searching --> <div style="display: none;"> css, framework, responsive </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="pure" class="library-column css-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/pure/0.6.0/pure-min.css</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="purl" data-library-keywords="url, parser" id="purl" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/purl"> purl </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;allmarkedup&#x2F;purl" /> <meta itemprop="version" content="2.3.1" /> <!-- hidden text for searching --> <div style="display: none;"> url, parser </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="purl" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/purl/2.3.1/purl.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="pusher-angular" data-library-keywords="pusher, angular, websockets" id="pusher-angular" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/pusher-angular"> pusher-angular </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;pusher&#x2F;pusher-angular" /> <meta itemprop="version" content="0.1.8" /> <!-- hidden text for searching --> <div style="display: none;"> pusher, angular, websockets </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="pusher-angular" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/pusher-angular/0.1.8/pusher-angular.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="pusher" data-library-keywords="pusher, websockets, realtime" id="pusher" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/pusher"> pusher </a> <meta itemprop="url" content="http:&#x2F;&#x2F;pusher.com&#x2F;" /> <meta itemprop="version" content="3.0.0" /> <!-- hidden text for searching --> <div style="display: none;"> pusher, websockets, realtime </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="pusher" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/pusher/3.0.0/pusher.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="pym" data-library-keywords="iframes, responsive, visualization" id="pym" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/pym"> pym </a> <meta itemprop="url" content="http:&#x2F;&#x2F;blog.apps.npr.org&#x2F;pym.js&#x2F;" /> <meta itemprop="version" content="0.4.5" /> <!-- hidden text for searching --> <div style="display: none;"> iframes, responsive, visualization </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="pym" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/pym/0.4.5/pym.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="q.js" data-library-keywords="q, promise, promises, promises-a, promises-a-plus, deferred, future, async, flow control, fluent, browser, node" id="qjs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/q.js"> q.js </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;kriskowal&#x2F;q" /> <meta itemprop="version" content="2.0.3" /> <!-- hidden text for searching --> <div style="display: none;"> q, promise, promises, promises-a, promises-a-plus, deferred, future, async, flow control, fluent, browser, node </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="q.js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/q.js/2.0.3/q.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="qoopido.js" data-library-keywords="modular, library, toolit, amd, require, dry" id="qoopidojs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/qoopido.js"> qoopido.js </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;dlueth&#x2F;qoopido.js" /> <meta itemprop="version" content="3.7.4" /> <!-- hidden text for searching --> <div style="display: none;"> modular, library, toolit, amd, require, dry </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="qoopido.js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/qoopido.js/3.7.4/base.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="qooxdoo" data-library-keywords="framework, toolkit, dom" id="qooxdoo" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/qooxdoo"> qooxdoo </a> <meta itemprop="url" content="http:&#x2F;&#x2F;qooxdoo.org" /> <meta itemprop="version" content="5.0" /> <!-- hidden text for searching --> <div style="display: none;"> framework, toolkit, dom </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="qooxdoo" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/qooxdoo/5.0/q.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="qtip2" data-library-keywords="tooltips, qtip, qtip2, jQuery, plugin" id="qtip2" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/qtip2"> qtip2 </a> <meta itemprop="url" content="http:&#x2F;&#x2F;qtip2.com" /> <meta itemprop="version" content="3.0.2" /> <!-- hidden text for searching --> <div style="display: none;"> tooltips, qtip, qtip2, jQuery, plugin </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="qtip2" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/qtip2/3.0.2/jquery.qtip.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="query-result" data-library-keywords="querySelector, querySelectorAll, jQuery, Zepto, like, lightweight, Array, subclass, utility, DOM" id="query-result" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/query-result"> query-result </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;WebReflection&#x2F;query-result" /> <meta itemprop="version" content="0.1.3" /> <!-- hidden text for searching --> <div style="display: none;"> querySelector, querySelectorAll, jQuery, Zepto, like, lightweight, Array, subclass, utility, DOM </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="query-result" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/query-result/0.1.3/query-result.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="queue-async" data-library-keywords="asynchronous, async, queue" id="queue-async" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/queue-async"> queue-async </a> <meta itemprop="url" content="" /> <meta itemprop="version" content="1.0.7" /> <!-- hidden text for searching --> <div style="display: none;"> asynchronous, async, queue </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="queue-async" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/queue-async/1.0.7/queue.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="quickblox" data-library-keywords="quickblox, backend, cloud, db" id="quickblox" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/quickblox"> quickblox </a> <meta itemprop="url" content="http:&#x2F;&#x2F;quickblox.com&#x2F;developers&#x2F;Javascript" /> <meta itemprop="version" content="2.0.3" /> <!-- hidden text for searching --> <div style="display: none;"> quickblox, backend, cloud, db </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="quickblox" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/quickblox/2.0.3/quickblox.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="quicksound.js" data-library-keywords="audio, WebAudio" id="quicksoundjs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/quicksound.js"> quicksound.js </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;tfriedel6" /> <meta itemprop="version" content="0.5.2" /> <!-- hidden text for searching --> <div style="display: none;"> audio, WebAudio </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="quicksound.js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/quicksound.js/0.5.2/quicksound.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="quill" data-library-keywords="editor, rich text, wysiwyg" id="quill" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/quill"> quill </a> <meta itemprop="url" content="http:&#x2F;&#x2F;quilljs.com" /> <meta itemprop="version" content="0.20.1" /> <!-- hidden text for searching --> <div style="display: none;"> editor, rich text, wysiwyg </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="quill" class="library-column css-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/quill/0.20.1/quill.base.min.css</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="qunit" data-library-keywords="framework, toolkit, popular, unit tests" id="qunit" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/qunit"> qunit </a> <meta itemprop="url" content="http:&#x2F;&#x2F;qunitjs.com&#x2F;" /> <meta itemprop="version" content="1.18.0" /> <!-- hidden text for searching --> <div style="display: none;"> framework, toolkit, popular, unit tests </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="qunit" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/qunit/1.18.0/qunit.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="quo.js" data-library-keywords="mobile, touch" id="quojs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/quo.js"> quo.js </a> <meta itemprop="url" content="http:&#x2F;&#x2F;quojs.tapquo.com" /> <meta itemprop="version" content="2.3.6" /> <!-- hidden text for searching --> <div style="display: none;"> mobile, touch </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="quo.js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/quo.js/2.3.6/quo.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="qwerty-hancock" data-library-keywords="web audio, keyboard, music, musical, qwerty, piano" id="qwerty-hancock" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/qwerty-hancock"> qwerty-hancock </a> <meta itemprop="url" content="http:&#x2F;&#x2F;stuartmemo.com&#x2F;qwerty-hancock&#x2F;" /> <meta itemprop="version" content="0.5.1" /> <!-- hidden text for searching --> <div style="display: none;"> web audio, keyboard, music, musical, qwerty, piano </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="qwerty-hancock" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/qwerty-hancock/0.5.1/qwerty-hancock.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="qwery" data-library-keywords="ender, query, css, selector engine" id="qwery" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/qwery"> qwery </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;ded&#x2F;qwery" /> <meta itemprop="version" content="4.0.0" /> <!-- hidden text for searching --> <div style="display: none;"> ender, query, css, selector engine </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="qwery" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/qwery/4.0.0/qwery.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="r2d3" data-library-keywords="" id="r2d3" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/r2d3"> r2d3 </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;mhemesath&#x2F;r2d3" /> <meta itemprop="version" content="0.2.0" /> <!-- hidden text for searching --> <div style="display: none;"> </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="r2d3" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/r2d3/0.2.0/r2d3.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="ractive-require" data-library-keywords="ractive, require, components" id="ractive-require" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/ractive-require"> ractive-require </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;CodeCorico&#x2F;ractive-require" /> <meta itemprop="version" content="0.5.2" /> <!-- hidden text for searching --> <div style="display: none;"> ractive, require, components </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="ractive-require" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/ractive-require/0.5.2/ractive-require.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="ractive.js" data-library-keywords="DOM, manipulation, template, data-binding" id="ractivejs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/ractive.js"> ractive.js </a> <meta itemprop="url" content="http:&#x2F;&#x2F;www.ractivejs.org&#x2F;" /> <meta itemprop="version" content="0.3.7" /> <!-- hidden text for searching --> <div style="display: none;"> DOM, manipulation, template, data-binding </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="ractive.js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/ractive.js/0.3.7/ractive.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="ractive" data-library-keywords="reactive, templates, templating, ui, mustache, handlebars, dom" id="ractive" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/ractive"> ractive </a> <meta itemprop="url" content="http:&#x2F;&#x2F;ractivejs.org" /> <meta itemprop="version" content="0.7.3" /> <!-- hidden text for searching --> <div style="display: none;"> reactive, templates, templating, ui, mustache, handlebars, dom </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="ractive" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/ractive/0.7.3/ractive.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="Radian" data-library-keywords="plots, SVG plots, AngularJS, D3.js" id="Radian" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/Radian"> Radian </a> <meta itemprop="url" content="http:&#x2F;&#x2F;openbrainsrc.github.io&#x2F;Radian&#x2F;download.html" /> <meta itemprop="version" content="0.1.3" /> <!-- hidden text for searching --> <div style="display: none;"> plots, SVG plots, AngularJS, D3.js </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="Radian" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/Radian/0.1.3/radian.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="radio" data-library-keywords="pubsub, pub&#x2F;sub, publish, subscribe, events, ender" id="radio" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/radio"> radio </a> <meta itemprop="url" content="http:&#x2F;&#x2F;radio.uxder.com&#x2F;" /> <meta itemprop="version" content="0.2.0" /> <!-- hidden text for searching --> <div style="display: none;"> pubsub, pub&#x2F;sub, publish, subscribe, events, ender </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="radio" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/radio/0.2.0/radio.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="rainbow" data-library-keywords="code, syntax, highlighting" id="rainbow" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/rainbow"> rainbow </a> <meta itemprop="url" content="http:&#x2F;&#x2F;craig.is&#x2F;making&#x2F;rainbows&#x2F;" /> <meta itemprop="version" content="1.2.0" /> <!-- hidden text for searching --> <div style="display: none;"> code, syntax, highlighting </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="rainbow" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/rainbow/1.2.0/js&#x2F;rainbow.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="rainyday.js" data-library-keywords="raindrops, rainyday.js, rain, rainy" id="rainydayjs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/rainyday.js"> rainyday.js </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;maroslaw&#x2F;rainyday.js" /> <meta itemprop="version" content="0.1.2" /> <!-- hidden text for searching --> <div style="display: none;"> raindrops, rainyday.js, rain, rainy </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="rainyday.js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/rainyday.js/0.1.2/rainyday.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="ramda" data-library-keywords="functional" id="ramda" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/ramda"> ramda </a> <meta itemprop="url" content="https:&#x2F;&#x2F;www.github.com&#x2F;ramda&#x2F;ramda" /> <meta itemprop="version" content="0.19.1" /> <!-- hidden text for searching --> <div style="display: none;"> functional </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="ramda" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/ramda/0.19.1/ramda.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="randomcolor" data-library-keywords="color, random" id="randomcolor" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/randomcolor"> randomcolor </a> <meta itemprop="url" content="http:&#x2F;&#x2F;llllll.li&#x2F;randomColor&#x2F;" /> <meta itemprop="version" content="0.4.2" /> <!-- hidden text for searching --> <div style="display: none;"> color, random </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="randomcolor" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/randomcolor/0.4.2/randomColor.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="rangeslider.js" data-library-keywords="input, range, slider, rangeslider, rangeslider.js, polyfill, browser, jquery-plugin" id="rangesliderjs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/rangeslider.js"> rangeslider.js </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;andreruffert&#x2F;rangeslider.js" /> <meta itemprop="version" content="2.1.1" /> <!-- hidden text for searching --> <div style="display: none;"> input, range, slider, rangeslider, rangeslider.js, polyfill, browser, jquery-plugin </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="rangeslider.js" class="library-column css-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/rangeslider.js/2.1.1/rangeslider.min.css</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="rangy" data-library-keywords="javascript, selection, range, caret, DOM" id="rangy" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/rangy"> rangy </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;timdown&#x2F;rangy" /> <meta itemprop="version" content="1.3.0" /> <!-- hidden text for searching --> <div style="display: none;"> javascript, selection, range, caret, DOM </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="rangy" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/rangy/1.3.0/rangy-core.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="raphael" data-library-keywords="vector, graphics, popular" id="raphael" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/raphael"> raphael </a> <meta itemprop="url" content="http:&#x2F;&#x2F;raphaeljs.com&#x2F;" /> <meta itemprop="version" content="2.1.4" /> <!-- hidden text for searching --> <div style="display: none;"> vector, graphics, popular </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="raphael" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/raphael/2.1.4/raphael-min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="ratchet" data-library-keywords="mobile, components" id="ratchet" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/ratchet"> ratchet </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;twbs&#x2F;ratchet" /> <meta itemprop="version" content="2.0.2" /> <!-- hidden text for searching --> <div style="display: none;"> mobile, components </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="ratchet" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/ratchet/2.0.2/js&#x2F;ratchet.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="rateYo" data-library-keywords="RateYo, Star, Rating, Plugin, Jquery, plugin, JS, jQuery" id="rateYo" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/rateYo"> rateYo </a> <meta itemprop="url" content="http:&#x2F;&#x2F;rateyo.fundoocode.ninja&#x2F;" /> <meta itemprop="version" content="2.0.1" /> <!-- hidden text for searching --> <div style="display: none;"> RateYo, Star, Rating, Plugin, Jquery, plugin, JS, jQuery </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="rateYo" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/rateYo/2.0.1/jquery.rateyo.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="raty" data-library-keywords="classificacao, classificar, javascript, jquery, library, plugin, rating, raty, star, staring, votar, voto" id="raty" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/raty"> raty </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;wbotelhos&#x2F;raty" /> <meta itemprop="version" content="2.7.0" /> <!-- hidden text for searching --> <div style="display: none;"> classificacao, classificar, javascript, jquery, library, plugin, rating, raty, star, staring, votar, voto </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="raty" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/raty/2.7.0/jquery.raty.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="raven.js" data-library-keywords="raven, sentry" id="ravenjs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/raven.js"> raven.js </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;getsentry&#x2F;raven-js" /> <meta itemprop="version" content="2.1.0" /> <!-- hidden text for searching --> <div style="display: none;"> raven, sentry </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="raven.js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/raven.js/2.1.0/raven.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="react-bootstrap" data-library-keywords="react, ecosystem-react, react-component, bootstrap" id="react-bootstrap" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/react-bootstrap"> react-bootstrap </a> <meta itemprop="url" content="http:&#x2F;&#x2F;react-bootstrap.github.io&#x2F;" /> <meta itemprop="version" content="0.28.2" /> <!-- hidden text for searching --> <div style="display: none;"> react, ecosystem-react, react-component, bootstrap </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="react-bootstrap" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/react-bootstrap/0.28.2/react-bootstrap.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="react-cookie" data-library-keywords="cookie, cookies, react, reactjs, jsx" id="react-cookie" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/react-cookie"> react-cookie </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;eXon&#x2F;react-cookie" /> <meta itemprop="version" content="0.4.3" /> <!-- hidden text for searching --> <div style="display: none;"> cookie, cookies, react, reactjs, jsx </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="react-cookie" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/react-cookie/0.4.3/react-cookie.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="react-foundation-apps" data-library-keywords="react, foundation-apps, modal, panel, accordion, tabs, offcanvas, interchange, notification, actionsheet, react-component" id="react-foundation-apps" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/react-foundation-apps"> react-foundation-apps </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;akiran&#x2F;react-foundation-apps" /> <meta itemprop="version" content="0.6.1" /> <!-- hidden text for searching --> <div style="display: none;"> react, foundation-apps, modal, panel, accordion, tabs, offcanvas, interchange, notification, actionsheet, react-component </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="react-foundation-apps" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/react-foundation-apps/0.6.1/react-foundation-apps.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="react-highcharts" data-library-keywords="chart, react, highcharts, graph" id="react-highcharts" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/react-highcharts"> react-highcharts </a> <meta itemprop="url" content="" /> <meta itemprop="version" content="6.0.0" /> <!-- hidden text for searching --> <div style="display: none;"> chart, react, highcharts, graph </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="react-highcharts" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/react-highcharts/6.0.0/highcharts.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="react-intl" data-library-keywords="intl, i18n, react, reactjs" id="react-intl" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/react-intl"> react-intl </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;yahoo&#x2F;react-intl" /> <meta itemprop="version" content="1.2.2" /> <!-- hidden text for searching --> <div style="display: none;"> intl, i18n, react, reactjs </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="react-intl" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/react-intl/1.2.2/react-intl.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="react-modal" data-library-keywords="react, react-component, modal, dialog" id="react-modal" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/react-modal"> react-modal </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;rackt&#x2F;react-modal" /> <meta itemprop="version" content="0.6.1" /> <!-- hidden text for searching --> <div style="display: none;"> react, react-component, modal, dialog </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="react-modal" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/react-modal/0.6.1/react-modal.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="react-motion" data-library-keywords="react, component, react-component, transitiongroup, spring, tween, motion, animation, transition, ui" id="react-motion" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/react-motion"> react-motion </a> <meta itemprop="url" content="" /> <meta itemprop="version" content="0.0.3" /> <!-- hidden text for searching --> <div style="display: none;"> react, component, react-component, transitiongroup, spring, tween, motion, animation, transition, ui </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="react-motion" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/react-motion/0.0.3/Spring.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="react-quill" data-library-keywords="react, react-component, rich, text, rich-text, textarea" id="react-quill" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/react-quill"> react-quill </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;zenoamaro&#x2F;react-quill" /> <meta itemprop="version" content="0.3.0" /> <!-- hidden text for searching --> <div style="display: none;"> react, react-component, rich, text, rich-text, textarea </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="react-quill" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/react-quill/0.3.0/react-quill.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="react-redux" data-library-keywords="react, reactjs, hot, reload, hmr, live, edit, flux, redux" id="react-redux" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/react-redux"> react-redux </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;rackt&#x2F;react-redux" /> <meta itemprop="version" content="4.0.6" /> <!-- hidden text for searching --> <div style="display: none;"> react, reactjs, hot, reload, hmr, live, edit, flux, redux </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="react-redux" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/react-redux/4.0.6/react-redux.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="react-router" data-library-keywords="react, reactjs, router, routes, routing" id="react-router" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/react-router"> react-router </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;rackt&#x2F;react-router" /> <meta itemprop="version" content="1.0.3" /> <!-- hidden text for searching --> <div style="display: none;"> react, reactjs, router, routes, routing </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="react-router" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/react-router/1.0.3/ReactRouter.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="react-semantify" data-library-keywords="react, semantic-ui, semantic ui, react-component" id="react-semantify" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/react-semantify"> react-semantify </a> <meta itemprop="url" content="http:&#x2F;&#x2F;jessy1092.github.io&#x2F;react-semantify" /> <meta itemprop="version" content="0.4.1" /> <!-- hidden text for searching --> <div style="display: none;"> react, semantic-ui, semantic ui, react-component </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="react-semantify" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/react-semantify/0.4.1/react-semantify.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="react-slick" data-library-keywords="slick, carousel, Image slider, orbit, slider, react-component" id="react-slick" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/react-slick"> react-slick </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;akiran&#x2F;react-slick" /> <meta itemprop="version" content="0.9.3" /> <!-- hidden text for searching --> <div style="display: none;"> slick, carousel, Image slider, orbit, slider, react-component </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="react-slick" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/react-slick/0.9.3/react-slick.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="react" data-library-keywords="react, jsx, transformer, view" id="react" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/react"> react </a> <meta itemprop="url" content="http:&#x2F;&#x2F;facebook.github.io&#x2F;react" /> <meta itemprop="version" content="0.14.6" /> <!-- hidden text for searching --> <div style="display: none;"> react, jsx, transformer, view </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="react" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/react/0.14.6/react.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="reactable" data-library-keywords="react-component, react, table, data-tables" id="reactable" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/reactable"> reactable </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;glittershark&#x2F;reactable" /> <meta itemprop="version" content="0.12.2" /> <!-- hidden text for searching --> <div style="display: none;"> react-component, react, table, data-tables </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="reactable" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/reactable/0.12.2/reactable.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="reactive-coffee" data-library-keywords="reactive, reactive-programming, dataflow, mvc, mvvm, model-view, binding, data-binding, view" id="reactive-coffee" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/reactive-coffee"> reactive-coffee </a> <meta itemprop="url" content="http:&#x2F;&#x2F;yang.github.io&#x2F;reactive-coffee&#x2F;" /> <meta itemprop="version" content="1.2.2" /> <!-- hidden text for searching --> <div style="display: none;"> reactive, reactive-programming, dataflow, mvc, mvvm, model-view, binding, data-binding, view </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="reactive-coffee" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/reactive-coffee/1.2.2/reactive-coffee.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="Readmore.js" data-library-keywords="css, jquery, readmore, expand, collapse" id="Readmorejs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/Readmore.js"> Readmore.js </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;jedfoster&#x2F;Readmore.js" /> <meta itemprop="version" content="2.1.0" /> <!-- hidden text for searching --> <div style="display: none;"> css, jquery, readmore, expand, collapse </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="Readmore.js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/Readmore.js/2.1.0/readmore.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="ready.js" data-library-keywords="ready, dry, initialisation" id="readyjs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/ready.js"> ready.js </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;nouveller&#x2F;ready.js" /> <meta itemprop="version" content="0.1.2" /> <!-- hidden text for searching --> <div style="display: none;"> ready, dry, initialisation </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="ready.js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/ready.js/0.1.2/ready.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="reconnecting-websocket" data-library-keywords="reconnecting, websocket" id="reconnecting-websocket" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/reconnecting-websocket"> reconnecting-websocket </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;joewalnes&#x2F;reconnecting-websocket" /> <meta itemprop="version" content="1.0.0" /> <!-- hidden text for searching --> <div style="display: none;"> reconnecting, websocket </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="reconnecting-websocket" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/reconnecting-websocket/1.0.0/reconnecting-websocket.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="redux" data-library-keywords="flux, redux, reducer, react, reactjs, hot, reload, hmr, live, edit, webpack" id="redux" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/redux"> redux </a> <meta itemprop="url" content="http:&#x2F;&#x2F;rackt.github.io&#x2F;redux" /> <meta itemprop="version" content="3.0.5" /> <!-- hidden text for searching --> <div style="display: none;"> flux, redux, reducer, react, reactjs, hot, reload, hmr, live, edit, webpack </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="redux" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/redux/3.0.5/redux.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="regression" data-library-keywords="regression, data, fitting, modelling, analysis" id="regression" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/regression"> regression </a> <meta itemprop="url" content="" /> <meta itemprop="version" content="1.3.0" /> <!-- hidden text for searching --> <div style="display: none;"> regression, data, fitting, modelling, analysis </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="regression" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/regression/1.3.0/regression.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="remodal" data-library-keywords="jquery-plugin, jquery, plugin, flat, responsive, modal, popup, window, dialog, popin, lightbox, ui, zepto, synchronized, animations" id="remodal" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/remodal"> remodal </a> <meta itemprop="url" content="http:&#x2F;&#x2F;vodkabears.github.io&#x2F;remodal&#x2F;" /> <meta itemprop="version" content="1.0.6" /> <!-- hidden text for searching --> <div style="display: none;"> jquery-plugin, jquery, plugin, flat, responsive, modal, popup, window, dialog, popin, lightbox, ui, zepto, synchronized, animations </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="remodal" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/remodal/1.0.6/remodal.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="remoteStorage" data-library-keywords="remoteStorage, unhosted, storage, personal cloud, read-write-web, webfinger, oauth, CORS" id="remoteStorage" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/remoteStorage"> remoteStorage </a> <meta itemprop="url" content="http:&#x2F;&#x2F;remotestorage.io&#x2F;" /> <meta itemprop="version" content="0.12.1" /> <!-- hidden text for searching --> <div style="display: none;"> remoteStorage, unhosted, storage, personal cloud, read-write-web, webfinger, oauth, CORS </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="remoteStorage" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/remoteStorage/0.12.1/remotestorage.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="repo.js" data-library-keywords="" id="repojs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/repo.js"> repo.js </a> <meta itemprop="url" content="http:&#x2F;&#x2F;darcyclarke.me&#x2F;dev&#x2F;repojs&#x2F;" /> <meta itemprop="version" content="5c0eae0f1b" /> <!-- hidden text for searching --> <div style="display: none;"> </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="repo.js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/repo.js/5c0eae0f1b/repo.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="require-cs" data-library-keywords="requirejs, coffeescript, coffee" id="require-cs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/require-cs"> require-cs </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;requirejs&#x2F;require-cs" /> <meta itemprop="version" content="0.5.0" /> <!-- hidden text for searching --> <div style="display: none;"> requirejs, coffeescript, coffee </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="require-cs" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/require-cs/0.5.0/cs.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="require-css" data-library-keywords="require-css, requirecss, requirejs, css" id="require-css" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/require-css"> require-css </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;guybedford&#x2F;require-css" /> <meta itemprop="version" content="0.1.8" /> <!-- hidden text for searching --> <div style="display: none;"> require-css, requirecss, requirejs, css </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="require-css" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/require-css/0.1.8/css.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="require-domReady" data-library-keywords="requirejs, domready" id="require-domReady" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/require-domReady"> require-domReady </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;requirejs&#x2F;domReady" /> <meta itemprop="version" content="2.0.1" /> <!-- hidden text for searching --> <div style="display: none;"> requirejs, domready </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="require-domReady" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/require-domReady/2.0.1/domReady.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="require-i18n" data-library-keywords="requirejs, i18n" id="require-i18n" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/require-i18n"> require-i18n </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;requirejs&#x2F;i18n" /> <meta itemprop="version" content="2.0.4" /> <!-- hidden text for searching --> <div style="display: none;"> requirejs, i18n </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="require-i18n" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/require-i18n/2.0.4/i18n.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="require-jquery" data-library-keywords="loader, modules, asynchronous, popular, jquery" id="require-jquery" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/require-jquery"> require-jquery </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;jrburke&#x2F;require-jquery" /> <meta itemprop="version" content="0.25.0" /> <!-- hidden text for searching --> <div style="display: none;"> loader, modules, asynchronous, popular, jquery </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="require-jquery" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/require-jquery/0.25.0/require-jquery.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="require-text" data-library-keywords="requirejs, text" id="require-text" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/require-text"> require-text </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;requirejs&#x2F;text" /> <meta itemprop="version" content="2.0.12" /> <!-- hidden text for searching --> <div style="display: none;"> requirejs, text </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="require-text" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/require-text/2.0.12/text.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="require.js" data-library-keywords="loader, modules, asynchronous, popular" id="requirejs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/require.js"> require.js </a> <meta itemprop="url" content="http:&#x2F;&#x2F;requirejs.org&#x2F;" /> <meta itemprop="version" content="2.1.22" /> <!-- hidden text for searching --> <div style="display: none;"> loader, modules, asynchronous, popular </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="require.js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/require.js/2.1.22/require.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="requirejs-async" data-library-keywords="requirejs, async" id="requirejs-async" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/requirejs-async"> requirejs-async </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;millermedeiros&#x2F;requirejs-plugins" /> <meta itemprop="version" content="0.1.1" /> <!-- hidden text for searching --> <div style="display: none;"> requirejs, async </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="requirejs-async" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/requirejs-async/0.1.1/async.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="requirejs-handlebars" data-library-keywords="require, requirejs, handlebars, template" id="requirejs-handlebars" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/requirejs-handlebars"> requirejs-handlebars </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;jfparadis&#x2F;requirejs-handlebars" /> <meta itemprop="version" content="0.0.2" /> <!-- hidden text for searching --> <div style="display: none;"> require, requirejs, handlebars, template </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="requirejs-handlebars" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/requirejs-handlebars/0.0.2/hbars.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="requirejs-mustache" data-library-keywords="require, requirejs, mustache, template" id="requirejs-mustache" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/requirejs-mustache"> requirejs-mustache </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;jfparadis&#x2F;requirejs-mustache" /> <meta itemprop="version" content="0.0.2" /> <!-- hidden text for searching --> <div style="display: none;"> require, requirejs, mustache, template </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="requirejs-mustache" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/requirejs-mustache/0.0.2/stache.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="requirejs-plugins" data-library-keywords="" id="requirejs-plugins" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/requirejs-plugins"> requirejs-plugins </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;millermedeiros&#x2F;requirejs-plugins" /> <meta itemprop="version" content="1.0.3" /> <!-- hidden text for searching --> <div style="display: none;"> </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="requirejs-plugins" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/requirejs-plugins/1.0.3/async.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="requirejs-tpl" data-library-keywords="require, requirejs, underscore, template" id="requirejs-tpl" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/requirejs-tpl"> requirejs-tpl </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;jfparadis&#x2F;requirejs-tpl" /> <meta itemprop="version" content="0.0.2" /> <!-- hidden text for searching --> <div style="display: none;"> require, requirejs, underscore, template </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="requirejs-tpl" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/requirejs-tpl/0.0.2/tpl.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="reqwest" data-library-keywords="ender, ajax, xhr, connection, web 2.0, async, sync" id="reqwest" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/reqwest"> reqwest </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;ded&#x2F;reqwest" /> <meta itemprop="version" content="2.0.5" /> <!-- hidden text for searching --> <div style="display: none;"> ender, ajax, xhr, connection, web 2.0, async, sync </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="reqwest" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/reqwest/2.0.5/reqwest.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="respond.js" data-library-keywords="polyfill, queries, responsive, max-width, min-width" id="respondjs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/respond.js"> respond.js </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;scottjehl&#x2F;Respond" /> <meta itemprop="version" content="1.4.2" /> <!-- hidden text for searching --> <div style="display: none;"> polyfill, queries, responsive, max-width, min-width </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="respond.js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/respond.js/1.4.2/respond.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="responsive-nav.js" data-library-keywords="responsive-nav, responsive, navigation, CSS3" id="responsive-navjs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/responsive-nav.js"> responsive-nav.js </a> <meta itemprop="url" content="http:&#x2F;&#x2F;responsive-nav.com&#x2F;" /> <meta itemprop="version" content="1.0.39" /> <!-- hidden text for searching --> <div style="display: none;"> responsive-nav, responsive, navigation, CSS3 </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="responsive-nav.js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/responsive-nav.js/1.0.39/responsive-nav.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="ResponsiveSlides.js" data-library-keywords="ResponsiveSlides, responsive slider, jquery" id="ResponsiveSlidesjs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/ResponsiveSlides.js"> ResponsiveSlides.js </a> <meta itemprop="url" content="http:&#x2F;&#x2F;responsive-slides.viljamis.com&#x2F;" /> <meta itemprop="version" content="1.53" /> <!-- hidden text for searching --> <div style="display: none;"> ResponsiveSlides, responsive slider, jquery </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="ResponsiveSlides.js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/ResponsiveSlides.js/1.53/responsiveslides.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="restangular" data-library-keywords="angular, client, browser, restful, resources, rest, api" id="restangular" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/restangular"> restangular </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;mgonto&#x2F;restangular" /> <meta itemprop="version" content="1.5.1" /> <!-- hidden text for searching --> <div style="display: none;"> angular, client, browser, restful, resources, rest, api </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="restangular" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/restangular/1.5.1/restangular.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="restyle" data-library-keywords="CSS, JS, CustomElement, transformer" id="restyle" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/restyle"> restyle </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;WebReflection&#x2F;restyle" /> <meta itemprop="version" content="0.5.1" /> <!-- hidden text for searching --> <div style="display: none;"> CSS, JS, CustomElement, transformer </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="restyle" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/restyle/0.5.1/restyle.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="resumable.js" data-library-keywords="" id="resumablejs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/resumable.js"> resumable.js </a> <meta itemprop="url" content="http:&#x2F;&#x2F;www.resumablejs.com&#x2F;" /> <meta itemprop="version" content="1.0.2" /> <!-- hidden text for searching --> <div style="display: none;"> </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="resumable.js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/resumable.js/1.0.2/resumable.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="retina.js" data-library-keywords="apple, retina, image" id="retinajs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/retina.js"> retina.js </a> <meta itemprop="url" content="http:&#x2F;&#x2F;retinajs.com&#x2F;" /> <meta itemprop="version" content="1.3.0" /> <!-- hidden text for searching --> <div style="display: none;"> apple, retina, image </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="retina.js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/retina.js/1.3.0/retina.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="reveal.js" data-library-keywords="reveal.js, reveal, presentations, slides" id="revealjs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/reveal.js"> reveal.js </a> <meta itemprop="url" content="http:&#x2F;&#x2F;lab.hakim.se&#x2F;reveal-js&#x2F;" /> <meta itemprop="version" content="3.2.0" /> <!-- hidden text for searching --> <div style="display: none;"> reveal.js, reveal, presentations, slides </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="reveal.js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/reveal.js/3.2.0/js&#x2F;reveal.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="rickshaw" data-library-keywords="graphs, charts, interactive, time-series, svg, d3, bars, lines, scatterplot" id="rickshaw" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/rickshaw"> rickshaw </a> <meta itemprop="url" content="http:&#x2F;&#x2F;code.shutterstock.com&#x2F;rickshaw&#x2F;" /> <meta itemprop="version" content="1.5.1" /> <!-- hidden text for searching --> <div style="display: none;"> graphs, charts, interactive, time-series, svg, d3, bars, lines, scatterplot </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="rickshaw" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/rickshaw/1.5.1/rickshaw.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="rimg" data-library-keywords="responsive, image, javascript, breakpoint, retina, resize, DOMContentLoaded" id="rimg" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/rimg"> rimg </a> <meta itemprop="url" content="http:&#x2F;&#x2F;joeyvandijk.github.io&#x2F;rimg" /> <meta itemprop="version" content="2.1.0" /> <!-- hidden text for searching --> <div style="display: none;"> responsive, image, javascript, breakpoint, retina, resize, DOMContentLoaded </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="rimg" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/rimg/2.1.0/rimg.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="riot" data-library-keywords="custom tags, custom elements, web components, virtual dom, shadow dom, polymer, react, jsx, minimal, minimalist, client-side, framework, declarative, templating, template, data binding, mvc, router, model, view, controller, riotjs, riot.js" id="riot" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/riot"> riot </a> <meta itemprop="url" content="https:&#x2F;&#x2F;muut.com&#x2F;riotjs&#x2F;" /> <meta itemprop="version" content="2.3.13" /> <!-- hidden text for searching --> <div style="display: none;"> custom tags, custom elements, web components, virtual dom, shadow dom, polymer, react, jsx, minimal, minimalist, client-side, framework, declarative, templating, template, data binding, mvc, router, model, view, controller, riotjs, riot.js </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="riot" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/riot/2.3.13/riot.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="rivets" data-library-keywords="declarative, data binding, templating, engine, ui" id="rivets" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/rivets"> rivets </a> <meta itemprop="url" content="http:&#x2F;&#x2F;rivetsjs.com" /> <meta itemprop="version" content="0.8.1" /> <!-- hidden text for searching --> <div style="display: none;"> declarative, data binding, templating, engine, ui </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="rivets" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/rivets/0.8.1/rivets.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="rome" data-library-keywords="rome, calendar, date picker, time picker" id="rome" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/rome"> rome </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;bevacqua&#x2F;rome" /> <meta itemprop="version" content="2.1.22" /> <!-- hidden text for searching --> <div style="display: none;"> rome, calendar, date picker, time picker </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="rome" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/rome/2.1.22/rome.standalone.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="roundabout" data-library-keywords="roundabout, turntable, lazy, susan, carousel, 3d" id="roundabout" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/roundabout"> roundabout </a> <meta itemprop="url" content="http:&#x2F;&#x2F;fredhq.com&#x2F;projects&#x2F;roundabout" /> <meta itemprop="version" content="2.4.2" /> <!-- hidden text for searching --> <div style="display: none;"> roundabout, turntable, lazy, susan, carousel, 3d </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="roundabout" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/roundabout/2.4.2/jquery.roundabout.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="rx-angular" data-library-keywords="Reactive, FRP, Rx, RxJS, AngularJS, Angular" id="rx-angular" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/rx-angular"> rx-angular </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;Reactive-Extensions&#x2F;rx.angular.js" /> <meta itemprop="version" content="1.0.4" /> <!-- hidden text for searching --> <div style="display: none;"> Reactive, FRP, Rx, RxJS, AngularJS, Angular </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="rx-angular" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/rx-angular/1.0.4/rx.angular.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="rxjs-dom" data-library-keywords="Reactive, LINQ, Collections, RxJS, Rx, DOM, HTML, HTML5, WebSockets, WebWorkers, Geolocation" id="rxjs-dom" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/rxjs-dom"> rxjs-dom </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;Reactive-Extensions&#x2F;rxjs-dom" /> <meta itemprop="version" content="7.0.3" /> <!-- hidden text for searching --> <div style="display: none;"> Reactive, LINQ, Collections, RxJS, Rx, DOM, HTML, HTML5, WebSockets, WebWorkers, Geolocation </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="rxjs-dom" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/rxjs-dom/7.0.3/rx.dom.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="rxjs-jquery" data-library-keywords="Reactive, LINQ, Collections, jQuery, RxJS, Rx" id="rxjs-jquery" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/rxjs-jquery"> rxjs-jquery </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;Reactive-Extensions&#x2F;rxjs-jquery" /> <meta itemprop="version" content="1.1.6" /> <!-- hidden text for searching --> <div style="display: none;"> Reactive, LINQ, Collections, jQuery, RxJS, Rx </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="rxjs-jquery" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/rxjs-jquery/1.1.6/rx.jquery.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="rxjs" data-library-keywords="LINQ, FRP, Reactive, Events, Rx, RxJS" id="rxjs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/rxjs"> rxjs </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;Reactive-Extensions&#x2F;RxJS" /> <meta itemprop="version" content="4.0.7" /> <!-- hidden text for searching --> <div style="display: none;"> LINQ, FRP, Reactive, Events, Rx, RxJS </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="rxjs" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/rxjs/4.0.7/rx.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="RyanMullins-angular-hammer" data-library-keywords="hammer, angular, javascript, touch, gesture" id="RyanMullins-angular-hammer" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/RyanMullins-angular-hammer"> RyanMullins-angular-hammer </a> <meta itemprop="url" content="http:&#x2F;&#x2F;ryanmullins.github.io&#x2F;angular-hammer&#x2F;" /> <meta itemprop="version" content="2.1.10" /> <!-- hidden text for searching --> <div style="display: none;"> hammer, angular, javascript, touch, gesture </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="RyanMullins-angular-hammer" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/RyanMullins-angular-hammer/2.1.10/angular.hammer.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="s3colors" data-library-keywords="css colors, css colors name" id="s3colors" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/s3colors"> s3colors </a> <meta itemprop="url" content="http:&#x2F;&#x2F;shaz3e.github.io&#x2F;S3-Colors&#x2F;" /> <meta itemprop="version" content="1.0" /> <!-- hidden text for searching --> <div style="display: none;"> css colors, css colors name </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="s3colors" class="library-column css-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/s3colors/1.0/s3-colors.min.css</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="sails.io.js" data-library-keywords="sails, sdk, sails.io.js, socket.io, browser, javascript" id="sailsiojs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/sails.io.js"> sails.io.js </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;balderdashy&#x2F;sails.io.js" /> <meta itemprop="version" content="0.13.3" /> <!-- hidden text for searching --> <div style="display: none;"> sails, sdk, sails.io.js, socket.io, browser, javascript </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="sails.io.js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/sails.io.js/0.13.3/sails.io.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="salesforce-canvas" data-library-keywords="salesforce, canvas, intigration" id="salesforce-canvas" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/salesforce-canvas"> salesforce-canvas </a> <meta itemprop="url" content="http:&#x2F;&#x2F;wiki.developerforce.com&#x2F;page&#x2F;Force.com_Canvas" /> <meta itemprop="version" content="27.0" /> <!-- hidden text for searching --> <div style="display: none;"> salesforce, canvas, intigration </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="salesforce-canvas" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/salesforce-canvas/27.0/canvas-all.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="salvattore" data-library-keywords="grid, layout, browser, masonry" id="salvattore" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/salvattore"> salvattore </a> <meta itemprop="url" content="http:&#x2F;&#x2F;salvattore.com&#x2F;" /> <meta itemprop="version" content="1.0.9" /> <!-- hidden text for searching --> <div style="display: none;"> grid, layout, browser, masonry </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="salvattore" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/salvattore/1.0.9/salvattore.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="sammy.js" data-library-keywords="framework, restful, popular, jquery" id="sammyjs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/sammy.js"> sammy.js </a> <meta itemprop="url" content="http:&#x2F;&#x2F;sammyjs.org&#x2F;" /> <meta itemprop="version" content="0.7.6" /> <!-- hidden text for searching --> <div style="display: none;"> framework, restful, popular, jquery </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="sammy.js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/sammy.js/0.7.6/sammy.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="sanitize.css" data-library-keywords="css, normalize, sanitize" id="sanitizecss" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/sanitize.css"> sanitize.css </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;ZDroid&#x2F;sanitize.css" /> <meta itemprop="version" content="2.0.0" /> <!-- hidden text for searching --> <div style="display: none;"> css, normalize, sanitize </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="sanitize.css" class="library-column css-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/sanitize.css/2.0.0/sanitize.min.css</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="sass.js" data-library-keywords="css, css3" id="sassjs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/sass.js"> sass.js </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;medialize&#x2F;sass.js" /> <meta itemprop="version" content="0.9.5" /> <!-- hidden text for searching --> <div style="display: none;"> css, css3 </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="sass.js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/sass.js/0.9.5/sass.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="satellite.js" data-library-keywords="sgp4, satellite" id="satellitejs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/satellite.js"> satellite.js </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;shashwatak&#x2F;satellite-js" /> <meta itemprop="version" content="1.2.0" /> <!-- hidden text for searching --> <div style="display: none;"> sgp4, satellite </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="satellite.js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/satellite.js/1.2.0/satellite.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="satellizer" data-library-keywords="authentication, angularjs, facebook, google, linkedin, twitter, foursquare, github, yahoo, oauth, sign-in, twitch" id="satellizer" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/satellizer"> satellizer </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;sahat&#x2F;satellizer" /> <meta itemprop="version" content="0.13.4" /> <!-- hidden text for searching --> <div style="display: none;"> authentication, angularjs, facebook, google, linkedin, twitter, foursquare, github, yahoo, oauth, sign-in, twitch </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="satellizer" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/satellizer/0.13.4/satellizer.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="savvior" data-library-keywords="layout, grid, multicolumn, media query, media queries" id="savvior" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/savvior"> savvior </a> <meta itemprop="url" content="http:&#x2F;&#x2F;savvior.org&#x2F;" /> <meta itemprop="version" content="0.5.0" /> <!-- hidden text for searching --> <div style="display: none;"> layout, grid, multicolumn, media query, media queries </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="savvior" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/savvior/0.5.0/savvior.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="sbt" data-library-keywords="" id="sbt" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/sbt"> sbt </a> <meta itemprop="url" content="http:&#x2F;&#x2F;www.openntf.org&#x2F;internal&#x2F;home.nsf&#x2F;project.xsp?action&#x3D;openDocument&amp;name&#x3D;Social%20Business%20Toolkit%20SDK" /> <meta itemprop="version" content="1.1.11.20151208-1200" /> <!-- hidden text for searching --> <div style="display: none;"> </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="sbt" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/sbt/1.1.11.20151208-1200/sbt-core-dojo-amd.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="scaleapp" data-library-keywords="" id="scaleapp" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/scaleapp"> scaleapp </a> <meta itemprop="url" content="http:&#x2F;&#x2F;www.scaleapp.org" /> <meta itemprop="version" content="0.4.3" /> <!-- hidden text for searching --> <div style="display: none;"> </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="scaleapp" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/scaleapp/0.4.3/scaleapp.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="scion" data-library-keywords="scxml, statecharts, w3c, javascript" id="scion" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/scion"> scion </a> <meta itemprop="url" content="" /> <meta itemprop="version" content="0.0.3" /> <!-- hidden text for searching --> <div style="display: none;"> scxml, statecharts, w3c, javascript </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="scion" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/scion/0.0.3/scion-min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="sco.js" data-library-keywords="scojs, sco.js, twitter, bootstrap, twitter-bootstrap" id="scojs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/sco.js"> sco.js </a> <meta itemprop="url" content="http:&#x2F;&#x2F;terebentina.github.io&#x2F;sco.js&#x2F;" /> <meta itemprop="version" content="1.1.0" /> <!-- hidden text for searching --> <div style="display: none;"> scojs, sco.js, twitter, bootstrap, twitter-bootstrap </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="sco.js" class="library-column css-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/sco.js/1.1.0/css&#x2F;scojs.min.css</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="screenfull.js" data-library-keywords="screenfull, fullscreen" id="screenfulljs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/screenfull.js"> screenfull.js </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;sindresorhus&#x2F;screenfull.js" /> <meta itemprop="version" content="3.0.0" /> <!-- hidden text for searching --> <div style="display: none;"> screenfull, fullscreen </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="screenfull.js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/screenfull.js/3.0.0/screenfull.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="script.js" data-library-keywords="loader, asynchronous, popular, ender, script, dependency, ajax, jsonp" id="scriptjs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/script.js"> script.js </a> <meta itemprop="url" content="http:&#x2F;&#x2F;www.dustindiaz.com&#x2F;scriptjs&#x2F;" /> <meta itemprop="version" content="2.5.8" /> <!-- hidden text for searching --> <div style="display: none;"> loader, asynchronous, popular, ender, script, dependency, ajax, jsonp </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="script.js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/script.js/2.5.8/script.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="scriptaculous" data-library-keywords="ui, toolkit, popular" id="scriptaculous" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/scriptaculous"> scriptaculous </a> <meta itemprop="url" content="http:&#x2F;&#x2F;script.aculo.us&#x2F;" /> <meta itemprop="version" content="1.9.0" /> <!-- hidden text for searching --> <div style="display: none;"> ui, toolkit, popular </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="scriptaculous" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/scriptaculous/1.9.0/scriptaculous.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="scrollify" data-library-keywords="scroll, snap" id="scrollify" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/scrollify"> scrollify </a> <meta itemprop="url" content="http:&#x2F;&#x2F;projects.lukehaas.me&#x2F;scrollify" /> <meta itemprop="version" content="0.1.11" /> <!-- hidden text for searching --> <div style="display: none;"> scroll, snap </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="scrollify" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/scrollify/0.1.11/jquery.scrollify.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="ScrollMagic" data-library-keywords="scroll, scrolling, animation, sticky, pin, fixed, scrollbar, scrub, sync, position, progress, parallax, events, classes" id="ScrollMagic" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/ScrollMagic"> ScrollMagic </a> <meta itemprop="url" content="http:&#x2F;&#x2F;janpaepke.github.io&#x2F;ScrollMagic&#x2F;" /> <meta itemprop="version" content="2.0.5" /> <!-- hidden text for searching --> <div style="display: none;"> scroll, scrolling, animation, sticky, pin, fixed, scrollbar, scrub, sync, position, progress, parallax, events, classes </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="ScrollMagic" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/ScrollMagic/2.0.5/ScrollMagic.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="scrollmonitor" data-library-keywords="scroll, dom" id="scrollmonitor" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/scrollmonitor"> scrollmonitor </a> <meta itemprop="url" content="" /> <meta itemprop="version" content="1.0.12" /> <!-- hidden text for searching --> <div style="display: none;"> scroll, dom </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="scrollmonitor" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/scrollmonitor/1.0.12/scrollMonitor.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="scrollpoints" data-library-keywords="" id="scrollpoints" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/scrollpoints"> scrollpoints </a> <meta itemprop="url" content="" /> <meta itemprop="version" content="0.4.0" /> <!-- hidden text for searching --> <div style="display: none;"> </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="scrollpoints" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/scrollpoints/0.4.0/scrollpoints.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="scrollReveal.js" data-library-keywords="" id="scrollRevealjs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/scrollReveal.js"> scrollReveal.js </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;jlmakes&#x2F;scrollReveal.js" /> <meta itemprop="version" content="3.0.9" /> <!-- hidden text for searching --> <div style="display: none;"> </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="scrollReveal.js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/scrollReveal.js/3.0.9/scrollreveal.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="seajs" data-library-keywords="loader, module, CMD, browser" id="seajs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/seajs"> seajs </a> <meta itemprop="url" content="http:&#x2F;&#x2F;seajs.org&#x2F;" /> <meta itemprop="version" content="3.0.2" /> <!-- hidden text for searching --> <div style="display: none;"> loader, module, CMD, browser </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="seajs" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/seajs/3.0.2/sea.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="seedrandom" data-library-keywords="random number, seed" id="seedrandom" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/seedrandom"> seedrandom </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;davidbau&#x2F;seedrandom" /> <meta itemprop="version" content="2.4.2" /> <!-- hidden text for searching --> <div style="display: none;"> random number, seed </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="seedrandom" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/seedrandom/2.4.2/seedrandom.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="segment-js" data-library-keywords="svg, path, stroke, animation" id="segment-js" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/segment-js"> segment-js </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;lmgonzalves&#x2F;segment" /> <meta itemprop="version" content="1.0.1" /> <!-- hidden text for searching --> <div style="display: none;"> svg, path, stroke, animation </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="segment-js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/segment-js/1.0.1/segment.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="select2-bootstrap-css" data-library-keywords="bootstrap, select2, css" id="select2-bootstrap-css" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/select2-bootstrap-css"> select2-bootstrap-css </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;t0m&#x2F;select2-bootstrap-css" /> <meta itemprop="version" content="1.4.6" /> <!-- hidden text for searching --> <div style="display: none;"> bootstrap, select2, css </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="select2-bootstrap-css" class="library-column css-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/select2-bootstrap-css/1.4.6/select2-bootstrap.min.css</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="select2" data-library-keywords="select, jquery, dropdown, ui" id="select2" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/select2"> select2 </a> <meta itemprop="url" content="http:&#x2F;&#x2F;ivaynberg.github.com&#x2F;select2&#x2F;" /> <meta itemprop="version" content="4.0.1" /> <!-- hidden text for searching --> <div style="display: none;"> select, jquery, dropdown, ui </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="select2" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/select2/4.0.1/js&#x2F;select2.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="Selectivity.js" data-library-keywords="custom, template, loading indicators" id="Selectivityjs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/Selectivity.js"> Selectivity.js </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;arendjr&#x2F;selectivity" /> <meta itemprop="version" content="2.1.0" /> <!-- hidden text for searching --> <div style="display: none;"> custom, template, loading indicators </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="Selectivity.js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/Selectivity.js/2.1.0/selectivity-full.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="selectivizr" data-library-keywords="css3, ie" id="selectivizr" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/selectivizr"> selectivizr </a> <meta itemprop="url" content="http:&#x2F;&#x2F;selectivizr.com&#x2F;" /> <meta itemprop="version" content="1.0.2" /> <!-- hidden text for searching --> <div style="display: none;"> css3, ie </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="selectivizr" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/selectivizr/1.0.2/selectivizr-min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="selectize.js" data-library-keywords="select, jquery, dropdown, ui, ajax" id="selectizejs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/selectize.js"> selectize.js </a> <meta itemprop="url" content="http:&#x2F;&#x2F;brianreavis.github.io&#x2F;selectize.js&#x2F;" /> <meta itemprop="version" content="0.12.1" /> <!-- hidden text for searching --> <div style="display: none;"> select, jquery, dropdown, ui, ajax </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="selectize.js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/selectize.js/0.12.1/js&#x2F;selectize.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="semantic-ui" data-library-keywords="semantic, ui" id="semantic-ui" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/semantic-ui"> semantic-ui </a> <meta itemprop="url" content="http:&#x2F;&#x2F;semantic-ui.com&#x2F;" /> <meta itemprop="version" content="2.1.8" /> <!-- hidden text for searching --> <div style="display: none;"> semantic, ui </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="semantic-ui" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/semantic-ui/2.1.8/semantic.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="set-iframe-height" data-library-keywords="iframe, responsive" id="set-iframe-height" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/set-iframe-height"> set-iframe-height </a> <meta itemprop="url" content="" /> <meta itemprop="version" content="1.1.5" /> <!-- hidden text for searching --> <div style="display: none;"> iframe, responsive </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="set-iframe-height" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/set-iframe-height/1.1.5/set-iframe-height-parent-min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="setImmediate" data-library-keywords="cross-browser, api, clearImmediate, setImmediate" id="setImmediate" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/setImmediate"> setImmediate </a> <meta itemprop="url" content="" /> <meta itemprop="version" content="1.0.4" /> <!-- hidden text for searching --> <div style="display: none;"> cross-browser, api, clearImmediate, setImmediate </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="setImmediate" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/setImmediate/1.0.4/setImmediate.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="sevenSeg.js" data-library-keywords="ui, control, svg, seven-segment, knockout" id="sevenSegjs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/sevenSeg.js"> sevenSeg.js </a> <meta itemprop="url" content="http:&#x2F;&#x2F;brandonlwhite.github.io&#x2F;sevenSeg.js" /> <meta itemprop="version" content="0.2.0" /> <!-- hidden text for searching --> <div style="display: none;"> ui, control, svg, seven-segment, knockout </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="sevenSeg.js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/sevenSeg.js/0.2.0/sevenSeg.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="shaka-player" data-library-keywords="" id="shaka-player" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/shaka-player"> shaka-player </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;google&#x2F;shaka-player" /> <meta itemprop="version" content="1.6.2" /> <!-- hidden text for searching --> <div style="display: none;"> </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="shaka-player" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/shaka-player/1.6.2/shaka-player.compiled.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="sharer.js" data-library-keywords="social, share, facebook, twitter, google, plus, linkedin, email, telegram, whatsapp, telegram, viber, hackernews, vk, reddit" id="sharerjs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/sharer.js"> sharer.js </a> <meta itemprop="url" content="https:&#x2F;&#x2F;ellisonleao.github.io&#x2F;sharer.js&#x2F;" /> <meta itemprop="version" content="0.2.7" /> <!-- hidden text for searching --> <div style="display: none;"> social, share, facebook, twitter, google, plus, linkedin, email, telegram, whatsapp, telegram, viber, hackernews, vk, reddit </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="sharer.js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/sharer.js/0.2.7/sharer.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="shariff" data-library-keywords="heise, social buttons, shariff" id="shariff" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/shariff"> shariff </a> <meta itemprop="url" content="http:&#x2F;&#x2F;ct.de&#x2F;-2467514" /> <meta itemprop="version" content="1.22.0" /> <!-- hidden text for searching --> <div style="display: none;"> heise, social buttons, shariff </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="shariff" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/shariff/1.22.0/shariff.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="shepherd" data-library-keywords="" id="shepherd" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/shepherd"> shepherd </a> <meta itemprop="url" content="" /> <meta itemprop="version" content="1.5.1" /> <!-- hidden text for searching --> <div style="display: none;"> </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="shepherd" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/shepherd/1.5.1/js&#x2F;shepherd.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="shine.js" data-library-keywords="shine, shadows" id="shinejs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/shine.js"> shine.js </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;bigspaceship&#x2F;shine.js" /> <meta itemprop="version" content="0.2.7" /> <!-- hidden text for searching --> <div style="display: none;"> shine, shadows </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="shine.js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/shine.js/0.2.7/shine.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="should.js" data-library-keywords="test, bdd, assert, should" id="shouldjs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/should.js"> should.js </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;shouldjs&#x2F;should.js" /> <meta itemprop="version" content="8.1.1" /> <!-- hidden text for searching --> <div style="display: none;"> test, bdd, assert, should </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="should.js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/should.js/8.1.1/should.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="showdown" data-library-keywords="markdown, converter" id="showdown" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/showdown"> showdown </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;showdownjs&#x2F;showdown" /> <meta itemprop="version" content="1.3.0" /> <!-- hidden text for searching --> <div style="display: none;"> markdown, converter </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="showdown" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/showdown/1.3.0/showdown.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="shred" data-library-keywords="http, xhr, ajax, browserify" id="shred" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/shred"> shred </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;automatthew&#x2F;shred" /> <meta itemprop="version" content="0.8.10" /> <!-- hidden text for searching --> <div style="display: none;"> http, xhr, ajax, browserify </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="shred" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/shred/0.8.10/shred.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="Shuffle" data-library-keywords="jquery-plugin, gallery, shuffle, layout, masonry, filter, sort, responsive, grid, mobile, tiles" id="Shuffle" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/Shuffle"> Shuffle </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;Vestride&#x2F;Shuffle" /> <meta itemprop="version" content="3.1.1" /> <!-- hidden text for searching --> <div style="display: none;"> jquery-plugin, gallery, shuffle, layout, masonry, filter, sort, responsive, grid, mobile, tiles </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="Shuffle" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/Shuffle/3.1.1/jquery.shuffle.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="side-comments" data-library-keywords="" id="side-comments" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/side-comments"> side-comments </a> <meta itemprop="url" content="http:&#x2F;&#x2F;aroc.github.io&#x2F;side-comments-demo" /> <meta itemprop="version" content="0.0.1" /> <!-- hidden text for searching --> <div style="display: none;"> </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="side-comments" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/side-comments/0.0.1/side-comments.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="sidr" data-library-keywords="jquery, sidr, plugin, responsive, menu, off-canvas" id="sidr" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/sidr"> sidr </a> <meta itemprop="url" content="http:&#x2F;&#x2F;www.berriart.com&#x2F;sidr&#x2F;" /> <meta itemprop="version" content="2.1.0" /> <!-- hidden text for searching --> <div style="display: none;"> jquery, sidr, plugin, responsive, menu, off-canvas </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="sidr" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/sidr/2.1.0/jquery.sidr.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="sigma.js" data-library-keywords="" id="sigmajs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/sigma.js"> sigma.js </a> <meta itemprop="url" content="http:&#x2F;&#x2F;sigmajs.org&#x2F;" /> <meta itemprop="version" content="1.0.3" /> <!-- hidden text for searching --> <div style="display: none;"> </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="sigma.js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/sigma.js/1.0.3/sigma.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="signalr.js" data-library-keywords="signalr, chat" id="signalrjs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/signalr.js"> signalr.js </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;SignalR&#x2F;SignalR" /> <meta itemprop="version" content="2.2.0" /> <!-- hidden text for searching --> <div style="display: none;"> signalr, chat </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="signalr.js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/signalr.js/2.2.0/jquery.signalR.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="signature_pad" data-library-keywords="" id="signature_pad" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/signature_pad"> signature_pad </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;szimek&#x2F;signature_pad" /> <meta itemprop="version" content="1.5.2" /> <!-- hidden text for searching --> <div style="display: none;"> </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="signature_pad" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/signature_pad/1.5.2/signature_pad.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="signet" data-library-keywords="signature, console, author" id="signet" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/signet"> signet </a> <meta itemprop="url" content="http:&#x2F;&#x2F;github.hubspot.com&#x2F;signet" /> <meta itemprop="version" content="0.4.8" /> <!-- hidden text for searching --> <div style="display: none;"> signature, console, author </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="signet" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/signet/0.4.8/signet.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="simple-jekyll-search" data-library-keywords="search, jekyll, javascript, json, simple" id="simple-jekyll-search" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/simple-jekyll-search"> simple-jekyll-search </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;christian-fei&#x2F;Simple-Jekyll-Search" /> <meta itemprop="version" content="1.1.0" /> <!-- hidden text for searching --> <div style="display: none;"> search, jekyll, javascript, json, simple </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="simple-jekyll-search" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/simple-jekyll-search/1.1.0/jekyll-search.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="simple-line-icons" data-library-keywords="icon, simple, line, css, webfont, fonts, simple-line" id="simple-line-icons" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/simple-line-icons"> simple-line-icons </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;thesabbir&#x2F;simple-line-icons" /> <meta itemprop="version" content="2.2.3" /> <!-- hidden text for searching --> <div style="display: none;"> icon, simple, line, css, webfont, fonts, simple-line </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="simple-line-icons" class="library-column css-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/simple-line-icons/2.2.3/css&#x2F;simple-line-icons.min.css</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="simple-peer" data-library-keywords="webrtc, p2p, data channel, data channels, data, video, voice, peer, stream, peer-to-peer, data channel stream, webrtc stream, peer" id="simple-peer" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/simple-peer"> simple-peer </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;feross&#x2F;simple-peer#readme" /> <meta itemprop="version" content="5.11.8" /> <!-- hidden text for searching --> <div style="display: none;"> webrtc, p2p, data channel, data channels, data, video, voice, peer, stream, peer-to-peer, data channel stream, webrtc stream, peer </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="simple-peer" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/simple-peer/5.11.8/simplepeer.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="simple-statistics" data-library-keywords="statistics, math, science, stats, descriptive, linear, bayesian" id="simple-statistics" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/simple-statistics"> simple-statistics </a> <meta itemprop="url" content="" /> <meta itemprop="version" content="1.0.1" /> <!-- hidden text for searching --> <div style="display: none;"> statistics, math, science, stats, descriptive, linear, bayesian </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="simple-statistics" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/simple-statistics/1.0.1/simple_statistics.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="simple-text-rotator" data-library-keywords="simple-text-rotator, jquery, text, rotator" id="simple-text-rotator" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/simple-text-rotator"> simple-text-rotator </a> <meta itemprop="url" content="http:&#x2F;&#x2F;www.thepetedesign.com&#x2F;demos&#x2F;jquery_super_simple_text_rotator_demo.html" /> <meta itemprop="version" content="1.0.0" /> <!-- hidden text for searching --> <div style="display: none;"> simple-text-rotator, jquery, text, rotator </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="simple-text-rotator" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/simple-text-rotator/1.0.0/jquery.simple-text-rotator.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="simplecartjs" data-library-keywords="cart, shopping, simple, paypal" id="simplecartjs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/simplecartjs"> simplecartjs </a> <meta itemprop="url" content="http:&#x2F;&#x2F;simplecartjs.org" /> <meta itemprop="version" content="3.0.5" /> <!-- hidden text for searching --> <div style="display: none;"> cart, shopping, simple, paypal </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="simplecartjs" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/simplecartjs/3.0.5/simplecart.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="simplemodal" data-library-keywords="simplemodal, jquery, framework" id="simplemodal" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/simplemodal"> simplemodal </a> <meta itemprop="url" content="http:&#x2F;&#x2F;www.ericmmartin.com&#x2F;projects&#x2F;simplemodal&#x2F;" /> <meta itemprop="version" content="1.4.4" /> <!-- hidden text for searching --> <div style="display: none;"> simplemodal, jquery, framework </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="simplemodal" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/simplemodal/1.4.4/jquery.simplemodal.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="simplestatemanager" data-library-keywords="responsive, states, state" id="simplestatemanager" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/simplestatemanager"> simplestatemanager </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;SimpleStateManager&#x2F;SimpleStateManager" /> <meta itemprop="version" content="2.2.5" /> <!-- hidden text for searching --> <div style="display: none;"> responsive, states, state </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="simplestatemanager" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/simplestatemanager/2.2.5/ssm.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="sinon.js" data-library-keywords="utility, popular, spies, stubs, mock, testing" id="sinonjs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/sinon.js"> sinon.js </a> <meta itemprop="url" content="http:&#x2F;&#x2F;sinonjs.org&#x2F;" /> <meta itemprop="version" content="1.15.4" /> <!-- hidden text for searching --> <div style="display: none;"> utility, popular, spies, stubs, mock, testing </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="sinon.js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/sinon.js/1.15.4/sinon.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="sizzle" data-library-keywords="sizzle, selector, jquery" id="sizzle" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/sizzle"> sizzle </a> <meta itemprop="url" content="http:&#x2F;&#x2F;sizzlejs.com&#x2F;" /> <meta itemprop="version" content="2.3.0" /> <!-- hidden text for searching --> <div style="display: none;"> sizzle, selector, jquery </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="sizzle" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/sizzle/2.3.0/sizzle.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="sjcl" data-library-keywords="encryption, high-level, crypto" id="sjcl" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/sjcl"> sjcl </a> <meta itemprop="url" content="" /> <meta itemprop="version" content="1.0.0" /> <!-- hidden text for searching --> <div style="display: none;"> encryption, high-level, crypto </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="sjcl" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/sjcl/1.0.0/sjcl.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="skel-layers" data-library-keywords="navigation, toolbars, responsive" id="skel-layers" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/skel-layers"> skel-layers </a> <meta itemprop="url" content="http:&#x2F;&#x2F;getskel.com&#x2F;" /> <meta itemprop="version" content="2.0.2" /> <!-- hidden text for searching --> <div style="display: none;"> navigation, toolbars, responsive </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="skel-layers" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/skel-layers/2.0.2/skel-layers.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="skel" data-library-keywords="css, boilerplate, grid, responsive" id="skel" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/skel"> skel </a> <meta itemprop="url" content="http:&#x2F;&#x2F;getskel.com&#x2F;" /> <meta itemprop="version" content="3.0.0" /> <!-- hidden text for searching --> <div style="display: none;"> css, boilerplate, grid, responsive </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="skel" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/skel/3.0.0/skel.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="skeleton" data-library-keywords="css, boilerplate, grid, responsive" id="skeleton" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/skeleton"> skeleton </a> <meta itemprop="url" content="http:&#x2F;&#x2F;getskeleton.com&#x2F;" /> <meta itemprop="version" content="2.0.4" /> <!-- hidden text for searching --> <div style="display: none;"> css, boilerplate, grid, responsive </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="skeleton" class="library-column css-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/skeleton/2.0.4/skeleton.min.css</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="sketch.js" data-library-keywords="framework, audio, video, html5" id="sketchjs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/sketch.js"> sketch.js </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;soulwire&#x2F;sketch.js&#x2F;" /> <meta itemprop="version" content="1.0" /> <!-- hidden text for searching --> <div style="display: none;"> framework, audio, video, html5 </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="sketch.js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/sketch.js/1.0/sketch.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="skrollr" data-library-keywords="skrollr, standalone, scrolling, parallax, mobile" id="skrollr" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/skrollr"> skrollr </a> <meta itemprop="url" content="http:&#x2F;&#x2F;prinzhorn.github.io&#x2F;skrollr&#x2F;" /> <meta itemprop="version" content="0.6.30" /> <!-- hidden text for searching --> <div style="display: none;"> skrollr, standalone, scrolling, parallax, mobile </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="skrollr" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/skrollr/0.6.30/skrollr.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="skycons" data-library-keywords="weather, forecast, animation, canvas" id="skycons" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/skycons"> skycons </a> <meta itemprop="url" content="http:&#x2F;&#x2F;darkskyapp.github.io&#x2F;skycons&#x2F;" /> <meta itemprop="version" content="1396634940" /> <!-- hidden text for searching --> <div style="display: none;"> weather, forecast, animation, canvas </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="skycons" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/skycons/1396634940/skycons.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="slabText" data-library-keywords="headlines, jquery, popular, responsive, typography" id="slabText" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/slabText"> slabText </a> <meta itemprop="url" content="http:&#x2F;&#x2F;www.frequency-decoder.com&#x2F;demo&#x2F;slabText&#x2F;" /> <meta itemprop="version" content="2.3" /> <!-- hidden text for searching --> <div style="display: none;"> headlines, jquery, popular, responsive, typography </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="slabText" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/slabText/2.3/jquery.slabtext.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="slick-carousel" data-library-keywords="carousel, slick, responsive" id="slick-carousel" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/slick-carousel"> slick-carousel </a> <meta itemprop="url" content="" /> <meta itemprop="version" content="1.5.9" /> <!-- hidden text for searching --> <div style="display: none;"> carousel, slick, responsive </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="slick-carousel" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/slick-carousel/1.5.9/slick.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="SlickNav" data-library-keywords="SlickNav, responsive menu, jquery" id="SlickNav" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/SlickNav"> SlickNav </a> <meta itemprop="url" content="http:&#x2F;&#x2F;slicknav.com&#x2F;" /> <meta itemprop="version" content="1.0.5.5" /> <!-- hidden text for searching --> <div style="display: none;"> SlickNav, responsive menu, jquery </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="SlickNav" class="library-column css-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/SlickNav/1.0.5.5/slicknav.min.css</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="slidebars" data-library-keywords="" id="slidebars" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/slidebars"> slidebars </a> <meta itemprop="url" content="http:&#x2F;&#x2F;plugins.adchsm.me&#x2F;slidebars&#x2F;" /> <meta itemprop="version" content="0.10.2" /> <!-- hidden text for searching --> <div style="display: none;"> </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="slidebars" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/slidebars/0.10.2/slidebars.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="slideout" data-library-keywords="slideout, offcanvas, menu, touch" id="slideout" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/slideout"> slideout </a> <meta itemprop="url" content="" /> <meta itemprop="version" content="0.1.11" /> <!-- hidden text for searching --> <div style="display: none;"> slideout, offcanvas, menu, touch </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="slideout" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/slideout/0.1.11/slideout.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="slider-pro" data-library-keywords="jquery-plugin, slider-pro, responsive-slider" id="slider-pro" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/slider-pro"> slider-pro </a> <meta itemprop="url" content="http:&#x2F;&#x2F;bqworks.com&#x2F;slider-pro&#x2F;" /> <meta itemprop="version" content="1.2.3" /> <!-- hidden text for searching --> <div style="display: none;"> jquery-plugin, slider-pro, responsive-slider </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="slider-pro" class="library-column css-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/slider-pro/1.2.3/css&#x2F;slider-pro.min.css</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="slidesjs" data-library-keywords="slides, navigation, pagination, play, effect, callback" id="slidesjs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/slidesjs"> slidesjs </a> <meta itemprop="url" content="http:&#x2F;&#x2F;slidesjs.com" /> <meta itemprop="version" content="3.0" /> <!-- hidden text for searching --> <div style="display: none;"> slides, navigation, pagination, play, effect, callback </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="slidesjs" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/slidesjs/3.0/jquery.slides.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="slipjs" data-library-keywords="swipe, touch, interactive, drag&#39;n&#39;drop, reorder" id="slipjs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/slipjs"> slipjs </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;pornel&#x2F;slip#readme" /> <meta itemprop="version" content="1.3.0" /> <!-- hidden text for searching --> <div style="display: none;"> swipe, touch, interactive, drag&#39;n&#39;drop, reorder </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="slipjs" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/slipjs/1.3.0/slip.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="Sly" data-library-keywords="javascript, scrolling, one-direction, touch, items" id="Sly" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/Sly"> Sly </a> <meta itemprop="url" content="http:&#x2F;&#x2F;darsa.in&#x2F;sly&#x2F;" /> <meta itemprop="version" content="1.6.1" /> <!-- hidden text for searching --> <div style="display: none;"> javascript, scrolling, one-direction, touch, items </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="Sly" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/Sly/1.6.1/sly.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="smalot-bootstrap-datetimepicker" data-library-keywords="twitter-bootstrap, bootstrap, datepicker, datetimepicker, timepicker" id="smalot-bootstrap-datetimepicker" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/smalot-bootstrap-datetimepicker"> smalot-bootstrap-datetimepicker </a> <meta itemprop="url" content="http:&#x2F;&#x2F;www.malot.fr&#x2F;bootstrap-datetimepicker&#x2F;" /> <meta itemprop="version" content="2.3.4" /> <!-- hidden text for searching --> <div style="display: none;"> twitter-bootstrap, bootstrap, datepicker, datetimepicker, timepicker </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="smalot-bootstrap-datetimepicker" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/smalot-bootstrap-datetimepicker/2.3.4/js&#x2F;bootstrap-datetimepicker.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="smokejs" data-library-keywords="html, css, js, JavaScript, JQuery, plugin, bootstrap, front-end, web" id="smokejs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/smokejs"> smokejs </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;alfredobarron&#x2F;smoke" /> <meta itemprop="version" content="3.0.1" /> <!-- hidden text for searching --> <div style="display: none;"> html, css, js, JavaScript, JQuery, plugin, bootstrap, front-end, web </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="smokejs" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/smokejs/3.0.1/js&#x2F;smoke.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="smooth-scroll" data-library-keywords="smooth, scroll" id="smooth-scroll" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/smooth-scroll"> smooth-scroll </a> <meta itemprop="url" content="" /> <meta itemprop="version" content="10.0.0" /> <!-- hidden text for searching --> <div style="display: none;"> smooth, scroll </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="smooth-scroll" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/smooth-scroll/10.0.0/js&#x2F;smooth-scroll.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="smoothie" data-library-keywords="charts, charting, realtime, stock-ticker, time series, time-series" id="smoothie" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/smoothie"> smoothie </a> <meta itemprop="url" content="" /> <meta itemprop="version" content="1.27.0" /> <!-- hidden text for searching --> <div style="display: none;"> charts, charting, realtime, stock-ticker, time series, time-series </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="smoothie" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/smoothie/1.27.0/smoothie.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="smoothscroll" data-library-keywords="smooth, scroll, scrolling, animation, wheel, chrome, easing, nice" id="smoothscroll" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/smoothscroll"> smoothscroll </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;galambalazs&#x2F;smoothscroll-for-websites" /> <meta itemprop="version" content="1.4.1" /> <!-- hidden text for searching --> <div style="display: none;"> smooth, scroll, scrolling, animation, wheel, chrome, easing, nice </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="smoothscroll" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/smoothscroll/1.4.1/SmoothScroll.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="smoothState.js" data-library-keywords="pjax, animation, turbolinks, ajax, ajaxify, jquery-plugin, page transitions" id="smoothStatejs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/smoothState.js"> smoothState.js </a> <meta itemprop="url" content="http:&#x2F;&#x2F;miguel-perez.github.io&#x2F;smoothState.js&#x2F;" /> <meta itemprop="version" content="0.7.2" /> <!-- hidden text for searching --> <div style="display: none;"> pjax, animation, turbolinks, ajax, ajaxify, jquery-plugin, page transitions </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="smoothState.js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/smoothState.js/0.7.2/jquery.smoothState.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="snabbt.js" data-library-keywords="" id="snabbtjs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/snabbt.js"> snabbt.js </a> <meta itemprop="url" content="" /> <meta itemprop="version" content="0.6.4" /> <!-- hidden text for searching --> <div style="display: none;"> </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="snabbt.js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/snabbt.js/0.6.4/snabbt.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="snap.js" data-library-keywords="mobile, menu, drag, UI" id="snapjs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/snap.js"> snap.js </a> <meta itemprop="url" content="" /> <meta itemprop="version" content="1.9.3" /> <!-- hidden text for searching --> <div style="display: none;"> mobile, menu, drag, UI </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="snap.js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/snap.js/1.9.3/snap.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="snap.svg" data-library-keywords="vector, graphics" id="snapsvg" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/snap.svg"> snap.svg </a> <meta itemprop="url" content="http:&#x2F;&#x2F;snapsvg.io" /> <meta itemprop="version" content="0.4.1" /> <!-- hidden text for searching --> <div style="display: none;"> vector, graphics </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="snap.svg" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/snap.svg/0.4.1/snap.svg-min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="Snowstorm" data-library-keywords="snow, xmas" id="Snowstorm" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/Snowstorm"> Snowstorm </a> <meta itemprop="url" content="http:&#x2F;&#x2F;www.schillmania.com&#x2F;projects&#x2F;snowstorm&#x2F;" /> <meta itemprop="version" content="20131208" /> <!-- hidden text for searching --> <div style="display: none;"> snow, xmas </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="Snowstorm" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/Snowstorm/20131208/snowstorm-min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="social-feed" data-library-keywords="Twitter, Facebook, Instagram, Google+, Vkontakte, social, feed" id="social-feed" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/social-feed"> social-feed </a> <meta itemprop="url" content="http:&#x2F;&#x2F;pavelk2.github.io&#x2F;social-feed&#x2F;" /> <meta itemprop="version" content="0.1.2" /> <!-- hidden text for searching --> <div style="display: none;"> Twitter, Facebook, Instagram, Google+, Vkontakte, social, feed </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="social-feed" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/social-feed/0.1.2/js&#x2F;jquery.socialfeed.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="social-likes" data-library-keywords="jquery, like, button, social, network, facebook, twitter, google, livejournal" id="social-likes" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/social-likes"> social-likes </a> <meta itemprop="url" content="http:&#x2F;&#x2F;sapegin.github.io&#x2F;social-likes&#x2F;" /> <meta itemprop="version" content="3.0.15" /> <!-- hidden text for searching --> <div style="display: none;"> jquery, like, button, social, network, facebook, twitter, google, livejournal </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="social-likes" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/social-likes/3.0.15/social-likes.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="socket.io" data-library-keywords="websockets, node, popular" id="socketio" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/socket.io"> socket.io </a> <meta itemprop="url" content="http:&#x2F;&#x2F;socket.io" /> <meta itemprop="version" content="1.4.4" /> <!-- hidden text for searching --> <div style="display: none;"> websockets, node, popular </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="socket.io" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/socket.io/1.4.4/socket.io.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="socketcluster-client" data-library-keywords="websocket, realtime, cluster, client" id="socketcluster-client" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/socketcluster-client"> socketcluster-client </a> <meta itemprop="url" content="http:&#x2F;&#x2F;socketcluster.io" /> <meta itemprop="version" content="4.1.6" /> <!-- hidden text for searching --> <div style="display: none;"> websocket, realtime, cluster, client </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="socketcluster-client" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/socketcluster-client/4.1.6/socketcluster.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="sockjs-client" data-library-keywords="websockets, node" id="sockjs-client" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/sockjs-client"> sockjs-client </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;sockjs&#x2F;sockjs-client" /> <meta itemprop="version" content="1.0.3" /> <!-- hidden text for searching --> <div style="display: none;"> websockets, node </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="sockjs-client" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/sockjs-client/1.0.3/sockjs.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="sopa" data-library-keywords="sopa" id="sopa" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/sopa"> sopa </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;dougmartin&#x2F;Stop-Censorship" /> <meta itemprop="version" content="1.0" /> <!-- hidden text for searching --> <div style="display: none;"> sopa </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="sopa" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/sopa/1.0/stopcensorship.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="sortable" data-library-keywords="sortable" id="sortable" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/sortable"> sortable </a> <meta itemprop="url" content="http:&#x2F;&#x2F;github.hubspot.com&#x2F;sortable&#x2F;" /> <meta itemprop="version" content="0.8.0" /> <!-- hidden text for searching --> <div style="display: none;"> sortable </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="sortable" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/sortable/0.8.0/js&#x2F;sortable.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="Sortable" data-library-keywords="sortable, reorder, drag" id="Sortable" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/Sortable"> Sortable </a> <meta itemprop="url" content="http:&#x2F;&#x2F;rubaxa.github.io&#x2F;Sortable&#x2F;" /> <meta itemprop="version" content="1.4.2" /> <!-- hidden text for searching --> <div style="display: none;"> sortable, reorder, drag </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="Sortable" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/Sortable/1.4.2/Sortable.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="SoundJS" data-library-keywords="sound, audio, webAudio" id="SoundJS" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/SoundJS"> SoundJS </a> <meta itemprop="url" content="http:&#x2F;&#x2F;www.createjs.com&#x2F;#!&#x2F;SoundJS" /> <meta itemprop="version" content="0.6.0" /> <!-- hidden text for searching --> <div style="display: none;"> sound, audio, webAudio </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="SoundJS" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/SoundJS/0.6.0/soundjs.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="soundmanager2" data-library-keywords="browser, audio, sound, mp3, mpeg4, html5" id="soundmanager2" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/soundmanager2"> soundmanager2 </a> <meta itemprop="url" content="http:&#x2F;&#x2F;www.schillmania.com&#x2F;projects&#x2F;soundmanager2&#x2F;" /> <meta itemprop="version" content="2.97a.20150601" /> <!-- hidden text for searching --> <div style="display: none;"> browser, audio, sound, mp3, mpeg4, html5 </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="soundmanager2" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/soundmanager2/2.97a.20150601/script&#x2F;soundmanager2-nodebug-jsmin.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="soundplayer-widget" data-library-keywords="soundcloud, widget, player, embed, react, deku, functional, component" id="soundplayer-widget" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/soundplayer-widget"> soundplayer-widget </a> <meta itemprop="url" content="" /> <meta itemprop="version" content="0.4.1" /> <!-- hidden text for searching --> <div style="display: none;"> soundcloud, widget, player, embed, react, deku, functional, component </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="soundplayer-widget" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/soundplayer-widget/0.4.1/soundplayer-widget.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="spa.js" data-library-keywords="spa, webapp, javascript, framework" id="spajs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/spa.js"> spa.js </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;zhaoda&#x2F;spa" /> <meta itemprop="version" content="2.0.1" /> <!-- hidden text for searching --> <div style="display: none;"> spa, webapp, javascript, framework </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="spa.js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/spa.js/2.0.1/spa.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="space" data-library-keywords="" id="space" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/space"> space </a> <meta itemprop="url" content="" /> <meta itemprop="version" content="0.8.4" /> <!-- hidden text for searching --> <div style="display: none;"> </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="space" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/space/0.8.4/space.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="spark-md5" data-library-keywords="md5, fast, spark, incremental" id="spark-md5" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/spark-md5"> spark-md5 </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;satazor&#x2F;SparkMD5" /> <meta itemprop="version" content="2.0.0" /> <!-- hidden text for searching --> <div style="display: none;"> md5, fast, spark, incremental </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="spark-md5" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/spark-md5/2.0.0/spark-md5.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="speakingurl" data-library-keywords="slug, permalink, seo, url, speakingurl, speaking url, nice url, static url, transliteration" id="speakingurl" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/speakingurl"> speakingurl </a> <meta itemprop="url" content="http:&#x2F;&#x2F;pid.github.io&#x2F;speakingurl&#x2F;" /> <meta itemprop="version" content="8.0.2" /> <!-- hidden text for searching --> <div style="display: none;"> slug, permalink, seo, url, speakingurl, speaking url, nice url, static url, transliteration </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="speakingurl" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/speakingurl/8.0.2/speakingurl.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="spectrum-i18n" data-library-keywords="color, colorpicker, ui" id="spectrum-i18n" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/spectrum-i18n"> spectrum-i18n </a> <meta itemprop="url" content="http:&#x2F;&#x2F;bgrins.github.io&#x2F;spectrum&#x2F;" /> <meta itemprop="version" content="1.3.0" /> <!-- hidden text for searching --> <div style="display: none;"> color, colorpicker, ui </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="spectrum-i18n" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/spectrum-i18n/1.3.0/jquery.spectrum-es.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="spectrum" data-library-keywords="color, colorpicker, ui" id="spectrum" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/spectrum"> spectrum </a> <meta itemprop="url" content="http:&#x2F;&#x2F;bgrins.github.com&#x2F;spectrum" /> <meta itemprop="version" content="1.8.0" /> <!-- hidden text for searching --> <div style="display: none;"> color, colorpicker, ui </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="spectrum" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/spectrum/1.8.0/spectrum.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="SpeechKITT" data-library-keywords="speechrecognition, voice, speech, recognition, ui, gui, interface, webkitspeechrecognition, controls" id="SpeechKITT" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/SpeechKITT"> SpeechKITT </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;TalAter&#x2F;SpeechKITT" /> <meta itemprop="version" content="0.3.0" /> <!-- hidden text for searching --> <div style="display: none;"> speechrecognition, voice, speech, recognition, ui, gui, interface, webkitspeechrecognition, controls </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="SpeechKITT" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/SpeechKITT/0.3.0/speechkitt.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="spf" data-library-keywords="" id="spf" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/spf"> spf </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;youtube&#x2F;spfjs" /> <meta itemprop="version" content="2.3.1" /> <!-- hidden text for searching --> <div style="display: none;"> </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="spf" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/spf/2.3.1/spf.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="spin.js" data-library-keywords="spinner, utility" id="spinjs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/spin.js"> spin.js </a> <meta itemprop="url" content="http:&#x2F;&#x2F;fgnass.github.com&#x2F;spin.js&#x2F;" /> <meta itemprop="version" content="2.3.2" /> <!-- hidden text for searching --> <div style="display: none;"> spinner, utility </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="spin.js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/spin.js/2.3.2/spin.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="spinejs" data-library-keywords="mvc, models, controllers, events, routing, popular, orm" id="spinejs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/spinejs"> spinejs </a> <meta itemprop="url" content="http:&#x2F;&#x2F;spinejs.com&#x2F;" /> <meta itemprop="version" content="1.2.0" /> <!-- hidden text for searching --> <div style="display: none;"> mvc, models, controllers, events, routing, popular, orm </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="spinejs" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/spinejs/1.2.0/all.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="spinkit" data-library-keywords="css, spinkit, spinner, loading, ui" id="spinkit" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/spinkit"> spinkit </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;tobiasahlin&#x2F;SpinKit" /> <meta itemprop="version" content="1.2.5" /> <!-- hidden text for searching --> <div style="display: none;"> css, spinkit, spinner, loading, ui </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="spinkit" class="library-column css-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/spinkit/1.2.5/spinkit.min.css</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="springy" data-library-keywords="graph, layout, visualization" id="springy" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/springy"> springy </a> <meta itemprop="url" content="" /> <meta itemprop="version" content="2.7.1" /> <!-- hidden text for searching --> <div style="display: none;"> graph, layout, visualization </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="springy" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/springy/2.7.1/springy.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="sprintf" data-library-keywords="sprintf, string, formatting" id="sprintf" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/sprintf"> sprintf </a> <meta itemprop="url" content="" /> <meta itemprop="version" content="1.0.3" /> <!-- hidden text for searching --> <div style="display: none;"> sprintf, string, formatting </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="sprintf" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/sprintf/1.0.3/sprintf.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="sprite-js" data-library-keywords="sprites, javascript, canvas, sprite, html5" id="sprite-js" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/sprite-js"> sprite-js </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;nihey&#x2F;sprites" /> <meta itemprop="version" content="0.1.0" /> <!-- hidden text for searching --> <div style="display: none;"> sprites, javascript, canvas, sprite, html5 </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="sprite-js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/sprite-js/0.1.0/sprite.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="stacktrace.js" data-library-keywords="stack-trace, cross-browser, framework-agnostic, client, browser" id="stacktracejs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/stacktrace.js"> stacktrace.js </a> <meta itemprop="url" content="http:&#x2F;&#x2F;stacktracejs.com" /> <meta itemprop="version" content="1.0.1" /> <!-- hidden text for searching --> <div style="display: none;"> stack-trace, cross-browser, framework-agnostic, client, browser </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="stacktrace.js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/stacktrace.js/1.0.1/stacktrace.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="stage.js" data-library-keywords="html5, game, rendering, engine, 2d, canvas, mobile" id="stagejs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/stage.js"> stage.js </a> <meta itemprop="url" content="http:&#x2F;&#x2F;piqnt.com&#x2F;stage.js&#x2F;" /> <meta itemprop="version" content="0.8.2" /> <!-- hidden text for searching --> <div style="display: none;"> html5, game, rendering, engine, 2d, canvas, mobile </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="stage.js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/stage.js/0.8.2/stage.web.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="stampit" data-library-keywords="object, prototype, object oriented, browser, inheritance, oo, node, factory, class" id="stampit" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/stampit"> stampit </a> <meta itemprop="url" content="" /> <meta itemprop="version" content="2.1.0" /> <!-- hidden text for searching --> <div style="display: none;"> object, prototype, object oriented, browser, inheritance, oo, node, factory, class </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="stampit" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/stampit/2.1.0/stampit.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="stapes" data-library-keywords="mvc, framework, lightweight" id="stapes" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/stapes"> stapes </a> <meta itemprop="url" content="http:&#x2F;&#x2F;hay.github.com&#x2F;stapes" /> <meta itemprop="version" content="0.8.1" /> <!-- hidden text for searching --> <div style="display: none;"> mvc, framework, lightweight </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="stapes" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/stapes/0.8.1/stapes.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="startbootstrap-agency" data-library-keywords="bootstrap, theme" id="startbootstrap-agency" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/startbootstrap-agency"> startbootstrap-agency </a> <meta itemprop="url" content="http:&#x2F;&#x2F;startbootstrap.com&#x2F;template-overviews&#x2F;agency&#x2F;" /> <meta itemprop="version" content="1.0.6" /> <!-- hidden text for searching --> <div style="display: none;"> bootstrap, theme </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="startbootstrap-agency" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/startbootstrap-agency/1.0.6/js&#x2F;agency.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="startbootstrap-clean-blog" data-library-keywords="bootstrap, theme" id="startbootstrap-clean-blog" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/startbootstrap-clean-blog"> startbootstrap-clean-blog </a> <meta itemprop="url" content="http:&#x2F;&#x2F;startbootstrap.com&#x2F;template-overviews&#x2F;clean-blog&#x2F;" /> <meta itemprop="version" content="1.0.4" /> <!-- hidden text for searching --> <div style="display: none;"> bootstrap, theme </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="startbootstrap-clean-blog" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/startbootstrap-clean-blog/1.0.4/js&#x2F;clean-blog.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="startbootstrap-creative" data-library-keywords="bootstrap, theme" id="startbootstrap-creative" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/startbootstrap-creative"> startbootstrap-creative </a> <meta itemprop="url" content="http:&#x2F;&#x2F;startbootstrap.com&#x2F;template-overviews&#x2F;creative&#x2F;" /> <meta itemprop="version" content="1.0.2" /> <!-- hidden text for searching --> <div style="display: none;"> bootstrap, theme </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="startbootstrap-creative" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/startbootstrap-creative/1.0.2/js&#x2F;creative.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="startbootstrap-freelancer" data-library-keywords="bootstrap, theme" id="startbootstrap-freelancer" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/startbootstrap-freelancer"> startbootstrap-freelancer </a> <meta itemprop="url" content="http:&#x2F;&#x2F;startbootstrap.com&#x2F;template-overviews&#x2F;freelancer&#x2F;" /> <meta itemprop="version" content="1.0.5" /> <!-- hidden text for searching --> <div style="display: none;"> bootstrap, theme </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="startbootstrap-freelancer" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/startbootstrap-freelancer/1.0.5/js&#x2F;freelancer.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="startbootstrap-grayscale" data-library-keywords="bootstrap, theme" id="startbootstrap-grayscale" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/startbootstrap-grayscale"> startbootstrap-grayscale </a> <meta itemprop="url" content="http:&#x2F;&#x2F;startbootstrap.com&#x2F;template-overviews&#x2F;grayscale&#x2F;" /> <meta itemprop="version" content="1.0.6" /> <!-- hidden text for searching --> <div style="display: none;"> bootstrap, theme </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="startbootstrap-grayscale" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/startbootstrap-grayscale/1.0.6/js&#x2F;grayscale.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="startbootstrap-landing-page" data-library-keywords="bootstrap, theme" id="startbootstrap-landing-page" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/startbootstrap-landing-page"> startbootstrap-landing-page </a> <meta itemprop="url" content="http:&#x2F;&#x2F;startbootstrap.com&#x2F;template-overviews&#x2F;landing-page&#x2F;" /> <meta itemprop="version" content="1.0.5" /> <!-- hidden text for searching --> <div style="display: none;"> bootstrap, theme </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="startbootstrap-landing-page" class="library-column css-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/startbootstrap-landing-page/1.0.5/css&#x2F;landing-page.min.css</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="startbootstrap-sb-admin-2" data-library-keywords="bootstrap, theme" id="startbootstrap-sb-admin-2" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/startbootstrap-sb-admin-2"> startbootstrap-sb-admin-2 </a> <meta itemprop="url" content="http:&#x2F;&#x2F;startbootstrap.com&#x2F;template-overviews&#x2F;sb-admin-2&#x2F;" /> <meta itemprop="version" content="1.0.8" /> <!-- hidden text for searching --> <div style="display: none;"> bootstrap, theme </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="startbootstrap-sb-admin-2" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/startbootstrap-sb-admin-2/1.0.8/js&#x2F;sb-admin-2.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="startbootstrap-stylish-portfolio" data-library-keywords="bootstrap, theme" id="startbootstrap-stylish-portfolio" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/startbootstrap-stylish-portfolio"> startbootstrap-stylish-portfolio </a> <meta itemprop="url" content="http:&#x2F;&#x2F;startbootstrap.com&#x2F;template-overviews&#x2F;stylish-portfolio&#x2F;" /> <meta itemprop="version" content="1.0.4" /> <!-- hidden text for searching --> <div style="display: none;"> bootstrap, theme </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="startbootstrap-stylish-portfolio" class="library-column css-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/startbootstrap-stylish-portfolio/1.0.4/css&#x2F;stylish-portfolio.min.css</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="stats.js" data-library-keywords="fps, framerate" id="statsjs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/stats.js"> stats.js </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;mrdoob&#x2F;stats.js&#x2F;" /> <meta itemprop="version" content="r14" /> <!-- hidden text for searching --> <div style="display: none;"> fps, framerate </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="stats.js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/stats.js/r14/Stats.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="stellar.js" data-library-keywords="parallax, scroll, effect, animation" id="stellarjs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/stellar.js"> stellar.js </a> <meta itemprop="url" content="http:&#x2F;&#x2F;markdalgleish.com&#x2F;projects&#x2F;stellar.js" /> <meta itemprop="version" content="0.6.2" /> <!-- hidden text for searching --> <div style="display: none;"> parallax, scroll, effect, animation </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="stellar.js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/stellar.js/0.6.2/jquery.stellar.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="stickyfill" data-library-keywords="position, sticky, polyfill, accurate" id="stickyfill" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/stickyfill"> stickyfill </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;wilddeer&#x2F;stickyfill" /> <meta itemprop="version" content="1.1.3" /> <!-- hidden text for searching --> <div style="display: none;"> position, sticky, polyfill, accurate </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="stickyfill" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/stickyfill/1.1.3/stickyfill.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="stomp.js" data-library-keywords="STOMP, Web sockets, messaging, queue" id="stompjs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/stomp.js"> stomp.js </a> <meta itemprop="url" content="http:&#x2F;&#x2F;jmesnil.net&#x2F;stomp-websocket&#x2F;doc&#x2F;" /> <meta itemprop="version" content="2.3.3" /> <!-- hidden text for searching --> <div style="display: none;"> STOMP, Web sockets, messaging, queue </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="stomp.js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/stomp.js/2.3.3/stomp.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="store.js" data-library-keywords="storage" id="storejs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/store.js"> store.js </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;marcuswestin&#x2F;store.js" /> <meta itemprop="version" content="1.3.20" /> <!-- hidden text for searching --> <div style="display: none;"> storage </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="store.js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/store.js/1.3.20/store.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="string_score" data-library-keywords="search, string ranking, algorithms, string score" id="string_score" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/string_score"> string_score </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;joshaven&#x2F;string_score" /> <meta itemprop="version" content="0.1.22" /> <!-- hidden text for searching --> <div style="display: none;"> search, string ranking, algorithms, string score </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="string_score" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/string_score/0.1.22/string_score.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="string.js" data-library-keywords="string, strings, string.js, stringjs, S, s, csv, html, entities, parse, html, tags, strip, trim, encode, decode, escape, unescape" id="stringjs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/string.js"> string.js </a> <meta itemprop="url" content="http:&#x2F;&#x2F;stringjs.com" /> <meta itemprop="version" content="3.3.1" /> <!-- hidden text for searching --> <div style="display: none;"> string, strings, string.js, stringjs, S, s, csv, html, entities, parse, html, tags, strip, trim, encode, decode, escape, unescape </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="string.js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/string.js/3.3.1/string.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="stroll.js" data-library-keywords="stroll.js, stroll, css3, effects" id="strolljs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/stroll.js"> stroll.js </a> <meta itemprop="url" content="http:&#x2F;&#x2F;lab.hakim.se&#x2F;scroll-effects" /> <meta itemprop="version" content="1.0" /> <!-- hidden text for searching --> <div style="display: none;"> stroll.js, stroll, css3, effects </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="stroll.js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/stroll.js/1.0/js&#x2F;stroll.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="strophe.js" data-library-keywords="xmpp, message, browser" id="strophejs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/strophe.js"> strophe.js </a> <meta itemprop="url" content="http:&#x2F;&#x2F;strophe.im&#x2F;strophejs" /> <meta itemprop="version" content="1.2.3" /> <!-- hidden text for searching --> <div style="display: none;"> xmpp, message, browser </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="strophe.js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/strophe.js/1.2.3/strophe.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="stupidtable" data-library-keywords="stupidtable, table sort" id="stupidtable" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/stupidtable"> stupidtable </a> <meta itemprop="url" content="http:&#x2F;&#x2F;joequery.github.io&#x2F;Stupid-Table-Plugin&#x2F;" /> <meta itemprop="version" content="0.0.1" /> <!-- hidden text for searching --> <div style="display: none;"> stupidtable, table sort </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="stupidtable" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/stupidtable/0.0.1/stupidtable.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="stylus" data-library-keywords="processor, preprocessor, CSS, Stylus" id="stylus" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/stylus"> stylus </a> <meta itemprop="url" content="http:&#x2F;&#x2F;learnboost.github.io&#x2F;stylus&#x2F;" /> <meta itemprop="version" content="0.32.1" /> <!-- hidden text for searching --> <div style="display: none;"> processor, preprocessor, CSS, Stylus </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="stylus" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/stylus/0.32.1/stylus.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="subkit" data-library-keywords="subkit, microservice, backend, angular, angularjs" id="subkit" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/subkit"> subkit </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;subkit&#x2F;subkit.js" /> <meta itemprop="version" content="1.1.24" /> <!-- hidden text for searching --> <div style="display: none;"> subkit, microservice, backend, angular, angularjs </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="subkit" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/subkit/1.1.24/subkit.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="sugar" data-library-keywords="functional, utility, ender" id="sugar" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/sugar"> sugar </a> <meta itemprop="url" content="http:&#x2F;&#x2F;sugarjs.com&#x2F;" /> <meta itemprop="version" content="1.4.1" /> <!-- hidden text for searching --> <div style="display: none;"> functional, utility, ender </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="sugar" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/sugar/1.4.1/sugar.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="summernote" data-library-keywords="bootstrap, summernote, editor, WYSIWYG" id="summernote" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/summernote"> summernote </a> <meta itemprop="url" content="http:&#x2F;&#x2F;summernote.org" /> <meta itemprop="version" content="0.7.3" /> <!-- hidden text for searching --> <div style="display: none;"> bootstrap, summernote, editor, WYSIWYG </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="summernote" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/summernote/0.7.3/summernote.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="superagent" data-library-keywords="http, ajax, request, agent" id="superagent" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/superagent"> superagent </a> <meta itemprop="url" content="http:&#x2F;&#x2F;visionmedia.github.io&#x2F;superagent&#x2F;" /> <meta itemprop="version" content="1.2.0" /> <!-- hidden text for searching --> <div style="display: none;"> http, ajax, request, agent </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="superagent" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/superagent/1.2.0/superagent.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="superfish" data-library-keywords="dropdown, jquery, menu, superfish, super fish" id="superfish" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/superfish"> superfish </a> <meta itemprop="url" content="http:&#x2F;&#x2F;users.tpg.com.au&#x2F;j_birch&#x2F;" /> <meta itemprop="version" content="1.7.7" /> <!-- hidden text for searching --> <div style="display: none;"> dropdown, jquery, menu, superfish, super fish </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="superfish" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/superfish/1.7.7/js&#x2F;superfish.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="SuperScrollorama" data-library-keywords="super, scroll, orama, scrolling, animation" id="SuperScrollorama" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/SuperScrollorama"> SuperScrollorama </a> <meta itemprop="url" content="http:&#x2F;&#x2F;johnpolacek.github.com&#x2F;superscrollorama&#x2F;" /> <meta itemprop="version" content="1.0.3" /> <!-- hidden text for searching --> <div style="display: none;"> super, scroll, orama, scrolling, animation </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="SuperScrollorama" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/SuperScrollorama/1.0.3/jquery.superscrollorama.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="svg-injector" data-library-keywords="SVG, Scalable Vector Graphics, SVG injector, images, img, html, DOM" id="svg-injector" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/svg-injector"> svg-injector </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;iconic&#x2F;SVGInjector" /> <meta itemprop="version" content="1.1.3" /> <!-- hidden text for searching --> <div style="display: none;"> SVG, Scalable Vector Graphics, SVG injector, images, img, html, DOM </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="svg-injector" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/svg-injector/1.1.3/svg-injector.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="SVG-Morpheus" data-library-keywords="svg, morpheus, morph, transition" id="SVG-Morpheus" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/SVG-Morpheus"> SVG-Morpheus </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;alexk111&#x2F;SVG-Morpheus" /> <meta itemprop="version" content="0.1.8" /> <!-- hidden text for searching --> <div style="display: none;"> svg, morpheus, morph, transition </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="SVG-Morpheus" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/SVG-Morpheus/0.1.8/svg-morpheus.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="svg.connectable.js" data-library-keywords="svg, connectable, js" id="svgconnectablejs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/svg.connectable.js"> svg.connectable.js </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;jillix&#x2F;svg.connectable.js" /> <meta itemprop="version" content="2.0.0" /> <!-- hidden text for searching --> <div style="display: none;"> svg, connectable, js </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="svg.connectable.js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/svg.connectable.js/2.0.0/svg.connectable.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="svg.draggy.js" data-library-keywords="dragable, draggy, svg" id="svgdraggyjs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/svg.draggy.js"> svg.draggy.js </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;jillix&#x2F;svg.draggy.js" /> <meta itemprop="version" content="1.1.0" /> <!-- hidden text for searching --> <div style="display: none;"> dragable, draggy, svg </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="svg.draggy.js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/svg.draggy.js/1.1.0/svg.draggy.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="svg.js" data-library-keywords="vector, graphics, lightweight" id="svgjs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/svg.js"> svg.js </a> <meta itemprop="url" content="http:&#x2F;&#x2F;svgjs.com&#x2F;" /> <meta itemprop="version" content="2.2.5" /> <!-- hidden text for searching --> <div style="display: none;"> vector, graphics, lightweight </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="svg.js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/svg.js/2.2.5/svg.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="svg.pan-zoom.js" data-library-keywords="svg, pan, zoom" id="svgpan-zoomjs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/svg.pan-zoom.js"> svg.pan-zoom.js </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;jillix&#x2F;svg.pan-zoom.js" /> <meta itemprop="version" content="2.7.0" /> <!-- hidden text for searching --> <div style="display: none;"> svg, pan, zoom </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="svg.pan-zoom.js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/svg.pan-zoom.js/2.7.0/svg.pan-zoom.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="svg4everybody" data-library-keywords="svgs, sprites, spritemaps, symbols, defs, uses, oldies, ie8s, ie9s, safaris, externals, icons, fallbacks" id="svg4everybody" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/svg4everybody"> svg4everybody </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;jonathantneal&#x2F;svg4everybody" /> <meta itemprop="version" content="2.0.0" /> <!-- hidden text for searching --> <div style="display: none;"> svgs, sprites, spritemaps, symbols, defs, uses, oldies, ie8s, ie9s, safaris, externals, icons, fallbacks </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="svg4everybody" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/svg4everybody/2.0.0/svg4everybody.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="swagger-ui" data-library-keywords="swagger-ui, library, ajax, framework, toolkit, api" id="swagger-ui" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/swagger-ui"> swagger-ui </a> <meta itemprop="url" content="http:&#x2F;&#x2F;swagger.io&#x2F;" /> <meta itemprop="version" content="2.1.8-M1" /> <!-- hidden text for searching --> <div style="display: none;"> swagger-ui, library, ajax, framework, toolkit, api </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="swagger-ui" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/swagger-ui/2.1.8-M1/swagger-ui.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="sweetalert" data-library-keywords="alert, modal" id="sweetalert" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/sweetalert"> sweetalert </a> <meta itemprop="url" content="http:&#x2F;&#x2F;tristanedwards.me&#x2F;sweetalert" /> <meta itemprop="version" content="1.1.3" /> <!-- hidden text for searching --> <div style="display: none;"> alert, modal </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="sweetalert" class="library-column css-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/sweetalert/1.1.3/sweetalert.min.css</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="swfobject" data-library-keywords="swf, flash" id="swfobject" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/swfobject"> swfobject </a> <meta itemprop="url" content="http:&#x2F;&#x2F;code.google.com&#x2F;p&#x2F;swfobject&#x2F;" /> <meta itemprop="version" content="2.2" /> <!-- hidden text for searching --> <div style="display: none;"> swf, flash </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="swfobject" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/swfobject/2.2/swfobject.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="swig" data-library-keywords="template, templating, html, django, jinja, twig, express, block" id="swig" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/swig"> swig </a> <meta itemprop="url" content="" /> <meta itemprop="version" content="1.4.1" /> <!-- hidden text for searching --> <div style="display: none;"> template, templating, html, django, jinja, twig, express, block </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="swig" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/swig/1.4.1/swig.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="swing" data-library-keywords="swipe, cards, swipeable" id="swing" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/swing"> swing </a> <meta itemprop="url" content="" /> <meta itemprop="version" content="3.0.2" /> <!-- hidden text for searching --> <div style="display: none;"> swipe, cards, swipeable </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="swing" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/swing/3.0.2/swing.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="swipe" data-library-keywords="swipe, touch, mobile, slider" id="swipe" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/swipe"> swipe </a> <meta itemprop="url" content="http:&#x2F;&#x2F;swipejs.com&#x2F;" /> <meta itemprop="version" content="2.0.0" /> <!-- hidden text for searching --> <div style="display: none;"> swipe, touch, mobile, slider </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="swipe" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/swipe/2.0.0/swipe.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="Swiper" data-library-keywords="mobile, slider" id="Swiper" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/Swiper"> Swiper </a> <meta itemprop="url" content="http:&#x2F;&#x2F;www.idangero.us&#x2F;sliders&#x2F;swiper" /> <meta itemprop="version" content="3.3.0" /> <!-- hidden text for searching --> <div style="display: none;"> mobile, slider </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="Swiper" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/Swiper/3.3.0/js&#x2F;swiper.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="sylvester" data-library-keywords="vector, matrix, geometry, math" id="sylvester" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/sylvester"> sylvester </a> <meta itemprop="url" content="http:&#x2F;&#x2F;sylvester.jcoglan.com&#x2F;" /> <meta itemprop="version" content="0.1.3" /> <!-- hidden text for searching --> <div style="display: none;"> vector, matrix, geometry, math </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="sylvester" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/sylvester/0.1.3/sylvester.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="SyntaxHighlighter" data-library-keywords="highlight, highlighter" id="SyntaxHighlighter" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/SyntaxHighlighter"> SyntaxHighlighter </a> <meta itemprop="url" content="http:&#x2F;&#x2F;alexgorbatchev.com&#x2F;SyntaxHighlighter" /> <meta itemprop="version" content="3.0.83" /> <!-- hidden text for searching --> <div style="display: none;"> highlight, highlighter </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="SyntaxHighlighter" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/SyntaxHighlighter/3.0.83/scripts&#x2F;shCore.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="systemjs" data-library-keywords="" id="systemjs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/systemjs"> systemjs </a> <meta itemprop="url" content="" /> <meta itemprop="version" content="0.19.17" /> <!-- hidden text for searching --> <div style="display: none;"> </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="systemjs" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/systemjs/0.19.17/system.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="t3js" data-library-keywords="javascript, framework, browser, client-side, modular, component" id="t3js" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/t3js"> t3js </a> <meta itemprop="url" content="http:&#x2F;&#x2F;t3js.org" /> <meta itemprop="version" content="2.0.2" /> <!-- hidden text for searching --> <div style="display: none;"> javascript, framework, browser, client-side, modular, component </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="t3js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/t3js/2.0.2/t3.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="tabcomplete" data-library-keywords="tab, complete, hint, hinting, input, textarea" id="tabcomplete" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/tabcomplete"> tabcomplete </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;erming&#x2F;tabcomplete" /> <meta itemprop="version" content="1.4.0" /> <!-- hidden text for searching --> <div style="display: none;"> tab, complete, hint, hinting, input, textarea </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="tabcomplete" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/tabcomplete/1.4.0/tabcomplete.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="tablefilter" data-library-keywords="table, filter" id="tablefilter" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/tablefilter"> tablefilter </a> <meta itemprop="url" content="http:&#x2F;&#x2F;tablefilter.free.fr" /> <meta itemprop="version" content="2.5.0" /> <!-- hidden text for searching --> <div style="display: none;"> table, filter </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="tablefilter" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/tablefilter/2.5.0/tablefilter_min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="tablesort" data-library-keywords="table, sorting" id="tablesort" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/tablesort"> tablesort </a> <meta itemprop="url" content="http:&#x2F;&#x2F;tristen.ca&#x2F;tablesort&#x2F;demo&#x2F;" /> <meta itemprop="version" content="4.0.0" /> <!-- hidden text for searching --> <div style="display: none;"> table, sorting </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="tablesort" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/tablesort/4.0.0/tablesort.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="tabletop.js" data-library-keywords="database, storage" id="tabletopjs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/tabletop.js"> tabletop.js </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;jsoma&#x2F;tabletop" /> <meta itemprop="version" content="1.4.2" /> <!-- hidden text for searching --> <div style="display: none;"> database, storage </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="tabletop.js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/tabletop.js/1.4.2/tabletop.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="tachyons" data-library-keywords="css, sass, oocss, performance, tachyons, tachyons.css" id="tachyons" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/tachyons"> tachyons </a> <meta itemprop="url" content="" /> <meta itemprop="version" content="3.0.2" /> <!-- hidden text for searching --> <div style="display: none;"> css, sass, oocss, performance, tachyons, tachyons.css </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="tachyons" class="library-column css-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/tachyons/3.0.2/tachyons.min.css</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="taffydb" data-library-keywords="taffydb, database" id="taffydb" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/taffydb"> taffydb </a> <meta itemprop="url" content="http:&#x2F;&#x2F;taffydb.com&#x2F;" /> <meta itemprop="version" content="2.7.2" /> <!-- hidden text for searching --> <div style="display: none;"> taffydb, database </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="taffydb" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/taffydb/2.7.2/taffy-min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="tagmanager" data-library-keywords="tags, manager, input, form" id="tagmanager" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/tagmanager"> tagmanager </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;max-favilli&#x2F;tagmanager" /> <meta itemprop="version" content="3.0.2" /> <!-- hidden text for searching --> <div style="display: none;"> tags, manager, input, form </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="tagmanager" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/tagmanager/3.0.2/tagmanager.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="taskforce" data-library-keywords="" id="taskforce" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/taskforce"> taskforce </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;tfrce&#x2F;project-megaphone" /> <meta itemprop="version" content="1.0" /> <!-- hidden text for searching --> <div style="display: none;"> </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="taskforce" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/taskforce/1.0/widget.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="tauCharts" data-library-keywords="d3, charts" id="tauCharts" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/tauCharts"> tauCharts </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;TargetProcess&#x2F;tauCharts" /> <meta itemprop="version" content="0.7.5" /> <!-- hidden text for searching --> <div style="display: none;"> d3, charts </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="tauCharts" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/tauCharts/0.7.5/tauCharts.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="templatebinding" data-library-keywords="" id="templatebinding" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/templatebinding"> templatebinding </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;Polymer&#x2F;TemplateBinding" /> <meta itemprop="version" content="0.3.4" /> <!-- hidden text for searching --> <div style="display: none;"> </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="templatebinding" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/templatebinding/0.3.4/TemplateBinding.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="tether-drop" data-library-keywords="" id="tether-drop" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/tether-drop"> tether-drop </a> <meta itemprop="url" content="" /> <meta itemprop="version" content="1.4.2" /> <!-- hidden text for searching --> <div style="display: none;"> </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="tether-drop" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/tether-drop/1.4.2/js&#x2F;drop.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="tether-select" data-library-keywords="" id="tether-select" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/tether-select"> tether-select </a> <meta itemprop="url" content="" /> <meta itemprop="version" content="1.1.1" /> <!-- hidden text for searching --> <div style="display: none;"> </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="tether-select" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/tether-select/1.1.1/js&#x2F;select.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="tether-tooltip" data-library-keywords="tooltip, overlay, tether" id="tether-tooltip" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/tether-tooltip"> tether-tooltip </a> <meta itemprop="url" content="" /> <meta itemprop="version" content="1.2.0" /> <!-- hidden text for searching --> <div style="display: none;"> tooltip, overlay, tether </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="tether-tooltip" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/tether-tooltip/1.2.0/js&#x2F;tooltip.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="tether" data-library-keywords="javascript" id="tether" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/tether"> tether </a> <meta itemprop="url" content="" /> <meta itemprop="version" content="1.1.1" /> <!-- hidden text for searching --> <div style="display: none;"> javascript </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="tether" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/tether/1.1.1/js&#x2F;tether.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="textAngular" data-library-keywords="AngularJS, text editor, WYSIWYG, directive" id="textAngular" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/textAngular"> textAngular </a> <meta itemprop="url" content="http:&#x2F;&#x2F;textAngular.com" /> <meta itemprop="version" content="1.5.0" /> <!-- hidden text for searching --> <div style="display: none;"> AngularJS, text editor, WYSIWYG, directive </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="textAngular" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/textAngular/1.5.0/textAngular.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="textfit" data-library-keywords="textfit, fit, text" id="textfit" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/textfit"> textfit </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;STRML&#x2F;textFit" /> <meta itemprop="version" content="2.2.2" /> <!-- hidden text for searching --> <div style="display: none;"> textfit, fit, text </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="textfit" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/textfit/2.2.2/textFit.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="then-request" data-library-keywords="request" id="then-request" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/then-request"> then-request </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;then&#x2F;then-request" /> <meta itemprop="version" content="2.1.1" /> <!-- hidden text for searching --> <div style="display: none;"> request </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="then-request" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/then-request/2.1.1/request.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="thorax" data-library-keywords="backbone, handlebars" id="thorax" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/thorax"> thorax </a> <meta itemprop="url" content="http:&#x2F;&#x2F;thoraxjs.org&#x2F;" /> <meta itemprop="version" content="2.2.1" /> <!-- hidden text for searching --> <div style="display: none;"> backbone, handlebars </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="thorax" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/thorax/2.2.1/thorax.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="three.js" data-library-keywords="3d, WebGL" id="threejs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/three.js"> three.js </a> <meta itemprop="url" content="http:&#x2F;&#x2F;threejs.org&#x2F;" /> <meta itemprop="version" content="r73" /> <!-- hidden text for searching --> <div style="display: none;"> 3d, WebGL </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="three.js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/three.js/r73/three.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="timecircles" data-library-keywords="timer, stopwatch, count, countdown, time, date, datetime, clock, comingsoon, ui, construction" id="timecircles" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/timecircles"> timecircles </a> <meta itemprop="url" content="http:&#x2F;&#x2F;git.wimbarelds.nl&#x2F;TimeCircles&#x2F;" /> <meta itemprop="version" content="1.5.3" /> <!-- hidden text for searching --> <div style="display: none;"> timer, stopwatch, count, countdown, time, date, datetime, clock, comingsoon, ui, construction </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="timecircles" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/timecircles/1.5.3/TimeCircles.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="timeline.css" data-library-keywords="timeline, dynamic, responsive" id="timelinecss" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/timeline.css"> timeline.css </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;christian-fei&#x2F;Timeline.css#readme" /> <meta itemprop="version" content="1.0.0" /> <!-- hidden text for searching --> <div style="display: none;"> timeline, dynamic, responsive </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="timeline.css" class="library-column css-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/timeline.css/1.0.0/timeline.min.css</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="timelinejs" data-library-keywords="timeline" id="timelinejs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/timelinejs"> timelinejs </a> <meta itemprop="url" content="http:&#x2F;&#x2F;timeline.knightlab.com&#x2F;" /> <meta itemprop="version" content="2.36.0" /> <!-- hidden text for searching --> <div style="display: none;"> timeline </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="timelinejs" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/timelinejs/2.36.0/js&#x2F;timeline-min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="timezone-js" data-library-keywords="" id="timezone-js" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/timezone-js"> timezone-js </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;mde&#x2F;timezone-js" /> <meta itemprop="version" content="0.4.13" /> <!-- hidden text for searching --> <div style="display: none;"> </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="timezone-js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/timezone-js/0.4.13/date.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="tinycolor" data-library-keywords="color" id="tinycolor" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/tinycolor"> tinycolor </a> <meta itemprop="url" content="http:&#x2F;&#x2F;bgrins.github.io&#x2F;TinyColor&#x2F;" /> <meta itemprop="version" content="1.3.0" /> <!-- hidden text for searching --> <div style="display: none;"> color </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="tinycolor" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/tinycolor/1.3.0/tinycolor.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="tinycon" data-library-keywords="favicon, Tinycon" id="tinycon" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/tinycon"> tinycon </a> <meta itemprop="url" content="http:&#x2F;&#x2F;tommoor.github.com&#x2F;tinycon&#x2F;" /> <meta itemprop="version" content="0.6.3" /> <!-- hidden text for searching --> <div style="display: none;"> favicon, Tinycon </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="tinycon" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/tinycon/0.6.3/tinycon.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="tinymce" data-library-keywords="tinymce, editor, wysiwyg" id="tinymce" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/tinymce"> tinymce </a> <meta itemprop="url" content="http:&#x2F;&#x2F;www.tinymce.com" /> <meta itemprop="version" content="4.3.4" /> <!-- hidden text for searching --> <div style="display: none;"> tinymce, editor, wysiwyg </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="tinymce" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/tinymce/4.3.4/tinymce.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="TinyNav.js" data-library-keywords="" id="TinyNavjs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/TinyNav.js"> TinyNav.js </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;viljamis&#x2F;TinyNav.js" /> <meta itemprop="version" content="1.2.0" /> <!-- hidden text for searching --> <div style="display: none;"> </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="TinyNav.js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/TinyNav.js/1.2.0/tinynav.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="tinyscrollbar" data-library-keywords="scrollbar, jquery" id="tinyscrollbar" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/tinyscrollbar"> tinyscrollbar </a> <meta itemprop="url" content="http:&#x2F;&#x2F;baijs.nl&#x2F;tinyscrollbar&#x2F;" /> <meta itemprop="version" content="1.81" /> <!-- hidden text for searching --> <div style="display: none;"> scrollbar, jquery </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="tinyscrollbar" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/tinyscrollbar/1.81/jquery.tinyscrollbar.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="tinysort" data-library-keywords="sort, list, table, dom, html" id="tinysort" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/tinysort"> tinysort </a> <meta itemprop="url" content="" /> <meta itemprop="version" content="2.2.4" /> <!-- hidden text for searching --> <div style="display: none;"> sort, list, table, dom, html </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="tinysort" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/tinysort/2.2.4/tinysort.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="tmlib.js" data-library-keywords="javascript, game" id="tmlibjs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/tmlib.js"> tmlib.js </a> <meta itemprop="url" content="" /> <meta itemprop="version" content="0.5.2" /> <!-- hidden text for searching --> <div style="display: none;"> javascript, game </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="tmlib.js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/tmlib.js/0.5.2/tmlib.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="to-markdown" data-library-keywords="markdown" id="to-markdown" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/to-markdown"> to-markdown </a> <meta itemprop="url" content="" /> <meta itemprop="version" content="1.3.0" /> <!-- hidden text for searching --> <div style="display: none;"> markdown </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="to-markdown" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/to-markdown/1.3.0/to-markdown.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="toast-css" data-library-keywords="toast, css" id="toast-css" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/toast-css"> toast-css </a> <meta itemprop="url" content="http:&#x2F;&#x2F;daneden.github.io&#x2F;Toast" /> <meta itemprop="version" content="1.0.0" /> <!-- hidden text for searching --> <div style="display: none;"> toast, css </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="toast-css" class="library-column css-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/toast-css/1.0.0/grid.min.css</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="toastr.js" data-library-keywords="Toastr, ToastrJS, toastr.js" id="toastrjs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/toastr.js"> toastr.js </a> <meta itemprop="url" content="http:&#x2F;&#x2F;www.toastrjs.com" /> <meta itemprop="version" content="2.1.2" /> <!-- hidden text for searching --> <div style="display: none;"> Toastr, ToastrJS, toastr.js </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="toastr.js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/toastr.js/2.1.2/toastr.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="Tocca.js" data-library-keywords="Tocca, events, lightweight" id="Toccajs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/Tocca.js"> Tocca.js </a> <meta itemprop="url" content="https:&#x2F;&#x2F;gianlucaguarini.github.io&#x2F;Tocca.js&#x2F;" /> <meta itemprop="version" content="0.1.7" /> <!-- hidden text for searching --> <div style="display: none;"> Tocca, events, lightweight </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="Tocca.js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/Tocca.js/0.1.7/Tocca.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="tooltipster" data-library-keywords="tooltip, jquery" id="tooltipster" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/tooltipster"> tooltipster </a> <meta itemprop="url" content="http:&#x2F;&#x2F;iamceege.github.io&#x2F;tooltipster&#x2F;" /> <meta itemprop="version" content="3.3.0" /> <!-- hidden text for searching --> <div style="display: none;"> tooltip, jquery </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="tooltipster" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/tooltipster/3.3.0/js&#x2F;jquery.tooltipster.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="topcoat-icons" data-library-keywords="css, web, icons, svg, font" id="topcoat-icons" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/topcoat-icons"> topcoat-icons </a> <meta itemprop="url" content="http:&#x2F;&#x2F;topcoat.io&#x2F;" /> <meta itemprop="version" content="0.1.0" /> <!-- hidden text for searching --> <div style="display: none;"> css, web, icons, svg, font </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="topcoat-icons" class="library-column css-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/topcoat-icons/0.1.0/font&#x2F;icomatic.css</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="topcoat" data-library-keywords="library, BEM, performance, clean, fast, css, web, mobile, desktop" id="topcoat" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/topcoat"> topcoat </a> <meta itemprop="url" content="http:&#x2F;&#x2F;topcoat.io&#x2F;" /> <meta itemprop="version" content="0.8.0" /> <!-- hidden text for searching --> <div style="display: none;"> library, BEM, performance, clean, fast, css, web, mobile, desktop </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="topcoat" class="library-column css-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/topcoat/0.8.0/css&#x2F;topcoat-mobile-dark.min.css</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="topojson" data-library-keywords="geojson, shapefile" id="topojson" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/topojson"> topojson </a> <meta itemprop="url" content="" /> <meta itemprop="version" content="1.6.20" /> <!-- hidden text for searching --> <div style="display: none;"> geojson, shapefile </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="topojson" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/topojson/1.6.20/topojson.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="touchjs" data-library-keywords="baidu, clouda, touch, touch.js, gesture" id="touchjs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/touchjs"> touchjs </a> <meta itemprop="url" content="http:&#x2F;&#x2F;touch.code.baidu.com" /> <meta itemprop="version" content="0.2.14" /> <!-- hidden text for searching --> <div style="display: none;"> baidu, clouda, touch, touch.js, gesture </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="touchjs" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/touchjs/0.2.14/touch.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="toxiclibsjs" data-library-keywords="toxiclibsjs, processing" id="toxiclibsjs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/toxiclibsjs"> toxiclibsjs </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;hapticdata&#x2F;toxiclibsjs" /> <meta itemprop="version" content="0.1.3" /> <!-- hidden text for searching --> <div style="display: none;"> toxiclibsjs, processing </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="toxiclibsjs" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/toxiclibsjs/0.1.3/toxiclibs.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="tracking.js" data-library-keywords="tracking, trackingjs, webrtc" id="trackingjs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/tracking.js"> tracking.js </a> <meta itemprop="url" content="http:&#x2F;&#x2F;trackingjs.com" /> <meta itemprop="version" content="1.1.2" /> <!-- hidden text for searching --> <div style="display: none;"> tracking, trackingjs, webrtc </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="tracking.js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/tracking.js/1.1.2/tracking-min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="transparency" data-library-keywords="template, templating, engine, unobtrusive, semantic" id="transparency" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/transparency"> transparency </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;leonidas&#x2F;transparency" /> <meta itemprop="version" content="0.9.9" /> <!-- hidden text for searching --> <div style="display: none;"> template, templating, engine, unobtrusive, semantic </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="transparency" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/transparency/0.9.9/transparency.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="treesaver" data-library-keywords="responsive, layout" id="treesaver" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/treesaver"> treesaver </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;Treesaver&#x2F;treesaver" /> <meta itemprop="version" content="0.10.0" /> <!-- hidden text for searching --> <div style="display: none;"> responsive, layout </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="treesaver" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/treesaver/0.10.0/treesaver-0.10.0.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="trianglify" data-library-keywords="svg, d3.js, visualization" id="trianglify" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/trianglify"> trianglify </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;qrohlf&#x2F;trianglify" /> <meta itemprop="version" content="0.4.0" /> <!-- hidden text for searching --> <div style="display: none;"> svg, d3.js, visualization </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="trianglify" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/trianglify/0.4.0/trianglify.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="trix" data-library-keywords="rich text, wysiwyg, editor" id="trix" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/trix"> trix </a> <meta itemprop="url" content="http:&#x2F;&#x2F;trix-editor.org&#x2F;" /> <meta itemprop="version" content="0.9.5" /> <!-- hidden text for searching --> <div style="display: none;"> rich text, wysiwyg, editor </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="trix" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/trix/0.9.5/trix.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="trunk8" data-library-keywords="trunk8, text, truncate" id="trunk8" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/trunk8"> trunk8 </a> <meta itemprop="url" content="http:&#x2F;&#x2F;jrvis.com&#x2F;trunk8&#x2F;" /> <meta itemprop="version" content="1.3.3" /> <!-- hidden text for searching --> <div style="display: none;"> trunk8, text, truncate </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="trunk8" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/trunk8/1.3.3/trunk8.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="turbolinks" data-library-keywords="rails, popular" id="turbolinks" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/turbolinks"> turbolinks </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;rails&#x2F;turbolinks&#x2F;" /> <meta itemprop="version" content="1.3.0" /> <!-- hidden text for searching --> <div style="display: none;"> rails, popular </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="turbolinks" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/turbolinks/1.3.0/turbolinks.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="Turf.js" data-library-keywords="gis, geo, geojs, geospatial, geography, geometry, map, contour, centroid, tin, extent, geojson, grid, polygon, line, point, area, analysis, statistics, stats, midpoint, plane, quantile, jenks, sample" id="Turfjs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/Turf.js"> Turf.js </a> <meta itemprop="url" content="" /> <meta itemprop="version" content="2.0.2" /> <!-- hidden text for searching --> <div style="display: none;"> gis, geo, geojs, geospatial, geography, geometry, map, contour, centroid, tin, extent, geojson, grid, polygon, line, point, area, analysis, statistics, stats, midpoint, plane, quantile, jenks, sample </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="Turf.js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/Turf.js/2.0.2/turf.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="twbs-pagination" data-library-keywords="pagination, jQuery, jQuery-plugin, bootstrap" id="twbs-pagination" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/twbs-pagination"> twbs-pagination </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;esimakin&#x2F;twbs-pagination" /> <meta itemprop="version" content="1.3.1" /> <!-- hidden text for searching --> <div style="display: none;"> pagination, jQuery, jQuery-plugin, bootstrap </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="twbs-pagination" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/twbs-pagination/1.3.1/jquery.twbsPagination.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="tweenjs" data-library-keywords="canvas, html5, animation" id="tweenjs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/tweenjs"> tweenjs </a> <meta itemprop="url" content="http:&#x2F;&#x2F;www.createjs.com&#x2F;#!&#x2F;TweenJS" /> <meta itemprop="version" content="0.6.1" /> <!-- hidden text for searching --> <div style="display: none;"> canvas, html5, animation </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="tweenjs" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/tweenjs/0.6.1/tweenjs.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="tweet" data-library-keywords="tweet, twitter, widget, jquery" id="tweet" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/tweet"> tweet </a> <meta itemprop="url" content="http:&#x2F;&#x2F;tweet.seaofclouds.com" /> <meta itemprop="version" content="2.2.0" /> <!-- hidden text for searching --> <div style="display: none;"> tweet, twitter, widget, jquery </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="tweet" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/tweet/2.2.0/jquery.tweet.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="tweetnacl" data-library-keywords="crypto, cryptography, curve25519, ed25519, encrypt, hash, key, nacl, poly1305, public, salsa20, signatures" id="tweetnacl" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/tweetnacl"> tweetnacl </a> <meta itemprop="url" content="https:&#x2F;&#x2F;dchest.github.io&#x2F;tweetnacl-js" /> <meta itemprop="version" content="0.13.3" /> <!-- hidden text for searching --> <div style="display: none;"> crypto, cryptography, curve25519, ed25519, encrypt, hash, key, nacl, poly1305, public, salsa20, signatures </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="tweetnacl" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/tweetnacl/0.13.3/nacl-fast.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="twemoji" data-library-keywords="emoji, DOM, parser, images, retina, Twitter, unicode" id="twemoji" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/twemoji"> twemoji </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;twitter&#x2F;twemoji" /> <meta itemprop="version" content="1.4.2" /> <!-- hidden text for searching --> <div style="display: none;"> emoji, DOM, parser, images, retina, Twitter, unicode </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="twemoji" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/twemoji/1.4.2/twemoji.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="twig.js" data-library-keywords="template, engine, twig" id="twigjs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/twig.js"> twig.js </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;justjohn&#x2F;twig.js" /> <meta itemprop="version" content="0.8.7" /> <!-- hidden text for searching --> <div style="display: none;"> template, engine, twig </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="twig.js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/twig.js/0.8.7/twig.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="twilio.js" data-library-keywords="twilio, audio, phone, click-to-talk" id="twiliojs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/twilio.js"> twilio.js </a> <meta itemprop="url" content="https:&#x2F;&#x2F;www.twilio.com&#x2F;docs&#x2F;client&#x2F;twilio-js" /> <meta itemprop="version" content="1.2.0" /> <!-- hidden text for searching --> <div style="display: none;"> twilio, audio, phone, click-to-talk </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="twilio.js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/twilio.js/1.2.0/twilio.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="twitter-bootstrap-wizard" data-library-keywords="twitter, bootstrap, wizard" id="twitter-bootstrap-wizard" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/twitter-bootstrap-wizard"> twitter-bootstrap-wizard </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;VinceG&#x2F;twitter-bootstrap-wizard" /> <meta itemprop="version" content="1.2" /> <!-- hidden text for searching --> <div style="display: none;"> twitter, bootstrap, wizard </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="twitter-bootstrap-wizard" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/twitter-bootstrap-wizard/1.2/jquery.bootstrap.wizard.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="twitter-bootstrap" data-library-keywords="css, less, mobile-first, responsive, front-end, framework, web, twitter, bootstrap" id="twitter-bootstrap" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/twitter-bootstrap"> twitter-bootstrap </a> <meta itemprop="url" content="http:&#x2F;&#x2F;getbootstrap.com&#x2F;" /> <meta itemprop="version" content="4.0.0-alpha" /> <!-- hidden text for searching --> <div style="display: none;"> css, less, mobile-first, responsive, front-end, framework, web, twitter, bootstrap </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="twitter-bootstrap" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/twitter-bootstrap/4.0.0-alpha/js&#x2F;bootstrap.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="twitterlib.js" data-library-keywords="twitter" id="twitterlibjs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/twitterlib.js"> twitterlib.js </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;remy&#x2F;twitterlib&#x2F;" /> <meta itemprop="version" content="1.0.8" /> <!-- hidden text for searching --> <div style="display: none;"> twitter </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="twitterlib.js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/twitterlib.js/1.0.8/twitterlib.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="twix.js" data-library-keywords="twix, date, date range" id="twixjs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/twix.js"> twix.js </a> <meta itemprop="url" content="http:&#x2F;&#x2F;icambron.github.io&#x2F;twix.js&#x2F;" /> <meta itemprop="version" content="0.6.5" /> <!-- hidden text for searching --> <div style="display: none;"> twix, date, date range </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="twix.js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/twix.js/0.6.5/twix.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="two.js" data-library-keywords="dom, w3c, visualization, svg, animation, canvas2d, webgl, rendering, motiongraphics" id="twojs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/two.js"> two.js </a> <meta itemprop="url" content="http:&#x2F;&#x2F;jonobr1.github.com&#x2F;two.js" /> <meta itemprop="version" content="0.5.0" /> <!-- hidden text for searching --> <div style="display: none;"> dom, w3c, visualization, svg, animation, canvas2d, webgl, rendering, motiongraphics </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="two.js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/two.js/0.5.0/two.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="typeahead-addresspicker" data-library-keywords="jquery, plugin, typeahead, addresspicker, google, map" id="typeahead-addresspicker" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/typeahead-addresspicker"> typeahead-addresspicker </a> <meta itemprop="url" content="http:&#x2F;&#x2F;sgruhier.github.io&#x2F;typeahead-addresspicker&#x2F;" /> <meta itemprop="version" content="0.1.4" /> <!-- hidden text for searching --> <div style="display: none;"> jquery, plugin, typeahead, addresspicker, google, map </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="typeahead-addresspicker" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/typeahead-addresspicker/0.1.4/typeahead-addresspicker.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="typeahead.js" data-library-keywords="twitter, typeahead, autocomplete" id="typeaheadjs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/typeahead.js"> typeahead.js </a> <meta itemprop="url" content="http:&#x2F;&#x2F;twitter.github.com&#x2F;typeahead.js&#x2F;" /> <meta itemprop="version" content="0.11.1" /> <!-- hidden text for searching --> <div style="display: none;"> twitter, typeahead, autocomplete </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="typeahead.js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/typeahead.js/0.11.1/typeahead.bundle.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="typed.js" data-library-keywords="typed, animation" id="typedjs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/typed.js"> typed.js </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;mattboldt&#x2F;typed.js" /> <meta itemprop="version" content="1.1.1" /> <!-- hidden text for searching --> <div style="display: none;"> typed, animation </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="typed.js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/typed.js/1.1.1/typed.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="typeplate-starter-kit" data-library-keywords="typeplate, starter, kit, typographic, pattern" id="typeplate-starter-kit" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/typeplate-starter-kit"> typeplate-starter-kit </a> <meta itemprop="url" content="http:&#x2F;&#x2F;typeplate.com" /> <meta itemprop="version" content="2.1.0" /> <!-- hidden text for searching --> <div style="display: none;"> typeplate, starter, kit, typographic, pattern </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="typeplate-starter-kit" class="library-column css-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/typeplate-starter-kit/2.1.0/css&#x2F;typeplate.min.css</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="typescript" data-library-keywords="compiler, language" id="typescript" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/typescript"> typescript </a> <meta itemprop="url" content="http:&#x2F;&#x2F;www.typescriptlang.org" /> <meta itemprop="version" content="1.7.5" /> <!-- hidden text for searching --> <div style="display: none;"> compiler, language </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="typescript" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/typescript/1.7.5/typescript.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="typicons" data-library-keywords="icons, font, web font, icon font" id="typicons" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/typicons"> typicons </a> <meta itemprop="url" content="http:&#x2F;&#x2F;typicons.com" /> <meta itemprop="version" content="2.0.7" /> <!-- hidden text for searching --> <div style="display: none;"> icons, font, web font, icon font </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="typicons" class="library-column css-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/typicons/2.0.7/typicons.min.css</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="UAParser.js" data-library-keywords="user-agent, parser, browser, engine, os, device, cpu" id="UAParserjs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/UAParser.js"> UAParser.js </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;faisalman&#x2F;ua-parser-js" /> <meta itemprop="version" content="0.7.10" /> <!-- hidden text for searching --> <div style="display: none;"> user-agent, parser, browser, engine, os, device, cpu </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="UAParser.js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/UAParser.js/0.7.10/ua-parser.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="ui-router-extras" data-library-keywords="angular, angularjs, ui-router, ui-router-extras, tab, tabs, state, states, parallel, sticky, lazy, future" id="ui-router-extras" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/ui-router-extras"> ui-router-extras </a> <meta itemprop="url" content="http:&#x2F;&#x2F;christopherthielen.github.io&#x2F;ui-router-extras&#x2F;" /> <meta itemprop="version" content="0.1.0" /> <!-- hidden text for searching --> <div style="display: none;"> angular, angularjs, ui-router, ui-router-extras, tab, tabs, state, states, parallel, sticky, lazy, future </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="ui-router-extras" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/ui-router-extras/0.1.0/ct-ui-router-extras.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="ui-selectableScroll" data-library-keywords="jquery, jqueryui, selectable, scroll, plugin" id="ui-selectableScroll" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/ui-selectableScroll"> ui-selectableScroll </a> <meta itemprop="url" content="http:&#x2F;&#x2F;karolyi.github.com&#x2F;ui-selectableScroll&#x2F;" /> <meta itemprop="version" content="0.1.4" /> <!-- hidden text for searching --> <div style="display: none;"> jquery, jqueryui, selectable, scroll, plugin </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="ui-selectableScroll" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/ui-selectableScroll/0.1.4/selectableScroll.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="uikit" data-library-keywords="uikit, css, framework" id="uikit" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/uikit"> uikit </a> <meta itemprop="url" content="http:&#x2F;&#x2F;www.getuikit.com" /> <meta itemprop="version" content="2.24.3" /> <!-- hidden text for searching --> <div style="display: none;"> uikit, css, framework </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="uikit" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/uikit/2.24.3/js&#x2F;uikit.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="underscore-contrib" data-library-keywords="underscore, utility, functional" id="underscore-contrib" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/underscore-contrib"> underscore-contrib </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;documentcloud&#x2F;underscore-contrib" /> <meta itemprop="version" content="0.3.0" /> <!-- hidden text for searching --> <div style="display: none;"> underscore, utility, functional </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="underscore-contrib" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/underscore-contrib/0.3.0/underscore-contrib.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="underscore.js" data-library-keywords="utility, popular" id="underscorejs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/underscore.js"> underscore.js </a> <meta itemprop="url" content="http:&#x2F;&#x2F;jashkenas.github.io&#x2F;underscore&#x2F;" /> <meta itemprop="version" content="1.8.3" /> <!-- hidden text for searching --> <div style="display: none;"> utility, popular </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="underscore.js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/underscore.js/1.8.3/underscore-min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="underscore.string" data-library-keywords="utility, string, underscore" id="underscorestring" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/underscore.string"> underscore.string </a> <meta itemprop="url" content="http:&#x2F;&#x2F;epeli.github.com&#x2F;underscore.string&#x2F;" /> <meta itemprop="version" content="3.2.3" /> <!-- hidden text for searching --> <div style="display: none;"> utility, string, underscore </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="underscore.string" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/underscore.string/3.2.3/underscore.string.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="Uniform.js" data-library-keywords="uniform" id="Uniformjs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/Uniform.js"> Uniform.js </a> <meta itemprop="url" content="http:&#x2F;&#x2F;uniformjs.com" /> <meta itemprop="version" content="2.1.2" /> <!-- hidden text for searching --> <div style="display: none;"> uniform </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="Uniform.js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/Uniform.js/2.1.2/jquery.uniform.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="universal-mixin" data-library-keywords="mixins, traits, ES3, ES5, ES6, ES2015, ES.future, ES.next" id="universal-mixin" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/universal-mixin"> universal-mixin </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;WebReflection&#x2F;universal-mixin" /> <meta itemprop="version" content="1.0.0" /> <!-- hidden text for searching --> <div style="display: none;"> mixins, traits, ES3, ES5, ES6, ES2015, ES.future, ES.next </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="universal-mixin" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/universal-mixin/1.0.0/universal-mixin.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="unsemantic" data-library-keywords="unsemantic, unsemantic grid, responsive grid, grid system" id="unsemantic" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/unsemantic"> unsemantic </a> <meta itemprop="url" content="http:&#x2F;&#x2F;unsemantic.com" /> <meta itemprop="version" content="1.0.3" /> <!-- hidden text for searching --> <div style="display: none;"> unsemantic, unsemantic grid, responsive grid, grid system </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="unsemantic" class="library-column css-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/unsemantic/1.0.3/unsemantic-grid-responsive.min.css</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="unslider" data-library-keywords="slider, jquery, unslider, carousel" id="unslider" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/unslider"> unslider </a> <meta itemprop="url" content="http:&#x2F;&#x2F;unslider.com" /> <meta itemprop="version" content="2.0.3" /> <!-- hidden text for searching --> <div style="display: none;"> slider, jquery, unslider, carousel </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="unslider" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/unslider/2.0.3/js&#x2F;unslider-min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="unveil" data-library-keywords="lazyload, jquery, retina" id="unveil" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/unveil"> unveil </a> <meta itemprop="url" content="http:&#x2F;&#x2F;luis-almeida.github.io&#x2F;unveil&#x2F;" /> <meta itemprop="version" content="1.3.0" /> <!-- hidden text for searching --> <div style="display: none;"> lazyload, jquery, retina </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="unveil" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/unveil/1.3.0/jquery.unveil.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="upb" data-library-keywords="upb, library, universal, powerline, bus, command, lib, lighting, switches, control" id="upb" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/upb"> upb </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;DaAwesomeP&#x2F;node-upb&#x2F;" /> <meta itemprop="version" content="1.2.3" /> <!-- hidden text for searching --> <div style="display: none;"> upb, library, universal, powerline, bus, command, lib, lighting, switches, control </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="upb" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/upb/1.2.3/upb.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="UpUp" data-library-keywords="offline, offlinefirst, cache, serviceworker" id="UpUp" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/UpUp"> UpUp </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;TalAter&#x2F;UpUp" /> <meta itemprop="version" content="0.2.0" /> <!-- hidden text for searching --> <div style="display: none;"> offline, offlinefirst, cache, serviceworker </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="UpUp" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/UpUp/0.2.0/upup.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="URI.js" data-library-keywords="uri, urijs, uri.js, url, uri mutation, url mutation, uri manipulation, url manipulation, uri template, url template, unified resource locator, unified resource identifier, query string, RFC 3986, RFC3986, RFC 6570, RFC6570" id="URIjs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/URI.js"> URI.js </a> <meta itemprop="url" content="http:&#x2F;&#x2F;medialize.github.com&#x2F;URI.js&#x2F;" /> <meta itemprop="version" content="1.17.0" /> <!-- hidden text for searching --> <div style="display: none;"> uri, urijs, uri.js, url, uri mutation, url mutation, uri manipulation, url manipulation, uri template, url template, unified resource locator, unified resource identifier, query string, RFC 3986, RFC3986, RFC 6570, RFC6570 </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="URI.js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/URI.js/1.17.0/URI.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="urljs" data-library-keywords="url, manipulate, browser" id="urljs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/urljs"> urljs </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;jillix&#x2F;url.js" /> <meta itemprop="version" content="2.0.0" /> <!-- hidden text for searching --> <div style="display: none;"> url, manipulate, browser </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="urljs" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/urljs/2.0.0/url.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="use.js" data-library-keywords="requirejs, amd" id="usejs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/use.js"> use.js </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;tbranyen&#x2F;use-amd" /> <meta itemprop="version" content="0.4.0" /> <!-- hidden text for searching --> <div style="display: none;"> requirejs, amd </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="use.js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/use.js/0.4.0/use.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="userinfo" data-library-keywords="ip, geolocation, location" id="userinfo" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/userinfo"> userinfo </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;vdurmont&#x2F;userinfo-js" /> <meta itemprop="version" content="1.1.1" /> <!-- hidden text for searching --> <div style="display: none;"> ip, geolocation, location </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="userinfo" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/userinfo/1.1.1/userinfo.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="usertiming" data-library-keywords="usertiming, polyfill, timing, performancetimeline, performance" id="usertiming" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/usertiming"> usertiming </a> <meta itemprop="url" content="" /> <meta itemprop="version" content="0.1.7" /> <!-- hidden text for searching --> <div style="display: none;"> usertiming, polyfill, timing, performancetimeline, performance </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="usertiming" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/usertiming/0.1.7/usertiming.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="uvCharts" data-library-keywords="Charts, d3" id="uvCharts" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/uvCharts"> uvCharts </a> <meta itemprop="url" content="" /> <meta itemprop="version" content="1.0.0" /> <!-- hidden text for searching --> <div style="display: none;"> Charts, d3 </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="uvCharts" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/uvCharts/1.0.0/uvcharts.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="Vague.js" data-library-keywords="Vague, blur, filter" id="Vaguejs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/Vague.js"> Vague.js </a> <meta itemprop="url" content="https:&#x2F;&#x2F;gianlucaguarini.github.io&#x2F;Vague.js&#x2F;" /> <meta itemprop="version" content="0.0.6" /> <!-- hidden text for searching --> <div style="display: none;"> Vague, blur, filter </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="Vague.js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/Vague.js/0.0.6/Vague.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="validate.js" data-library-keywords="validation, validate, server, client" id="validatejs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/validate.js"> validate.js </a> <meta itemprop="url" content="http:&#x2F;&#x2F;validatejs.org" /> <meta itemprop="version" content="0.9.0" /> <!-- hidden text for searching --> <div style="display: none;"> validation, validate, server, client </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="validate.js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/validate.js/0.9.0/validate.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="validator" data-library-keywords="validator" id="validator" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/validator"> validator </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;chriso&#x2F;validator.js" /> <meta itemprop="version" content="4.0.5" /> <!-- hidden text for searching --> <div style="display: none;"> validator </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="validator" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/validator/4.0.5/validator.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="validatorjs" data-library-keywords="javascript, validator, validation, laravel" id="validatorjs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/validatorjs"> validatorjs </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;ppoffice&#x2F;validator.js#readme" /> <meta itemprop="version" content="2.0.0" /> <!-- hidden text for searching --> <div style="display: none;"> javascript, validator, validation, laravel </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="validatorjs" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/validatorjs/2.0.0/validator.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="valjs" data-library-keywords="validation, jquery" id="valjs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/valjs"> valjs </a> <meta itemprop="url" content="http:&#x2F;&#x2F;valjs.io" /> <meta itemprop="version" content="1.2" /> <!-- hidden text for searching --> <div style="display: none;"> validation, jquery </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="valjs" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/valjs/1.2/jquery.valjs.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="vault.js" data-library-keywords="vault, vault.js, localStorage, sessionStorage, cookies, browser" id="vaultjs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/vault.js"> vault.js </a> <meta itemprop="url" content="http:&#x2F;&#x2F;jimmybyrum.github.io&#x2F;vault.js&#x2F;" /> <meta itemprop="version" content="0.1.13" /> <!-- hidden text for searching --> <div style="display: none;"> vault, vault.js, localStorage, sessionStorage, cookies, browser </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="vault.js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/vault.js/0.1.13/vault.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="vega" data-library-keywords="vega, vega.js" id="vega" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/vega"> vega </a> <meta itemprop="url" content="http:&#x2F;&#x2F;trifacta.github.io&#x2F;vega&#x2F;" /> <meta itemprop="version" content="2.4.2" /> <!-- hidden text for searching --> <div style="display: none;"> vega, vega.js </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="vega" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/vega/2.4.2/vega.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="vegas" data-library-keywords="background, slideshow, fullscreen, vegas, jquery-plugin, jquery, zepto" id="vegas" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/vegas"> vegas </a> <meta itemprop="url" content="http:&#x2F;&#x2F;vegas.jaysalvat.com" /> <meta itemprop="version" content="2.2.0" /> <!-- hidden text for searching --> <div style="display: none;"> background, slideshow, fullscreen, vegas, jquery-plugin, jquery, zepto </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="vegas" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/vegas/2.2.0/vegas.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="veinjs" data-library-keywords="veinjs, inject, css" id="veinjs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/veinjs"> veinjs </a> <meta itemprop="url" content="" /> <meta itemprop="version" content="0.3" /> <!-- hidden text for searching --> <div style="display: none;"> veinjs, inject, css </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="veinjs" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/veinjs/0.3/vein.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="velocity" data-library-keywords="animation, jquery, animate, lightweight, smooth, ui, velocity.js, velocityjs, javascript" id="velocity" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/velocity"> velocity </a> <meta itemprop="url" content="http:&#x2F;&#x2F;velocityjs.org" /> <meta itemprop="version" content="1.2.3" /> <!-- hidden text for searching --> <div style="display: none;"> animation, jquery, animate, lightweight, smooth, ui, velocity.js, velocityjs, javascript </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="velocity" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/velocity/1.2.3/velocity.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="verify" data-library-keywords="async, asynchronous, validator, validation, verify, check, customisable" id="verify" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/verify"> verify </a> <meta itemprop="url" content="http:&#x2F;&#x2F;verifyjs.com&#x2F;" /> <meta itemprop="version" content="0.0.1" /> <!-- hidden text for searching --> <div style="display: none;"> async, asynchronous, validator, validation, verify, check, customisable </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="verify" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/verify/0.0.1/verify.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="vertx" data-library-keywords="vertx, vert.x, vertxbus, eventbus, SockJS" id="vertx" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/vertx"> vertx </a> <meta itemprop="url" content="http:&#x2F;&#x2F;vertx.io&#x2F;" /> <meta itemprop="version" content="2.0.0" /> <!-- hidden text for searching --> <div style="display: none;"> vertx, vert.x, vertxbus, eventbus, SockJS </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="vertx" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/vertx/2.0.0/vertxbus.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="vex-js" data-library-keywords="" id="vex-js" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/vex-js"> vex-js </a> <meta itemprop="url" content="" /> <meta itemprop="version" content="2.3.3" /> <!-- hidden text for searching --> <div style="display: none;"> </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="vex-js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/vex-js/2.3.3/js&#x2F;vex.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="vibrant.js" data-library-keywords="color, detection, varation, image, picture, canvas, vibrant, muted, colour" id="vibrantjs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/vibrant.js"> vibrant.js </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;jariz&#x2F;vibrant.js" /> <meta itemprop="version" content="1.0.0" /> <!-- hidden text for searching --> <div style="display: none;"> color, detection, varation, image, picture, canvas, vibrant, muted, colour </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="vibrant.js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/vibrant.js/1.0.0/Vibrant.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="video.js" data-library-keywords="video, videojs" id="videojs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/video.js"> video.js </a> <meta itemprop="url" content="http:&#x2F;&#x2F;videojs.com&#x2F;" /> <meta itemprop="version" content="5.5.3" /> <!-- hidden text for searching --> <div style="display: none;"> video, videojs </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="video.js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/video.js/5.5.3/video.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="videogular" data-library-keywords="videogular" id="videogular" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/videogular"> videogular </a> <meta itemprop="url" content="" /> <meta itemprop="version" content="1.4.0" /> <!-- hidden text for searching --> <div style="display: none;"> videogular </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="videogular" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/videogular/1.4.0/videogular.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="videojs-youtube" data-library-keywords="video, videojs, video.js, vjs, YouTube, tech" id="videojs-youtube" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/videojs-youtube"> videojs-youtube </a> <meta itemprop="url" content="" /> <meta itemprop="version" content="2.0.7" /> <!-- hidden text for searching --> <div style="display: none;"> video, videojs, video.js, vjs, YouTube, tech </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="videojs-youtube" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/videojs-youtube/2.0.7/Youtube.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="videomail-client" data-library-keywords="webcam, video, videomail, encoder, getusermedia, audio, recorder" id="videomail-client" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/videomail-client"> videomail-client </a> <meta itemprop="url" content="https:&#x2F;&#x2F;videomail.io" /> <meta itemprop="version" content="1.7.20" /> <!-- hidden text for searching --> <div style="display: none;"> webcam, video, videomail, encoder, getusermedia, audio, recorder </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="videomail-client" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/videomail-client/1.7.20/videomail-client.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="viewer.js" data-library-keywords="box, box view, crocodoc, view api, viewer, viewerjs" id="viewerjs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/viewer.js"> viewer.js </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;box&#x2F;viewer.js" /> <meta itemprop="version" content="0.10.11" /> <!-- hidden text for searching --> <div style="display: none;"> box, box view, crocodoc, view api, viewer, viewerjs </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="viewer.js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/viewer.js/0.10.11/crocodoc.viewer.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="vis" data-library-keywords="vis, visualization, web based, browser based, javascript, chart, linechart, timeline, graph, network, browser" id="vis" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/vis"> vis </a> <meta itemprop="url" content="http:&#x2F;&#x2F;visjs.org&#x2F;" /> <meta itemprop="version" content="4.12.0" /> <!-- hidden text for searching --> <div style="display: none;"> vis, visualization, web based, browser based, javascript, chart, linechart, timeline, graph, network, browser </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="vis" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/vis/4.12.0/vis.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="visibility.js" data-library-keywords="polyfill, html5, visibility" id="visibilityjs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/visibility.js"> visibility.js </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;ai&#x2F;visibilityjs" /> <meta itemprop="version" content="1.2.1" /> <!-- hidden text for searching --> <div style="display: none;"> polyfill, html5, visibility </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="visibility.js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/visibility.js/1.2.1/visibility.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="vissense" data-library-keywords="visibility, viewtime, viewport, visible, hidden, monitor, observe" id="vissense" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/vissense"> vissense </a> <meta itemprop="url" content="https:&#x2F;&#x2F;vissense.github.io&#x2F;vissense" /> <meta itemprop="version" content="0.9.0" /> <!-- hidden text for searching --> <div style="display: none;"> visibility, viewtime, viewport, visible, hidden, monitor, observe </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="vissense" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/vissense/0.9.0/vissense.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="viz.js" data-library-keywords="GraphViz, viz" id="vizjs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/viz.js"> viz.js </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;mdaines&#x2F;viz.js&#x2F;" /> <meta itemprop="version" content="0.0.3" /> <!-- hidden text for searching --> <div style="display: none;"> GraphViz, viz </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="viz.js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/viz.js/0.0.3/viz.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="Voyeur" data-library-keywords="traverse, DOM" id="Voyeur" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/Voyeur"> Voyeur </a> <meta itemprop="url" content="http:&#x2F;&#x2F;dunxrion.github.io&#x2F;voyeur.js&#x2F;" /> <meta itemprop="version" content="0.4.0" /> <!-- hidden text for searching --> <div style="display: none;"> traverse, DOM </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="Voyeur" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/Voyeur/0.4.0/Voyeur.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="vue-resource" data-library-keywords="vue, vuejs, resource, mvvm" id="vue-resource" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/vue-resource"> vue-resource </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;vuejs&#x2F;vue-resource#readme" /> <meta itemprop="version" content="0.6.1" /> <!-- hidden text for searching --> <div style="display: none;"> vue, vuejs, resource, mvvm </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="vue-resource" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/vue-resource/0.6.1/vue-resource.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="vue-router" data-library-keywords="vue, vuejs, router, mvvm" id="vue-router" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/vue-router"> vue-router </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;vuejs&#x2F;vue-router#readme" /> <meta itemprop="version" content="0.7.10" /> <!-- hidden text for searching --> <div style="display: none;"> vue, vuejs, router, mvvm </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="vue-router" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/vue-router/0.7.10/vue-router.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="vue-strap" data-library-keywords="vue, vue-bootstrap, vue-component, bootstrap" id="vue-strap" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/vue-strap"> vue-strap </a> <meta itemprop="url" content="https:&#x2F;&#x2F;yuche.github.io&#x2F;vue-strap&#x2F;" /> <meta itemprop="version" content="1.0.3" /> <!-- hidden text for searching --> <div style="display: none;"> vue, vue-bootstrap, vue-component, bootstrap </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="vue-strap" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/vue-strap/1.0.3/vue-strap.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="vue-validator" data-library-keywords="plugin, validation, vue" id="vue-validator" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/vue-validator"> vue-validator </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;vuejs&#x2F;vue-validator" /> <meta itemprop="version" content="1.4.4" /> <!-- hidden text for searching --> <div style="display: none;"> plugin, validation, vue </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="vue-validator" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/vue-validator/1.4.4/vue-validator.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="vue" data-library-keywords="mvvm, browser, framework" id="vue" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/vue"> vue </a> <meta itemprop="url" content="http:&#x2F;&#x2F;vuejs.org" /> <meta itemprop="version" content="1.0.15" /> <!-- hidden text for searching --> <div style="display: none;"> mvvm, browser, framework </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="vue" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/vue/1.0.15/vue.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="watch" data-library-keywords="watch, change, domattrmodified, propertychange, polling, attributes, properties, observer" id="watch" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/watch"> watch </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;darcyclarke&#x2F;Watch.js" /> <meta itemprop="version" content="2.0.3" /> <!-- hidden text for searching --> <div style="display: none;"> watch, change, domattrmodified, propertychange, polling, attributes, properties, observer </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="watch" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/watch/2.0.3/jquery.watch.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="waterfall.js" data-library-keywords="waterfall, pinterest, masonry, grid, layout, columns" id="waterfalljs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/waterfall.js"> waterfall.js </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;raphamorim&#x2F;waterfall.js#readme" /> <meta itemprop="version" content="1.0.2" /> <!-- hidden text for searching --> <div style="display: none;"> waterfall, pinterest, masonry, grid, layout, columns </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="waterfall.js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/waterfall.js/1.0.2/waterfall.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="wavesurfer.js" data-library-keywords="" id="wavesurferjs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/wavesurfer.js"> wavesurfer.js </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;katspaugh&#x2F;wavesurfer.js" /> <meta itemprop="version" content="1.0.51" /> <!-- hidden text for searching --> <div style="display: none;"> </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="wavesurfer.js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/wavesurfer.js/1.0.51/wavesurfer.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="waypoints" data-library-keywords="scroll, scrolling" id="waypoints" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/waypoints"> waypoints </a> <meta itemprop="url" content="http:&#x2F;&#x2F;imakewebthings.com&#x2F;waypoints&#x2F;" /> <meta itemprop="version" content="4.0.0" /> <!-- hidden text for searching --> <div style="display: none;"> scroll, scrolling </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="waypoints" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/waypoints/4.0.0/noframework.waypoints.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="weather-icons" data-library-keywords="css, font, icons, weather" id="weather-icons" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/weather-icons"> weather-icons </a> <meta itemprop="url" content="http:&#x2F;&#x2F;erikflowers.github.io&#x2F;weather-icons&#x2F;" /> <meta itemprop="version" content="2.0.9" /> <!-- hidden text for searching --> <div style="display: none;"> css, font, icons, weather </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="weather-icons" class="library-column css-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/weather-icons/2.0.9/css&#x2F;weather-icons.min.css</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="web-animations" data-library-keywords="html, animation, web-animations" id="web-animations" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/web-animations"> web-animations </a> <meta itemprop="url" content="" /> <meta itemprop="version" content="2.1.4" /> <!-- hidden text for searching --> <div style="display: none;"> html, animation, web-animations </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="web-animations" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/web-animations/2.1.4/web-animations.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="web-socket-js" data-library-keywords="websocket, flash, HTML5, fallback, SWF, swfobject" id="web-socket-js" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/web-socket-js"> web-socket-js </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;gimite&#x2F;web-socket-js" /> <meta itemprop="version" content="1.0.0" /> <!-- hidden text for searching --> <div style="display: none;"> websocket, flash, HTML5, fallback, SWF, swfobject </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="web-socket-js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/web-socket-js/1.0.0/web_socket.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="web-starter-kit" data-library-keywords="google, boilerplate" id="web-starter-kit" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/web-starter-kit"> web-starter-kit </a> <meta itemprop="url" content="https:&#x2F;&#x2F;developers.google.com&#x2F;web&#x2F;starter-kit&#x2F;" /> <meta itemprop="version" content="0.2.0-beta" /> <!-- hidden text for searching --> <div style="display: none;"> google, boilerplate </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="web-starter-kit" class="library-column css-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/web-starter-kit/0.2.0-beta/styles&#x2F;main.min.css</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="webcamjs" data-library-keywords="webcam, camera, getusermedia, flash, jpegcam" id="webcamjs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/webcamjs"> webcamjs </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;jhuckaby&#x2F;webcamjs" /> <meta itemprop="version" content="1.0.6" /> <!-- hidden text for searching --> <div style="display: none;"> webcam, camera, getusermedia, flash, jpegcam </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="webcamjs" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/webcamjs/1.0.6/webcam.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="webcomponentsjs" data-library-keywords="webcomponents" id="webcomponentsjs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/webcomponentsjs"> webcomponentsjs </a> <meta itemprop="url" content="http:&#x2F;&#x2F;webcomponents.org" /> <meta itemprop="version" content="0.7.20" /> <!-- hidden text for searching --> <div style="display: none;"> webcomponents </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="webcomponentsjs" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/webcomponentsjs/0.7.20/webcomponents.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="webfont" data-library-keywords="webfont, ui, font, loader, @font-face, webfontloader" id="webfont" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/webfont"> webfont </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;typekit&#x2F;webfontloader" /> <meta itemprop="version" content="1.6.20" /> <!-- hidden text for searching --> <div style="display: none;"> webfont, ui, font, loader, @font-face, webfontloader </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="webfont" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/webfont/1.6.20/webfontloader.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="webicons" data-library-keywords="icons, svg" id="webicons" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/webicons"> webicons </a> <meta itemprop="url" content="http:&#x2F;&#x2F;www.usewebicons.com&#x2F;" /> <meta itemprop="version" content="2.0.0" /> <!-- hidden text for searching --> <div style="display: none;"> icons, svg </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="webicons" class="library-column css-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/webicons/2.0.0/webicons.min.css</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="webkit.js" data-library-keywords="webkit" id="webkitjs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/webkit.js"> webkit.js </a> <meta itemprop="url" content="" /> <meta itemprop="version" content="0.1.0" /> <!-- hidden text for searching --> <div style="display: none;"> webkit </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="webkit.js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/webkit.js/0.1.0/webkit.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="WebRupee" data-library-keywords="rupee, WebRupee" id="WebRupee" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/WebRupee"> WebRupee </a> <meta itemprop="url" content="http:&#x2F;&#x2F;webrupee.com&#x2F;" /> <meta itemprop="version" content="2.0" /> <!-- hidden text for searching --> <div style="display: none;"> rupee, WebRupee </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="WebRupee" class="library-column css-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/WebRupee/2.0/font.min.css</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="webshim" data-library-keywords="webshims, polyfill, HTML5, forms, audio, video, validation, canvas, localstorage, geolocation, ui, widgets" id="webshim" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/webshim"> webshim </a> <meta itemprop="url" content="http:&#x2F;&#x2F;afarkas.github.com&#x2F;webshim&#x2F;demos&#x2F;index.html" /> <meta itemprop="version" content="1.15.10" /> <!-- hidden text for searching --> <div style="display: none;"> webshims, polyfill, HTML5, forms, audio, video, validation, canvas, localstorage, geolocation, ui, widgets </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="webshim" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/webshim/1.15.10/minified&#x2F;polyfiller.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="websqltracer" data-library-keywords="websql, sqlite, trace, debug, sql, profiler" id="websqltracer" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/websqltracer"> websqltracer </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;terikon&#x2F;webSqlTracer" /> <meta itemprop="version" content="1.0.3" /> <!-- hidden text for searching --> <div style="display: none;"> websql, sqlite, trace, debug, sql, profiler </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="websqltracer" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/websqltracer/1.0.3/webSqlTracer.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="webtorrent" data-library-keywords="torrent, bittorrent, bittorrent client, streaming, download, webrtc, webrtc data, webtorrent, mad science" id="webtorrent" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/webtorrent"> webtorrent </a> <meta itemprop="url" content="http:&#x2F;&#x2F;webtorrent.io" /> <meta itemprop="version" content="0.72.1" /> <!-- hidden text for searching --> <div style="display: none;"> torrent, bittorrent, bittorrent client, streaming, download, webrtc, webrtc data, webtorrent, mad science </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="webtorrent" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/webtorrent/0.72.1/webtorrent.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="webui-popover" data-library-keywords="popover, jquery-plugin, ecosystem:jquery" id="webui-popover" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/webui-popover"> webui-popover </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;sandywalker&#x2F;webui-popover" /> <meta itemprop="version" content="1.2.5" /> <!-- hidden text for searching --> <div style="display: none;"> popover, jquery-plugin, ecosystem:jquery </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="webui-popover" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/webui-popover/1.2.5/jquery.webui-popover.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="webuploader" data-library-keywords="uploader, html5, flash, chunk" id="webuploader" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/webuploader"> webuploader </a> <meta itemprop="url" content="http:&#x2F;&#x2F;gmuteam.github.io&#x2F;webuploader" /> <meta itemprop="version" content="0.1.1" /> <!-- hidden text for searching --> <div style="display: none;"> uploader, html5, flash, chunk </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="webuploader" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/webuploader/0.1.1/webuploader.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="wechat.js" data-library-keywords="chat, im, wechat, sns, sharing" id="wechatjs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/wechat.js"> wechat.js </a> <meta itemprop="url" content="" /> <meta itemprop="version" content="0.1.3" /> <!-- hidden text for searching --> <div style="display: none;"> chat, im, wechat, sns, sharing </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="wechat.js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/wechat.js/0.1.3/wechat.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="weui" data-library-keywords="weui, wechat, weixin, css, less, mobile" id="weui" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/weui"> weui </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;weui&#x2F;weui" /> <meta itemprop="version" content="0.3.0" /> <!-- hidden text for searching --> <div style="display: none;"> weui, wechat, weixin, css, less, mobile </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="weui" class="library-column css-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/weui/0.3.0/style&#x2F;weui.min.css</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="when" data-library-keywords="Promises&#x2F;A+, promises-aplus, promise, promises, deferred, deferreds, when, async, asynchronous, cujo, ender" id="when" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/when"> when </a> <meta itemprop="url" content="http:&#x2F;&#x2F;cujojs.com" /> <meta itemprop="version" content="3.7.7" /> <!-- hidden text for searching --> <div style="display: none;"> Promises&#x2F;A+, promises-aplus, promise, promises, deferred, deferreds, when, async, asynchronous, cujo, ender </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="when" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/when/3.7.7/when.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="whereyat" data-library-keywords="responsive, rwd, geolocation, location" id="whereyat" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/whereyat"> whereyat </a> <meta itemprop="url" content="http:&#x2F;&#x2F;www.wherey.at&#x2F;" /> <meta itemprop="version" content="0.1.2" /> <!-- hidden text for searching --> <div style="display: none;"> responsive, rwd, geolocation, location </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="whereyat" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/whereyat/0.1.2/jquery.whereyat.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="winjs" data-library-keywords="" id="winjs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/winjs"> winjs </a> <meta itemprop="url" content="http:&#x2F;&#x2F;try.buildwinjs.com&#x2F;" /> <meta itemprop="version" content="4.4.0" /> <!-- hidden text for searching --> <div style="display: none;"> </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="winjs" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/winjs/4.4.0/js&#x2F;ui.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="wow" data-library-keywords="" id="wow" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/wow"> wow </a> <meta itemprop="url" content="http:&#x2F;&#x2F;mynameismatthieu.com&#x2F;WOW&#x2F;" /> <meta itemprop="version" content="1.1.2" /> <!-- hidden text for searching --> <div style="display: none;"> </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="wow" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/wow/1.1.2/wow.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="wuzzle" data-library-keywords="wuzzle, ws1, grid, css" id="wuzzle" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/wuzzle"> wuzzle </a> <meta itemprop="url" content="" /> <meta itemprop="version" content="1.1.0" /> <!-- hidden text for searching --> <div style="display: none;"> wuzzle, ws1, grid, css </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="wuzzle" class="library-column css-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/wuzzle/1.1.0/wuzzle.min.css</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="wysihtml" data-library-keywords="wysihtml" id="wysihtml" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/wysihtml"> wysihtml </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;Voog&#x2F;wysihtml" /> <meta itemprop="version" content="0.5.5" /> <!-- hidden text for searching --> <div style="display: none;"> wysihtml </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="wysihtml" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/wysihtml/0.5.5/wysihtml.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="wysihtml5" data-library-keywords="html5, wysiwyg, textarea, editor" id="wysihtml5" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/wysihtml5"> wysihtml5 </a> <meta itemprop="url" content="http:&#x2F;&#x2F;xing.github.com&#x2F;wysihtml5&#x2F;" /> <meta itemprop="version" content="0.3.0" /> <!-- hidden text for searching --> <div style="display: none;"> html5, wysiwyg, textarea, editor </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="wysihtml5" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/wysihtml5/0.3.0/wysihtml5.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="x-editable" data-library-keywords="bootstrap, editable, edit-in-place" id="x-editable" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/x-editable"> x-editable </a> <meta itemprop="url" content="http:&#x2F;&#x2F;vitalets.github.io&#x2F;x-editable&#x2F;" /> <meta itemprop="version" content="1.5.1" /> <!-- hidden text for searching --> <div style="display: none;"> bootstrap, editable, edit-in-place </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="x-editable" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/x-editable/1.5.1/bootstrap-editable&#x2F;js&#x2F;bootstrap-editable.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="x2js" data-library-keywords="XML, JSON, conversion, X2JS" id="x2js" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/x2js"> x2js </a> <meta itemprop="url" content="" /> <meta itemprop="version" content="1.2.0" /> <!-- hidden text for searching --> <div style="display: none;"> XML, JSON, conversion, X2JS </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="x2js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/x2js/1.2.0/xml2json.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="xdomain" data-library-keywords="cors, ie8, polyfill" id="xdomain" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/xdomain"> xdomain </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;jpillora&#x2F;xdomain" /> <meta itemprop="version" content="0.7.3" /> <!-- hidden text for searching --> <div style="display: none;"> cors, ie8, polyfill </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="xdomain" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/xdomain/0.7.3/xdomain.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="xively-js" data-library-keywords="iot, xively, rest, jquery" id="xively-js" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/xively-js"> xively-js </a> <meta itemprop="url" content="http:&#x2F;&#x2F;xively.github.com&#x2F;xively-js&#x2F;" /> <meta itemprop="version" content="1.0.4" /> <!-- hidden text for searching --> <div style="display: none;"> iot, xively, rest, jquery </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="xively-js" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/xively-js/1.0.4/xivelyjs.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="xls" data-library-keywords="excel, spreadsheet, xls, parser" id="xls" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/xls"> xls </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;SheetJS&#x2F;js-xls" /> <meta itemprop="version" content="0.7.5" /> <!-- hidden text for searching --> <div style="display: none;"> excel, spreadsheet, xls, parser </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="xls" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/xls/0.7.5/xls.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="xlsx" data-library-keywords="excel, spreadsheet, xlsx, xlsm, xlsb, parser" id="xlsx" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/xlsx"> xlsx </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;SheetJS&#x2F;js-xlsx" /> <meta itemprop="version" content="0.8.0" /> <!-- hidden text for searching --> <div style="display: none;"> excel, spreadsheet, xlsx, xlsm, xlsb, parser </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="xlsx" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/xlsx/0.8.0/xlsx.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="xregexp" data-library-keywords="regex, regexp" id="xregexp" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/xregexp"> xregexp </a> <meta itemprop="url" content="http:&#x2F;&#x2F;xregexp.com&#x2F;" /> <meta itemprop="version" content="2.0.0" /> <!-- hidden text for searching --> <div style="display: none;"> regex, regexp </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="xregexp" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/xregexp/2.0.0/xregexp-min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="xuijs" data-library-keywords="mobile, framework" id="xuijs" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/xuijs"> xuijs </a> <meta itemprop="url" content="http:&#x2F;&#x2F;xuijs.com" /> <meta itemprop="version" content="2.3.2" /> <!-- hidden text for searching --> <div style="display: none;"> mobile, framework </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="xuijs" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/xuijs/2.3.2/xui.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="yamlcss" data-library-keywords="yaml, css, framework" id="yamlcss" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/yamlcss"> yamlcss </a> <meta itemprop="url" content="" /> <meta itemprop="version" content="4.1.2" /> <!-- hidden text for searching --> <div style="display: none;"> yaml, css, framework </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="yamlcss" class="library-column css-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/yamlcss/4.1.2/core&#x2F;base.min.css</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="yasgui" data-library-keywords="JavaScript, SPARQL, Editor, Semantic Web, Linked Data" id="yasgui" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/yasgui"> yasgui </a> <meta itemprop="url" content="http:&#x2F;&#x2F;yasgui.org" /> <meta itemprop="version" content="2.1.3" /> <!-- hidden text for searching --> <div style="display: none;"> JavaScript, SPARQL, Editor, Semantic Web, Linked Data </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="yasgui" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/yasgui/2.1.3/yasgui.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="yasqe" data-library-keywords="JavaScript, SPARQL, Editor, Semantic Web, Linked Data" id="yasqe" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/yasqe"> yasqe </a> <meta itemprop="url" content="http:&#x2F;&#x2F;yasqe.yasgui.org" /> <meta itemprop="version" content="2.8.3" /> <!-- hidden text for searching --> <div style="display: none;"> JavaScript, SPARQL, Editor, Semantic Web, Linked Data </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="yasqe" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/yasqe/2.8.3/yasqe.bundled.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="yasr" data-library-keywords="JavaScript, SPARQL, Editor, Semantic Web, Linked Data" id="yasr" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/yasr"> yasr </a> <meta itemprop="url" content="http:&#x2F;&#x2F;yasr.yasgui.org" /> <meta itemprop="version" content="2.6.5" /> <!-- hidden text for searching --> <div style="display: none;"> JavaScript, SPARQL, Editor, Semantic Web, Linked Data </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="yasr" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/yasr/2.6.5/yasr.bundled.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="yepnope" data-library-keywords="loader, popular" id="yepnope" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/yepnope"> yepnope </a> <meta itemprop="url" content="http:&#x2F;&#x2F;yepnopejs.com&#x2F;" /> <meta itemprop="version" content="2.0.0" /> <!-- hidden text for searching --> <div style="display: none;"> loader, popular </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="yepnope" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/yepnope/2.0.0/yepnope.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="yui" data-library-keywords="yui, yahoo, ui, library, framework, toolkit, popular" id="yui" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/yui"> yui </a> <meta itemprop="url" content="http:&#x2F;&#x2F;yuilibrary.com&#x2F;" /> <meta itemprop="version" content="3.18.0" /> <!-- hidden text for searching --> <div style="display: none;"> yui, yahoo, ui, library, framework, toolkit, popular </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="yui" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/yui/3.18.0/yui&#x2F;yui-min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="z-schema" data-library-keywords="JSON, Schema, Validator" id="z-schema" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/z-schema"> z-schema </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;zaggino&#x2F;z-schema" /> <meta itemprop="version" content="3.16.1" /> <!-- hidden text for searching --> <div style="display: none;"> JSON, Schema, Validator </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="z-schema" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/z-schema/3.16.1/ZSchema-browser-min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="zclip" data-library-keywords="jquery, flash, clipboard, copy, paste" id="zclip" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/zclip"> zclip </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;terinjokes&#x2F;zClip" /> <meta itemprop="version" content="1.1.2" /> <!-- hidden text for searching --> <div style="display: none;"> jquery, flash, clipboard, copy, paste </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="zclip" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/zclip/1.1.2/jquery.zclip.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="zepto" data-library-keywords="mobile, framework" id="zepto" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/zepto"> zepto </a> <meta itemprop="url" content="http:&#x2F;&#x2F;zeptojs.com" /> <meta itemprop="version" content="1.1.6" /> <!-- hidden text for searching --> <div style="display: none;"> mobile, framework </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="zepto" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/zepto/1.1.6/zepto.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="zeroclipboard" data-library-keywords="flash, clipboard, copy, cut, paste, zclip, clip, clippy" id="zeroclipboard" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/zeroclipboard"> zeroclipboard </a> <meta itemprop="url" content="http:&#x2F;&#x2F;zeroclipboard.org&#x2F;" /> <meta itemprop="version" content="2.2.0" /> <!-- hidden text for searching --> <div style="display: none;"> flash, clipboard, copy, cut, paste, zclip, clip, clippy </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="zeroclipboard" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/zeroclipboard/2.2.0/ZeroClipboard.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="zingchart" data-library-keywords="zingchart, chart, charting, javascript, charts, html5, charts" id="zingchart" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/zingchart"> zingchart </a> <meta itemprop="url" content="https:&#x2F;&#x2F;github.com&#x2F;zingchart&#x2F;ZingChart" /> <meta itemprop="version" content="2.2.2" /> <!-- hidden text for searching --> <div style="display: none;"> zingchart, chart, charting, javascript, charts, html5, charts </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="zingchart" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/zingchart/2.2.2/zingchart.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="css-social-buttons" data-library-keywords="css, font, icon, social, zocial" id="css-social-buttons" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/css-social-buttons"> css-social-buttons </a> <meta itemprop="url" content="http:&#x2F;&#x2F;zocial.smcllns.com&#x2F;" /> <meta itemprop="version" content="1.2.0" /> <!-- hidden text for searching --> <div style="display: none;"> css, font, icon, social, zocial </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="css-social-buttons" class="library-column css-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/css-social-buttons/1.2.0/css&#x2F;zocial.min.css</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="zoomooz" data-library-keywords="zoom, zooming, zui, animation, ui, gallery, lightbox" id="zoomooz" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/zoomooz"> zoomooz </a> <meta itemprop="url" content="http:&#x2F;&#x2F;janne.aukia.com&#x2F;zoomooz" /> <meta itemprop="version" content="1.1.6" /> <!-- hidden text for searching --> <div style="display: none;"> zoom, zooming, zui, animation, ui, gallery, lightbox </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="zoomooz" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/zoomooz/1.1.6/jquery.zoomooz.min.js</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="zurb-ink" data-library-keywords="ink, css, email, html, zurb" id="zurb-ink" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/zurb-ink"> zurb-ink </a> <meta itemprop="url" content="http:&#x2F;&#x2F;zurb.com&#x2F;ink" /> <meta itemprop="version" content="1.0.5" /> <!-- hidden text for searching --> <div style="display: none;"> ink, css, email, html, zurb </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="zurb-ink" class="library-column css-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/zurb-ink/1.0.5/ink.min.css</p> </div> </td> </tr> <tr itemscope itemtype="http://schema.org/SoftwareApplication" data-library-name="zxcvbn" data-library-keywords="passwords, forms, security" id="zxcvbn" class="odd gradeX normal"> <td style="white-space: nowrap;"> <a itemprop="name" href="/libraries/zxcvbn"> zxcvbn </a> <meta itemprop="url" content="http:&#x2F;&#x2F;tech.dropbox.com&#x2F;?p&#x3D;165" /> <meta itemprop="version" content="4.2.0" /> <!-- hidden text for searching --> <div style="display: none;"> passwords, forms, security </div> </td> <td style="padding: 0; width: 100%;"> <div style="position: relative; padding: 8px;" data-lib-name="zxcvbn" class="library-column js-type"> <p itemprop="downloadUrl" class="library-url" style="padding: 0; margin: 0">https://cdnjs.cloudflare.com/ajax/libs/zxcvbn/4.2.0/zxcvbn.js</p> </div> </td> </tr> </tbody> </table> </div> </div> </div> </div> </div> </body> </html><file_sep>/assets/js/equidistant.js (function($) { $.fn.equidistant = function(options){ var settings = $.extend({ }, options); this.each(function(index, el) { var $box = $(this); if($box.is(":visible")){ var r = $box.outerWidth() / 2; var a = $box.offset().left + r; var b = $box.offset().top + r; var $items = $(this).find(".magic-list>li>a"); $box.css('height', $box.outerWidth()+'px'); $box.hover(function() { $items.each(function(index, el) { var rad = 2 * Math.PI * (index) / $items.length; var x = r * (Math.cos(rad)) - $(this).outerWidth() / 2; var y = r * (Math.sin(rad)) - $(this).outerHeight() / 2; var t = 360 / $items.length; $(this).animate({ 'opacity': 1, 'marginTop': y + 'px', 'marginLeft': x + 'px' }); }); }, function() { $items.each(function(index, el) { var x = -$(this).outerWidth() / 2; var y = -$(this).outerHeight() / 2; $(this).animate({ 'opacity': 0, 'marginTop': y + 'px', 'marginLeft': x + 'px' }); }); }) } }); } })(jQuery);<file_sep>/assets/scss/components/_timeline.scss $pipePaddingTop: 60px; $color-timelinetheme: #C5C5C5; $pipewidth: 2px; .timeline { &-holder { position: relative; counter-reset: timer; } &-liner { position: absolute; top: $pipePaddingTop; left: 50%; width: $pipewidth; height: 100px; margin-left: -$pipewidth/2; background: $color-timelinetheme; transition: height 0.3s ease; animation: jump 1s linear infinite; @include breakpoint(max-width 500px) { left: 100%; margin-left: -46px; } &:after { content: ""; width: 0; height: 0; position: absolute; top: 100%; left: 50%; margin-left: -10px; border: 10px solid transparent; border-top-color: $color-timelinetheme; border-radius: 50%; } // @include breakpoint(max-width $md-max) { // left: 100%; // margin-left: -45px; // } } &-wrap { counter-increment: timer; position: relative; padding-top: $pipePaddingTop; margin-right: 50%; @include breakpoint(max-width 500px) { margin-right: 0; } .timeline-card { padding-left: 0; &:before { left: 100%; margin-left: -25px; @include breakpoint(max-width 500px) { margin-left: -50px; } } } &:before, &:after { content: ""; display: table; } &:after { clear: both; } // &:nth-child(odd) { // @include breakpoint(min-width $md-min) { // margin-right: 50%; // .timeline-card { // padding-left: 0; // &:before { // left: 100%; // margin-left: -25px; // } // } // } // } &:nth-child(even) { @include breakpoint(min-width 500px) { margin-left: 50%; margin-right: 0; .timeline-card { padding-right: 0; padding-left: 50px; &:before { left: auto; margin-left: 0; right: 100%; margin-right: -25px; } } } } } &-card { position: relative; padding: 0 50px; // height: 100vh; // min-height: calc(100vh - 160px); // @include breakpoint(max-width $md-max) { // padding: 0 60px 10px 10px; // } &:before { content: counter(timer, upper-roman); width: 50px; height: 50px; position: absolute; top: 0; background: $color-timelinetheme; font-weight: 400; line-height: 50px; font-size: 16px; text-align: center; color: #676767; border-radius: 50%; // color: #fff; // text-shadow: 0px 1px rgba($color-black, 0.6), -1px 0px rgba($color-black, 0.6); // @include breakpoint(max-width $md-max) { // left: auto; // right: 0; // } } } &-title { font-size: 36px; text-transform: uppercase; letter-spacing: 1px; line-height: 1; @include breakpoint(max-width 760px) { font-size: 24px; margin-bottom: 30px; } } &-content{ font-weight: 400; color: #676767; @include breakpoint(max-width 760px) { font-size: 14px; } } }<file_sep>/config.php <?php define("DOCUMENTROOT", $_SERVER["DOCUMENT_ROOT"]); define("APPROOT", pathinfo(__FILE__)["dirname"]); $cmp = strcmp(DOCUMENTROOT, APPROOT); if($cmp>0){ $abs = str_replace(APPROOT, "", DOCUMENTROOT); }else if($cmp<0){ $abs = str_replace(DOCUMENTROOT, "", APPROOT); }else{ $abs = "/"; } define(ABSPATH, $abs); ?><file_sep>/assets/scss/default.scss /*### RUBY IMPORTS ###*/ @import 'compass'; @import 'breakpoint'; @import 'singularitygs'; /*### VENDORS ###*/ // @import "vendors/font-awesome/_index.scss"; /*### HELPERS ###*/ @import "helpers/variables"; @import "helpers/mixins"; @import "helpers/_placeholders.scss"; @import "helpers/functions"; @import "helpers/animations"; /*### BASES ###*/ @import "base/_normalize.scss"; @import "base/_typography.scss"; @import "base/_base.scss"; /*### SET A THEME ###*/ @import "themes/_theme.scss"; /*### LAYOUTS ###*/ @import "layout/_loader.scss"; @import "helpers/_frequents.scss"; @import "components/_buttons.scss"; @import "layout/container"; @import "layout/header"; @import "layout/footer"; @import "layout/_modals.scss"; @import "layout/_forms.scss"; /*### COMPONENTS ###*/ @import "components/_console.scss"; @import "components/_fullheight.scss"; @import "components/_rowtable.scss"; @import "components/list360"; // MAGIC BOX @import "components/caption"; // CAPTION @import "components/timeline"; // TIMELINE @import "components/gallery"; // GALLERY @import "components/statistics"; // STATISTICS @import "components/infographics"; // INFORGRAPHICS @import "components/_navsecondary.scss"; // SECONDARY NAVIGATION @import "components/_skills.scss"; // SKILLS @import "pages/_gameboard.scss"; // GAMEBOARD<file_sep>/static/app.js var app = angular.module('webApp', []); app.controller('mainCtrl', function($scope, $http){ console.log('Entered'); console.log(window.location.href); $http({ url: window.location.href + 'static/routes/routes.php?action=test', method: 'get', headers: { 'Content-Type': 'application/x-www-form-urlencoded' } }).success(function(data){ console.log(data); }).error(function(data){ console.log("error: " + data); }); // $http({ // url: 'static/routes/routes.php?action=test', // method: 'GET' // }).success(function(data){ // console.log(data); // }).error(function(data){ // console.log("error: " + data); // }); // $http({ // url: 'static/data/demand.json', // method: 'GET' // }).success(function(data){ // console.log(data); // $scope.loadedDemand = data; // $scope.p_skills = data.skills.primary_skills; // $scope.s_skills = data.skills.secondary_skills; // $scope.i_skills = data.skills.inferred_skills; // }).error(function(data){ // console.log("error: " + data); // }); // $http({ // url: 'static/data/supply.json', // method: 'GET' // }).success(function(data){ // console.log(data); // $scope.loadedSupply = data; // $scope.matching_skills = $scope.getSeperateSkills(data.matches.skills); // $scope.non_matching_skills = $scope.getSeperateSkills(data.mis_matches.skills); // }).error(function(data){ // console.log("error: " + data); // }); // $scope.getMatches = function(obj, skills){ // var arr = []; // for(i in skills){ // if(obj.indexOf(skills[i].skill)!=-1){ // arr.push(skills[i].skill); // } // } // return arr; // }; // $scope.getSeperateSkills = function(obj, name){ // var arr = {}; // obj = (obj)?obj:[]; // arr['p_skills'] = $scope.getMatches(obj, $scope.p_skills); // arr['i_skills'] = $scope.getMatches(obj, $scope.i_skills); // arr['s_skills'] = $scope.getMatches(obj, $scope.s_skills); // console.log(arr); // return arr; // }; }); <file_sep>/app/app.module.js.bak.js var portfolioApp = angular.module('portfolioApp', ['ngRoute']); portfolioApp.config(function($routeProvider){ $routeProvider. when('/', { template: "" }). when('/glitter', { templateUrl: 'static/partials/glitter.html', controller: 'HomeCtrl' }). when('/gallery', { templateUrl: 'static/partials/gallery.html', controller: 'GalleryCtrl' }). when('/about', { templateUrl: 'static/partials/about.html', controller: 'AboutCtrl' }). when('/socialmedia', { templateUrl: 'static/partials/socialmedia.html', controller: 'SocialMediaCtrl' }). // when('/caption', { // templateUrl: 'static/partials/caption.html', // controller: 'CaptionCtrl' // }). when('/timeline', { templateUrl: 'static/partials/timeline.html', controller: 'TimelineCtrl' }). when('/qa/angular', { templateUrl: 'static/partials/angular-qa.html', controller: 'QAAngularCtrl' }). when('/gamezone', { templateUrl: 'static/partials/index-gamezone.html' }). when('/gamezone/surprise-game', { templateUrl: 'static/partials/game-suppi-bday.html', controller: 'GameSuppiBdayCtrl' }). when('/gamezone/stack-blocks', { templateUrl: 'static/partials/game-stack-blocks.html', controller: 'GameStackBlocksCtrl' }). when('/gamezone/tic-tac-toe', { templateUrl: 'static/partials/game-tic-tac-toe.html', controller: 'GameTicTacToeCtrl' }). otherwise({ redirectTo: '/' }); }); portfolioApp.controller('MainCtrl', ['$scope', '$http', '$location', function ($scope, $http, $location) { // var color = Math.floor(Math.random()*999999), // colors = ["#4DB6AC", "#00ACC1", "#F16B56"], // i = 0; // var colorInterval = setInterval(function(){ // $('body').css({'background-color': colors[i]}); // i++; // if(i==colors.length){ // i = 0; // } // }, 10000); $scope.getClassesConfig = (function(){ $http.get('static/data/config_classes.json').success(function(data){ if(data.results){ $scope.classes = data.results; } }).error(function(){ }); })(); $scope.menu = {}; $scope.initDefaults = function(){ $scope.menu.isMegaMenuVisible = false; // $scope.menu.isVisible = false; $scope.menu.hasSubNavigation = false; $scope.menu.showBigHeader = false; $scope.menu.hideFooter = false; }; $scope.initDefaults(); $scope.$on('$routeChangeSuccess', function(next, current) { // INIT DEFAULTS $scope.initDefaults(); var currentRoute = current.$$route.originalPath; if(currentRoute.split("/")[1].toLowerCase() == "gamezone"){ currentRoute = "gamezone"; } switch (currentRoute){ // case "/gallery": case "/": $scope.menu.showBigHeader = true; $scope.menu.hideFooter = true; break; case "/about": case "/timeline": $scope.menu.hasSubNavigation = true; break; // case "/gamezone/stack-blocks": // case "/gamezone/tic-tac-toe": case "gamezone": $scope.menu.hideFooter = true; break; default: $scope.menu.showBigHeader = false; $scope.menu.hasSubNavigation = false; } }); $scope.scrollAnimate = function($event, target){ $event.preventDefault(); if(!target) return false; var bodyPadding = parseInt($('body').css('paddingTop'), 10); var targetOffset = $(target).offset().top - bodyPadding; $("html, body").animate({ scrollTop: targetOffset + "px" }); }; function changeOnScroll(){ var btn = $('.button-scroll-top'), scrollTop = $(window).scrollTop(); if(scrollTop>0){ if(btn.is(":hidden")){ btn.show(); } }else{ if(btn.is(":visible")){ btn.hide(); } } var links = $('.nav-secondary .nav-left li>a'), linksLen = links.length, nextOffset = $(document).innerHeight(), targetOffset = null, target = null; links.each(function(e){ target = $(this).data('target'); if(!target) return false; targetOffset = $(target).offset().top - (parseInt($('body').css('paddingTop'), 10) || 0); if(e < linksLen-1){ nextOffset = $(this).parent().next().find('a').offset().top; } if(scrollTop >= targetOffset && scrollTop<nextOffset){ links.removeClass('active'); $(this).addClass('active'); } }); } $scope.createArray = function(len){ var arr = []; // arr.length = len; for(var i = len-1; i>=0; i--){ arr[i] = i; } return arr; }; $scope.getSocialMediaData = (function(){ $http.get('static/data/info_social_media.json').success(function(data){ if(data.results){ $scope.social_media_data = data.results; } }).error(function(){ }); })(); $(window).scroll(function(){ changeOnScroll(); }).load(function(){ changeOnScroll(); }); }]); portfolioApp.controller('HomeCtrl', ['$scope', function ($scope) { console.log("home"); $('#glitter').glitter({ duration: 2000, delay: 5000, delayTimer: true }); }]); portfolioApp.controller('GalleryCtrl', ['$scope', '$http', function ($scope, $http) { console.log("Gallery"); $scope.gallery = {}; // $scope.gallery.selectedItem = {"name":"Ketelsen Law Office, PLLC","url":"http://maleeketelsen.firmsitepreview.com/","responsive":"responsive","image":"002.png","technologies":["HTML","CSS","SCSS","JavaScript","JQuery"]}; $http({ url:"static/data/info_gallery.json", method: "GET" }).success(function(data){ $scope.gallery.list = data.data; }).error(function(data){ $scope.gallery.error = "Error occured while fetching. Please refresh the page."; }); $scope.gallery.showSelectedItem = function(itemID, key){ $scope.gallery.selectedItem = $scope.gallery.list[key][itemID]; $("html, body").animate({ scrollTop: "0px" }); }; $scope.gallery.createCanvas = function(id, imgPath){ var canvas = document.getElementById(id); if(!canvas.getContext){ return false; } canvas.width = 300; canvas.height = 300; var cxt = canvas.getContext('2d'), data = {}; cxt.fillStyle = "blue"; data.baseImage = new Image(); data.baseImage.src = imgPath; data.baseImage.onload = function(){ canvas.height = data.baseImage.height; data.baseImage.width = "100%"; cxt.drawImage(data.baseImage, 0, 0, canvas.width, canvas.height); // console.log(data.baseImage.height); }; // cxt.fillRect(0,0, canvas.width, canvas.height); }; }]); portfolioApp.controller('SocialMediaCtrl', ['$scope', function ($scope) { console.log("SocialMediaCtrl"); $(".magic-box").equidistant(); }]); portfolioApp.controller('CaptionCtrl', ['$scope', function ($scope) { console.log("CaptionCtrl"); }]); portfolioApp.controller('TimelineCtrl', ['$scope', function ($scope) { console.log("TimelineCtrl"); var $line = $('.timeline-liner'), $holder = $('.timeline-container'); // $line.css("height", "0px"); $scope.stickyLine = function(){ var offset = $(window).scrollTop() + $(window).height()/2 - $holder.offset().top; if(offset < $holder.innerHeight()){ $line.css("height", offset + "px"); } }; $(window).scroll(function(){ $scope.stickyLine(); }).load(function(){ $scope.stickyLine(); $(".timeline-card").css("opacity", "0px"); }); }]); portfolioApp.controller('AboutCtrl', ['$scope', '$http', function ($scope, $http) { console.log("AboutCtrl"); $http({ 'url': 'static/data/info_my_skills.json' }).success(function(data){ if(data.results) $scope.skills = data.results; }).error(function(data){ console.log("Error Occured"); }); }]); portfolioApp.controller('QAAngularCtrl', ['$scope', '$http', function ($scope, $http) { $http({ 'url': 'static/data/qa/angular.json' }).success(function(data){ if(data.results) $scope.questions = data.results; }).error(function(data){ console.log("Error Occured"); }); var local = []; if(!localStorage.getItem("completedQuestions")){ console.log("nolocalItem"); localStorage.setItem("completedQuestions", JSON.stringify("[]")); } $scope.dbStoredQuestions = JSON.parse(localStorage.getItem("completedQuestions")); if(!Array.isArray($scope.dbStoredQuestions)){ $scope.dbStoredQuestions = []; } console.log($scope.dbStoredQuestions); $scope.actionQuestion = function(question, index){ if($scope.dbStoredQuestions.indexOf(question) === -1){ // $scope.dbStoredQuestions.push(question); $scope.dbStoredQuestions[index] = question; }else{ // var confirmation = confirm("Are you sure you want to deselect?\n" + question); // if(confirmation){ $scope.dbStoredQuestions[index] = null; // } } localStorage.setItem("completedQuestions", JSON.stringify($scope.dbStoredQuestions)); }; }]); portfolioApp.controller('GameStackBlocksCtrl', ['$scope', function($scope){ console.log('GameStackBlocksCtrl'); }]); portfolioApp.controller('GameTicTacToeCtrl', ['$scope', function($scope){ console.log('GameTicTacToeCtrl'); $scope.createArray = function(len){ var arr = []; // arr.length = len; for(var i = len-1; i>=0; i--){ arr[i] = i; } return arr; }; $scope.boxes = $scope.createArray(9); $scope.boxLength = $scope.boxes.length; $scope.isClearBox = function(index, len){ return (index!==1 && len%index === 0)?true:false; }; var Game = new TicTacToe(); Game.initGame(); function doAction(currentItem){ console.log(currentItem); } }]); <file_sep>/assets/js/animate.js function animateThisLetter(item, i, isLTR){ var set = setInterval(function(){ if(!isLTR){ i--; } $(item).find('span:eq('+i+')').animate({ 'opacity': 0 }); if(isLTR){ i++; if(i==$(item).find('span').length){ // $(item).hide(); clearInterval(set); } }else{ if(i==0){ // $(item).hide(); clearInterval(set); } } }, 250); } var setAnimateLetters; function animateLetters(options){ // console.log(options); i = (options.ltr)?0:options.totalItem; stopper = (!options.ltr)?0:options.totalItem; console.log(stopper); console.log(setAnimateLetters); if(setAnimateLetters === undefined){ setAnimateLetters = setInterval(function(){ console.log('mma'); if(!options.ltr){ i--; } $(options.item).find('span:eq('+i+')').animate({ opacity : 0.5 }); if(options.ltr){ i++; } if(i==stopper){ clearInterval(setAnimateLetters); setAnimateLetters = undefined; console.log(setAnimateLetters); } }, options.speed || 250); } } $('.animate-letters').each(function(){ $(this).html(function(){ str = $(this).text(); l = str.length; temp = ""; for(i=0; i<l; i++){ temp = temp + '<span>'+str.charAt(i)+ '</span>'; } return temp; }); }).click(function(event){ l = $(this).find('span').length; options = {}; options.item = this; options.itemChildren = $(this).find('span'); options.repeat = ($(this).data('repeat') && $(this).data('repeat') == true)?true:false; options.ltr = ($(this).data('direction') && $(this).data('direction') == 'ltr')?true:false; options.startAt = l; options.totalItem = l; options.speed = 100; animateLetters(options); });<file_sep>/static/routes/defaults.php <?php $folder = "tools"; $my_file = 'static/index.html'; ?><file_sep>/app/components/social/social-ctrl.js (function() { angular.module('portfolioApp') .controller('SocialMediaCtrl', ['$scope', function($scope) { $(".magic-box").equidistant(); }]); })();
01eb53b9d7b86800d33bd26672d8ae1737c78242
[ "SCSS", "Markdown", "Hack", "JavaScript", "PHP" ]
41
SCSS
masoomulhaqs/masoomulhaqs.github.io
04418f13c6c910b1c12a3b679541e832d98ed005
d9b4d69a63d544235769f183cbc5443d047730a8
refs/heads/master
<file_sep># programming This is the site to assure my programming skill
5669dc8b0d7cf7e9472c70313bd3471020843680
[ "Markdown" ]
1
Markdown
Keigaku/programming
68d97952213e9966506963d4a6c8270d6e026dd5
e4d2569aae2380f406c22d473e7e4acbf0a31157
refs/heads/master
<file_sep># 프로젝트 이름 ## 특징 * 특징 1 * 특징 2 1. ㅁㅁㅁㅁ 1. ㅁㅁㅁㅁ this is **source code**. this is _source code_. this is ~~source code~~.
df1a498206ab29eaa28b0cc10b77314877b35b6f
[ "Markdown" ]
1
Markdown
dohyeon-spring-react-study/dgsw.web.0311
a523d17ff543f4907f6f006a35b3e8cd52174c78
5bcb63142d20eaeb20beb4fd04219b9ab3b322bd
refs/heads/master
<repo_name>siddhanthpranavrao/Yelp-Camp<file_sep>/middleware/index.js const Campground = require("../models/campgrounds"); const Comment = require("../models/comment"); const middlewarObj = {}; middlewarObj.checkCampgroudOwnership = (req, res, next) => { Campground.findById(req.params.id, (err, campground) => { if (err) { return res.redirect("back"); } if (campground.author.id.equals(req.user._id)) { return next(); } req.flash("error", "You don't have permission to do that"); res.redirect(`/campgrounds/${campground._id}`); }); } middlewarObj.checkCommentOwnership = (req, res, next) => { Comment.findById(req.params.commentId, (err, comment) => { if (err) { console.log(err); return res.redirect("back"); } if (comment.author.id.equals(req.user._id)) { return next(); } req.flash("error", "You don't have permission to do that"); res.redirect(`/campgrounds/${req.params.id}`); }); } //CHECK LOGIN FUNCTION middlewarObj.checkLogin = (req, res, next) => { if (!(req.user)) { req.flash("error", "You need to be Logged in to do that"); return res.redirect("/login"); } next(); } middlewarObj.checkLoginPage = (req, res, next) => { if (!(req.user)) { return next(); } req.flash("error", "You are already Logged in!"); res.redirect("/campgrounds"); } module.exports = middlewarObj;<file_sep>/routes/campgrounds.js const express = require("express"); const router = express.Router(); const Campground = require("../models/campgrounds"); const Comment = require("../models/comment"); const middleware = require("../middleware"); //==================== //CAMPGROUND ROUTES //==================== //INDEX ROUTE router.get("/", (req, res) => { //Get all Campgrounds from db Campground.find({}, (err, campgrounds) => { if (err) { console.log(err); } else { res.render("campgrounds/index", { campgrounds: campgrounds }); } }); }); //CREATE ROUTE router.post("/", middleware.checkLogin, (req, res) => { //Get data from forma and add to campgrounds array req.body.author = { id: req.user._id, username: req.user.username }; Campground.create(req.body, (err, campground) => { if (err) { console.log(err); } else { req.flash("success", "New Campground Added Successfully!"); res.redirect("/campgrounds"); } }); //redirect to campgrounds page }); //NEW ROUTE router.get("/new", middleware.checkLogin, (req, res) => { res.render("campgrounds/new"); }); //SHOW ROUTE router.get("/:id", (req, res) => { Campground.findById(req.params.id).populate("comments").exec((err, foundCampground) => { if (err) { console.log(err); } else { res.render("campgrounds/show", { campground: foundCampground }); } }); }); //EDIT CAMPGROUND ROUTE router.get("/:id/edit", middleware.checkLogin, middleware.checkCampgroudOwnership, (req, res) => { Campground.findById(req.params.id, (err, campground) => { if (err) { console.log(err); return res.redirect("/campgrounds"); } res.render("campgrounds/edit", { campground: campground }); }); }); //UPDATE CAMPGROUND ROUTE router.put("/:id", middleware.checkLogin, middleware.checkCampgroudOwnership, (req, res) => { Campground.findByIdAndUpdate(req.params.id, req.body, (err, campground) => { if (err) { console.log(err); return res.redirect("/campgrounds"); } req.flash("success", "Campground Updated Successfully"); res.redirect(`/campgrounds/${campground._id}`); }); }); //DESTROY CAMPGROUND ROUTE router.delete("/:id", middleware.checkLogin, middleware.checkCampgroudOwnership, (req, res) => { //Deleting Comments of campground //Deleting Campground Campground.findByIdAndDelete(req.params.id, (err) => { if (err) { console.log(err); } req.flash("error", "Campground Deleted"); res.redirect("/campgrounds"); }) }); module.exports = router;<file_sep>/routes/index.js const express = require("express"); const router = express.Router(); const User = require("../models/user"); const bcrypt = require("bcryptjs"); const middleware = require("../middleware"); //ROOT ROUTE router.get("/", (req, res) => { res.render("landing"); }); //================================= //AUTH ROUTES //================================= //REGISTER ROUTE router.get("/register", middleware.checkLoginPage, (req, res) => { res.render("register"); }); router.post("/register", (req, res) => { req.body.password = <PASSWORD>.hashSync(req.body.password, 10); User.create(req.body, (err, user) => { if (err) { req.flash("error", "Username alredy exists!"); return res.redirect("/register"); } if (!user) { return res.redirect("/register"); } req.flash("success", "Welcome " + req.body.username); req.session.userId = user._id; res.redirect("/campgrounds"); }) }); //LOGIN ROUTE router.get("/login", middleware.checkLoginPage, (req, res) => { res.render("login"); }); router.post("/login", (req, res) => { User.findOne({ username: req.body.username }, (err, user) => { if (err || !user || !bcrypt.compareSync(req.body.password, user.password)) { req.flash("error", "Incorrect Username or Password"); return res.render("login", { error: "Incorrect Username or Password" }); } req.flash("success", "Welcome back " + req.body.username); req.session.userId = user._id; res.redirect("/campgrounds"); }); }); //LOGOUT ROUTE router.get("/logout", (req, res) => { req.session.userId = undefined; req.user = undefined; res.locals.user = undefined; req.flash("success", "Logout Successfull!"); res.redirect("/campgrounds"); }); module.exports = router;<file_sep>/app.js const express = require("express"), app = express(), bodyParser = require("body-parser"), mongoose = require("mongoose"), sessions = require("client-sessions"), methodOverride = require("method-override"), bcrypt = require("bcryptjs"), flash = require("connect-flash"), Campground = require("./models/campgrounds"), Comment = require("./models/comment"), User = require("./models/user"), seedDB = require("./seeds"); const campgroundRoutes = require("./routes/campgrounds"), commentRoutes = require("./routes/comments"), indexRoutes = require("./routes/index"); mongoose.connect("mongodb://localhost/yelp_camp", { useNewUrlParser: true, useUnifiedTopology: true, useFindAndModify: false, useCreateIndex: true, }); //seedDB(); //Seed the database app.use(flash()); app.set("view engine", "ejs"); app.use( bodyParser.urlencoded({ extended: true, }) ); app.use(methodOverride("_method")); app.use(express.static(`${__dirname}/public`)); app.use( sessions({ cookieName: "session", secret: "<KEY>", duration: 30 * 60 * 1000, httpOnly: true, }) ); //SEND THE USER DATA TO ALL PAGES app.use((req, res, next) => { res.locals.error = req.flash("error"); res.locals.success = req.flash("success"); if (!(req.session && req.session.userId)) { req.user = undefined; res.locals.user = undefined; return next(); } User.findById(req.session.userId, (err, user) => { user.password = <PASSWORD>; req.user = user; res.locals.user = user; next(); }); }); app.use(indexRoutes); app.use("/campgrounds", campgroundRoutes); app.use("/campgrounds/:id/comments", commentRoutes); app.listen(5000, () => { console.log("The YelpCamp Server is listening to Port 5000:"); }); <file_sep>/README.md # Yelp-Camp Capstone Project Features Include-: * Sign-Up and Login of Users * Landing Page * Follows the RESTful Routes * Users can Create, Read, Update & Delete Campgrounds * Other Logged-In users can comment on other Campgrounds * Error/Succes Flash Messages * Built on the Bootstrap Framework Specifications-: * App built using Node.js and Express. * Authetication is done using Client Sessions * MogoDB Database to store * Bcrypt used for Encryption and Salting of Passwords
04a6d94a0f6545579c14d90dbdfd4e4c80f7c8e6
[ "Markdown", "JavaScript" ]
5
Markdown
siddhanthpranavrao/Yelp-Camp
8cf65f3ed04cd7fc0764e49812664fc0472a1a75
878ab4d0883a0e27f15268af008b547f735aca90
refs/heads/master
<file_sep># i-love-vanilla-javascript
8a2acb208037135ffb4cf56cbfb46b951e202735
[ "Markdown" ]
1
Markdown
iuliaiacoban/i-love-vanilla-javascript
2c7c92333fa643a338263563bb2a1751d21e08f6
623d3ca455b42c0ad51c98ebac3466fc88594ecc