answer
stringlengths
15
1.25M
// <API key>.h // XQDemo #import <UIKit/UIKit.h> @interface <API key> : UIView - (void)<API key>:(NSString *)timestamp; @end
/** * A <API key> represents a collection of display objects. * It is the base class of all display objects that act as a container for other objects. * * @class <API key> * @extends DisplayObject * @constructor */ PIXI.<API key> = function() { PIXI.DisplayObject.call( this ); /** * [read-only] The of children of this container. * * @property children * @type Array<DisplayObject> * @readOnly */ this.children = []; } // constructor PIXI.<API key>.prototype = Object.create( PIXI.DisplayObject.prototype ); PIXI.<API key>.prototype.constructor = PIXI.<API key>; /** * Adds a child to the container. * * @method addChild * @param child {DisplayObject} The DisplayObject to add to the container */ PIXI.<API key>.prototype.addChild = function(child) { if(child.parent != undefined) { / COULD BE THIS??? child.parent.removeChild(child); // return; } child.parent = this; this.children.push(child); // update the stage refference.. if(this.stage) { var tmpChild = child; do { if(tmpChild.interactive)this.stage.dirty = true; tmpChild.stage = this.stage; tmpChild = tmpChild._iNext; } while(tmpChild) } // LINKED LIST // // modify the list.. var childFirst = child.first var childLast = child.last; var nextObject; var previousObject; // this could be wrong if there is a filter?? if(this._filters || this._mask) { previousObject = this.last._iPrev; } else { previousObject = this.last; } nextObject = previousObject._iNext; // always true in this case // need to make sure the parents last is updated too var updateLast = this; var prevLast = previousObject; while(updateLast) { if(updateLast.last == prevLast) { updateLast.last = child.last; } updateLast = updateLast.parent; } if(nextObject) { nextObject._iPrev = childLast; childLast._iNext = nextObject; } childFirst._iPrev = previousObject; previousObject._iNext = childFirst; // need to remove any render groups.. if(this.__renderGroup) { // being used by a renderTexture.. if it exists then it must be from a render texture; if(child.__renderGroup)child.__renderGroup.<API key>(child); // add them to the new render group.. this.__renderGroup.<API key>(child); } } /** * Adds a child to the container at a specified index. If the index is out of bounds an error will be thrown * * @method addChildAt * @param child {DisplayObject} The child to add * @param index {Number} The index to place the child in */ PIXI.<API key>.prototype.addChildAt = function(child, index) { if(index >= 0 && index <= this.children.length) { if(child.parent != undefined) { child.parent.removeChild(child); } child.parent = this; if(this.stage) { var tmpChild = child; do { if(tmpChild.interactive)this.stage.dirty = true; tmpChild.stage = this.stage; tmpChild = tmpChild._iNext; } while(tmpChild) } // modify the list.. var childFirst = child.first; var childLast = child.last; var nextObject; var previousObject; if(index == this.children.length) { previousObject = this.last; var updateLast = this; var prevLast = this.last; while(updateLast) { if(updateLast.last == prevLast) { updateLast.last = child.last; } updateLast = updateLast.parent; } } else if(index == 0) { previousObject = this; } else { previousObject = this.children[index-1].last; } nextObject = previousObject._iNext; // always true in this case if(nextObject) { nextObject._iPrev = childLast; childLast._iNext = nextObject; } childFirst._iPrev = previousObject; previousObject._iNext = childFirst; this.children.splice(index, 0, child); // need to remove any render groups.. if(this.__renderGroup) { // being used by a renderTexture.. if it exists then it must be from a render texture; if(child.__renderGroup)child.__renderGroup.<API key>(child); // add them to the new render group.. this.__renderGroup.<API key>(child); } } else { throw new Error(child + " The index "+ index +" supplied is out of bounds " + this.children.length); } } /** * [NYI] Swaps the depth of 2 displayObjects * * @method swapChildren * @param child {DisplayObject} * @param child2 {DisplayObject} * @private */ PIXI.<API key>.prototype.swapChildren = function(child, child2) { if(child === child2) { return; } var index1 = this.children.indexOf(child); var index2 = this.children.indexOf(child2); if(index1 < 0 || index2 < 0) { throw new Error("swapChildren: Both the supplied DisplayObjects must be a child of the caller."); } this.removeChild(child); this.removeChild(child2); if(index1 < index2) { this.addChildAt(child2, index1); this.addChildAt(child, index2); } else { this.addChildAt(child, index2); this.addChildAt(child2, index1); } } /** * Returns the Child at the specified index * * @method getChildAt * @param index {Number} The index to get the child from */ PIXI.<API key>.prototype.getChildAt = function(index) { if(index >= 0 && index < this.children.length) { return this.children[index]; } else { throw new Error(child + " Both the supplied DisplayObjects must be a child of the caller " + this); } } /** * Removes a child from the container. * * @method removeChild * @param child {DisplayObject} The DisplayObject to remove */ PIXI.<API key>.prototype.removeChild = function(child) { var index = this.children.indexOf( child ); if ( index !== -1 ) { // unlink // // modify the list.. var childFirst = child.first; var childLast = child.last; var nextObject = childLast._iNext; var previousObject = childFirst._iPrev; if(nextObject)nextObject._iPrev = previousObject; previousObject._iNext = nextObject; if(this.last == childLast) { var tempLast = childFirst._iPrev; // need to make sure the parents last is updated too var updateLast = this; while(updateLast.last == childLast) { updateLast.last = tempLast; updateLast = updateLast.parent; if(!updateLast)break; } } childLast._iNext = null; childFirst._iPrev = null; // update the stage reference.. if(this.stage) { var tmpChild = child; do { if(tmpChild.interactive)this.stage.dirty = true; tmpChild.stage = null; tmpChild = tmpChild._iNext; } while(tmpChild) } // webGL trim if(child.__renderGroup) { child.__renderGroup.<API key>(child); } child.parent = undefined; this.children.splice( index, 1 ); } else { throw new Error(child + " The supplied DisplayObject must be a child of the caller " + this); } } /* * Updates the container's children's transform for rendering * * @method updateTransform * @private */ PIXI.<API key>.prototype.updateTransform = function() { if(!this.visible)return; PIXI.DisplayObject.prototype.updateTransform.call( this ); for(var i=0,j=this.children.length; i<j; i++) { this.children[i].updateTransform(); } }
<!DOCTYPE html> <html> <head> <meta charset="utf-8"> <meta http-equiv="X-UA-Compatible" content="IE=edge"> <script src="https://ajax.googleapis.com/ajax/libs/jquery/1.12.4/jquery.min.js"></script> <!-- Latest compiled and minified CSS --> <link rel="stylesheet" href="https://maxcdn.bootstrapcdn.com/bootstrap/3.3.7/css/bootstrap.min.css" integrity="<API key>+PmSTsz/K68vbdEjh4u" crossorigin="anonymous"> <link rel="stylesheet" href="style.css"> <link href="https://fonts.googleapis.com/css?family=Open+Sans" rel="stylesheet"> <!-- Latest compiled and minified JavaScript --> <script src="https://maxcdn.bootstrapcdn.com/bootstrap/3.3.7/js/bootstrap.min.js" integrity="<API key>" crossorigin="anonymous"></script> <title>TSA Website Design</title> </head> <body> <div id="background"> <img src="dscovrblured.jpg" class="stretch"> </div> <nav id="mainNav" class="navbar navbar-inverse navbar-fixed-top"> <div align="center" class="container-fluid"> <div class="navbar-header"> <button type="button" class="navbar-toggle collapsed" data-toggle="collapse" data-target="#navbar1" aria-expanded="false" aria-controls="navbar"> <span class="sr-only">Navigation Toggle</span> <span class="icon-bar"></span> <span class="icon-bar"></span> <span class="icon-bar"></span> </button> <!--<a class="navbar-brand page-scroll" href="index.html">Privatization of Space Exploration</a>--> </div> <div style="text-align:center" class="collapse navbar-collapse" id="navbar1"> <ul class="nav navbar-nav navbar-right"> <li> <a class="page-scroll" href="index.html">Home</a> </li> <li class="dropdown"> <a class="dropdown-toggle" data-toggle="dropdown" href="#b2">Space Enterprises <span class="caret"></span></a> <ul class="dropdown-menu"> <li> <a href="#b21">SpaceX</a> </li> <li> <a href="#b22">Blue Origin</a> </li> <li> <a href="#b23">Vigin Galactic</a> </li> <li> <a href="#b24">XCOR</a> </li> <li> <a href="#b25">Starchaser Industries</a> </li> <li> <a href="#b26">Bigelow Aerospace</a> </li> <li> <a href="#b27">Lockheed Martin</a> </li> <li> <a href="#b28">Orbital ATK</a> </li> <li> <a href="#b29">Scaled Composites</a> </li> </ul> </li> <li> <a class="page-scroll" href="#b2">Timeline of Events</a> </li> <li> <a class="page-scroll" href="#b3">Evolution of Vehicles</a> </li> <li> <a class="page-scroll" href="#d4">Careers & Interviews</a> </li> <li> <a class="page-scroll" href="#d5">Impacts and Advantages</a> </li> <li> <a class="page-scroll" href="#d6">Careers & Interviews</a> </li> <li> <a class="page-scroll" href="#d7">Resources</a> </li> </ul> </div> </div> </nav> <p> <div class="container-fluid"> <div class="row"> <a href="aboutspacex.html"> <img src="<API key>.png" class="img-responsive"> </a> </div> <! </div> </p> <div class="container"> <div class="panel panel-default"> <div class="panel-body"> Lorem ipsum dolor sit amet, consectetur adipiscing elit. Quisque vitae sapien id est dignissim venenatis. Maecenas quis gravida ipsum, a pharetra nisi. Etiam ornare arcu eu diam luctus convallis. Cras dictum diam augue, sed porttitor nibh euismod ac. Proin ullamcorper, velit ac rutrum fermentum, nunc urna bibendum augue, in scelerisque nisl sapien ac nunc. Ut id faucibus lorem, vel finibus mi. Nunc pharetra elit non libero dictum venenatis. Vestibulum vel massa in odio viverra maximus quis eu velit. Nulla auctor ut ligula at dapibus. Ut id tincidunt orci. Sed et consequat urna. Cras eu consequat dolor. Integer fringilla at nisl eu venenatis. Ut vulputate accumsan mauris, vel porttitor nunc maximus non. Morbi convallis ornare laoreet. Maecenas sagittis consequat consectetur. Mauris placerat dignissim neque quis lacinia. Phasellus ut dapibus mi, sit amet pretium leo. Praesent eget placerat nisl. Duis dictum nisi vitae maximus hendrerit. Pellentesque porta neque ac malesuada volutpat. Morbi quis erat nisl. Quisque eros sem, molestie et fermentum eu, efficitur ac mi. Sed euismod ipsum enim, ultrices sodales nisl auctor eget. Etiam vel mi convallis, vulputate magna a, dictum enim. Cras eleifend lorem placerat tortor venenatis, non venenatis dolor lacinia. Morbi augue massa, interdum at neque nec, congue pretium libero. Aenean tempor pellentesque hendrerit. Morbi eget dui lectus. Suspendisse potenti. Suspendisse non enim faucibus, condimentum tellus eget, posuere sem. Aenean volutpat luctus tincidunt. Vestibulum at cursus turpis, in vestibulum nunc. Sed scelerisque erat in finibus auctor. Suspendisse euismod ante diam, in fermentum elit tempus vel. Nulla auctor enim nec eros semper, nec sollicitudin libero pharetra. Fusce ut finibus neque. Fusce augue risus, semper a consectetur sit amet, congue a nunc. In mattis euismod sem at pretium. Nunc lacinia semper felis, non tincidunt magna placerat vitae. Quisque facilisis vel sapien sit amet vulputate. Nulla facilisi. In vel tortor libero. Vestibulum pharetra congue metus, et vestibulum tellus ultrices quis. Phasellus vel eros et libero suscipit feugiat. Vivamus pretium malesuada vulputate. Suspendisse egestas metus sit amet dapibus ullamcorper. Quisque elementum tempus nulla id mattis. Quisque iaculis interdum erat, id varius lectus ultricies et. Aenean sit amet arcu rutrum, vulputate arcu ac, consequat nunc. Phasellus vel risus ante. Suspendisse efficitur felis neque, non semper sapien scelerisque ut. Fusce vel libero vitae enim tincidunt sollicitudin. Nunc id ligula cursus, fringilla lectus id, fermentum purus. </div> </div> </div> </body> </html>
function ga() {} var _gaq = []
export { default } from '<API key>/components/stripe-card';
#include "binary_buffer.hpp" #include <iterator> #include <algorithm> #include <sstream> #include <boost/endian/conversion.hpp> using boost::endian::native_to_big; using boost::endian::big_to_native; namespace { using aria::byte; template <typename P> void <API key>(std::vector<byte> & vec, P primitive) { auto * begin = reinterpret_cast<byte *>(&primitive); auto * end = begin + sizeof(primitive); std::copy(begin, end, std::back_inserter(vec)); } template <typename P> P <API key>(const byte * buffer, size_t size, size_t & offset, const std::string & name) { size_t stride = sizeof(P); if (offset + stride <= size) { auto i = reinterpret_cast<const P *>(buffer + offset); offset += stride; return big_to_native(*i); } else { throw aria::internal::buffer_error("Insufficient bytes available to read " + name + "."); } } } aria::internal::buffer_error::buffer_error(const char *what) : std::runtime_error(what) { } aria::internal::buffer_error::buffer_error(const std::string &what) : std::runtime_error(what) { } void aria::internal::<API key>::write_uint8(uint8_t i) { _bytes.push_back(static_cast<byte>(i)); } void aria::internal::<API key>::write_uint16(uint16_t i) { <API key>(_bytes, native_to_big(i)); } void aria::internal::<API key>::write_uint32(uint32_t i) { <API key>(_bytes, native_to_big(i)); } void aria::internal::<API key>::write_uint64(uint64_t i) { <API key>(_bytes, native_to_big(i)); } void aria::internal::<API key>::write_string(const std::string &str) { write_uint32(str.size()); for (auto c : str) { _bytes.push_back(static_cast<byte>(c)); } } void aria::internal::<API key>::write_bytes(const std::vector<aria::byte> &bytes) { write_uint32(bytes.size()); std::copy(bytes.begin(), bytes.end(), std::back_inserter(_bytes)); } std::vector<aria::byte> aria::internal::<API key>::take_buffer() { std::vector<byte> buffer; _bytes.swap(buffer); return buffer; } aria::internal::<API key>::<API key>(const std::vector<byte> * buffer) : _buffer_start(buffer->data()), _buffer_size(buffer->size()), _offset(0) { } uint8_t aria::internal::<API key>::read_uint8() { return <API key><uint8_t>(_buffer_start, _buffer_size, _offset, "uint8"); } uint16_t aria::internal::<API key>::read_uint16() { return <API key><uint16_t>(_buffer_start, _buffer_size, _offset, "uint16"); } uint32_t aria::internal::<API key>::read_uint32() { return <API key><uint32_t>(_buffer_start, _buffer_size, _offset, "uint32"); } uint64_t aria::internal::<API key>::read_uint64() { return <API key><uint64_t>(_buffer_start, _buffer_size, _offset, "uint64"); } std::string aria::internal::<API key>::read_string() { uint32_t size; try { size = read_uint32(); } catch (buffer_error) { throw buffer_error("Insufficient bytes available to read string size."); } if (_offset + size <= _buffer_size) { auto data = reinterpret_cast<const char *>(_buffer_start + _offset); _offset += size; return std::string(data, size);; } else { assert(_offset <= _buffer_size); auto available = _buffer_size - _offset; std::stringstream ss; ss << "Expected " << size << " bytes of string data, but only " << available << " available bytes in buffer."; throw buffer_error(ss.str()); } } std::vector<byte> aria::internal::<API key>::read_bytes() { uint32_t size; try { size = read_uint32(); } catch (buffer_error) { throw buffer_error("Insufficient bytes available to read data size."); } if (_offset + size <= _buffer_size) { auto data = _buffer_start + _offset; _offset += size; return std::vector<byte>(data, data + size); } else { assert(_offset <= _buffer_size); auto available = _buffer_size - _offset; std::stringstream ss; ss << "Expected " << size << " bytes of data, but only " << available << " available bytes in buffer."; throw buffer_error(ss.str()); } }
<pre><code class="css">h1(class='s-simple-title u-fs-h5x') Thumbnail Object h2.s-simple-title--sub Default .s-simple-objects.thumbnail .o-thumb img(class="o-thumb__item" src= "http://placehold.it/200") .s-simple-code include ../code/highlight/<API key>.html h2.s-simple-title--sub Thumbnail Rounded .s-simple-objects.thumbnail .o-thumb img(class="o-thumb__item u-r-all" src= "http://placehold.it/200") .s-simple-code include ../code/highlight/<API key>.html h2.s-simple-title--sub Thumbnail Circle .s-simple-objects.thumbnail .o-thumb img(class="o-thumb__item u-r-circle" src= "http://placehold.it/200") .s-simple-code include ../code/highlight/<API key>.html</code></pre>
# :floppy_disk: ghbackup [![GoDoc](https: [![Build Status](https: [![Go Report Card](https: Backup your GitHub repositories with a simple command-line application written in Go. The simplest way to keep your repositories save: 1. [Install](#install) `ghbackup` 1. Get a token from https://github.com/settings/tokens 2. `ghbackup -secret token /path/to/backup/dir` This will backup all repositories you have access to. Embarrassing simple GitHub backup tool Usage: ghbackup [flags] directory directory path to save the repositories to At least one of -account or -secret must be specified. Flags: -account string GitHub user or organization name to get repositories from. If not specified, all repositories the authenticated user has access to will be loaded. -secret string Authentication secret for GitHub API. Can use the users password or a personal access token (https://github.c om/settings/tokens). Authentication increases rate limiting (https://developer.github.com/v3 /#rate-limiting) and enables backup of private repositories. -silent Suppress all output -version Print binary version For more visit https://qvl.io/ghbackup. ## Install - Note that `ghbackup` uses `git` under the hood. Please make sure it is installed on your system. - With [Go](https://golang.org/): go get qvl.io/ghbackup - With [Homebrew](http://brew.sh/): brew install qvl/tap/ghbackup - Download binary: https://github.com/qvl/ghbackup/releases ## Automation Mostly, we like to setup backups to run automatically in an interval. Let's setup `ghbackup` on a Linux server and make it run daily at 1am. This works similar on other platforms. There are different tools to do this: systemd and sleepto *Also see [this tutorial](https://jorin.me/<API key>/).* [systemd](https: - Create a new unit file: sh sudo touch /etc/systemd/system/ghbackup.service && sudo chmod 644 $_ - Edit file: [Unit] Description=GitHub backup After=network.target [Service] User=jorin ExecStart=/PATH/TO/sleepto -hour 1 /PATH/TO/ghbackup -account qvl /home/USER/github Restart=always [Install] WantedBy=multi-user.target - Replace the paths with your options. - Start service and enable it on boot: sh sudo systemctl daemon-reload sudo systemctl enable --now ghbackup - Check if service is running: sh systemctl status ghbackup Cron Cron is a job scheduler that already runs on most Unix systems. - Run `crontab -e` - Add a new line and replace `NAME` and `DIR` with your options: sh 0 1 * * * ghbackup -account NAME DIR For example: sh 0 1 * * * ghbackup -account qvl /home/qvl/backup-qvl Sending statistics The last line of the output contains a summary. You can use this to collect statistics about your backups. An easy way would be to use a [Slack hook](https://api.slack.com/incoming-webhooks) and send it like this: sh ghbackup -secret $GITHUB_TOKEN $DIR \ | tail -n1 \ | xargs -I%% curl -s -X POST --data-urlencode 'payload={"text": "%%"}' $SLACK_HOOK ## What happens? Get all repositories of a GitHub account. Save them to a folder. Update already cloned repositories. Best served as a scheduled job to keep your backups up to date! ## Limits `ghbackup` is about repositories. There are other solutions if you like to backup issues and wikis. ## Use as Go package From another Go program you can directly use the `ghbackup` sub-package. Have a look at the [GoDoc](https://godoc.org/qvl.io/ghbackup/ghbackup). ## Development Make sure to use `gofmt` and create a [Pull Request](https://github.com/qvl/ghbackup/pulls). Releasing Push a new Git tag and [GoReleaser](https://github.com/goreleaser/releaser) will automatically create a release. [MIT](./license)
const exec = require('child_process').exec const path = require('path') const fs = require('fs') const execPath = process.execPath const binPath = path.dirname(execPath) const dep = path.join(execPath, '../../lib/node_modules/dep') const repository = 'https://github.com/depjs/dep.git' const bin = path.join(dep, 'bin/dep.js') process.stdout.write( 'exec: git' + [' clone', repository, dep].join(' ') + '\n' ) exec('git clone ' + repository + ' ' + dep, (e) => { if (e) throw e process.stdout.write('link: ' + bin + '\n') process.stdout.write(' => ' + path.join(binPath, 'dep') + '\n') fs.symlink(bin, path.join(binPath, 'dep'), (e) => { if (e) throw e }) })
using MongoDB.Driver; namespace AspNet.Identity.MongoDB { public class IndexChecks { public static void <API key><TUser>(IMongoCollection<TUser> users) where TUser : IdentityUser { var userName = Builders<TUser>.IndexKeys.Ascending(t => t.UserName); var unique = new CreateIndexOptions {Unique = true}; users.Indexes.CreateOneAsync(userName, unique); } public static void <API key><TRole>(IMongoCollection<TRole> roles) where TRole : IdentityRole { var roleName = Builders<TRole>.IndexKeys.Ascending(t => t.Name); var unique = new CreateIndexOptions {Unique = true}; roles.Indexes.CreateOneAsync(roleName, unique); } public static void <API key><TUser>(IMongoCollection<TUser> users) where TUser : IdentityUser { var email = Builders<TUser>.IndexKeys.Ascending(t => t.Email); var unique = new CreateIndexOptions {Unique = true}; users.Indexes.CreateOneAsync(email, unique); } } }
class SystemModule < ActiveRecord::Base attr_accessible :name def self.CUSTOMER readonly.find_by_name("Customer") end def self.USER readonly.find_by_name("User") end def self.CONTACT readonly.find_by_name("Contact") end end
# <API key> Just look at the colors
package org.aikodi.chameleon.support.statement; import org.aikodi.chameleon.core.declaration.Declaration; import org.aikodi.chameleon.core.element.ElementImpl; import org.aikodi.chameleon.core.lookup.DeclarationSelector; import org.aikodi.chameleon.core.lookup.LookupContext; import org.aikodi.chameleon.core.lookup.LookupException; import org.aikodi.chameleon.core.lookup.SelectionResult; import org.aikodi.chameleon.core.validation.Valid; import org.aikodi.chameleon.core.validation.Verification; import org.aikodi.chameleon.oo.statement.ExceptionSource; import org.aikodi.chameleon.oo.statement.Statement; import org.aikodi.chameleon.util.association.Multi; import java.util.Collections; import java.util.List; /** * A list of statement expressions as used in the initialization clause of a for * statement. It contains a list of statement expressions. * * @author Marko van Dooren */ public class StatementExprList extends ElementImpl implements ForInit, ExceptionSource { public StatementExprList() { } /** * STATEMENT EXPRESSIONS */ private Multi<StatementExpression> <API key> = new Multi<StatementExpression>(this); public void addStatement(StatementExpression statement) { add(<API key>, statement); } public void removeStatement(StatementExpression statement) { remove(<API key>, statement); } public List<StatementExpression> statements() { return <API key>.getOtherEnds(); } @Override public StatementExprList cloneSelf() { return new StatementExprList(); } public int getIndexOf(Statement statement) { return statements().indexOf(statement) + 1; } public int getNbStatements() { return statements().size(); } @Override public List<? extends Declaration> <API key>() throws LookupException { return declarations(); } @Override public List<? extends Declaration> declarations() throws LookupException { return Collections.EMPTY_LIST; } @Override public LookupContext localContext() throws LookupException { return language().lookupFactory().<API key>(this); } @Override public <D extends Declaration> List<? extends SelectionResult<D>> declarations(DeclarationSelector<D> selector) throws LookupException { return Collections.emptyList(); } @Override public Verification verifySelf() { return Valid.create(); } }
"use strict"; ace.define("ace/snippets/matlab", ["require", "exports", "module"], function (e, t, n) { "use strict"; t.snippetText = undefined, t.scope = "matlab"; });
(function(){ /** * PubSub implementation (fast) */ var PubSub = function PubSub( defaultScope ){ if (!(this instanceof PubSub)){ return new PubSub( defaultScope ); } this._topics = {}; this.defaultScope = defaultScope || this; }; PubSub.prototype = { /** * Subscribe a callback (or callbacks) to a topic (topics). * * @param {String|Object} topic The topic name, or a config with key/value pairs of { topic: callbackFn, ... } * @param {Function} fn The callback function (if not using Object as previous argument) * @param {Object} scope (optional) The scope to bind callback to * @param {Number} priority (optional) The priority of the callback (higher = earlier) * @return {this} */ subscribe: function( topic, fn, scope, priority ){ var listeners = this._topics[ topic ] || (this._topics[ topic ] = []) ,orig = fn ,idx ; // check if we're subscribing to multiple topics // with an object if ( Physics.util.isObject( topic ) ){ for ( var t in topic ){ this.subscribe( t, topic[ t ], fn, scope ); } return this; } if ( Physics.util.isObject( scope ) ){ fn = Physics.util.bind( fn, scope ); fn._bindfn_ = orig; } else if (!priority) { priority = scope; } fn._priority_ = priority; idx = Physics.util.sortedIndex( listeners, fn, '_priority_' ); listeners.splice( idx, 0, fn ); return this; }, /** * Unsubscribe function from topic * @param {String} topic Topic name * @param {Function} fn The original callback function * @return {this} */ unsubscribe: function( topic, fn ){ var listeners = this._topics[ topic ] ,listn ; if (!listeners){ return this; } for ( var i = 0, l = listeners.length; i < l; i++ ){ listn = listeners[ i ]; if ( listn._bindfn_ === fn || listn === fn ){ listeners.splice(i, 1); break; } } return this; }, /** * Publish data to a topic * @param {Object|String} data * @param {Object} scope The scope to be included in the data argument passed to callbacks * @return {this} */ publish: function( data, scope ){ if (typeof data !== 'object'){ data = { topic: data }; } var topic = data.topic ,listeners = this._topics[ topic ] ,l = listeners && listeners.length ; if ( !topic ){ throw 'Error: No topic specified in call to world.publish()'; } if ( !l ){ return this; } data.scope = data.scope || this.defaultScope; while ( l data.handler = listeners[ l ]; data.handler( data ); } return this; } }; Physics.util.pubsub = PubSub; })();
function fixPosition() { console.log($(window).scrollTop()); // if its anywhee but at the very top of the screen, fix it if ($(window).scrollTop() >= headerHeight) { // magic number offset that just feels right to prevent the 'bounce' // if (headPosition.top > 0){ $('body').addClass('js-fix-positions'); } // otherwise, make sure its not fixed else { $('body').removeClass('js-fix-positions'); } }; //Generate the weight guide meter with JS as its pretty useless without it, without some server side intervention function <API key>(){ // create the element for the guide $('.<API key>').after('<div class="<API key>"></div>'); $('.<API key>').append('<div class="<API key>"></div>'); $('.<API key>').submit(function(e){ e.preventDefault(); //var $multiplier= weightGuideListener(); }) } function weightGuideListener(){ var $bar = $('.<API key>'); var $percentage = (100 * parseFloat($bar.css('width')) / parseFloat($bar.parent().css('width')) +10 + '%'); $bar.css("width", $percentage); var $message = $('.<API key>'); currentWidth=parseInt($percentage); console.log(currentWidth); // cannot use switch for less than if (currentWidth <= 21 ){ $message.text('Plenty of room'); } else if (currentWidth <= 45){ $bar.css('background-color', '#ee0'); } else if (currentWidth <= 65){ $bar.css('background-color', '#c1ea39'); $message.text('Getting there...') } else if (currentWidth <= 80){ $message.text('Room for a little one?'); } else if (currentWidth <= 89){ $message.text('Almost full!'); } else if (currentWidth >= 95 && currentWidth <= 99){ $message.text('Lookin\' good!'); } else if (currentWidth <= 99.9){ $bar.css('background-color', '#3ece38'); } else { $bar.css('background-color', '#d00'); $bar.css("width", "100%"); $message.text('(Delivery band 2 logic)'); } } function selectOnFocus(){ $('.<API key> input').focus(function(){ this.select(); }) }; $(document).ready(function(){ headerHeight=$('.af__header').outerHeight(); // icnludes padding and margins scrollIntervalID = setInterval(fixPosition, 16); // = 60 FPS <API key>(); selectOnFocus(); });
<?php return [ '@class' => 'Grav\\Common\\File\\CompiledYamlFile', 'filename' => '/Users/kenrickkelly/Sites/hokui/user/plugins/admin/languages/tlh.yaml', 'modified' => 1527231007, 'data' => [ 'PLUGIN_ADMIN' => [ 'LOGIN_BTN_FORGOT' => 'lIj', 'BACK' => 'chap', 'NORMAL' => 'motlh', 'YES' => 'HIja\'', 'NO' => 'Qo\'', 'DISABLED' => 'Qotlh' ] ] ];
#!/usr/bin/env bash # Run a raspberry pi as ulnoiot gateway (wifi router and mqtt_broker) # To enable this, # make sure ulnoiot-run script is porperly setup (for example in /home/pi/bin) # add the following to the end of /etc/rc.local with adjusted location of the # run-script: # export PATH="/usr/local/sbin:/usr/local/bin:/usr/sbin:/usr/bin:/sbin:/bin" # /home/pi/bin/ulnoiot exec /home/pi/ulnoiot/lib/system_boot/raspi-boot.sh" # Also disable all network devices in /etc/network/interfaces apart lo and wlan1 # and make sure that wlan1 configuration looks like this (replace /home/pi/ulnoiot # with the respective ULNOIOT_ROOT): # allow-hotplug wlan1 # iface wlan1 inet manual # pre-up /home/pi/bin/ulnoiot exec /home/pi/ulnoiot/lib/system_boot/raspi-pre-up.sh # wpa-conf /run/uiot_wpa_supplicant.conf [ "$ULNOIOT_ACTIVE" = "yes" ] || { echo "ulnoiot not active, aborting." 1>&2;exit 1; } source "$ULNOIOT_ROOT/bin/read_boot_config" # Try to guess user if [[ $ULNOIOT_ROOT =~ '/home/([!/]+)/ulnoiot' ]]; then ULNOIOT_USER=${BASH_REMATCH[1]} else ULNOIOT_USER=ulnoiot fi if [[ "ULNOIOT_AP_PASSWORD" ]]; then # pw was given, so start an accesspoint # start accesspoint and mqtt_broker ( sleep 15 # let network devices start cd "$ULNOIOT_ROOT" tmux new-session -d -n AP -s UIoTSvrs \ "./run" exec accesspoint \; \ new-window -d -n MQTT \ "./run" exec mqtt_broker \; \ new-window -d -n nodered \ su - $ULNOIOT_USER -c 'ulnoiot exec nodered_starter' \; \ new-window -d -n cloudcmd \ su - $ULNOIOT_USER -c 'ulnoiot exec cloudcmd_starter' \; \ new-window -d -n dongle \ su - $ULNOIOT_USER -c 'ulnoiot exec dongle_starter' \; ) & fi # accesspoint check
import React from 'react'; import ReactDOM from 'react-dom'; import _ from 'underscore'; import babel from 'babel-core/browser'; import esprima from 'esprima'; import escodegen from 'escodegen'; import estraverse from 'estraverse'; import Codemirror from 'react-codemirror'; import classNames from 'classnames'; import { iff, default as globalUtils } from 'app/utils/globalUtils'; import './styles/app.less'; import 'react-codemirror/node_modules/codemirror/lib/codemirror.css'; import 'react-codemirror/node_modules/codemirror/theme/material.css'; import 'app/modules/JsxMode'; const localStorage = window.localStorage; const TAB_SOURCE = 'SOURCE'; const TAB_TRANSCODE = 'TRANSCODE'; const LiveDemoApp = React.createClass({ getInitialState() { return { sourceCode: '', transCode: '', transError: '', tab: TAB_SOURCE, func: function() { } }; }, componentWillMount() { this._setSource(localStorage.getItem('sourceCode') || ''); }, componentDidMount() { this._renderPreview(); }, componentDidUpdate() { this._renderPreview(); }, render() { const { sourceCode, transCode, tab, transError } = this.state; const showSource = (tab === TAB_SOURCE); const cmOptions = { lineNumbers: true, readOnly: !showSource, mode: 'jsx', theme: 'material', tabSize: 2, smartIndent: true, indentWithTabs: false }; const srcTabClassName = classNames({ 'otsLiveDemoApp-tab': true, '<API key>': showSource }); const transTabClassName = classNames({ 'otsLiveDemoApp-tab': true, '<API key>': !showSource }); console.log((transCode || transError)); return ( <div className='otsLiveDemoApp'> <div className='otsLiveDemoApp-tabs'> <button className={srcTabClassName} onClick={this._onSrcClick}>Source</button> <button className={transTabClassName} onClick={this._onTransClick}>Transcode</button> </div> <div className='otsLiveDemoApp-src'> <Codemirror value={showSource ? sourceCode : (transCode || transError)} onChange={this._onChangeEditor} options={cmOptions} /> </div> </div> ); }, _onChangeEditor(value) { const { tab } = this.state; if (tab === TAB_SOURCE) { this._setSource(value); } }, _onSrcClick() { this.setState({ tab: TAB_SOURCE }); }, _onTransClick() { this.setState({ tab: TAB_TRANSCODE }); }, _setSource(sourceCode) { localStorage.setItem('sourceCode', sourceCode); const dependencies = []; let transCode; let transError; try { const es5trans = babel.transform(sourceCode); let uniqueId = 0; estraverse.replace(es5trans.ast.program, { enter(node, parent) { if ( node.type === 'CallExpression' && node.callee.type === 'Identifier' && node.callee.name === 'require' && node.arguments.length === 1 && node.arguments[0].type === 'Literal' ) { const dep = { identifier: '__DEPENDENCY_'+ (uniqueId++) , depName: node.arguments[0].value }; dependencies.push(dep); return { name: dep.identifier, type: 'Identifier' }; } else if ( node.type === '<API key>' && node.left.type === 'MemberExpression' && node.left.object.type === 'Identifier' && node.left.object.name === 'module' && node.left.property.type === 'Identifier' && node.left.property.name === 'exports' ) { return { type: 'ReturnStatement', argument: node.right } } } }); transCode = escodegen.generate(es5trans.ast.program); } catch (e) { const msg = 'Error transpiling source code: '; transError = msg + e.toString(); globalUtils.error(msg, e); } this.setState({ sourceCode, transCode, transError }); if (transCode) { try { const fnConstArgs = [{ what: 'aaa'}].concat(dependencies.map((dep) => { return dep.identifier; })); fnConstArgs.push('exports'); fnConstArgs.push(transCode); this.setState({ func: new (Function.prototype.bind.apply(Function, fnConstArgs)) }); } catch(e) { console.error('Runtime Error', e); } } }, _renderPreview() { const { func } = this.state; const { Component, error } = (() => { try { return { Component: func(React, {}) }; } catch(e) { return { error: e }; } })(); try { if (Component) { ReactDOM.render(<Component />, document.getElementById('preview')); } else if (error) { ReactDOM.render(<div className='<API key>'>{error.toString()}</div>, document.getElementById('preview')); } } catch (e) { globalUtils.error('Fatal error rendering preview: ', e); } } }); ReactDOM.render(<LiveDemoApp />, document.getElementById('editor')); // const newProgram = { // type: 'Program', // body: [ // type: 'CallExpression', // callee: { // type: 'FunctionExpression', // id: null, // params: dependencies.map((dep) => { // return { // type: 'Identifier', // name: dep.identifier // body: { // type: 'BlockStatement', // body: es5trans.ast.program.body // arguments: []
/** @babel */ /* eslint-env jasmine, atomtest */ import fs from 'fs'; import path from 'path'; const testPrefix = path.basename(__filename).split('-').shift(); const projectRoot = path.join(__dirname, 'fixtures'); const filePath = path.join(projectRoot, `test.${testPrefix}`); describe('editorconfig', () => { let textEditor; const <API key> = 'I\nam\nProvidence.'; const <API key> = 'I \t \nam \t \nProvidence.'; beforeEach(() => { waitsForPromise(() => Promise.all([ atom.packages.activatePackage('editorconfig'), atom.workspace.open(filePath) ]).then(results => { textEditor = results[1]; }) ); }); afterEach(() => { // remove the created fixture, if it exists runs(() => { fs.stat(filePath, (err, stats) => { if (!err && stats.isFile()) { fs.unlink(filePath); } }); }); waitsFor(() => { try { return fs.statSync(filePath).isFile() === false; } catch (err) { return true; } }, 5000, `removed ${filePath}`); }); describe('Atom being set to remove trailing whitespaces', () => { beforeEach(() => { // <API key> camelcase textEditor.getBuffer().editorconfig.settings.<API key> = true; // <API key> camelcase textEditor.getBuffer().editorconfig.settings.<API key> = false; }); it('should strip trailing whitespaces on save.', () => { textEditor.setText(<API key>); textEditor.save(); expect(textEditor.getText().length).toEqual(<API key>.length); }); }); });
#import <HomeSharing/HSRequest.h> @interface HSItemDataRequest : HSRequest { } + (id)<API key>:(unsigned int)arg1 itemID:(unsigned long long)arg2 format:(id)arg3; - (id)initWithDatabaseID:(unsigned int)arg1 itemID:(unsigned long long)arg2 format:(id)arg3; @end
#import <Foundation/NSPredicateOperator.h> @interface <API key> : NSPredicateOperator { } + (id)<API key>; + (id)orPredicateOperator; + (id)<API key>; - (_Bool)evaluatePredicates:(id)arg1 withObject:(id)arg2 <API key>:(id)arg3; - (_Bool)evaluatePredicates:(id)arg1 withObject:(id)arg2; - (id)symbol; - (id)predicateFormat; - (id)copyWithZone:(struct _NSZone *)arg1; @end
import React from "react" import { injectIntl } from "react-intl" import { NavLink } from "react-router-dom" import PropTypes from "prop-types" import Styles from "./Navigation.css" function Navigation({ intl }) { return ( <ul className={Styles.list}> <li><NavLink exact to="/" activeClassName={Styles.activeLink}>Home</NavLink></li> <li><NavLink to="/redux" activeClassName={Styles.activeLink}>Redux</NavLink></li> <li><NavLink to="/localization" activeClassName={Styles.activeLink}>Localization</NavLink></li> <li><NavLink to="/markdown" activeClassName={Styles.activeLink}>Markdown</NavLink></li> <li><NavLink to="/missing" activeClassName={Styles.activeLink}>Missing</NavLink></li> </ul> ) } Navigation.propTypes = { intl: PropTypes.object } export default injectIntl(Navigation)
package main import ( "bufio" "os" "fmt" ) func main() { counts := make(map[string]int) fileReader, err := os.Open("words.txt") if err != nil { fmt.Println(err) os.Exit(1) } defer fileReader.Close() scanner := bufio.NewScanner(fileReader) // Set the split function for the scanning operation. scanner.Split(bufio.ScanWords) for scanner.Scan() { word := scanner.Text() counts[word]++ } if err := scanner.Err(); err != nil { fmt.Fprintf(os.Stderr, "wordfreq: %v\n", err) os.Exit(1) } fmt.Printf("word\t freq\n") for c, n := range counts { fmt.Printf("%q\t %d\n", c, n) } }
<?php defined("_VALID_ACCESS") || die('Direct access forbidden'); $recordsets = <API key>::<API key>(); $checkpoint = Patch::checkpoint('recordset'); $processed = $checkpoint->get('processed', array()); foreach ($recordsets as $tab => $caption) { if (isset($processed[$tab])) { continue; } $processed[$tab] = true; Patch::require_time(3); $tab = $tab . "_field"; $columns = DB::MetaColumnNames($tab); if (!isset($columns['HELP'])) { PatchUtil::db_add_column($tab, 'help', 'X'); } $checkpoint->set('processed', $processed); }
const Marionette = require('backbone.marionette'); const MeterValuesView = require('./MeterValuesView.js'); module.exports = class EnergyMetersView extends Marionette.View { template = Templates['capabilities/energy/meters']; className() { return 'energy-meters'; } regions() { return { metersByPeriod: '.metersByPeriod' }; } modelEvents() { return {change: 'render'}; } onRender() { const metersView = new Marionette.CollectionView({ collection: this.model.metersByPeriod(), childView: MeterValuesView }); this.showChildView('metersByPeriod', metersView); } }
// of this software and associated documentation files (the "Software"), to deal // in the Software without restriction, including without limitation the rights // copies of the Software, and to permit persons to whom the Software is // furnished to do so, subject to the following conditions: // all copies or substantial portions of the Software. // IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, // FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE // LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, // OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN // THE SOFTWARE. #pragma once #include <EASTL/utility.h> #include "Tabs/Tab.h" namespace Urho3D { class Asset; class FileChange; struct <API key> { ea::string resourceName_; }; URHO3D_EVENT(<API key>, <API key>) { URHO3D_PARAM(P_NAME, Name); // String } Resource browser tab. class ResourceTab : public Tab { URHO3D_OBJECT(ResourceTab, Tab) public: Construct. explicit ResourceTab(Context* context); Render content of tab window. Returns false if tab was closed. bool RenderWindowContent() override; Clear any user selection tracked by this tab. void ClearSelection() override; Serialize current user selection into a buffer and return it. bool SerializeSelection(Archive& archive) override; Signal set when user right-clicks a resource or folder. Signal<void(const <API key>&)> <API key>; protected: void OnLocateResource(StringHash, VariantMap& args); Constructs a name for newly created resource based on specified template name. ea::string GetNewResourcePath(const ea::string& name); Select current item in attribute inspector. void <API key>(); void OnEndFrame(StringHash, VariantMap&); void OnResourceUpdated(const FileChange& change); void ScanAssets(); void OpenResource(const ea::string& resourceName); void RenderContextMenu(); void RenderDirectoryTree(const eastl::string& path = ""); void ScanDirTree(StringVector& result, const eastl::string& path); void <API key>(); void StartRename(); bool RenderRenameWidget(const ea::string& icon = ""); Current open resource path. ea::string currentDir_; Current selected resource file name. ea::string selectedItem_; Assets visible in resource browser. ea::vector<WeakPtr<Asset>> assets_; Cache of directory names at current selected resource path. StringVector currentDirs_; Cache of file names at current selected resource path. StringVector currentFiles_; Flag which requests rescan of current selected resource path. bool rescan_ = true; Flag requesting to scroll to selection on next frame. bool scrollToCurrent_ = false; State cache. ValueCache cache_{context_}; Frame at which rename started. Non-zero means rename is in-progress. unsigned isRenamingFrame_ = 0; Current value of text widget during rename. ea::string renameBuffer_; }; }
const _ = require('lodash'); const en = { modifiers: require('../../res/en').modifiers }; const Types = require('../../lib/types'); const optional = { optional: true }; const repeatable = { repeatable: true }; const nullableNumber = { type: Types.NameExpression, name: 'number', nullable: true }; const <API key> = _.extend({}, nullableNumber, optional); const <API key> = _.extend({}, nullableNumber, optional, repeatable); const <API key> = _.extend({}, nullableNumber, repeatable); const nonNullableObject = { type: Types.NameExpression, name: 'Object', nullable: false }; const <API key> = _.extend({}, nonNullableObject, optional); const <API key> = _.extend({}, nonNullableObject, optional, repeatable); const <API key> = _.extend({}, nonNullableObject, repeatable); module.exports = [ { description: 'nullable number', expression: '?number', parsed: nullableNumber, described: { en: { simple: 'nullable number', extended: { description: 'number', modifiers: { nullable: en.modifiers.extended.nullable }, returns: '' } } } }, { description: 'postfix nullable number', expression: 'number?', newExpression: '?number', parsed: nullableNumber, described: { en: { simple: 'nullable number', extended: { description: 'number', modifiers: { nullable: en.modifiers.extended.nullable }, returns: '' } } } }, { description: 'non-nullable object', expression: '!Object', parsed: nonNullableObject, described: { en: { simple: 'non-null Object', extended: { description: 'Object', modifiers: { nullable: en.modifiers.extended.nonNullable }, returns: '' } } } }, { description: 'postfix non-nullable object', expression: 'Object!', newExpression: '!Object', parsed: nonNullableObject, described: { en: { simple: 'non-null Object', extended: { description: 'Object', modifiers: { nullable: en.modifiers.extended.nonNullable }, returns: '' } } } }, { description: 'repeatable nullable number', expression: '...?number', parsed: <API key>, described: { en: { simple: 'nullable repeatable number', extended: { description: 'number', modifiers: { nullable: en.modifiers.extended.nullable, repeatable: en.modifiers.extended.repeatable }, returns: '' } } } }, { description: 'postfix repeatable nullable number', expression: '...number?', newExpression: '...?number', parsed: <API key>, described: { en: { simple: 'nullable repeatable number', extended: { description: 'number', modifiers: { nullable: en.modifiers.extended.nullable, repeatable: en.modifiers.extended.repeatable }, returns: '' } } } }, { description: 'repeatable non-nullable object', expression: '...!Object', parsed: <API key>, described: { en: { simple: 'non-null repeatable Object', extended: { description: 'Object', modifiers: { nullable: en.modifiers.extended.nonNullable, repeatable: en.modifiers.extended.repeatable }, returns: '' } } } }, { description: 'postfix repeatable non-nullable object', expression: '...Object!', newExpression: '...!Object', parsed: <API key>, described: { en: { simple: 'non-null repeatable Object', extended: { description: 'Object', modifiers: { nullable: en.modifiers.extended.nonNullable, repeatable: en.modifiers.extended.repeatable }, returns: '' } } } }, { description: 'postfix optional nullable number', expression: 'number=?', newExpression: '?number=', parsed: <API key>, described: { en: { simple: 'optional nullable number', extended: { description: 'number', modifiers: { nullable: en.modifiers.extended.nullable, optional: en.modifiers.extended.optional }, returns: '' } } } }, { description: 'postfix nullable optional number', expression: 'number?=', newExpression: '?number=', parsed: <API key>, described: { en: { simple: 'optional nullable number', extended: { description: 'number', modifiers: { nullable: en.modifiers.extended.nullable, optional: en.modifiers.extended.optional }, returns: '' } } } }, { description: 'postfix repeatable nullable optional number', expression: '...number?=', newExpression: '...?number=', parsed: <API key>, described: { en: { simple: 'optional nullable repeatable number', extended: { description: 'number', modifiers: { nullable: en.modifiers.extended.nullable, optional: en.modifiers.extended.optional, repeatable: en.modifiers.extended.repeatable }, returns: '' } } } }, { description: 'postfix optional non-nullable object', expression: 'Object=!', newExpression: '!Object=', parsed: <API key>, described: { en: { simple: 'optional non-null Object', extended: { description: 'Object', modifiers: { nullable: en.modifiers.extended.nonNullable, optional: en.modifiers.extended.optional }, returns: '' } } } }, { description: 'postfix non-nullable optional object', expression: 'Object!=', newExpression: '!Object=', parsed: <API key>, described: { en: { simple: 'optional non-null Object', extended: { description: 'Object', modifiers: { nullable: en.modifiers.extended.nonNullable, optional: en.modifiers.extended.optional }, returns: '' } } } }, { description: 'postfix repeatable non-nullable optional object', expression: '...Object!=', newExpression: '...!Object=', parsed: <API key>, described: { en: { simple: 'optional non-null repeatable Object', extended: { description: 'Object', modifiers: { nullable: en.modifiers.extended.nonNullable, optional: en.modifiers.extended.optional, repeatable: en.modifiers.extended.repeatable }, returns: '' } } } } ];
class ACLHelperMethod < <API key> access_control :helper => :foo? do allow :owner, :of => :foo end def allow @foo = Foo.first render inline: "<div><%= foo? ? 'OK' : 'AccessDenied' %></div>" end end
<?php namespace App\Application\Controllers\Traits; trait HelpersTrait{ protected function checkIfArray($request){ return is_array($request) ? $request : [$request]; } protected function createLog($action , $status , $messages = ''){ $data = [ 'action' => $action, 'model' => $this->model->getTable(), 'status' => $status, 'user_id' => auth()->user()->id, 'messages' => $messages ]; $this->log->create($data); } }
/* 1023 20 */ #include <stdio.h> #include <stdlib.h> #include <string.h> int main(int argc, char *argv[]) { int n = 10; int quantities[n]; for (int i = 0; i < n; i++) { if (scanf("%d", &quantities[i]) != 1) return EXIT_FAILURE; } int nums[50] = {0}; int count = 0; for (int i = 1; i < n; i++) { if (quantities[i] > 0) { nums[count] = i; count++; quantities[i] break; } } for (int i = 0; i < n; i++) { while (quantities[i] > 0) { nums[count] = i; count++; quantities[i] } } for (int i = 0; i < count; i++) { printf("%d", nums[i]); } return EXIT_SUCCESS; }
<html><body> <h4>Windows 10 x64 (19041.508)</h4><br> <h2>_XPF_MCE_FLAGS</h2> <font face="arial"> +0x000 MCG_CapabilityRW : Pos 0, 1 Bit<br> +0x000 MCG_GlobalControlRW : Pos 1, 1 Bit<br> +0x000 Reserved : Pos 2, 30 Bits<br> +0x000 AsULONG : Uint4B<br> </font></body></html>
angular.module('Reader.services.options', []) .factory('options', function($rootScope, $q) { var controllerObj = {}; options.onChange(function (changes) { $rootScope.$apply(function () { for (var property in changes) { controllerObj[property] = changes[property].newValue; } }); }); return { get: function (callback) { options.get(function (values) { $rootScope.$apply(function () { angular.copy(values, controllerObj); if (callback instanceof Function) { callback(controllerObj); } }); }); return controllerObj; }, set: function (values) { options.set(values); }, enableSync: options.enableSync, isSyncEnabled: options.isSyncEnabled }; });
class UsersController < <API key> def index end def show @user = User.find(params[:id]) end def edit @user = User.find(params[:id]) end def update @user = User.find(params[:id]) if @user.update_attributes(user_params) @user.geocode else render 'edit' end end private def user_params params.require(:user).permit(:city, :zip, :name) end end
# blog [![Build Status](https: Weekend project for self education ## backend configuration create config.local.js on ./server directory with module.exports = { secret: 'some random text', port: 3000, greeting: 'blog server running on http://localhost:', mongoose: 'mongodb://localhost/blog' } where: - secret is random string and it should be defined for security reasons - port is int, default is 3000 - greeting is text which will be printed on console when server starts successfully - mongoose is mongodb connection string
<!DOCTYPE html> <html lang="en"> <head> <meta http-equiv="refresh" content="0;URL=../../openssl_sys/fn.<API key>.html"> </head> <body> <p>Redirecting to <a href="../../openssl_sys/fn.<API key>.html">../../openssl_sys/fn.<API key>.html</a>...</p> <script>location.replace("../../openssl_sys/fn.<API key>.html" + location.search + location.hash);</script> </body> </html>
# TriDIYBio Web site for TriDIYBio ## Workflow Setup: - `git clone https://github.com/Densaugeo/TriDIYBio.git` - `npm install` Making changes: - `git pull` - Make your changes and save files - `node gen.js` - `node test_server.js` - `git commit -am "Commit message"` - `npm run push`
import Ember from 'ember'; import DS from 'ember-data'; import DataAdapterMixin from 'ember-simple-auth/mixins/data-adapter-mixin'; export default DS.RESTAdapter.extend(DataAdapterMixin, { authorizer: 'authorizer:dspace', initENVProperties: Ember.on('init', function() { let ENV = this.container.lookupFactory('config:environment'); if (Ember.isPresent(ENV.namespace)) { this.set('namespace', ENV.namespace); } if (Ember.isPresent(ENV.host)) { this.set('host', ENV.host); } }), //<API key>: true, -> commented out, because it only works for some endpoints (e.g. items) and not others (e.g. communities) ajax(url, type, hash) { if (Ember.isEmpty(hash)) { hash = {}; } if (Ember.isEmpty(hash.data)) { hash.data = {}; } if (type === "GET") { hash.data.expand = 'all'; //add ?expand=all to all GET calls } return this._super(url, type, hash); } });
html { height: 100%; } body { background: #538eb8; /* For browsers that do not support gradients */ background: -<API key>(left top, #538eb8, #ffd044); /* For Safari 5.1 to 6.0 */ background: -o-linear-gradient(bottom right, #538eb8, #ffd044); /* For Opera 11.1 to 12.0 */ background: -moz-linear-gradient(bottom right, #538eb8, #ffd044); /* For Firefox 3.6 to 15 */ background: linear-gradient(to bottom right, #538eb8, #ffd044); /* Standard syntax */ } .login-panel { position:absolute; top:25%; left: 50%; width: 400px; transform: translate(-50%, -25%); } .form-login input[type="text"] { margin-bottom: -1px; <API key>: 0; <API key>: 0; } .form-login input[type="password"] { margin-bottom: 10px; <API key>: 0; <API key>: 0; } .warning { background-color: #fcf8e3; } .error { background-color: #f2dede; }
function alertThanks (post) { alert("Thanks for submitting a post!"); return post; } Telescope.callbacks.add("postSubmitClient", alertThanks);
1. pingICMP pingpingping ping ICMP ICMP Internet Internet Control Message Protocolping ICMPICMPICMPICMP - [Ping](https://zhuanlan.zhihu.com/p/45110873) - [ICMPping](https: 2. telnet telnetIPIP10.14.40.1722telnet 10.14.40.17 22 - [TelnetHTTP](https://zhuanlan.zhihu.com/p/61352013) - [win10telnetHTTP](https://blog.csdn.net/Mr_DouDo/article/details/79771303) 3. - (fiddlerwhistle) - (fiddlerwhistle) - Vue 1. Vuewindow.Vue(Vuethis(thisVue)windowVue__vue__vueVue) 1.1. vuedom, ${dom}.__vue__.constructor.superVue 2. Vue.config.devtools=true 3. <API key>.emit('init', Vue) Vue Vuelifecycle.jsVuevm$el __vue__ js // @name Vue // @description Vue.js devtools (function () { function findVueInstance($el) { // console.log(`Finding Vue: ${$el.tagName}`) let __vue__ = $el.__vue__; if (__vue__) { return __vue__; } else { let tagName = $el.tagName; if (["SCRIPT", "STYLE"].indexOf(tagName) === -1) { let children = [...$el.children]; children.some($child => { __vue__ = findVueInstance($child); return __vue__; }); return __vue__; } else { return; } } } function getVue(obj) { if (!!obj && obj._isVue) { let $constructor = obj.constructor; if ( $constructor.config && typeof $constructor.config.devtools === "boolean" ) { return obj.constructor; } if ( $constructor.super && $constructor.super.config && typeof $constructor.super.config.devtools === "boolean" ) { return $constructor.super; } } return; } setTimeout(() => { if ( typeof window.<API key> === "object" && typeof <API key>.emit === "function" ) { let $vm = findVueInstance(document.querySelector("body")); let _Vue = getVue($vm); if (_Vue) { _Vue.config.devtools = true; <API key>.emit("init", _Vue); console.log( `VueVueTabDevTools` ); } } }, 500); })(); 4. Traceroute - [Traceroute](https: 5. 6. this.emit('test', data); (arguments) <sub-item @test="doSth(arguments, 'another params')"> 7. git Hooks https://git-scm.com/book/zh/v2/%E8%87%AA%E5%AE%9A%E4%B9%89-Git-Git-%E9%92%A9%E5%AD%90 https://segmentfault.com/a/1190000016357480 gitpre-commitlintGit git commit --no-verify 8. prop prop prop.sync <son-component :title.sync="title"></son-component> this.$emit('update:title', newTitle) 9. git ` git , Windowsmac, linux. Windows, , readme.md . Readme.md , . git bash true git config --get core.ignorecase git config core.ignorecase false 10. RPCHTTP RPCRPCTCPHTTPRPCHTTP - [ HTTP RPC ](https: - [ RPC](https://juejin.im/entry/<API key>) - [ Node.js RPC— ](https: - [ Node.js RPC— ](https: 11. peerDependencies peerDependenciespeerDependenciesimportrequirenpm - [npmpeerDependencies](https: - [Peer Dependencies](https://nodejs.org/zh-cn/blog/npm/peer-dependencies/) - [peerDependencies](https://arayzou.com/2016/06/23/peerDependencies%E4%BB%8B%E7%BB%8D%E5%8F%8A%E7%AE%80%E6%9E%90/) 12. url 1. locationhash 2. history(pushState, replaceState, go, back, forward) hashchange(hash) popstate(history), , popstate history.pushState() history.replaceState() url , pushStatereplaceState - [location history ](https://segmentfault.com/a/1190000014120456) - [MDN history](https://developer.mozilla.org/en-US/docs/Web/API/Window/history) 13. urlquerypathhistorypushStatereplaceState - [MDN history]() 14. (FileReaderBlob) - [](https://juejin.im/post/<API key>) 14. DOMStringDocumentFormDataBlobFileArrayBuffer - [DOMStringDocumentFormDataBlobFileArrayBuffer](https: - [Blob](https://github.com/pfan123/Articles/issues/10) - [Web APIBlob](https://juejin.im/post/<API key>) - [canvasfileblobDataURL](https://juejin.im/post/<API key>) - [javascriptArrayBuffer](https://juejin.im/post/<API key>) - [ - ](https://javascript.ruanyifeng.com/stdlib/arraybuffer.html) - [MDN - ArrayBuffer](https://developer.mozilla.org/zh-CN/docs/Web/JavaScript/Reference/Global_Objects/ArrayBuffer) 15. npm scriptnpm [npm-scripts](https://juejin.im/post/<API key>) [npm](https://docs.npmjs.com/misc/scripts) [npm ](https://juejin.im/post/<API key>) 1. githookhusky lint-staged - [ - Git ](https://git-scm.com/book/zh/v2/%E8%87%AA%E5%AE%9A%E4%B9%89-Git-Git-%E9%92%A9%E5%AD%90) - [ Githook Coding Review ](https: - [ Git ](https://aotu.io/notes/2017/04/10/githooks/index.html) - [ husky lint-staged ](https://segmentfault.com/a/1190000009546913) - [ husky git commit](https://zhuanlan.zhihu.com/p/35913229) - [Husky & NodejsGit ](https://github.com/PaicFE/blog/issues/10) huskynpmpackage.jsongit hook yorkiehuskyforkvue-cli Before json { "scripts": { "precommit": "foo" } } After json { "gitHooks": { "pre-commit": "foo" } } 1. join jointoString(',') javascript [[1,2, [7,8]], [3,4]].join() // 1,2,7,8,3,4 [[1,2, [7,8]], [3,4]].join('-') // 1,2,7,8-3,4 [[1,2, [7,8]], [3,4]].join().replace(/,/g, '-') // 1-2-7-8-3-4 [[1,2, [7,8]], [3,4]].toString() // 1,2,7,8,3,4 - [ES5/ ECMAScript ](https://www.w3.org/html/ig/zh/wiki/ES5/%E6%A0%87%E5%87%86_ECMAScript_%E5%86%85%E7%BD%AE%E5%AF%B9%E8%B1%A1#Array.prototype.join_.28separator.29) 18. nginx server_name server_namenginx“Host”HostHostnginxnginx——nginx"listen""default_server" nginxservernginxserver_nameservernginxhttpservernginx$hostnameserver_nameserver - [Nginx](https://tengine.taobao.org/nginx_docs/cn/docs/http/request_processing.html) - [nginx server_name listen](https://blog.csdn.net/thlzjfefe/article/details/84489311) - [NginxServerLocation](https://juejin.im/post/<API key>) - [-Nginx](https://juejin.im/post/<API key>) - [ - server_name](http://nginx.org/en/docs/http/server_names.html) - [8Nginx](https://zhuanlan.zhihu.com/p/34943332) 19. Page Visibility API API `visibilitychange` APIAPI - [MDN Page Visibility API](https://developer.mozilla.org/zh-CN/docs/Web/API/Page_Visibility_API) - [ifvisible.js, Visibility API](https://github.com/serkanyersen/ifvisible.js) 20. Symbol Symbol - (1) - (2) [JavaScript Symbol ](https://juejin.im/post/<API key>) [ES6 - Symbol](http://es6.ruanyifeng.com/#docs/symbol) [ ES6Symbols](https: 21. () - (1) canvas ,canvas.toDataURLbase64dataURL, (canvastoDataURL, wx.canvasGetImageDataUint8ClampedArray, upng.jsbase64) - (2) dom - pointer-events:none javascript // canvas let canvas let ctx // merge the default value function mergeOptions(options) { return Object.assign({ width: 250, height: 80, color: '#a0a0a0', alpha: 0.8, font: '10px Arial' }, options) } /** * alimask( text, options ) -> string * - text (String): this text on water mask. * - options(Object): water mask options. * With keys: { width: 250, height: 80, color: '#ebebeb', alpha: 0.8, font: '10px Arial' } * * return base64 of background water mask image. * */ export default function(text, options) { if (!canvas || !ctx) { canvas = document.createElement('canvas') ctx = canvas && canvas.getContext && canvas.getContext('2d') if (!canvas || !ctx) return '' // if not exist also, then return blank. } const opts = mergeOptions(options) const { width } = opts const { height } = opts canvas.width = width canvas.height = height ctx.clearRect(0, 0, width, height) // clear the canvas // ctx.globalAlpha = 0 // backgroud is alpha ctx.fillStyle = 'white' // no need because of alipha = 0; ctx.fillRect(0, 0, width, height) ctx.globalAlpha = opts.alpha // text alpha ctx.fillStyle = opts.color ctx.font = opts.font ctx.textAlign = 'left' ctx.textBaseline = 'bottom' ctx.translate(width * 0.1, height * 0.9) // margin: 10 ctx.rotate(-Math.PI / 12) // 15 degree ctx.fillText(text, 0, 0) return canvas.toDataURL() } css /* canvascss */ .watermark { position: absolute; left: 0; right: 0; top: 0; bottom: 0; pointer-events: none; z-index: 9; opacity: .1; } - [--](https://juejin.im/post/<API key>) - [MDN - HTMLCanvasElement.toDataURL()](https://developer.mozilla.org/zh-CN/docs/Web/API/HTMLCanvasElement/toDataURL) - [mdn - pointer-events](https://developer.mozilla.org/zh-CN/docs/Web/CSS/pointer-events) - [CSS3 pointer-events:none](https: - [ - wx.canvasGetImageData](https://developers.weixin.qq.com/miniprogram/dev/api/canvas/wx.canvasGetImageData.html) 22. element UI - [table](https://blog.kaolafed.com/2017/12/25/%E4%B8%80%E8%B5%B7%E6%9D%A5%E8%81%8A%E8%81%8Atable%E7%BB%84%E4%BB%B6%E7%9A%84%E5%9B%BA%E5%AE%9A%E5%88%97/) 23. sass-loader webpack sass-loader Sass custom importer query webpack (resolving engine) ~ webpack import node_modules sass javascript @import "~bootstrap/dist/css/bootstrap"; ~ ~/ (home directory)webpack bootstrap ~bootstrap CSS Sass @import "file" @import "./file"; javascript @import "~@/bootstrap/dist/css/bootstrap"; javascript { resolve: { alias: { '@': resolve('src') } } } , @webpackaliassrc, ~ - [vue scss~@](https: - [webpack sass-loader](https://webpack.docschina.org/loaders/sass-loader/) 24. () javascript document.body.oncontextmenu = e => { console.log(e, ''); return false; // e.preventDefault(); }; document.body.onselectstart = e => { console.log(e, ''); return false; // e.preventDefault(); }; document.body.oncopy = e => { console.log(e, 'copy'); return false; // e.preventDefault(); } document.body.oncut = e => { console.log(e, 'cut'); return false; // e.preventDefault(); }; document.body.onpaste = e => { console.log(e, 'paste'); return false; // e.preventDefault(); }; // css js body { user-select: none; -moz-user-select: none; -webkit-user-select: none; -ms-user-select: none; } javascript document.body.addEventListener('copy', function(e) { const warningText = '' let clipboardData = (e.clipboardData || window.clipboardData) clipboardData.setData('text/plain', warningText) console.warn(warningText) e.preventDefault() }) javascript let copyFont = window.getSelection(0).toString(); * [er+](https://juejin.im/post/<API key>) 25. ** javascript // bad const binary = Math.pow(2, 10); // good const binary = 2 ** 10; 26. webviewinput JavaScript <API key>() { if (IS_ANDROID) { const originHeight = document.documentElement.clientHeight; window.addEventListener('resize', (event) => { const resizeheight = document.documentElement.clientHeight; console.log('resize documentElement.clientHeight:', document.documentElement.clientHeight); if (resizeheight < originHeight) { console.log('Android ', event); this.props.onKeyboardOpen(event); } else { console.log('Android ', event); this.props.onKeyboardClose(event); } }, false); } if (IS_IOS) { this.inputEle.current.addEventListener('focus', (event) => { console.log('iOS ', event); this.props.onKeyboardOpen(event); }, false); this.inputEle.current.addEventListener('blur', (event) => { console.log('iOS ', event); this.props.onKeyboardClose(event); }, false); } } * [ js ](https://segmentfault.com/a/1190000010693229) * [, hybrid app](https://zhuanlan.zhihu.com/p/86582914) 27. CSS css overflow:hidden; text-overflow:ellipsis; display:-webkit-box; -webkit-line-clamp:2; () -webkit-box-orient:vertical; * [CSS](https://segmentfault.com/a/1190000009262433) 28. js import { Button } from 'antd'; , antd, Button, import Button from 'antd/lib/button'; import 'antd/es/button/style'; // antd/es/button/style/css css babel babel-plugin-import import { Button } from 'antd'; , antd/lib/xxx style * [ - antd ](https://ant.design/docs/react/getting-started-cn#%E6%8C%89%E9%9C%80%E5%8A%A0%E8%BD%BD) * [antd](https://segmentfault.com/a/1190000016430794) * [babel-plugin-import](https://github.com/ant-design/babel-plugin-import) * [Tree-Shaking](https://zhuanlan.zhihu.com/p/32831172) 29. sideEffects ESM webpack compiler “” —— webpack tree-shaking sideEffects false json { "sideEffects": [ "*.sass", "*.scss", "*.css" , "*.vue"] } , , - [80%webpack tree-shaking](https://juejin.im/post/<API key>) - [Tree-Shaking - ](https://juejin.im/post/<API key>) - [Tree-Shaking - ](https://juejin.im/post/<API key>) 29. nginx * [Linux | nginx](https://segmentfault.com/a/1190000018505993) * [Nginx ](https: 30. vscode * [ VSCode Run ](https: * [ VS Code ](https: 31. nodejs * [ VS Code ](https: 32. dependencies devdependencies * [depcheck ](https: 33. git rebase [branch]git rebasegit merge --squash [branch] # git rebase [branch] bash # feature1, masterfeature git rebase master * git feature1 master, feature1 commit ; * patch .git/rebase ; * feature1 master ; * patch feature1 ; * git rebase --continue # git rebase bash git rebase -i h78df3 git rebase -i [log hashID], . # git merge --squash [branch] bash # master, feature1 git merge --squash feature1 * git feature1 * git status, feature1 * git addgit commit, , feature1owner (1) git rebase master author (2) git merge --squash master master author maintainer owner (3) merge master commit history (4) git rebase , , push, , : - [merge squash merge rebase ](https://liqiang.io/post/<API key>) - [ Git-Rebase](http://jartto.wang/2018/12/11/git-rebase/) - [Learn Version Control with Git - Rebase ](https: - [git merge –squash](https: 34. yaml : [YAML ](http: 35. jscss - [CSS—— ](https: - [CDNJSCSS](https://imweb.io/topic/<API key>) 36. CDNCDNDNSCNAMEGSLB - [DNS ](http: - [ cdn](https://juejin.im/post/<API key>#comment) - [CDN](https://github.com/renaesop/blog/issues/1) - [CDNCNAME](https://blog.csdn.net/heluan123132/article/details/73331511) - [CDNDNS](http://hpoenixf.com/DNS%E4%B8%8ECDN%E7%9F%A5%E8%AF%86%E6%B1%87%E6%80%BB.html) - [](https://juejin.im/post/<API key>) - [CDNCDN](https://cloud.tencent.com/developer/article/1439913) - [GSLB](https://jjayyyyyyy.github.io/2017/05/17/GSLB.html) - [GSLB](https://chongit.github.io/2015/04/15/GSLB%E6%A6%82%E8%A6%81%E5%92%8C%E5%AE%9E%E7%8E%B0%E5%8E%9F%E7%90%86/) - [CDN](https://juejin.im/post/<API key>) - [CDN](https: - [CDN](https://zhuanlan.zhihu.com/p/28940451) - [](http: CDN (CDN )? 1 DNS  static.xxx.example.cdn.com  GSLB CNAME  static.yd.example.cdn.com 2 DNS GSLB DNS SLB CDN 3 DNS CDN IP CDN IP GSLB CDN CDN 37. - [](http: 38. https: - [HTTPS ](http: 39. (app) - [H5APP()](https://juejin.im/post/<API key>) - [Web Android app ](https://johnnyshieh.me/posts/web-evoke-app/) - [Android DeepLink App ](https://medium.com/@zhoulujue/android-%E4%B8%8A%E7%8E%A9%E8%BD%AC-deeplink-%E5%A6%82%E4%BD%95%E6%9C%80%E5%A4%A7%E7%A8%8B%E5%BA%A6%E7%9A%84%E5%90%91-app-%E5%BC%95%E6%B5%81-5da646402c29) 40. adownload - [ HTML5 download ](https://zhuanlan.zhihu.com/p/58888918) 41. httpsHSTSmixed content - [ HTTPS ](https://imququ.com/post/<API key>.html) - [MDN - MixedContent](https://developer.mozilla.org/zh-CN/docs/Security/MixedContent) - [](https://developers.google.com/web/fundamentals/security/<API key>/<API key>?hl=zh-cn) 42. lernapackages - [lernapackages](http: - [Lerna ](https://juejin.im/post/<API key>) 43. Vue px rem - [Vue px rem](https://juejin.im/post/<API key>) 44. canvas - canvas canvas.width canvas.height - style CSS width height 2 html <canvas width="640" height="800" style="width:320px; height:400px"></canvas> canvas640px × 800px320px × 400px 45. - [](https://juejin.im/post/<API key>#heading-0) - [-](https://juejin.im/post/<API key>#heading-0) 46. DOMStringDocumentFormDataBlobFileArrayBuffer - [DOMStringDocumentFormDataBlobFileArrayBuffer](https: 47. , , , , , : - , , , - : (), IP, , 48. - [SSD](https: - [linux](https://zhuanlan.zhihu.com/p/34895884) - [IO](https://tech.meituan.com/2017/05/19/about-desk-io.html) 49. (SSO) - [SSO&](https://segmentfault.com/a/1190000016738030) : - [ canvas ](https: 50. () - , , , - , , - , , , , - (url), , (, , , ) 51. - 2010GDPG10-1GDPG10-2GDPG10-2-G10-1/G10-1 - 2009GDPG9-12010GDPG10-1-G9-1/G9-1 compare with the performance/figure/statistics last year year-on-year ratio increase/decrease on a year-on-year basisyearmonthseason 52. httpDNS DNS - Local DNS HttpDns IP HTTP A domain - IP domain - - [HttpDns ](http: - [DNSHTTPDNS](https://juejin.im/post/<API key>#heading-1) - [HTTPDNS](https://cloud.tencent.com/product/httpdns) 53. svg - [SVG ](https: - [MDN - SVG](https://developer.mozilla.org/zh-CN/docs/Web/SVG) - [SVG viewport,viewBox,preserveAspectRatio](https: 54. CAP CAPConsistency()Availability()Partition tolerance(),Consistency Availability , . - [CAP ](http: 55. JWT(JSON Web Token) - [JSON Web Token ](http: 56. make - [make](http: 57. contenteditable html <div id="container" contenteditable> 12324234 <span contenteditable="false"></span> </div> , contenteditabletruecontenteditablefalse, chromecontainer, , , firefox, container, , , , 58. GIF : - [GIF](https: 59. - [](http: 60. js - [JavaScript ](http: 61. - [Front-End Performance Checklist 2019 [PDF, Apple Pages, MS Word]](https: - [Front-End Performance Checklist 2020 [PDF, Apple Pages, MS Word]](https: - [2019 — ](https://juejin.im/post/<API key>) - [2019 — ](https://juejin.im/post/<API key>) - [2019 — ](https://juejin.im/post/<API key>) 62. service mesh - [Service Mesh](https://zhuanlan.zhihu.com/p/61901608) - [Service Mesh](https://jimmysong.io/blog/<API key>/) 63. h5video - [H5 video ](https://juejin.im/post/<API key>) 64. html5 video - [Does HTML5 <video> playback support the .avi format?](https://stackoverflow.com/questions/4129674/<API key>) - [VIDEO ON THE WEB](http://diveintohtml5.info/video.html) - [HTML5 video](https://en.wikipedia.org/wiki/HTML5_video) - [Media type and format guide: image, audio, and video content](https://developer.mozilla.org/en-US/docs/Web/Media/Formats) - [blob](https://juejin.im/post/<API key>) - [H5](https://juejin.im/post/<API key>) - [](https://juejin.im/post/<API key>) - [MDN - MediaSource](https://developer.mozilla.org/zh-CN/docs/Web/API/MediaSource#<API key>) 65. UI - [0UI — 01 ](https://uxfan.com/fe/vue.js/2019/07/20/<API key>.html) - [0UI — 02 ](https://uxfan.com/fe/vue.js/2019/07/22/<API key>.html) - [0UI — 03 ](https://uxfan.com/fe/vue.js/2019/07/25/<API key>.html) 66. - [ -- Django](https: - [](https://blog.cto163.com/wordpress/%E4%B8%AD%E9%97%B4%E8%A1%A8/) 67. Flex BasisWidth - [[]Flex BasisWidth](https: - [The Difference Between Width and Flex Basis](https://mastery.games/post/<API key>/) 68. flex-boxdiv - [Why does flex-box work with a div, but not a table?](https://stackoverflow.com/questions/41421512/<API key>) - [www.w3.org/TR/CSS2/tables](https://www.w3.org/TR/CSS2/tables.html#model) 69. SameSite cookies explained - [SameSite cookies explained](https://web.dev/<API key>/?utm_source=devtools) - [Reject insecure SameSite=None cookies](https: 70. fetchpostoptions ? - [fetchpostoptions ?](https: 71. - [](https: 72. - [Chrome](https://zhuanlan.zhihu.com/p/48522249) - [Event Loop (GIF)](https://zhuanlan.zhihu.com/p/41543963) - [JavaScriptEvent Loop](https://zhuanlan.zhihu.com/p/33058983) 73. ES module commonjs : 1. commonJsesModule 2. commonJsesModule 3. commentJs ES module : 1. : 2. : export import linking 3. : es moduleexportimport, , ES6 import example js // es module // constants.js export const test = { aa: 1, bb: { cc: 'hello' } } export let test2 = 2 setTimeout(() => { test2 = undefined test1.aa = 3 test1.bb.cc = 'bye' console.log('test1', test1) console.log('test2', test2) }, 2000) // index.js import { test1, test2 } from './constants' console.log('import1', test1) console.log('import2', test2) setTimeout(() => { console.log('trigger1', test1) console.log('trigger2', test2) }, 4000) // import1 {"aa":1,"bb":{"cc":"hello"}} // import2 2 // test1 {"aa":3,"bb":{"cc":"bye"}} // test2 undefined // trigger1 {"aa":3,"bb":{"cc":"bye"}} // trigger2 undefined js // commonjs // constants.js let test1 = { aa: 1, bb: { cc: 'hello' } } let test2 = 2 setTimeout(() => { test1.aa = 2 test1.bb.cc = 'bye' test2 = undefined console.log('test1', test1) console.log('test2', test2) }, 1000) module.exports = { test1, test2 } // index.js let constants = require('./constants'); console.log('require1', constants.test1) console.log('require2', constants.test2) setTimeout(() => { console.log('trigger1', constants.test1) console.log('trigger2', constants.test2) }, 4000) // require1 {"aa":1,"bb":{"cc":"hello"}} // require2 2 // test1 {"aa":2,"bb":{"cc":"bye"}} // test2 undefined // trigger1 {"aa":2,"bb":{"cc":"bye"}} // trigger2 2 - [ES modules: A cartoon deep-dive](https://hacks.mozilla.org/2018/03/<API key>/) - [ ES ](https://zhuanlan.zhihu.com/p/36358695) - [CommonJS ES6 Module ](https://juejin.im/post/6844904080955932680#heading-0) - [Node.js require ](https://juejin.im/post/6844903957752463374) - [CommonJs ESModule ](https://juejin.im/post/6844903598480965646) - [es module](https://juejin.im/post/6844903834532200461) - [What do ES6 modules export?](https://2ality.com/2015/07/es6-module-exports.html) - [MDN - export](https://developer.mozilla.org/en-US/docs/Web/JavaScript/Reference/Statements/export) 74. RegExp.prototype.exec() >exec() null > > global sticky /foo/g or /foo/yJavaScript RegExp lastIndex exec() > String.prototype.match() > >true false RegExp.test() String.search() - [MDN - RegExp.prototype.exec()](https://developer.mozilla.org/zh-CN/docs/Web/JavaScript/Reference/Global_Objects/RegExp/exec) - [jsexec](https: 75. gitwinmac: : bash git mv -f OldFileNameCase newfilenamecase : bash git config core.ignorecase false - [How do I commit case-sensitive only filename changes in Git?](https://stackoverflow.com/questions/17683458/<API key>) 76. - DeclarativeWhatHowhtmlsql - ImperativeHowWhat - [](https: - [Imperative vs Declarative](https://zhuanlan.zhihu.com/p/34445114) - [](https: - [(declarative) vs (imperative)](https://lotabout.me/2020/<API key>/) 77. HTTPTransfer-Encoding 1. Transfer-Encoding HTTP HTTP Content-EncodingContent-Encoding gzip jpg / png CPU Transfer-Encoding Content-Encoding Transfer-Encoding HTTP 2. node server, Content-Length, Transfer-Encoding: chunked 3. chunkedchunk()content-length 4. nginx, buffer(<API key> on;), , Transfer-Encoding: chunked, , content-length Transfer-Encoding: chunked, proxy_request_bufferingoff : - [HTTPchunked](https://zhuanlan.zhihu.com/p/65816404) - [MDN - Transfer-Encoding](https://developer.mozilla.org/zh-CN/docs/Web/HTTP/Headers/Transfer-Encoding) - [HTTP Transfer-Encoding](https://imququ.com/post/<API key>.html) - [HTTP, Content-Length?](https://blog.fundebug.com/2019/09/10/<API key>/) 78. IOC(Inversion of Control, ) 2004Martin Fowler“” Class AClass BbAnewB ABnewBnewAXML AB - [IoC](https: - [](https://zh.wikipedia.org/wiki/%E6%8E%A7%E5%88%B6%E5%8F%8D%E8%BD%AC) - [IOC--IOC](https: - [ DIPIoCDIJS](https://zhuanlan.zhihu.com/p/61018434) - [Node.jsIoC -- Rockerjs/core](https://cloud.tencent.com/developer/article/1405995) - [IoCNode.js](https: - [ JavaScript IoC](https://segmentfault.com/a/1190000022264251) - [ IoC ](https://efe.baidu.com/blog/<API key>/) - [IOCNodejs](https://juejin.im/post/6844903957366571016) - [ Node Midway ](https://zhuanlan.zhihu.com/p/81072053) 79. package-lock.json npm-shrinkwrap.json npm5package.jsonnpm installpackage-lock.jsonpackage.json/package-lock.jsonpackage-lock.json npm ci npm cipackage-lock.jsonpackage.json package-lock - 1. package-locknode_modulespackage-lock - 2. - 3. npmmeta package-lock package-lockpackage-lock.jsonnpmnpm npmnode_modulespackage-locknpm shrinkwrapnpm-shrinkwrap.jsonnpm-shrinkwrappackage-locknpm-shrinkwrapnpm npm-shrinkwrapnode_modulespackage-lockpackage-lockrenamenpm-shrinkwrapnode_modulesnpm-shrinkwrap package-lock.jsonnpm-shrinkwrap.jsonpackage-lock.json 80. package-lock.jsondev devDependenciesdevtruefalse ABBCCA devfalse 81. vue watch, pushObj$setwatchcallbackoldValuenewValuewatchnewValueoldValue - [$watcholdvaluenewValue](https://segmentfault.com/a/1190000010397584) - [Vue watch oldvalue newValue ](https://blog.csdn.net/u011330018/article/details/107322733/?utm_medium=distribute.pc_relevant.<API key>&spm=1001.2101.3001.4242) 82. Path-to-RegExp - [Path-to-RegExp](https://github.com/pillarjs/path-to-regexp/tree/v1.7.0) 83. vue-cli : - [ vue-cli ](https://juejin.im/post/<API key>) - [vue-cli-analysis](https://kuangpf.com/vue-cli-analysis/foreword/) - [cliVue-cli](https://juejin.cn/post/6844903586929868813) 84. ajaxcookiecorsajaxcookie - [ajaxcookiecorsajaxcookie](https://cloud.tencent.com/developer/article/1467263) 85. - [“”](https: - [](https://segmentfault.com/a/1190000023187634) 86. js - [[]js](https://github.com/xiongwilee/blog/issues/8) 87. Protocol Buffers - [Protocol Buffers](http://eux.baidu.com/blog/fe/%E6%B5%8F%E8%A7%88%E5%99%A8%E7%8E%AF%E5%A2%83%E4%B8%8B%E4%BD%BF%E7%94%A8Protocol%20Buffers) - [Google Protocol Buffer ](https: - [protobuf.js](https://github.com/protobufjs/protobuf.js) 88. SQL SQL - (1) - (2) - (3) - (4) , SQL, , , SQL, (), , , . , , , (), - [](https://draveness.me/<API key>/) - [SQL](https: - [ - ](https: - [](https: 89. id - [](https: - [](https: - [](https: - [(short URL)](https://segmentfault.com/a/1190000012088345) 90. nodedocker : docker: - (1) pm2dockerdockerECSKubernetes - (2) dockerCPU / - (3) PM2worker - (4) pm2workercrash() - (5) - (6) dockerdocker PM2 Node DEBUG log4js Node PM2 PM2 let it crash try...catchPM2 try...catch Node.js master-worker worker master mq Node.js TCP PM2supervisor 1 99% 2 Node.js Node.js 4 1c1g 1 4c4g 1g oom 4 1c1g 4c4g tps Node.js PM2 cfork - [what is the point of using pm2 and docker together?](https://stackoverflow.com/questions/51191378/<API key>) 91. VS Code , vscode, . - [VS Code ](https://github.com/pfan123/Articles/issues/66) - [vscode webpack alias() ](https://blog.csdn.net/zzl1243976730/article/details/92820985)
"use strict"; var async = require('async'); var fs = require('fs'); var util = require('util'); var prompt = require('prompt'); var httpRequest = require('emsoap').subsystems.httpRequest; var common = require('./common'); var mms = require('./mms'); var mmscmd = require('./mmscmd'); var deploy = require('./deploy'); var session; // MMS session var modelFile = "sfmodel.json"; var externalSystemType = 'NODEX'; var externalSystem; var accessAddress; var credentials; var mappedObjects; var <API key>; function afterAuth(cb) { // munge mappedObjects as required for (var name in mappedObjects) { var map = mappedObjects[name]; if (!map.<API key>) { map.<API key> = {}; for (var propName in map) { switch(propName) { case "target": case "properties": ; default: map.<API key>[name] = map[name]; } } } } // invoke op to create model session.directive( { op : "INVOKE", targetType: "CdmExternalSystem", name: "invokeExternal", params: { externalSystem: externalSystem, opName : "createSfModel", params : { sfVersion : credentials.sfVersion, externalSystem : externalSystem, typeDescs : mappedObjects } } }, function (err, result) { if (err) { return cb(err); } fs.writeFileSync(modelFile, JSON.stringify(result.results, null, 2)); mmscmd.execFile(modelFile,session, deploy.outputWriter, cb); } ); } exports.deployModel = function deployModel(externalSystemName,mmsSession,cb) { session = mmsSession; externalSystem = externalSystemName; var text; if(!session.creds.externalCredentials) { console.log("Profile must include externalCredentials"); process.exit(1); } credentials = session.creds.externalCredentials[externalSystemName]; if(!credentials) { console.log("Profile does not provide externalCredentials for " + externalSystemName); process.exit(1); } if(!credentials.oauthKey || !credentials.oauthSecret) { console.log("externalSystemName for " + externalSystemName + " must contain the oAuth key and secret."); } accessAddress = credentials.host; try { text = fs.readFileSync("salesforce.json"); } catch(err) { console.log('Error reading file salesforce.json:' + err); process.exit(1); } try { mappedObjects = JSON.parse(text); } catch(err) { console.log('Error parsing JSON in salesforce.json:' + err); process.exit(1); } if(mappedObjects._verbose_logging_) { <API key> = mappedObjects._verbose_logging_; } delete mappedObjects._verbose_logging_; <API key>(function(err) { if (err) { return cb(err); } var addr = common.global.session.creds.server + "/oauth/" + externalSystem + "/authenticate"; if (common.global.argv.nonInteractive) { console.log("Note: what follows will fail unless Emotive has been authorized at " + addr); afterAuth(cb); } else { console.log("Please navigate to " + addr.underline + " with your browser"); prompt.start(); prompt.colors = false; prompt.message = 'Press Enter when done'; prompt.delimiter = ''; var props = { properties: { q: { description : ":" } } } prompt.get(props, function (err, result) { if (err) { return cb(err); } afterAuth(cb); }); } }); } function <API key>(cb) { if (!session.creds.username) { console.log("session.creds.username was null"); process.exit(1); } if(<API key>) console.log('VERBOSE LOGGING IS ON FOR ' + externalSystem); session.directive({ op: 'INVOKE', targetType: 'CdmExternalSystem', name: "<API key>", params: { name: externalSystem, typeName: externalSystemType, "oauthCredentials" : { "oauthType": "salesforce", "oauthKey": credentials.oauthKey, "oauthSecret": credentials.oauthSecret }, properties: { proxyConfiguration: {verbose: <API key>, sfVersion: credentials.sfVersion}, globalPackageName : "sfProxy" } } }, cb); }
#!/usr/bin/env python # coding:utf-8 """ Database operation module. This module is independent with web module. """ import time, logging import db class Field(object): _count = 0 def __init__(self, **kw): self.name = kw.get('name', None) self.ddl = kw.get('ddl', '') self._default = kw.get('default', None) self.comment = kw.get('comment', '') self.nullable = kw.get('nullable', False) self.updatable = kw.get('updatable', True) self.insertable = kw.get('insertable', True) self.unique_key = kw.get('unique_key', False) self.non_unique_key = kw.get('key', False) self.primary_key = kw.get('primary_key', False) self._order = Field._count Field._count += 1 @property def default(self): d = self._default return d() if callable(d) else d def __str__(self): s = ['<%s:%s,%s,default(%s),' % (self.__class__.__name__, self.name, self.ddl, self._default)] self.nullable and s.append('N') self.updatable and s.append('U') self.insertable and s.append('I') s.append('>') return ''.join(s) class StringField(Field): def __init__(self, **kw): if not 'default' in kw: kw['default'] = '' if not 'ddl' in kw: kw['ddl'] = 'varchar(255)' super(StringField, self).__init__(**kw) class IntegerField(Field): def __init__(self, **kw): if not 'default' in kw: kw['default'] = 0 if not 'ddl' in kw: kw['ddl'] = 'bigint' super(IntegerField, self).__init__(**kw) class FloatField(Field): def __init__(self, **kw): if not 'default' in kw: kw['default'] = 0.0 if not 'ddl' in kw: kw['ddl'] = 'real' super(FloatField, self).__init__(**kw) class BooleanField(Field): def __init__(self, **kw): if not 'default' in kw: kw['default'] = False if not 'ddl' in kw: kw['ddl'] = 'bool' super(BooleanField, self).__init__(**kw) class TextField(Field): def __init__(self, **kw): if not 'default' in kw: kw['default'] = '' if not 'ddl' in kw: kw['ddl'] = 'text' super(TextField, self).__init__(**kw) class BlobField(Field): def __init__(self, **kw): if not 'default' in kw: kw['default'] = '' if not 'ddl' in kw: kw['ddl'] = 'blob' super(BlobField, self).__init__(**kw) class VersionField(Field): def __init__(self, name=None): super(VersionField, self).__init__(name=name, default=0, ddl='bigint') class DateTimeField(Field): def __init__(self, **kw): if 'ddl' not in kw: kw['ddl'] = 'datetime' super(DateTimeField, self).__init__(**kw) class DateField(Field): def __init__(self, **kw): if 'ddl' not in kw: kw['ddl'] = 'date' super(DateField, self).__init__(**kw) class EnumField(Field): def __init__(self, **kw): if 'ddl' not in kw: kw['ddl'] = 'enum' super(EnumField, self).__init__(**kw) _triggers = frozenset(['pre_insert', 'pre_update', 'pre_delete']) def _gen_sql(table_name, mappings): pk, unique_keys, keys = None, [], [] sql = ['-- generating SQL for %s:' % table_name, 'create table `%s` (' % table_name] for f in sorted(mappings.values(), lambda x, y: cmp(x._order, y._order)): if not hasattr(f, 'ddl'): raise StandardError('no ddl in field "%s".' % f) ddl = f.ddl nullable = f.nullable has_comment = not (f.comment == '') has_default = f._default is not None left = nullable and ' `%s` %s' % (f.name, ddl) or ' `%s` %s not null' % (f.name, ddl) mid = has_default and ' default \'%s\'' % f._default or None right = has_comment and ' comment \'%s\',' % f.comment or ',' line = mid and '%s%s%s' % (left, mid, right) or '%s%s' % (left, right) if f.primary_key: pk = f.name line = ' `%s` %s not null auto_increment,' % (f.name, ddl) elif f.unique_key: unique_keys.append(f.name) elif f.non_unique_key: keys.append(f.name) sql.append(line) for uk in unique_keys: sql.append(' unique key(`%s`),' % uk) for k in keys: sql.append(' key(`%s`),' % k) sql.append(' primary key(`%s`)' % pk) sql.append(')ENGINE=InnoDB DEFAULT CHARSET=utf8;') return '\n'.join(sql) class ModelMetaclass(type): """ Metaclass for model objects. """ def __new__(cls, name, bases, attrs): # skip base Model class: if name == 'Model': return type.__new__(cls, name, bases, attrs) # store all subclasses info: if not hasattr(cls, 'subclasses'): cls.subclasses = {} if not name in cls.subclasses: cls.subclasses[name] = name else: logging.warning('Redefine class: %s', name) logging.info('Scan ORMapping %s...', name) mappings = dict() primary_key = None for k, v in attrs.iteritems(): if isinstance(v, Field): if not v.name: v.name = k logging.debug('Found mapping: %s => %s' % (k, v)) # check duplicate primary key: if v.primary_key: if primary_key: raise TypeError('Cannot define more than 1 primary key in class: %s' % name) if v.updatable: # logging.warning('NOTE: change primary key to non-updatable.') v.updatable = False if v.nullable: # logging.warning('NOTE: change primary key to non-nullable.') v.nullable = False primary_key = v mappings[k] = v # check exist of primary key: if not primary_key: raise TypeError('Primary key not defined in class: %s' % name) for k in mappings.iterkeys(): attrs.pop(k) if '__table__' not in attrs: attrs['__table__'] = name.lower() attrs['__mappings__'] = mappings attrs['__primary_key__'] = primary_key attrs['__sql__'] = lambda self: _gen_sql(attrs['__table__'], mappings) for trigger in _triggers: if trigger not in attrs: attrs[trigger] = None return type.__new__(cls, name, bases, attrs) class Model(dict): __metaclass__ = ModelMetaclass def __init__(self, **kw): super(Model, self).__init__(**kw) def __getattr__(self, key): try: return self[key] except KeyError: raise AttributeError(r"'Dict' object has no attribute '%s'" % key) def __setattr__(self, key, value): self[key] = value @classmethod def get(cls, key_name, key_value): """ Get by primary/unique key. """ d = db.select_one('select * from %s where %s=?' % (cls.__table__, key_name), key_value) if not d: # TODO: change to logging? raise AttributeError("Can't find in [%s] where %s=[%s]" % (cls.__table__, key_name, key_value)) return cls(**d) if d else None @classmethod def find_first(cls, where, *args): """ Find by where clause and return one result. If multiple results found, only the first one returned. If no result found, return None. """ d = db.select_one('select * from %s %s' % (cls.__table__, where), *args) return cls(**d) if d else None @classmethod def find_all(cls, *args): """ Find all and return list. """ L = db.select('select * from `%s`' % cls.__table__) return [cls(**d) for d in L] @classmethod def find_by(cls, cols, where, *args): """ Find by where clause and return list. """ L = db.select('select %s from `%s` %s' % (cols, cls.__table__, where), *args) if cols.find(',') == -1 and cols.strip() != '*': return [d[0] for d in L] return [cls(**d) for d in L] @classmethod def count_all(cls): """ Find by 'select count(pk) from table' and return integer. """ return db.select_int('select count(`%s`) from `%s`' % (cls.__primary_key__.name, cls.__table__)) @classmethod def count_by(cls, where, *args): """ Find by 'select count(pk) from table where ... ' and return int. """ return db.select_int('select count(`%s`) from `%s` %s' % (cls.__primary_key__.name, cls.__table__, where), *args) def update(self): self.pre_update and self.pre_update() L = [] args = [] for k, v in self.__mappings__.iteritems(): if v.updatable: if hasattr(self, k): arg = getattr(self, k) else: arg = v.default setattr(self, k, arg) L.append('`%s`=?' % k) args.append(arg) pk = self.__primary_key__.name args.append(getattr(self, pk)) db.update('update `%s` set %s where %s=?' % (self.__table__, ','.join(L), pk), *args) return self def delete(self): self.pre_delete and self.pre_delete() pk = self.__primary_key__.name args = (getattr(self, pk), ) db.update('delete from `%s` where `%s`=?' % (self.__table__, pk), *args) return self def insert(self): self.pre_insert and self.pre_insert() params = {} for k, v in self.__mappings__.iteritems(): if v.insertable: if not hasattr(self, k): setattr(self, k, v.default) params[v.name] = getattr(self, k) try: db.insert('%s' % self.__table__, **params) except Exception as e: logging.info(e.args) print "MySQL Model.insert() error: args=", e.args # TODO !!! generalize ORM return package # return {'status': 'Failure', 'msg': e.args, 'data': self} raise return self if __name__ == '__main__': logging.basicConfig(level=logging.DEBUG) db.create_engine('www-data', 'www-data', 'test') db.update('drop table if exists user') db.update('create table user (id int primary key, name text, email text, passwd text, last_modified real)') import doctest doctest.testmod()
package cn.libery.calendar.MaterialCalendar; import android.content.Context; import java.util.Collection; import java.util.HashSet; import cn.libery.calendar.MaterialCalendar.spans.DotSpan; /** * Decorate several days with a dot */ public class EventDecorator implements DayViewDecorator { private int color; private HashSet<CalendarDay> dates; public EventDecorator(int color, Collection<CalendarDay> dates) { this.color = color; this.dates = new HashSet<>(dates); } @Override public boolean shouldDecorate(CalendarDay day) { return dates.contains(day); } @Override public void decorate(DayViewFacade view, Context context) { view.addSpan(new DotSpan(4, color)); } }
import React from 'react'; // import Layout from '../../components/Layout'; const title = 'Admin Page'; const isAdmin = false; export default { path: '/admin', children : [ require('./dashboard').default, require('./library').default, require('./setting').default, // require('./editor').default, require('./news').default, require('./monngon').default, require('./product').default, require('./seo').default, ], async action({store, next}) { let user = store.getState().user const route = await next(); // Provide default values for title, description etc. route.title = `${route.title || 'Amdmin Page'}`; return route; }, };
using System; using System.Collections.Generic; namespace HarmonyLib { <summary>Specifies the type of method</summary> public enum MethodType { <summary>This is a normal method</summary> Normal, <summary>This is a getter</summary> Getter, <summary>This is a setter</summary> Setter, <summary>This is a constructor</summary> Constructor, <summary>This is a static constructor</summary> StaticConstructor, <summary>This targets the MoveNext method of the enumerator result</summary> Enumerator } <summary>Specifies the type of argument</summary> public enum ArgumentType { <summary>This is a normal argument</summary> Normal, <summary>This is a reference argument (ref)</summary> Ref, <summary>This is an out argument (out)</summary> Out, <summary>This is a pointer argument (&amp;)</summary> Pointer } <summary>Specifies the type of patch</summary> public enum HarmonyPatchType { <summary>Any patch</summary> All, <summary>A prefix patch</summary> Prefix, <summary>A postfix patch</summary> Postfix, <summary>A transpiler</summary> Transpiler, <summary>A finalizer</summary> Finalizer, <summary>A reverse patch</summary> ReversePatch } <summary>Specifies the type of reverse patch</summary> public enum <API key> { <summary>Use the unmodified original method (directly from IL)</summary> Original, <summary>Use the original as it is right now including previous patches but excluding future ones</summary> Snapshot } <summary>Specifies the type of method call dispatching mechanics</summary> public enum MethodDispatchType { <summary>Call the method using dynamic dispatching if method is virtual (including overriden)</summary> <remarks> <para> This is the built-in form of late binding (a.k.a. dynamic binding) and is the default dispatching mechanic in C This directly corresponds with the <see cref="System.Reflection.Emit.OpCodes.Callvirt"/> instruction. </para> <para> For virtual (including overriden) methods, the instance type's most-derived/overriden implementation of the method is called. For non-virtual (including static) methods, same behavior as <see cref="Call"/>: the exact specified method implementation is called. </para> <para> Note: This is not a fully dynamic dispatch, since non-virtual (including static) methods are still called non-virtually. A fully dynamic dispatch in C# involves using the <see href="https://docs.microsoft.com/en-us/dotnet/csharp/language-reference/builtin-types/reference-types#the-dynamic-type"><c>dynamic</c> type</see> (actually a fully dynamic binding, since even the name and overload resolution happens at runtime), which <see cref="MethodDispatchType"/> does not support. </para> </remarks> VirtualCall, <summary>Call the method using static dispatching, regardless of whether method is virtual (including overriden) or non-virtual (including static)</summary> <remarks> <para> a.k.a. non-virtual dispatching, early binding, or static binding. This directly corresponds with the <see cref="System.Reflection.Emit.OpCodes.Call"/> instruction. </para> <para> For both virtual (including overriden) and non-virtual (including static) methods, the exact specified method implementation is called, without virtual/override mechanics. </para> </remarks> Call } <summary>The base class for all Harmony annotations (not meant to be used directly)</summary> public class HarmonyAttribute : Attribute { <summary>The common information for all attributes</summary> public HarmonyMethod info = new HarmonyMethod(); } <summary>Annotation to define your Harmony patch methods</summary> [AttributeUsage(AttributeTargets.Class | AttributeTargets.Delegate | AttributeTargets.Method, AllowMultiple = true)] public class HarmonyPatch : HarmonyAttribute { <summary>An empty annotation can be used together with TargetMethod(s)</summary> public HarmonyPatch() { } <summary>An annotation that specifies a class to patch</summary> <param name="declaringType">The declaring class/type</param> public HarmonyPatch(Type declaringType) { info.declaringType = declaringType; } <summary>An annotation that specifies a method, property or constructor to patch</summary> <param name="declaringType">The declaring class/type</param> <param name="argumentTypes">The argument types of the method or constructor to patch</param> public HarmonyPatch(Type declaringType, Type[] argumentTypes) { info.declaringType = declaringType; info.argumentTypes = argumentTypes; } <summary>An annotation that specifies a method, property or constructor to patch</summary> <param name="declaringType">The declaring class/type</param> <param name="methodName">The name of the method, property or constructor to patch</param> public HarmonyPatch(Type declaringType, string methodName) { info.declaringType = declaringType; info.methodName = methodName; } <summary>An annotation that specifies a method, property or constructor to patch</summary> <param name="declaringType">The declaring class/type</param> <param name="methodName">The name of the method, property or constructor to patch</param> <param name="argumentTypes">An array of argument types to target overloads</param> public HarmonyPatch(Type declaringType, string methodName, params Type[] argumentTypes) { info.declaringType = declaringType; info.methodName = methodName; info.argumentTypes = argumentTypes; } <summary>An annotation that specifies a method, property or constructor to patch</summary> <param name="declaringType">The declaring class/type</param> <param name="methodName">The name of the method, property or constructor to patch</param> <param name="argumentTypes">An array of argument types to target overloads</param> <param name="argumentVariations">Array of <see cref="ArgumentType"/></param> public HarmonyPatch(Type declaringType, string methodName, Type[] argumentTypes, ArgumentType[] argumentVariations) { info.declaringType = declaringType; info.methodName = methodName; <API key>(argumentTypes, argumentVariations); } <summary>An annotation that specifies a method, property or constructor to patch</summary> <param name="declaringType">The declaring class/type</param> <param name="methodType">The <see cref="MethodType"/></param> public HarmonyPatch(Type declaringType, MethodType methodType) { info.declaringType = declaringType; info.methodType = methodType; } <summary>An annotation that specifies a method, property or constructor to patch</summary> <param name="declaringType">The declaring class/type</param> <param name="methodType">The <see cref="MethodType"/></param> <param name="argumentTypes">An array of argument types to target overloads</param> public HarmonyPatch(Type declaringType, MethodType methodType, params Type[] argumentTypes) { info.declaringType = declaringType; info.methodType = methodType; info.argumentTypes = argumentTypes; } <summary>An annotation that specifies a method, property or constructor to patch</summary> <param name="declaringType">The declaring class/type</param> <param name="methodType">The <see cref="MethodType"/></param> <param name="argumentTypes">An array of argument types to target overloads</param> <param name="argumentVariations">Array of <see cref="ArgumentType"/></param> public HarmonyPatch(Type declaringType, MethodType methodType, Type[] argumentTypes, ArgumentType[] argumentVariations) { info.declaringType = declaringType; info.methodType = methodType; <API key>(argumentTypes, argumentVariations); } <summary>An annotation that specifies a method, property or constructor to patch</summary> <param name="declaringType">The declaring class/type</param> <param name="methodName">The name of the method, property or constructor to patch</param> <param name="methodType">The <see cref="MethodType"/></param> public HarmonyPatch(Type declaringType, string methodName, MethodType methodType) { info.declaringType = declaringType; info.methodName = methodName; info.methodType = methodType; } <summary>An annotation that specifies a method, property or constructor to patch</summary> <param name="methodName">The name of the method, property or constructor to patch</param> public HarmonyPatch(string methodName) { info.methodName = methodName; } <summary>An annotation that specifies a method, property or constructor to patch</summary> <param name="methodName">The name of the method, property or constructor to patch</param> <param name="argumentTypes">An array of argument types to target overloads</param> public HarmonyPatch(string methodName, params Type[] argumentTypes) { info.methodName = methodName; info.argumentTypes = argumentTypes; } <summary>An annotation that specifies a method, property or constructor to patch</summary> <param name="methodName">The name of the method, property or constructor to patch</param> <param name="argumentTypes">An array of argument types to target overloads</param> <param name="argumentVariations">An array of <see cref="ArgumentType"/></param> public HarmonyPatch(string methodName, Type[] argumentTypes, ArgumentType[] argumentVariations) { info.methodName = methodName; <API key>(argumentTypes, argumentVariations); } <summary>An annotation that specifies a method, property or constructor to patch</summary> <param name="methodName">The name of the method, property or constructor to patch</param> <param name="methodType">The <see cref="MethodType"/></param> public HarmonyPatch(string methodName, MethodType methodType) { info.methodName = methodName; info.methodType = methodType; } <summary>An annotation that specifies a method, property or constructor to patch</summary> <param name="methodType">The <see cref="MethodType"/></param> public HarmonyPatch(MethodType methodType) { info.methodType = methodType; } <summary>An annotation that specifies a method, property or constructor to patch</summary> <param name="methodType">The <see cref="MethodType"/></param> <param name="argumentTypes">An array of argument types to target overloads</param> public HarmonyPatch(MethodType methodType, params Type[] argumentTypes) { info.methodType = methodType; info.argumentTypes = argumentTypes; } <summary>An annotation that specifies a method, property or constructor to patch</summary> <param name="methodType">The <see cref="MethodType"/></param> <param name="argumentTypes">An array of argument types to target overloads</param> <param name="argumentVariations">An array of <see cref="ArgumentType"/></param> public HarmonyPatch(MethodType methodType, Type[] argumentTypes, ArgumentType[] argumentVariations) { info.methodType = methodType; <API key>(argumentTypes, argumentVariations); } <summary>An annotation that specifies a method, property or constructor to patch</summary> <param name="argumentTypes">An array of argument types to target overloads</param> public HarmonyPatch(Type[] argumentTypes) { info.argumentTypes = argumentTypes; } <summary>An annotation that specifies a method, property or constructor to patch</summary> <param name="argumentTypes">An array of argument types to target overloads</param> <param name="argumentVariations">An array of <see cref="ArgumentType"/></param> public HarmonyPatch(Type[] argumentTypes, ArgumentType[] argumentVariations) { <API key>(argumentTypes, argumentVariations); } void <API key>(Type[] argumentTypes, ArgumentType[] argumentVariations) { if (argumentVariations is null || argumentVariations.Length == 0) { info.argumentTypes = argumentTypes; return; } if (argumentTypes.Length < argumentVariations.Length) throw new ArgumentException("argumentVariations contains more elements than argumentTypes", nameof(argumentVariations)); var types = new List<Type>(); for (var i = 0; i < argumentTypes.Length; i++) { var type = argumentTypes[i]; switch (argumentVariations[i]) { case ArgumentType.Normal: break; case ArgumentType.Ref: case ArgumentType.Out: type = type.MakeByRefType(); break; case ArgumentType.Pointer: type = type.MakePointerType(); break; } types.Add(type); } info.argumentTypes = types.ToArray(); } } <summary>Annotation to define the original method for delegate injection</summary> [AttributeUsage(AttributeTargets.Delegate, AllowMultiple = true)] public class HarmonyDelegate : HarmonyPatch { <summary>An annotation that specifies a class to patch</summary> <param name="declaringType">The declaring class/type</param> public HarmonyDelegate(Type declaringType) : base(declaringType) { } <summary>An annotation that specifies a method, property or constructor to patch</summary> <param name="declaringType">The declaring class/type</param> <param name="argumentTypes">The argument types of the method or constructor to patch</param> public HarmonyDelegate(Type declaringType, Type[] argumentTypes) : base(declaringType, argumentTypes) { } <summary>An annotation that specifies a method, property or constructor to patch</summary> <param name="declaringType">The declaring class/type</param> <param name="methodName">The name of the method, property or constructor to patch</param> public HarmonyDelegate(Type declaringType, string methodName) : base(declaringType, methodName) { } <summary>An annotation that specifies a method, property or constructor to patch</summary> <param name="declaringType">The declaring class/type</param> <param name="methodName">The name of the method, property or constructor to patch</param> <param name="argumentTypes">An array of argument types to target overloads</param> public HarmonyDelegate(Type declaringType, string methodName, params Type[] argumentTypes) : base(declaringType, methodName, argumentTypes) { } <summary>An annotation that specifies a method, property or constructor to patch</summary> <param name="declaringType">The declaring class/type</param> <param name="methodName">The name of the method, property or constructor to patch</param> <param name="argumentTypes">An array of argument types to target overloads</param> <param name="argumentVariations">Array of <see cref="ArgumentType"/></param> public HarmonyDelegate(Type declaringType, string methodName, Type[] argumentTypes, ArgumentType[] argumentVariations) : base(declaringType, methodName, argumentTypes, argumentVariations) { } <summary>An annotation that specifies a method, property or constructor to patch</summary> <param name="declaringType">The declaring class/type</param> <param name="methodDispatchType">The <see cref="MethodDispatchType"/></param> public HarmonyDelegate(Type declaringType, MethodDispatchType methodDispatchType) : base(declaringType, MethodType.Normal) { info.nonVirtualDelegate = methodDispatchType == MethodDispatchType.Call; } <summary>An annotation that specifies a method, property or constructor to patch</summary> <param name="declaringType">The declaring class/type</param> <param name="methodDispatchType">The <see cref="MethodDispatchType"/></param> <param name="argumentTypes">An array of argument types to target overloads</param> public HarmonyDelegate(Type declaringType, MethodDispatchType methodDispatchType, params Type[] argumentTypes) : base(declaringType, MethodType.Normal, argumentTypes) { info.nonVirtualDelegate = methodDispatchType == MethodDispatchType.Call; } <summary>An annotation that specifies a method, property or constructor to patch</summary> <param name="declaringType">The declaring class/type</param> <param name="methodDispatchType">The <see cref="MethodDispatchType"/></param> <param name="argumentTypes">An array of argument types to target overloads</param> <param name="argumentVariations">Array of <see cref="ArgumentType"/></param> public HarmonyDelegate(Type declaringType, MethodDispatchType methodDispatchType, Type[] argumentTypes, ArgumentType[] argumentVariations) : base(declaringType, MethodType.Normal, argumentTypes, argumentVariations) { info.nonVirtualDelegate = methodDispatchType == MethodDispatchType.Call; } <summary>An annotation that specifies a method, property or constructor to patch</summary> <param name="declaringType">The declaring class/type</param> <param name="methodName">The name of the method, property or constructor to patch</param> <param name="methodDispatchType">The <see cref="MethodDispatchType"/></param> public HarmonyDelegate(Type declaringType, string methodName, MethodDispatchType methodDispatchType) : base(declaringType, methodName, MethodType.Normal) { info.nonVirtualDelegate = methodDispatchType == MethodDispatchType.Call; } <summary>An annotation that specifies a method, property or constructor to patch</summary> <param name="methodName">The name of the method, property or constructor to patch</param> public HarmonyDelegate(string methodName) : base(methodName) { } <summary>An annotation that specifies a method, property or constructor to patch</summary> <param name="methodName">The name of the method, property or constructor to patch</param> <param name="argumentTypes">An array of argument types to target overloads</param> public HarmonyDelegate(string methodName, params Type[] argumentTypes) : base(methodName, argumentTypes) { } <summary>An annotation that specifies a method, property or constructor to patch</summary> <param name="methodName">The name of the method, property or constructor to patch</param> <param name="argumentTypes">An array of argument types to target overloads</param> <param name="argumentVariations">An array of <see cref="ArgumentType"/></param> public HarmonyDelegate(string methodName, Type[] argumentTypes, ArgumentType[] argumentVariations) : base(methodName, argumentTypes, argumentVariations) { } <summary>An annotation that specifies a method, property or constructor to patch</summary> <param name="methodName">The name of the method, property or constructor to patch</param> <param name="methodDispatchType">The <see cref="MethodDispatchType"/></param> public HarmonyDelegate(string methodName, MethodDispatchType methodDispatchType) : base(methodName, MethodType.Normal) { info.nonVirtualDelegate = methodDispatchType == MethodDispatchType.Call; } <summary>An annotation that specifies call dispatching mechanics for the delegate</summary> <param name="methodDispatchType">The <see cref="MethodDispatchType"/></param> public HarmonyDelegate(MethodDispatchType methodDispatchType) { info.nonVirtualDelegate = methodDispatchType == MethodDispatchType.Call; } <summary>An annotation that specifies a method, property or constructor to patch</summary> <param name="methodDispatchType">The <see cref="MethodDispatchType"/></param> <param name="argumentTypes">An array of argument types to target overloads</param> public HarmonyDelegate(MethodDispatchType methodDispatchType, params Type[] argumentTypes) : base(MethodType.Normal, argumentTypes) { info.nonVirtualDelegate = methodDispatchType == MethodDispatchType.Call; } <summary>An annotation that specifies a method, property or constructor to patch</summary> <param name="methodDispatchType">The <see cref="MethodDispatchType"/></param> <param name="argumentTypes">An array of argument types to target overloads</param> <param name="argumentVariations">An array of <see cref="ArgumentType"/></param> public HarmonyDelegate(MethodDispatchType methodDispatchType, Type[] argumentTypes, ArgumentType[] argumentVariations) : base(MethodType.Normal, argumentTypes, argumentVariations) { info.nonVirtualDelegate = methodDispatchType == MethodDispatchType.Call; } <summary>An annotation that specifies a method, property or constructor to patch</summary> <param name="argumentTypes">An array of argument types to target overloads</param> public HarmonyDelegate(Type[] argumentTypes) : base(argumentTypes) { } <summary>An annotation that specifies a method, property or constructor to patch</summary> <param name="argumentTypes">An array of argument types to target overloads</param> <param name="argumentVariations">An array of <see cref="ArgumentType"/></param> public HarmonyDelegate(Type[] argumentTypes, ArgumentType[] argumentVariations) : base(argumentTypes, argumentVariations) { } } <summary>Annotation to define your standin methods for reverse patching</summary> [AttributeUsage(AttributeTargets.Class | AttributeTargets.Method, AllowMultiple = true)] public class HarmonyReversePatch : HarmonyAttribute { <summary>An annotation that specifies the type of reverse patching</summary> <param name="type">The <see cref="<API key>"/> of the reverse patch</param> public HarmonyReversePatch(<API key> type = <API key>.Original) { info.reversePatchType = type; } } <summary>A Harmony annotation to define that all methods in a class are to be patched</summary> [AttributeUsage(AttributeTargets.Class)] public class HarmonyPatchAll : HarmonyAttribute { } <summary>A Harmony annotation</summary> [AttributeUsage(AttributeTargets.Class | AttributeTargets.Method)] public class HarmonyPriority : HarmonyAttribute { <summary>A Harmony annotation to define patch priority</summary> <param name="priority">The priority</param> public HarmonyPriority(int priority) { info.priority = priority; } } <summary>A Harmony annotation</summary> [AttributeUsage(AttributeTargets.Class | AttributeTargets.Method)] public class HarmonyBefore : HarmonyAttribute { <summary>A Harmony annotation to define that a patch comes before another patch</summary> <param name="before">The array of harmony IDs of the other patches</param> public HarmonyBefore(params string[] before) { info.before = before; } } <summary>A Harmony annotation</summary> [AttributeUsage(AttributeTargets.Class | AttributeTargets.Method)] public class HarmonyAfter : HarmonyAttribute { <summary>A Harmony annotation to define that a patch comes after another patch</summary> <param name="after">The array of harmony IDs of the other patches</param> public HarmonyAfter(params string[] after) { info.after = after; } } <summary>A Harmony annotation</summary> [AttributeUsage(AttributeTargets.Class | AttributeTargets.Method)] public class HarmonyDebug : HarmonyAttribute { <summary>A Harmony annotation to debug a patch (output uses <see cref="FileLog"/> to log to your Desktop)</summary> public HarmonyDebug() { info.debug = true; } } <summary>Specifies the Prepare function in a patch class</summary> [AttributeUsage(AttributeTargets.Method)] public class HarmonyPrepare : Attribute { } <summary>Specifies the Cleanup function in a patch class</summary> [AttributeUsage(AttributeTargets.Method)] public class HarmonyCleanup : Attribute { } <summary>Specifies the TargetMethod function in a patch class</summary> [AttributeUsage(AttributeTargets.Method)] public class HarmonyTargetMethod : Attribute { } <summary>Specifies the TargetMethods function in a patch class</summary> [AttributeUsage(AttributeTargets.Method)] public class <API key> : Attribute { } <summary>Specifies the Prefix function in a patch class</summary> [AttributeUsage(AttributeTargets.Method)] public class HarmonyPrefix : Attribute { } <summary>Specifies the Postfix function in a patch class</summary> [AttributeUsage(AttributeTargets.Method)] public class HarmonyPostfix : Attribute { } <summary>Specifies the Transpiler function in a patch class</summary> [AttributeUsage(AttributeTargets.Method)] public class HarmonyTranspiler : Attribute { } <summary>Specifies the Finalizer function in a patch class</summary> [AttributeUsage(AttributeTargets.Method)] public class HarmonyFinalizer : Attribute { } <summary>A Harmony annotation</summary> [AttributeUsage(AttributeTargets.Parameter | AttributeTargets.Method | AttributeTargets.Class, AllowMultiple = true)] public class HarmonyArgument : Attribute { <summary>The name of the original argument</summary> public string OriginalName { get; private set; } <summary>The index of the original argument</summary> public int Index { get; private set; } <summary>The new name of the original argument</summary> public string NewName { get; private set; } <summary>An annotation to declare injected arguments by name</summary> public HarmonyArgument(string originalName) : this(originalName, null) { } <summary>An annotation to declare injected arguments by index</summary> <param name="index">Zero-based index</param> public HarmonyArgument(int index) : this(index, null) { } <summary>An annotation to declare injected arguments by renaming them</summary> <param name="originalName">Name of the original argument</param> <param name="newName">New name</param> public HarmonyArgument(string originalName, string newName) { OriginalName = originalName; Index = -1; NewName = newName; } <summary>An annotation to declare injected arguments by index and renaming them</summary> <param name="index">Zero-based index</param> <param name="name">New name</param> public HarmonyArgument(int index, string name) { OriginalName = null; Index = index; NewName = name; } } }
<?php namespace MyApplication\Navigation\Navigation; interface <API key> { /** * @return NavigationControl */ function create(); }
import pytest from tests.base import Author, Post, Comment, Keyword, fake def make_author(): return Author( id=fake.random_int(), first_name=fake.first_name(), last_name=fake.last_name(), twitter=fake.domain_word(), ) def make_post(with_comments=True, with_author=True, with_keywords=True): comments = [make_comment() for _ in range(2)] if with_comments else [] keywords = [make_keyword() for _ in range(3)] if with_keywords else [] author = make_author() if with_author else None return Post( id=fake.random_int(), title=fake.catch_phrase(), author=author, author_id=author.id if with_author else None, comments=comments, keywords=keywords, ) def make_comment(with_author=True): author = make_author() if with_author else None return Comment(id=fake.random_int(), body=fake.bs(), author=author) def make_keyword(): return Keyword(keyword=fake.domain_word()) @pytest.fixture() def author(): return make_author() @pytest.fixture() def authors(): return [make_author() for _ in range(3)] @pytest.fixture() def comments(): return [make_comment() for _ in range(3)] @pytest.fixture() def post(): return make_post() @pytest.fixture() def <API key>(): return make_post(with_comments=False) @pytest.fixture() def <API key>(): return make_post(with_author=False) @pytest.fixture() def posts(): return [make_post() for _ in range(3)]
<!DOCTYPE html> <html> <head> <meta charset="UTF-8"> <meta name="viewport" content="width=device-width, initial-scale=1.0"/> <meta name="author" content="Aurelio De Rosa"> <title>Geolocation API Demo by Aurelio De Rosa</title> <style> * { -webkit-box-sizing: border-box; -moz-box-sizing: border-box; box-sizing: border-box; } body { max-width: 500px; margin: 2em auto; padding: 0 0.5em; font-size: 20px; } h1 { text-align: center; } .api-support { display: block; } .hidden { display: none; } .buttons-wrapper { text-align: center; } .button-demo { padding: 0.5em; margin: 1em auto; } .g-info { font-weight: bold; } #log { height: 200px; width: 100%; overflow-y: scroll; border: 1px solid #333333; line-height: 1.3em; } .author { display: block; margin-top: 1em; } </style> </head> <body> <a href="http://code.tutsplus.com/tutorials/<API key>">Go back to the article</a> <span id="g-unsupported" class="api-support hidden">API not supported</span> <h1>Geolocation API</h1> <div class="buttons-wrapper"> <button id="button-get-position" class="button-demo">Get current position</button> <button id="<API key>" class="button-demo">Watch position</button> <button id="<API key>" class="button-demo">Stop watching position</button> </div> <h2>Information</h2> <div id="g-information"> <ul> <li> Your position is <span id="latitude" class="g-info">unavailable</span>° latitude, <span id="longitude" class="g-info">unavailable</span>° longitude (with an accuracy of <span id="position-accuracy" class="g-info">unavailable</span> meters) </li> <li> Your altitude is <span id="altitude" class="g-info">unavailable</span> meters (with an accuracy of <span id="altitude-accuracy" class="g-info">unavailable</span> meters) </li> <li>You're <span id="heading" class="g-info">unavailable</span>° from the True north</li> <li>You're moving at a speed of <span id="speed" class="g-info">unavailable</span>° meters/second</li> <li>Data updated at <span id="timestamp" class="g-info">unavailable</span></li> </ul> </div> <h3>Log</h3> <div id="log"></div> <button id="clear-log" class="button-demo">Clear log</button> <small class="author"> Demo created by <a href="http: (<a href="https://twitter.com/AurelioDeRosa">@AurelioDeRosa</a>).<br /> This demo is part of the <a href="https://github.com/AurelioDeRosa/HTML5-API-demos">HTML5 API demos repository</a>. </small> <script> if (!(window.navigator && window.navigator.geolocation)) { document.getElementById('g-unsupported').classList.remove('hidden'); ['button-get-position', '<API key>', '<API key>'].forEach(function(elementId) { document.getElementById(elementId).setAttribute('disabled', 'disabled'); }); } else { var log = document.getElementById('log'); var watchId = null; var positionOptions = { enableHighAccuracy: true, timeout: 10 * 1000, // 10 seconds maximumAge: 30 * 1000 // 30 seconds }; function success(position) { document.getElementById('latitude').innerHTML = position.coords.latitude; document.getElementById('longitude').innerHTML = position.coords.longitude; document.getElementById('position-accuracy').innerHTML = position.coords.accuracy; document.getElementById('altitude').innerHTML = position.coords.altitude ? position.coords.altitude : 'unavailable'; document.getElementById('altitude-accuracy').innerHTML = position.coords.altitudeAccuracy ? position.coords.altitudeAccuracy : 'unavailable'; document.getElementById('heading').innerHTML = position.coords.heading ? position.coords.heading : 'unavailable'; document.getElementById('speed').innerHTML = position.coords.speed ? position.coords.speed : 'unavailable'; document.getElementById('timestamp').innerHTML = (new Date(position.timestamp)).toString(); log.innerHTML = 'Position succesfully retrieved<br />' + log.innerHTML; } function error(positionError) { log.innerHTML = 'Error: ' + positionError.message + '<br />' + log.innerHTML; } document.getElementById('button-get-position').addEventListener('click', function() { navigator.geolocation.getCurrentPosition(success, error, positionOptions); }); document.getElementById('<API key>').addEventListener('click', function() { watchId = navigator.geolocation.watchPosition(success, error, positionOptions); }); document.getElementById('<API key>').addEventListener('click', function() { if (watchId !== null) { navigator.geolocation.clearWatch(watchId); log.innerHTML = 'Stopped watching position<br />' + log.innerHTML; } }); document.getElementById('clear-log').addEventListener('click', function() { log.innerHTML = ''; }); } </script> </body> </html>
<!DOCTYPE html> <!--[if IEMobile 7 ]> <html class="no-js iem7"> <![endif]--> <!--[if (gt IEMobile 7)|!(IEMobile)]><!--> <html class="no-js"> <!--<![endif]--> <head> <meta charset="utf-8"> <title></title> <meta name="description" content=""> <meta name="HandheldFriendly" content="True"> <meta name="MobileOptimized" content="320"> <meta name="viewport" content="width=device-width, initial-scale=1"> <meta http-equiv="cleartype" content="on"> <link rel="<API key>" sizes="144x144" href="img/touch/<API key>.png"> <link rel="<API key>" sizes="114x114" href="img/touch/<API key>.png"> <link rel="<API key>" sizes="72x72" href="img/touch/<API key>.png"> <link rel="<API key>" href="img/touch/<API key>.png"> <link rel="shortcut icon" href="img/touch/apple-touch-icon.png"> <!-- Tile icon for Win8 (144x144 + tile color) --> <meta name="<API key>" content="img/touch/<API key>.png"> <meta name="<API key>" content="#222222"> <! <meta name="<API key>" content="yes"> <meta name="<API key>" content="black"> <meta name="<API key>" content=""> <! <script>(function(a,b,c){if(c in b&&b[c]){var d,e=a.location,f=/^(a|html)$/i;a.addEventListener("click",function(a){d=a.target;while(!f.test(d.nodeName))d=d.parentNode;"href"in d&&(d.href.indexOf("http")||~d.href.indexOf(e.host))&&(a.preventDefault(),e.href=d.href)},!1)}})(document,window.navigator,"standalone")</script> <link rel="stylesheet" href="css/normalize.css"> <link rel="stylesheet" href="css/main.css"> <script src="js/vendor/modernizr-2.6.2.min.js"></script> </head> <body> Blablabla c'est moi Lisa <script src="js/vendor/zepto.min.js"></script> <script src="js/helper.js"></script> <!-- Google Analytics: change UA-XXXXX-X to be your site's ID. --> <script> var _gaq=[["_setAccount","UA-XXXXX-X"],["_trackPageview"]]; (function(d,t){var g=d.createElement(t),s=d.<API key>(t)[0];g.async=1; g.src=("https:"==location.protocol?"//ssl":"//www")+".google-analytics.com/ga.js"; s.parentNode.insertBefore(g,s)}(document,"script")); </script> </body> </html>
# Declaring a Function def recurPowerNew(base, exp): # Base case is when exp = 0 if exp <= 0: return 1 # Recursive Call elif exp % 2 == 0: return recurPowerNew(base*base, exp/2) return base * recurPowerNew(base, exp - 1)
c rutina leemallab c lee el fichero de control de lineas y longitudes de onda:'mallaobs' c ntau : numero de puntos en tau c tau : log10(tau) c ntl : numero total de lineas c nlin : indice de cada linea y de cada blend c npas : numero de puntos en cada linea c dlamda:cada delta de l.d.o. en ma c nble :numero de blends de cada linea subroutine leemalla2(mallaobs,ntl,nli,nliobs,nlin,npasobs, & npas,dlamdaobs,dlamda,nble,nposi,indice) include 'PARAMETER' !por kl integer npasobs(*),npas(kl),nble(kl),nd(kl),nposi(*),nlin(kl),ndd(kl,kl),nblee(kl) real*4 dlamdaobs(*),dlamda(kld),dini,dipa,difi,dinii(kl),dipaa(kl),difii(kt) integer indice(*),nddd(50),blanco character mallaobs*(*),mensajito*31 character*80 men1,men2,men3 character*100 control common/canal/icanal common/nombrecontrol/control common/nciclos/nciclos common/contraste/contr men1=' ' men2=' ' men3=' ' if(contr.gt.-1.e5.and.nciclos.gt.0)then ntl=ntl-1 nliobs=nliobs-1 end if ican=57 mensajito=' containing the wavelength grid' call cabecera(ican,mallaobs,mensajito,ifail) if(ifail.eq.1)goto 999 jj=0 k=0 nli=0 numlin=0 do i=1,1000 call mreadmalla(ican,ntonto,nddd,ddinii,ddipaa,ddifii,ierror,blanco) if(ierror.eq.1)goto 8 !si he llegado al final del fichero if(blanco.ne.1)then numlin=numlin+1 if(numlin.gt.kl.or.ntonto.gt.kl)then men1='STOP: The number of lines in the wavelength grid is larger than the ' men2=' current limit. Decrease this number or change the PARAMETER file.' call mensaje(2,men1,men2,men3) end if nblee(numlin)=ntonto dinii(numlin)=ddinii dipaa(numlin)=ddipaa difii(numlin)=ddifii do j=1,nblee(numlin) ndd(numlin,j)=nddd(j) enddo endif !el de blanco.ne.1 enddo 8 close(ican) ntl=numlin c Ahora las ordenamos como en los perfiles: do i=1,ntl !indice en los perfiles icheck=0 do l=1,numlin !indice en la malla c print*,'indice(i) vale',i,indice(i) if(indice(i).eq.ndd(l,1).and.icheck.lt.1)then !he encontrado una icheck=icheck+1 nble(i)=nblee(l) do ll=1,nblee(l) nd(ll)=ndd(l,ll) enddo dini=dinii(l) dipa=dipaa(l) difi=difii(l) do j=1,nble(i) jj=jj+1 nlin(jj)=nd(j) c print*,'nlin,jj',jj,nlin(jj) end do ntlblends=jj pasmin=1.e30 primero=dlamdaobs(k+1) ultimo=dlamdaobs(k+npasobs(i)) do j=1,npasobs(i)-1 k=k+1 pasoobs=dlamdaobs(k+1)-dlamdaobs(k) pasmin=min(pasmin,pasoobs) !cambio amin0 por min end do k=k+1 c if(dipa.gt.pasmin)dipa=pasmin !provisional!!!! if(dini.gt.primero)dini=primero if(difi.lt.ultimo)difi=ultimo ntimes=int(pasmin/dipa) !numero de veces que la red fina divide a la obs c dipa=pasmin/ntimes n1=nint((primero-dini)/dipa) !numero de puntos anteriores n2=nint((difi-ultimo)/dipa) !nuero de puntos posteriores dini=primero-n1*dipa difi=ultimo+n2*dipa c print*,'primero,ultimo,n1,n2,dini,difi',primero,ultimo,n1,n2,dini,difi npas(i)=(difi-dini)/dipa+1 if(10*( (difi-dini)/dipa+1 -int( (difi-dini)/dipa+1 ) ).gt..5) npas(i)=npas(i)+1 do j=1,npas(i) nli=nli+1 dlamda(nli)=dini+(j-1)*dipa c print*,'en la malla,la serie es',nli,dlamda(nli),dipa end do endif end do !fin del do en l if(icheck.eq.0)then men1='STOP: There are lines in the observed/stray light profiles which' men2=' do not appear in the wavelength grid.' men3=' Check also the wavelength grid for missing : symbols.' call mensaje(3,men1,men2,men3) endif 9 enddo !fin del do en i c print*,'pasos 1 y 2',npas(1),npas(2) k=1 epsilon=dipa/2. do i=1,nliobs dd=dlamdaobs(i) do while(k.lt.nli.and.dd.gt.dlamda(k)+epsilon) k=k+1 end do do while(k.lt.nli.and.dd.lt.dlamda(k)-epsilon) k=k+1 end do do while(k.lt.nli.and.dd.gt.dlamda(k)+epsilon) k=k+1 end do nposi(i)=k end do if(contr.gt.-1.e5.and.nciclos.gt.0)then ntl=ntl+1 ntlblends=ntlblends+1 nlin(ntlblends)=0 npas(ntl)=1 nble(ntl)=1 nli=nli+1 nliobs=nliobs+1 dlamda(nli)=0. nposi(nliobs)=nli end if 212 print*,'Number of wavelengths in the wavelength grid : ',nli close(ican) return c c Mensajes de error: 999 men1='STOP: The file containing the wavelength grid does NOT exist:' men2=mallaobs call mensaje(2,men1,men2,men3) 992 men1='STOP: Incorrect format in the file containing the wavelength grid:' men2=mallaobs call mensaje(2,men1,men2,men3) end
// flow-typed signature: <API key> declare module 'react-redux' { declare module.exports: any; } /** * We include stubs for each file inside this npm package in case you need to * require those files directly. Feel free to delete any files that aren't * needed. */ declare module 'react-redux/dist/react-redux' { declare module.exports: any; } declare module 'react-redux/dist/react-redux.min' { declare module.exports: any; } declare module 'react-redux/es/components/connectAdvanced' { declare module.exports: any; } declare module 'react-redux/es/components/Provider' { declare module.exports: any; } declare module 'react-redux/es/connect/connect' { declare module.exports: any; } declare module 'react-redux/es/connect/mapDispatchToProps' { declare module.exports: any; } declare module 'react-redux/es/connect/mapStateToProps' { declare module.exports: any; } declare module 'react-redux/es/connect/mergeProps' { declare module.exports: any; } declare module 'react-redux/es/connect/selectorFactory' { declare module.exports: any; } declare module 'react-redux/es/connect/verifySubselectors' { declare module.exports: any; } declare module 'react-redux/es/connect/wrapMapToProps' { declare module.exports: any; } declare module 'react-redux/es/index' { declare module.exports: any; } declare module 'react-redux/es/utils/PropTypes' { declare module.exports: any; } declare module 'react-redux/es/utils/shallowEqual' { declare module.exports: any; } declare module 'react-redux/es/utils/Subscription' { declare module.exports: any; } declare module 'react-redux/es/utils/verifyPlainObject' { declare module.exports: any; } declare module 'react-redux/es/utils/warning' { declare module.exports: any; } declare module 'react-redux/es/utils/wrapActionCreators' { declare module.exports: any; } declare module 'react-redux/lib/components/connectAdvanced' { declare module.exports: any; } declare module 'react-redux/lib/components/Provider' { declare module.exports: any; } declare module 'react-redux/lib/connect/connect' { declare module.exports: any; } declare module 'react-redux/lib/connect/mapDispatchToProps' { declare module.exports: any; } declare module 'react-redux/lib/connect/mapStateToProps' { declare module.exports: any; } declare module 'react-redux/lib/connect/mergeProps' { declare module.exports: any; } declare module 'react-redux/lib/connect/selectorFactory' { declare module.exports: any; } declare module 'react-redux/lib/connect/verifySubselectors' { declare module.exports: any; } declare module 'react-redux/lib/connect/wrapMapToProps' { declare module.exports: any; } declare module 'react-redux/lib/index' { declare module.exports: any; } declare module 'react-redux/lib/utils/PropTypes' { declare module.exports: any; } declare module 'react-redux/lib/utils/shallowEqual' { declare module.exports: any; } declare module 'react-redux/lib/utils/Subscription' { declare module.exports: any; } declare module 'react-redux/lib/utils/verifyPlainObject' { declare module.exports: any; } declare module 'react-redux/lib/utils/warning' { declare module.exports: any; } declare module 'react-redux/lib/utils/wrapActionCreators' { declare module.exports: any; } declare module 'react-redux/src/components/connectAdvanced' { declare module.exports: any; } declare module 'react-redux/src/components/Provider' { declare module.exports: any; } declare module 'react-redux/src/connect/connect' { declare module.exports: any; } declare module 'react-redux/src/connect/mapDispatchToProps' { declare module.exports: any; } declare module 'react-redux/src/connect/mapStateToProps' { declare module.exports: any; } declare module 'react-redux/src/connect/mergeProps' { declare module.exports: any; } declare module 'react-redux/src/connect/selectorFactory' { declare module.exports: any; } declare module 'react-redux/src/connect/verifySubselectors' { declare module.exports: any; } declare module 'react-redux/src/connect/wrapMapToProps' { declare module.exports: any; } declare module 'react-redux/src/index' { declare module.exports: any; } declare module 'react-redux/src/utils/PropTypes' { declare module.exports: any; } declare module 'react-redux/src/utils/shallowEqual' { declare module.exports: any; } declare module 'react-redux/src/utils/Subscription' { declare module.exports: any; } declare module 'react-redux/src/utils/verifyPlainObject' { declare module.exports: any; } declare module 'react-redux/src/utils/warning' { declare module.exports: any; } declare module 'react-redux/src/utils/wrapActionCreators' { declare module.exports: any; } // Filename aliases declare module 'react-redux/dist/react-redux.js' { declare module.exports: $Exports<'react-redux/dist/react-redux'>; } declare module 'react-redux/dist/react-redux.min.js' { declare module.exports: $Exports<'react-redux/dist/react-redux.min'>; } declare module 'react-redux/es/components/connectAdvanced.js' { declare module.exports: $Exports<'react-redux/es/components/connectAdvanced'>; } declare module 'react-redux/es/components/Provider.js' { declare module.exports: $Exports<'react-redux/es/components/Provider'>; } declare module 'react-redux/es/connect/connect.js' { declare module.exports: $Exports<'react-redux/es/connect/connect'>; } declare module 'react-redux/es/connect/mapDispatchToProps.js' { declare module.exports: $Exports<'react-redux/es/connect/mapDispatchToProps'>; } declare module 'react-redux/es/connect/mapStateToProps.js' { declare module.exports: $Exports<'react-redux/es/connect/mapStateToProps'>; } declare module 'react-redux/es/connect/mergeProps.js' { declare module.exports: $Exports<'react-redux/es/connect/mergeProps'>; } declare module 'react-redux/es/connect/selectorFactory.js' { declare module.exports: $Exports<'react-redux/es/connect/selectorFactory'>; } declare module 'react-redux/es/connect/verifySubselectors.js' { declare module.exports: $Exports<'react-redux/es/connect/verifySubselectors'>; } declare module 'react-redux/es/connect/wrapMapToProps.js' { declare module.exports: $Exports<'react-redux/es/connect/wrapMapToProps'>; } declare module 'react-redux/es/index.js' { declare module.exports: $Exports<'react-redux/es/index'>; } declare module 'react-redux/es/utils/PropTypes.js' { declare module.exports: $Exports<'react-redux/es/utils/PropTypes'>; } declare module 'react-redux/es/utils/shallowEqual.js' { declare module.exports: $Exports<'react-redux/es/utils/shallowEqual'>; } declare module 'react-redux/es/utils/Subscription.js' { declare module.exports: $Exports<'react-redux/es/utils/Subscription'>; } declare module 'react-redux/es/utils/verifyPlainObject.js' { declare module.exports: $Exports<'react-redux/es/utils/verifyPlainObject'>; } declare module 'react-redux/es/utils/warning.js' { declare module.exports: $Exports<'react-redux/es/utils/warning'>; } declare module 'react-redux/es/utils/wrapActionCreators.js' { declare module.exports: $Exports<'react-redux/es/utils/wrapActionCreators'>; } declare module 'react-redux/lib/components/connectAdvanced.js' { declare module.exports: $Exports<'react-redux/lib/components/connectAdvanced'>; } declare module 'react-redux/lib/components/Provider.js' { declare module.exports: $Exports<'react-redux/lib/components/Provider'>; } declare module 'react-redux/lib/connect/connect.js' { declare module.exports: $Exports<'react-redux/lib/connect/connect'>; } declare module 'react-redux/lib/connect/mapDispatchToProps.js' { declare module.exports: $Exports<'react-redux/lib/connect/mapDispatchToProps'>; } declare module 'react-redux/lib/connect/mapStateToProps.js' { declare module.exports: $Exports<'react-redux/lib/connect/mapStateToProps'>; } declare module 'react-redux/lib/connect/mergeProps.js' { declare module.exports: $Exports<'react-redux/lib/connect/mergeProps'>; } declare module 'react-redux/lib/connect/selectorFactory.js' { declare module.exports: $Exports<'react-redux/lib/connect/selectorFactory'>; } declare module 'react-redux/lib/connect/verifySubselectors.js' { declare module.exports: $Exports<'react-redux/lib/connect/verifySubselectors'>; } declare module 'react-redux/lib/connect/wrapMapToProps.js' { declare module.exports: $Exports<'react-redux/lib/connect/wrapMapToProps'>; } declare module 'react-redux/lib/index.js' { declare module.exports: $Exports<'react-redux/lib/index'>; } declare module 'react-redux/lib/utils/PropTypes.js' { declare module.exports: $Exports<'react-redux/lib/utils/PropTypes'>; } declare module 'react-redux/lib/utils/shallowEqual.js' { declare module.exports: $Exports<'react-redux/lib/utils/shallowEqual'>; } declare module 'react-redux/lib/utils/Subscription.js' { declare module.exports: $Exports<'react-redux/lib/utils/Subscription'>; } declare module 'react-redux/lib/utils/verifyPlainObject.js' { declare module.exports: $Exports<'react-redux/lib/utils/verifyPlainObject'>; } declare module 'react-redux/lib/utils/warning.js' { declare module.exports: $Exports<'react-redux/lib/utils/warning'>; } declare module 'react-redux/lib/utils/wrapActionCreators.js' { declare module.exports: $Exports<'react-redux/lib/utils/wrapActionCreators'>; } declare module 'react-redux/src/components/connectAdvanced.js' { declare module.exports: $Exports<'react-redux/src/components/connectAdvanced'>; } declare module 'react-redux/src/components/Provider.js' { declare module.exports: $Exports<'react-redux/src/components/Provider'>; } declare module 'react-redux/src/connect/connect.js' { declare module.exports: $Exports<'react-redux/src/connect/connect'>; } declare module 'react-redux/src/connect/mapDispatchToProps.js' { declare module.exports: $Exports<'react-redux/src/connect/mapDispatchToProps'>; } declare module 'react-redux/src/connect/mapStateToProps.js' { declare module.exports: $Exports<'react-redux/src/connect/mapStateToProps'>; } declare module 'react-redux/src/connect/mergeProps.js' { declare module.exports: $Exports<'react-redux/src/connect/mergeProps'>; } declare module 'react-redux/src/connect/selectorFactory.js' { declare module.exports: $Exports<'react-redux/src/connect/selectorFactory'>; } declare module 'react-redux/src/connect/verifySubselectors.js' { declare module.exports: $Exports<'react-redux/src/connect/verifySubselectors'>; } declare module 'react-redux/src/connect/wrapMapToProps.js' { declare module.exports: $Exports<'react-redux/src/connect/wrapMapToProps'>; } declare module 'react-redux/src/index.js' { declare module.exports: $Exports<'react-redux/src/index'>; } declare module 'react-redux/src/utils/PropTypes.js' { declare module.exports: $Exports<'react-redux/src/utils/PropTypes'>; } declare module 'react-redux/src/utils/shallowEqual.js' { declare module.exports: $Exports<'react-redux/src/utils/shallowEqual'>; } declare module 'react-redux/src/utils/Subscription.js' { declare module.exports: $Exports<'react-redux/src/utils/Subscription'>; } declare module 'react-redux/src/utils/verifyPlainObject.js' { declare module.exports: $Exports<'react-redux/src/utils/verifyPlainObject'>; } declare module 'react-redux/src/utils/warning.js' { declare module.exports: $Exports<'react-redux/src/utils/warning'>; } declare module 'react-redux/src/utils/wrapActionCreators.js' { declare module.exports: $Exports<'react-redux/src/utils/wrapActionCreators'>; }
import * as riot from 'riot' import { init, compile } from '../../helpers/' import TargetComponent from '../../../dist/tags/popup/su-popup.js' describe('su-popup', function () { let element, component let spyOnMouseover, spyOnMouseout init(riot) const mount = opts => { const option = Object.assign({ 'onmouseover': spyOnMouseover, 'onmouseout': spyOnMouseout, }, opts) element = document.createElement('app') riot.register('su-popup', TargetComponent) const AppComponent = compile(` <app> <su-popup tooltip="{ props.tooltip }" data-title="{ props.dataTitle }" data-variation="{ props.dataVariation }" onmouseover="{ () => dispatch('mouseover') }" onmouseout="{ () => dispatch('mouseout') }" ><i class="add icon"></i></su-popup> </app>`) riot.register('app', AppComponent) component = riot.mount(element, option)[0] } beforeEach(function () { spyOnMouseover = sinon.spy() spyOnMouseout = sinon.spy() }) afterEach(function () { riot.unregister('su-popup') riot.unregister('app') }) it('is mounted', function () { mount() expect(component).to.be.ok }) it('show and hide popup', function () { mount({ tooltip: 'Add users to your feed' }) expect(component.$('.content').innerHTML).to.equal('Add users to your feed') expect(component.$('su-popup .ui.popup').classList.contains('nowrap')).to.equal(true) fireEvent(component.$('su-popup .ui.popup'), 'mouseover') expect(spyOnMouseover).to.have.been.calledOnce expect(component.$('su-popup .ui.popup').classList.contains('visible')).to.equal(true) expect(component.$('su-popup .ui.popup').classList.contains('hidden')).to.equal(false) fireEvent(component.$('su-popup .ui.popup'), 'mouseout') expect(spyOnMouseout).to.have.been.calledOnce expect(component.$('su-popup .ui.popup').classList.contains('visible')).to.equal(false) expect(component.$('su-popup .ui.popup').classList.contains('hidden')).to.equal(true) }) it('header', function () { mount({ tooltip: 'Add users to your feed', dataTitle: 'Title' }) expect(component.$('.header').innerHTML).to.equal('Title') expect(component.$('.content').innerHTML).to.equal('Add users to your feed') }) it('wide', function () { mount({ tooltip: 'Add users to your feed', dataVariation: 'wide' }) expect(component.$('su-popup .ui.popup').classList.contains('wide')).to.equal(true) expect(component.$('su-popup .ui.popup').classList.contains('nowrap')).to.equal(false) }) })
package app.components.semanticui import japgolly.scalajs.react import japgolly.scalajs.react.{Callback, Children} import japgolly.scalajs.react.vdom.VdomNode import scala.scalajs.js object Menu { val component = react.JsComponent[js.Object, Children.Varargs, Null](<API key>.Menu) def apply()(children: VdomNode*) = { val props = js.Dynamic.literal( ) component(props)(children:_*) } object Item { val component = react.JsComponent[js.Object, Children.Varargs, Null](<API key>.Menu.Item) def apply(name: js.UndefOr[String] = js.undefined, as: js.UndefOr[String] = js.undefined, active: js.UndefOr[Boolean] = js.undefined, onClick: Callback = Callback.empty, position: js.UndefOr[Position.Value] = js.undefined, )(children: VdomNode*) = { val props = js.Dynamic.literal( name = name, as = as, active = active, onClick = onClick.toJsCallback, position = position.map(Position.toStr), ) component(props)(children:_*) } } object Menu { val component = react.JsComponent[js.Object, Children.Varargs, Null](<API key>.Menu.Menu) def apply(position: js.UndefOr[Position.Value] = js.undefined, )(children: VdomNode*) = { val props = js.Dynamic.literal( position = position.map(Position.toStr), ) component(props)(children:_*) } } }
import { NgModule } from '@angular/core'; import { RouterModule } from '@angular/router'; import { SharedModule, <API key> } from '../../../shared'; import { AppModule } from './app.module'; import { AppComponent } from './app.component'; @NgModule({ imports: [ SharedModule, AppModule, RouterModule.forChild([ { path: '', component: <API key>, data: { examples: [ { title: 'Material Prefix and Suffix', description: ` This demonstrates adding a material suffix and prefix for material form fields. `, component: AppComponent, files: [ { file: 'app.component.html', content: require('!!highlight-loader?raw=true&lang=html!./app.component.html'), filecontent: require('!!raw-loader!./app.component.html'), }, { file: 'app.component.ts', content: require('!!highlight-loader?raw=true&lang=typescript!./app.component.ts'), filecontent: require('!!raw-loader!./app.component.ts'), }, { file: 'addons.wrapper.ts', content: require('!!highlight-loader?raw=true&lang=typescript!./addons.wrapper.ts'), filecontent: require('!!raw-loader!./addons.wrapper.ts'), }, { file: 'addons.extension.ts', content: require('!!highlight-loader?raw=true&lang=typescript!./addons.extension.ts'), filecontent: require('!!raw-loader!./addons.extension.ts'), }, { file: 'app.module.ts', content: require('!!highlight-loader?raw=true&lang=typescript!./app.module.ts'), filecontent: require('!!raw-loader!./app.module.ts'), }, ], }, ], }, }, ]), ], }) export class ConfigModule {}
const jwt = require('jsonwebtoken'); const User = require('../models/User'); // import { port, auth } from '../../config'; /** * The Auth Checker middleware function. */ module.exports = (req, res, next) => { if (!req.headers.authorization) { return res.status(401).end(); } // get the last part from a authorization header string like "bearer token-value" const token = req.headers.authorization.split(' ')[1]; // decode the token using a secret key-phrase return jwt.verify(token, "React Starter Kit", (err, decoded) => { // the 401 code is for unauthorized status if (err) { return res.status(401).end(); } const userId = decoded.sub; // check if a user exists return User.findById(userId, (userErr, user) => { if (userErr || !user) { return res.status(401).end(); } return next(); }); }); };
//10. Odd and Even Product //You are given n integers (given in a single line, separated by a space). //Write a program that checks whether the product of the odd elements is equal to the product of the even elements. //Elements are counted from 1 to n, so the first element is odd, the second is even, etc. using System; class OddAndEvenProduct { static void Main() { Console.WriteLine("Odd And Even Product"); Console.Write("Enter a numbers in a single line separated with space: "); string[] input = Console.ReadLine().Split(); int oddProduct = 1; int evenProdduct = 1; for (int index = 0; index < input.Length; index++) { int num = int.Parse(input[index]); if (index %2 == 0 || index == 0) { oddProduct *= num; } else { evenProdduct *= num; } } if (oddProduct == evenProdduct) { Console.WriteLine("yes"); Console.WriteLine("product = {0}", oddProduct); } else { Console.WriteLine("no"); Console.WriteLine("odd Product = {0}", oddProduct); Console.WriteLine("even Product = {0}", evenProdduct); } } }
var Ringpop = require('ringpop'); var TChannel = require('TChannel'); var express = require('express'); var NodeCache = require('node-cache'); var cache = new NodeCache(); var host = '127.0.0.1'; // not recommended for production var httpPort = process.env.PORT || 8080; var port = httpPort - 5080; var bootstrapNodes = ['127.0.0.1:3000']; var tchannel = new TChannel(); var subChannel = tchannel.makeSubChannel({ serviceName: 'ringpop', trace: false }); var ringpop = new Ringpop({ app: 'yourapp', hostPort: host + ':' + port, channel: subChannel }); ringpop.setupChannel(); ringpop.channel.listen(port, host, function onListen() { console.log('TChannel is listening on ' + port); ringpop.bootstrap(bootstrapNodes, function onBootstrap(err) { if (err) { console.log('Error: Could not bootstrap ' + ringpop.whoami()); process.exit(1); } console.log('Ringpop ' + ringpop.whoami() + ' has bootstrapped!'); }); // This is how you wire up a handler for forwarded requests ringpop.on('request', handleReq); }); var server = express();
Element.prototype.remove = function() { this.parentElement.removeChild(this); } const addIcon = (icon) => `<i class="fa fa-${icon}"></i>` const headerTxt = (type) => { switch (type) { case 'error': return `${addIcon('ban')} Error` case 'warning': return `${addIcon('exclamation')} Warning` case 'success': return `${addIcon('check')} Success` default: return `${addIcon('ban')} Error` } } const createModal = (texto, type) => { let modal = document.createElement('div') modal.classList = 'modal-background' let headertxt = 'Error' let content = ` <div class="modal-frame"> <header class="modal-${type} modal-header"> <h4> ${headerTxt(type)} </h4> <span id="closeModal">&times;</span> </header> <div class="modal-mssg"> ${texto} </div> <button id="btnAcceptModal" class="btn modal-btn modal-${type}">Aceptar</button> </div> ` modal.innerHTML = content document.body.appendChild(modal) document.getElementById('btnAcceptModal').addEventListener('click', () => modal.remove()) document.getElementById('closeModal').addEventListener('click', () => modal.remove()) } export const errorModal = (message) => createModal(message, 'error') export const successModal = (message) => createModal(message, 'success') export const warningModal = (message) => createModal(message, 'warning')
<!DOCTYPE html> <html> <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'> <meta name='<API key>' content='VPS Health' /> <meta name='<API key>' content='yes' /> <meta name='<API key>' content='black'/> <link href='images/favicon-32x32.png' type='image/png' rel='icon' sizes='32x32' /> <link href='images/favicon-16x16.png' type='image/png' rel='icon' sizes='16x16' /> <link href='images/apple-touch-icon.png' rel='apple-touch-icon' sizes='180x180' /> <link href='images/manifest.json' rel='manifest' /> <link rel='stylesheet' href='style/foundation/foundation.min.css'> <link rel='stylesheet' href='style/app.css'> <title>VPS Health</title> </head> <body> <div class='grid-y medium-grid-frame'> <header class='cell shrink'> <div class='grid-x grid-padding-x'> <h1 class='cell small-12 medium-8'> <img src='images/logo.png'> VPS Health </h1> <div class='cell small-12 medium-4 medium-text-right'> <button id='delete_all_history' class='button small' type='button'> Delete all history </button> </div> </div> </header> <main class='cell medium-auto <API key>'> <div class='grid-x'> <div class='cell medium-cell-block-y'> <div class='grid-container fluid'> <div id='vpsses' class='grid-x grid-margin-x vpsses'> <div id='dummy' class='cell small-12 medium-6 large-3 vps hide' data-sort='0'> <h2>VPS title</h2> <h3>VPS hostname</h3> <div class='stats grid-x'> <div id='load_1' title='Load 1 minute' class='cell small-4 stat load' ><img src='images/load.png' ><span>-</span></div> <div id='load_5' title='Load 5 minutes' class='cell small-4 stat load' ><img src='images/load.png' ><span>-</span></div> <div id='load_15' title='Load 15 minutes' class='cell small-4 stat load' ><img src='images/load.png' ><span>-</span></div> </div> <div class='stats grid-x'> <div id='cpu' title='CPU usage' class='cell small-4 stat cpu' ><img src='images/cpu.png' ><span>-</span></div> <div id='memory' title='Memory usage' class='cell small-4 stat memory' ><img src='images/memory.png' ><span>-</span></div> <div id='disk' title='Disk usage' class='cell small-4 stat disk' ><img src='images/disk.png' ><span>-</span></div> </div> <div class='stats grid-x'> <div id='uptime' title='Uptime' class='cell small-8 stat uptime' ></div> <div id='availability' title='Availability' class='cell small-4 stat availability'><img src='images/availability.png'><span>-</span></div> </div> </div> </div> </div> </div> </div> <div class='reveal large vps_details' id='vps_details' data-vps-id='' data-reveal> <h2>VPS title</h2> <h3>VPS hostname</h3> <button id='delete_vps_history' class='button small' type='button'> Delete VPS history </button> <div class='stats grid-x'> <div id='cpu' title='Total CPUs' class='cell small-4 stat cpu' ><img src='images/cpu.png' ><span>-</span></div> <div id='memory' title='Total memory' class='cell small-4 stat memory'><img src='images/memory.png'><span>-</span></div> <div id='disk' title='Total disk space' class='cell small-4 stat disk' ><img src='images/disk.png' ><span>-</span></div> </div> <div class='grid-x'> <div class='cell small-12 large-6'> <canvas id='history_load' data-label='Load %'></canvas> </div> <div class='cell small-12 large-6'> <canvas id='<API key>' data-label='Availability %'></canvas> </div> </div> <div class='grid-x'> <div class='cell small-12 large-4'> <canvas id='history_cpu' data-label='CPU usage %'></canvas> </div> <div class='cell small-12 large-4'> <canvas id='history_memory' data-label='Memory usage %'></canvas> </div> <div class='cell small-12 large-4'> <canvas id='history_disk' data-label='Disk usage %'></canvas> </div> </div> <button class='close-button' type='button' data-close> &times; </button> </div> </main> </div> <script type='text/javascript' src='scripts/jquery/jquery-3.2.1.min.js'></script> <script type='text/javascript' src='scripts/foundation/foundation.min.js'></script> <script type='text/javascript' src='scripts/chart/chart.js'></script> <script type='text/javascript' src='scripts/vps-health/vps-health-1.0.js'></script> <script type='text/javascript' src='config.js'></script> </body> </html>
<?php namespace Rocketeer\Services\History; use Illuminate\Support\Collection; /** * Keeps a memory of everything that was outputed/ran * and on which connections/stages. */ class History extends Collection { /** * Get the history, flattened. * * @return string[]|string[][] */ public function getFlattenedHistory() { return $this->getFlattened('history'); } /** * Get the output, flattened. * * @return string[]|string[][] */ public function getFlattenedOutput() { return $this->getFlattened('output'); } /** * Reset the history/output. */ public function reset() { $this->items = []; } /////////////////////////// HELPERS /////////////////////////////// /** * Get a flattened list of a certain type. * * @param string $type * * @return string[]|string[][] */ protected function getFlattened($type) { $history = []; foreach ($this->items as $class => $entries) { $history = array_merge($history, $entries[$type]); } ksort($history); return array_values($history); } }
<?php namespace AppBundle\Entity; use Doctrine\ORM\EntityRepository; /** * <API key> */ class <API key> extends EntityRepository { public function findByRefList(array $refList) { $qb = $this->createQueryBuilder('s'); $qb->where($qb->expr()->in('s.ref', $refList)); return $qb->getQuery()->execute(); } public function findEnabled() { return $this->findBy(array('enabled' => '1')); } /** * get services enabled only by default or with a suffix if $filterEnabled=false * @param bool $filterEnabled * @return array */ public function getChoices($filterEnabled = true) { if ($filterEnabled) { } $qb = $this->createQueryBuilder('s'); $qb->select('s.ref, s.name, s.enabled'); $results = $qb->getQuery()->execute(); $choices = []; foreach ($results as $item) { if ($item['enabled'] === true) { $choices[$item['ref']] = $item['name']; } else { if ($filterEnabled === false) { $choices[$item['ref']] = sprintf('%s (désactivé)', $item['name']); } else { unset($choices[$item['ref']]); } } } return $choices; } }
package br.com.k19.android.cap3; import android.app.Activity; import android.os.Bundle; public class MainActivity extends Activity { @Override public void onCreate(Bundle savedInstanceState) { super.onCreate(savedInstanceState); setContentView(R.layout.frame); } }
import {WidgetConfig} from '../shared/widget-config'; import {WidgetService} from '../shared/widget.service'; export class Widget { title: string; updateInterval: number = 1000; widgetConfig: WidgetConfig; titleUrl: string; description: string; constructor(private widgetService: WidgetService) { } getTitle(): string { return this.title; } initWidget(widgetConfig: WidgetConfig) { this.widgetConfig = widgetConfig; this.title = widgetConfig.title; this.titleUrl = widgetConfig.titleUrl; this.description = widgetConfig.description; this.triggerUpdate(); } triggerUpdate() { setInterval(() => { this.updateWidgetData(); }, this.updateInterval); } updateWidgetData() { this.widgetService.getWidgetData(this.widgetConfig).subscribe( widgetData => { if (widgetData.length > 0) { this.updateData(widgetData); } }, error => console.error(error) ); } updateData(data: any) { // log backend errors for (const sourceData of data) { if ((sourceData.data || {}).errors) { sourceData.data.errors.forEach(error => console.error(error)); } } // custom logic is implemented by widgets } }
''' Testing class for database API's course related functions. Authors: Ari Kairala, Petteri Ponsimaa Originally adopted from Ivan's exercise 1 test class. ''' import unittest, hashlib import re, base64, copy, json, server from <API key> import BaseTestCase, db from flask import json, jsonify from exam_archive import <API key>, <API key> from unittest import TestCase from resources_common import COLLECTIONJSON, PROBLEMJSON, COURSE_PROFILE, API_VERSION class RestCourseTestCase(BaseTestCase): ''' RestCourseTestCase contains course related unit tests of the database API. ''' # List of user credentials in <API key>.sql for testing purposes super_user = "bigboss" super_pw = hashlib.sha256("ultimatepw").hexdigest() admin_user = "antti.admin" admin_pw = hashlib.sha256("qwerty1234").hexdigest() basic_user = "testuser" basic_pw = hashlib.sha256("testuser").hexdigest() wrong_pw = "wrong-pw" <API key> = {"template": { "data": [ {"name": "archiveId", "value": 1}, {"name": "courseCode", "value": "810136P"}, {"name": "name", "value": "Johdatus tietojenk\<API key>"}, {"name": "description", "value": "Lorem ipsum"}, {"name": "inLanguage", "value": "fi"}, {"name": "creditPoints", "value": 4}, {"name": "teacherId", "value": 1}] } } <API key> = {"template": { "data": [ {"name": "archiveId", "value": 1}, {"name": "courseCode", "value": "810137P"}, {"name": "name", "value": "Introduction to Information Processing Sciences"}, {"name": "description", "value": "Aaa Bbbb"}, {"name": "inLanguage", "value": "en"}, {"name": "creditPoints", "value": 5}, {"name": "teacherId", "value": 2}] } } course_resource_url = '/exam_archive/api/archives/1/courses/1/' <API key> = '/exam_archive/api/archives/2/courses/1/' <API key> = '/exam_archive/api/archives/1/courses/' # Set a ready header for authorized admin user header_auth = {'Authorization': 'Basic ' + base64.b64encode(super_user + ":" + super_pw)} # Define a list of the sample contents of the database, so we can later compare it to the test results @classmethod def setUpClass(cls): print "Testing ", cls.__name__ def <API key>(self): ''' Check that user in not able to get course list without authenticating. ''' print '(' + self.<API key>.__name__ + ')', \ self.<API key>.__doc__ # Test CourseList/GET rv = self.app.get(self.<API key>) self.assertEquals(rv.status_code,401) self.assertEquals(PROBLEMJSON,rv.mimetype) # Test CourseList/POST rv = self.app.post(self.<API key>) self.assertEquals(rv.status_code,401) self.assertEquals(PROBLEMJSON,rv.mimetype) # Test Course/GET rv = self.app.get(self.course_resource_url) self.assertEquals(rv.status_code,401) self.assertEquals(PROBLEMJSON,rv.mimetype) # Test Course/PUT rv = self.app.put(self.course_resource_url) self.assertEquals(rv.status_code,401) self.assertEquals(PROBLEMJSON,rv.mimetype) # Test Course/DELETE rv = self.app.put(self.course_resource_url) self.assertEquals(rv.status_code,401) self.assertEquals(PROBLEMJSON,rv.mimetype) # Try to Course/POST when not admin or super user rv = self.app.post(self.<API key>, headers={'Authorization': 'Basic ' + \ base64.b64encode(self.basic_user + ":" + self.basic_pw)}) self.assertEquals(rv.status_code,403) self.assertEquals(PROBLEMJSON,rv.mimetype) # Try to delete course, when not admin or super user rv = self.app.delete(self.course_resource_url, headers={'Authorization': 'Basic ' + \ base64.b64encode(self.basic_user + ":" + self.basic_pw)}) self.assertEquals(rv.status_code,403) self.assertEquals(PROBLEMJSON,rv.mimetype) # Try to get Course list as basic user from unallowed archive rv = self.app.get(self.<API key>, headers={'Authorization': 'Basic ' + \ base64.b64encode(self.basic_user + ":" + self.basic_pw)}) self.assertEquals(rv.status_code,403) self.assertEquals(PROBLEMJSON,rv.mimetype) # Try to get Course list as super user with wrong password rv = self.app.get(self.<API key>, headers={'Authorization': 'Basic ' + \ base64.b64encode(self.super_user + ":" + self.wrong_pw)}) self.assertEquals(rv.status_code,401) self.assertEquals(PROBLEMJSON,rv.mimetype) def <API key>(self): ''' Check that authenticated user is able to get course list. ''' print '(' + self.<API key>.__name__ + ')', \ self.<API key>.__doc__ # Try to get Course list as basic user from the correct archive rv = self.app.get(self.course_resource_url, headers={'Authorization': 'Basic ' + \ base64.b64encode(self.basic_user + ":" + self.basic_pw)}) self.assertEquals(rv.status_code,200) self.assertEquals(COLLECTIONJSON+";"+COURSE_PROFILE,rv.content_type) # User authorized as super user rv = self.app.get(self.<API key>, headers={'Authorization': 'Basic ' + \ base64.b64encode(self.super_user + ":" + self.super_pw)}) self.assertEquals(rv.status_code,200) self.assertEquals(COLLECTIONJSON+";"+COURSE_PROFILE,rv.content_type) def test_course_get(self): ''' Check data consistency of Course/GET and CourseList/GET. ''' print '(' + self.test_course_get.__name__ + ')', \ self.test_course_get.__doc__ # Test CourseList/GET self._course_get(self.<API key>) # Test single course Course/GET self._course_get(self.course_resource_url) def _course_get(self, resource_url): ''' Check data consistency of CourseList/GET. ''' # Get all the courses from database courses = db.browse_courses(1) # Get all the courses from API rv = self.app.get(resource_url, headers=self.header_auth) self.assertEquals(rv.status_code,200) self.assertEquals(COLLECTIONJSON+";"+COURSE_PROFILE,rv.content_type) input = json.loads(rv.data) assert input # Go through the data data = input['collection'] items = data['items'] self.assertEquals(data['href'], resource_url) self.assertEquals(data['version'], API_VERSION) for item in items: obj = self._create_dict(item['data']) course = db.get_course(obj['courseId']) assert self._isIdentical(obj, course) def test_course_post(self): ''' Check that a new course can be created. ''' print '(' + self.test_course_post.__name__ + ')', \ self.test_course_post.__doc__ resource_url = self.<API key> new_course = self.<API key>.copy() # Test CourseList/POST rv = self.app.post(resource_url, headers=self.header_auth, data=json.dumps(new_course)) self.assertEquals(rv.status_code,201) # Post returns the address of newly created resource URL in header, in 'location'. Get the identifier of # the just created item, fetch it from database and compare. location = rv.location location_match = re.match('.*courses/([^/]+)/', location) self.assertIsNotNone(location_match) new_id = location_match.group(1) # Fetch the item from database and set it to course_id_db, and convert the filled post template data above to # similar format by replacing the keys with post data attributes. course_in_db = db.get_course(new_id) course_posted = self._convert(new_course) # Compare the data in database and the post template above. self.<API key>(course_posted, course_in_db) # Next, try to add the same course twice - there should be conflict rv = self.app.post(resource_url, headers=self.header_auth, data=json.dumps(new_course)) self.assertEquals(rv.status_code,409) # Next check that by posting invalid JSON data we get status code 415 invalid_json = "INVALID " + json.dumps(new_course) rv = self.app.post(resource_url, headers=self.header_auth, data=invalid_json) self.assertEquals(rv.status_code,415) # Check that template structure is validated invalid_json = json.dumps(new_course['template']) rv = self.app.post(resource_url, headers=self.header_auth, data=invalid_json) self.assertEquals(rv.status_code,400) # Check for the missing required field by removing the third row in array (course name) invalid_template = copy.deepcopy(new_course) invalid_template['template']['data'].pop(2) rv = self.app.post(resource_url, headers=self.header_auth, data=json.dumps(invalid_template)) self.assertEquals(rv.status_code,400) # Lastly, delete the item rv = self.app.delete(location, headers=self.header_auth) self.assertEquals(rv.status_code,204) def test_course_put(self): ''' Check that an existing course can be modified. ''' print '(' + self.test_course_put.__name__ + ')', \ self.test_course_put.__doc__ resource_url = self.<API key> new_course = self.<API key> edited_course = self.<API key> # First create the course rv = self.app.post(resource_url, headers=self.header_auth, data=json.dumps(new_course)) self.assertEquals(rv.status_code,201) location = rv.location self.assertIsNotNone(location) # Then try to edit the course rv = self.app.put(location, headers=self.header_auth, data=json.dumps(edited_course)) self.assertEquals(rv.status_code,200) location = rv.location self.assertIsNotNone(location) # Put returns the address of newly created resource URL in header, in 'location'. Get the identifier of # the just created item, fetch it from database and compare. location = rv.location location_match = re.match('.*courses/([^/]+)/', location) self.assertIsNotNone(location_match) new_id = location_match.group(1) # Fetch the item from database and set it to course_id_db, and convert the filled post template data above to # similar format by replacing the keys with post data attributes. course_in_db = db.get_course(new_id) course_posted = self._convert(edited_course) # Compare the data in database and the post template above. self.<API key>(course_posted, course_in_db) # Next check that by posting invalid JSON data we get status code 415 invalid_json = "INVALID " + json.dumps(new_course) rv = self.app.put(location, headers=self.header_auth, data=invalid_json) self.assertEquals(rv.status_code,415) # Check that template structure is validated invalid_json = json.dumps(new_course['template']) rv = self.app.put(location, headers=self.header_auth, data=invalid_json) self.assertEquals(rv.status_code,400) # Lastly, we delete the course rv = self.app.delete(location, headers=self.header_auth) self.assertEquals(rv.status_code,204) def test_course_delete(self): ''' Check that course in not able to get course list without authenticating. ''' print '(' + self.test_course_delete.__name__ + ')', \ self.test_course_delete.__doc__ # First create the course resource_url = self.<API key> rv = self.app.post(resource_url, headers=self.header_auth, data=json.dumps(self.<API key>)) self.assertEquals(rv.status_code,201) location = rv.location self.assertIsNotNone(location) # Get the identifier of the just created item, fetch it from database and compare. location = rv.location location_match = re.match('.*courses/([^/]+)/', location) self.assertIsNotNone(location_match) new_id = location_match.group(1) # Then, we delete the course rv = self.app.delete(location, headers=self.header_auth) self.assertEquals(rv.status_code,204) # Try to fetch the deleted course from database - expect to fail self.assertIsNone(db.get_course(new_id)) def <API key>(self): ''' For inconsistency check for 405, method not allowed. ''' print '(' + self.test_course_get.__name__ + ')', \ self.test_course_get.__doc__ # CourseList/PUT should not exist rv = self.app.put(self.<API key>, headers=self.header_auth) self.assertEquals(rv.status_code,405) # CourseList/DELETE should not exist rv = self.app.delete(self.<API key>, headers=self.header_auth) self.assertEquals(rv.status_code,405) # Course/POST should not exist rv = self.app.post(self.course_resource_url, headers=self.header_auth) self.assertEquals(rv.status_code,405) def _isIdentical(self, api_item, db_item): ''' Check whether template data corresponds to data stored in the database. ''' return api_item['courseId'] == db_item['course_id'] and \ api_item['name'] == db_item['course_name'] and \ api_item['archiveId'] == db_item['archive_id'] and \ api_item['description'] == db_item['description'] and \ api_item['inLanguage'] == db_item['language_id'] and \ api_item['creditPoints'] == db_item['credit_points'] and \ api_item['courseCode'] == db_item['course_code'] def _convert(self, template_data): ''' Convert template data to a dictionary representing the format the data is saved in the database. ''' trans_table = {"name":"course_name", "url":"url", "archiveId":"archive_id", "courseCode":"course_code", "dateModified": "modified_date", "modifierId":"modifier_id", "courseId":"course_id", "description":"description", "inLanguage":"language_id", "creditPoints":"credit_points", "teacherId":"teacher_id", "teacherName":"teacher_name"} data = self._create_dict(template_data['template']['data']) db_item = {} for key, val in data.items(): db_item[trans_table[key]] = val return db_item def _create_dict(self,item): ''' Create a dictionary from template data for easier handling. ''' dict = {} for f in item: dict[f['name']] = f['value'] return dict if __name__ == '__main__': print 'Start running tests' unittest.main()
<!DOCTYPE html> <html lang="en"> <head> <meta charset="utf-8"> <meta name="viewport" content="width=device-width, initial-scale=1"> <title>zorns-lemma: Not compatible </title> <link rel="shortcut icon" type="image/png" href="../../../../../favicon.png" /> <link href="../../../../../bootstrap.min.css" rel="stylesheet"> <link href="../../../../../bootstrap-custom.css" rel="stylesheet"> <link href="//maxcdn.bootstrapcdn.com/font-awesome/4.2.0/css/font-awesome.min.css" rel="stylesheet"> <script src="../../../../../moment.min.js"></script> <!-- HTML5 Shim and Respond.js IE8 support of HTML5 elements and media queries --> <!-- WARNING: Respond.js doesn't work if you view the page via file: <!--[if lt IE 9]> <script src="https://oss.maxcdn.com/html5shiv/3.7.2/html5shiv.min.js"></script> <script src="https://oss.maxcdn.com/respond/1.4.2/respond.min.js"></script> <![endif] </head> <body> <div class="container"> <div class="navbar navbar-default" role="navigation"> <div class="container-fluid"> <div class="navbar-header"> <a class="navbar-brand" href="../../../../.."><i class="fa fa-lg fa-flag-checkered"></i> Coq bench</a> </div> <div id="navbar" class="collapse navbar-collapse"> <ul class="nav navbar-nav"> <li><a href="../..">clean / released</a></li> <li class="active"><a href="">8.13.2 / zorns-lemma - 8.7.0</a></li> </ul> </div> </div> </div> <div class="article"> <div class="row"> <div class="col-md-12"> <a href="../..">« Up</a> <h1> zorns-lemma <small> 8.7.0 <span class="label label-info">Not compatible </span> </small> </h1> <p> <em><script>document.write(moment("2022-01-12 12:49:54 +0000", "YYYY-MM-DD HH:mm:ss Z").fromNow());</script> (2022-01-12 12:49:54 UTC)</em><p> <h2>Context</h2> <pre># Packages matching: installed # Name # Installed # Synopsis base-bigarray base base-threads base base-unix base conf-findutils 1 Virtual package relying on findutils conf-gmp 3 Virtual package relying on a GMP lib system installation coq 8.13.2 Formal proof management system num 1.4 The legacy Num library for arbitrary-precision integer and rational arithmetic ocaml 4.11.2 The OCaml compiler (virtual package) ocaml-base-compiler 4.11.2 Official release 4.11.2 ocaml-config 1 OCaml Switch Configuration ocamlfind 1.9.1 A library manager for OCaml zarith 1.12 Implements arithmetic and logical operations over arbitrary-precision integers # opam file: opam-version: &quot;2.0&quot; maintainer: &quot;Hugo.Herbelin@inria.fr&quot; homepage: &quot;https://github.com/coq-contribs/zorns-lemma&quot; license: &quot;LGPL&quot; build: [make &quot;-j%{jobs}%&quot;] install: [make &quot;install&quot;] remove: [&quot;rm&quot; &quot;-R&quot; &quot;%{lib}%/coq/user-contrib/ZornsLemma&quot;] depends: [ &quot;ocaml&quot; &quot;coq&quot; {&gt;= &quot;8.7&quot; &amp; &lt; &quot;8.8~&quot;} ] tags: [ &quot;keyword: set theory&quot; &quot;keyword: cardinal numbers&quot; &quot;keyword: ordinal numbers&quot; &quot;keyword: countable&quot; &quot;keyword: quotients&quot; &quot;keyword: well-orders&quot; &quot;keyword: Zorn&#39;s lemma&quot; &quot;category: Mathematics/Logic/Set theory&quot; ] authors: [ &quot;Daniel Schepler &lt;dschepler@gmail.com&gt;&quot; ] bug-reports: &quot;https://github.com/coq-contribs/zorns-lemma/issues&quot; dev-repo: &quot;git+https://github.com/coq-contribs/zorns-lemma.git&quot; synopsis: &quot;Zorn&#39;s Lemma&quot; description: &quot;This library develops some basic set theory. The main purpose I had in writing it was as support for the Topology library.&quot; flags: light-uninstall url { src: &quot;https://github.com/coq-contribs/zorns-lemma/archive/v8.7.0.tar.gz&quot; checksum: &quot;md5=<API key>&quot; } </pre> <h2>Lint</h2> <dl class="dl-horizontal"> <dt>Command</dt> <dd><code>true</code></dd> <dt>Return code</dt> <dd>0</dd> </dl> <h2>Dry install </h2> <p>Dry install with the current Coq version:</p> <dl class="dl-horizontal"> <dt>Command</dt> <dd><code>opam install -y --show-action coq-zorns-lemma.8.7.0 coq.8.13.2</code></dd> <dt>Return code</dt> <dd>5120</dd> <dt>Output</dt> <dd><pre>[NOTE] Package coq is already installed (current version is 8.13.2). The following dependencies couldn&#39;t be met: - coq-zorns-lemma -&gt; coq &lt; 8.8~ -&gt; ocaml &lt; 4.10 base of this switch (use `--unlock-base&#39; to force) No solution found, exiting </pre></dd> </dl> <p>Dry install without Coq/switch base, to test if the problem was incompatibility with the current Coq/OCaml version:</p> <dl class="dl-horizontal"> <dt>Command</dt> <dd><code>opam remove -y coq; opam install -y --show-action --unlock-base coq-zorns-lemma.8.7.0</code></dd> <dt>Return code</dt> <dd>0</dd> </dl> <h2>Install dependencies</h2> <dl class="dl-horizontal"> <dt>Command</dt> <dd><code>true</code></dd> <dt>Return code</dt> <dd>0</dd> <dt>Duration</dt> <dd>0 s</dd> </dl> <h2>Install </h2> <dl class="dl-horizontal"> <dt>Command</dt> <dd><code>true</code></dd> <dt>Return code</dt> <dd>0</dd> <dt>Duration</dt> <dd>0 s</dd> </dl> <h2>Installation size</h2> <p>No files were installed.</p> <h2>Uninstall 🧹</h2> <dl class="dl-horizontal"> <dt>Command</dt> <dd><code>true</code></dd> <dt>Return code</dt> <dd>0</dd> <dt>Missing removes</dt> <dd> none </dd> <dt>Wrong removes</dt> <dd> none </dd> </dl> </div> </div> </div> <hr/> <div class="footer"> <p class="text-center"> Sources are on <a href="https: </p> </div> </div> <script src="https://ajax.googleapis.com/ajax/libs/jquery/1.11.1/jquery.min.js"></script> <script src="../../../../../bootstrap.min.js"></script> </body> </html>
<!DOCTYPE html> <html lang="en"> <head> <meta charset="utf-8"> <meta name="viewport" content="width=device-width, initial-scale=1"> <title>higman-s: Not compatible </title> <link rel="shortcut icon" type="image/png" href="../../../../../favicon.png" /> <link href="../../../../../bootstrap.min.css" rel="stylesheet"> <link href="../../../../../bootstrap-custom.css" rel="stylesheet"> <link href="//maxcdn.bootstrapcdn.com/font-awesome/4.2.0/css/font-awesome.min.css" rel="stylesheet"> <script src="../../../../../moment.min.js"></script> <!-- HTML5 Shim and Respond.js IE8 support of HTML5 elements and media queries --> <!-- WARNING: Respond.js doesn't work if you view the page via file: <!--[if lt IE 9]> <script src="https://oss.maxcdn.com/html5shiv/3.7.2/html5shiv.min.js"></script> <script src="https://oss.maxcdn.com/respond/1.4.2/respond.min.js"></script> <![endif] </head> <body> <div class="container"> <div class="navbar navbar-default" role="navigation"> <div class="container-fluid"> <div class="navbar-header"> <a class="navbar-brand" href="../../../../.."><i class="fa fa-lg fa-flag-checkered"></i> Coq bench</a> </div> <div id="navbar" class="collapse navbar-collapse"> <ul class="nav navbar-nav"> <li><a href="../..">clean / released</a></li> <li class="active"><a href="">8.7.1+2 / higman-s - 8.6.0</a></li> </ul> </div> </div> </div> <div class="article"> <div class="row"> <div class="col-md-12"> <a href="../..">« Up</a> <h1> higman-s <small> 8.6.0 <span class="label label-info">Not compatible </span> </small> </h1> <p> <em><script>document.write(moment("2021-11-21 02:02:39 +0000", "YYYY-MM-DD HH:mm:ss Z").fromNow());</script> (2021-11-21 02:02:39 UTC)</em><p> <h2>Context</h2> <pre># Packages matching: installed # Name # Installed # Synopsis base-bigarray base base-threads base base-unix base camlp5 7.14 <API key> of OCaml conf-findutils 1 Virtual package relying on findutils conf-perl 1 Virtual package relying on perl coq 8.7.1+2 Formal proof management system num 1.4 The legacy Num library for arbitrary-precision integer and rational arithmetic ocaml 4.06.1 The OCaml compiler (virtual package) ocaml-base-compiler 4.06.1 Official 4.06.1 release ocaml-config 1 OCaml Switch Configuration ocamlfind 1.9.1 A library manager for OCaml # opam file: opam-version: &quot;2.0&quot; maintainer: &quot;Hugo.Herbelin@inria.fr&quot; homepage: &quot;https://github.com/coq-contribs/higman-s&quot; license: &quot;LGPL&quot; build: [make &quot;-j%{jobs}%&quot;] install: [make &quot;install&quot;] remove: [&quot;rm&quot; &quot;-R&quot; &quot;%{lib}%/coq/user-contrib/HigmanS&quot;] depends: [ &quot;ocaml&quot; &quot;coq&quot; {&gt;= &quot;8.6&quot; &amp; &lt; &quot;8.7~&quot;} ] tags: [ &quot;keyword: Higman& authors: [ &quot;William Delobel &lt;william.delobel@lif.univ-mrs.fr&gt;&quot; ] bug-reports: &quot;https://github.com/coq-contribs/higman-s/issues&quot; dev-repo: &quot;git+https://github.com/coq-contribs/higman-s.git&quot; synopsis: &quot;Higman&#39;s lemma on an unrestricted alphabet&quot; description: &quot;This proof is more or less the proof given by Monika Seisenberger in \&quot;An Inductive Version of Nash-Williams&#39; <API key> Argument for Higman&#39;s Lemma\&quot;.&quot; flags: light-uninstall url { src: &quot;https://github.com/coq-contribs/higman-s/archive/v8.6.0.tar.gz&quot; checksum: &quot;md5=<API key>&quot; } </pre> <h2>Lint</h2> <dl class="dl-horizontal"> <dt>Command</dt> <dd><code>true</code></dd> <dt>Return code</dt> <dd>0</dd> </dl> <h2>Dry install </h2> <p>Dry install with the current Coq version:</p> <dl class="dl-horizontal"> <dt>Command</dt> <dd><code>opam install -y --show-action coq-higman-s.8.6.0 coq.8.7.1+2</code></dd> <dt>Return code</dt> <dd>5120</dd> <dt>Output</dt> <dd><pre>[NOTE] Package coq is already installed (current version is 8.7.1+2). The following dependencies couldn&#39;t be met: - coq-higman-s -&gt; coq &lt; 8.7~ -&gt; ocaml &lt; 4.06.0 base of this switch (use `--unlock-base&#39; to force) No solution found, exiting </pre></dd> </dl> <p>Dry install without Coq/switch base, to test if the problem was incompatibility with the current Coq/OCaml version:</p> <dl class="dl-horizontal"> <dt>Command</dt> <dd><code>opam remove -y coq; opam install -y --show-action --unlock-base coq-higman-s.8.6.0</code></dd> <dt>Return code</dt> <dd>0</dd> </dl> <h2>Install dependencies</h2> <dl class="dl-horizontal"> <dt>Command</dt> <dd><code>true</code></dd> <dt>Return code</dt> <dd>0</dd> <dt>Duration</dt> <dd>0 s</dd> </dl> <h2>Install </h2> <dl class="dl-horizontal"> <dt>Command</dt> <dd><code>true</code></dd> <dt>Return code</dt> <dd>0</dd> <dt>Duration</dt> <dd>0 s</dd> </dl> <h2>Installation size</h2> <p>No files were installed.</p> <h2>Uninstall 🧹</h2> <dl class="dl-horizontal"> <dt>Command</dt> <dd><code>true</code></dd> <dt>Return code</dt> <dd>0</dd> <dt>Missing removes</dt> <dd> none </dd> <dt>Wrong removes</dt> <dd> none </dd> </dl> </div> </div> </div> <hr/> <div class="footer"> <p class="text-center"> Sources are on <a href="https: </p> </div> </div> <script src="https://ajax.googleapis.com/ajax/libs/jquery/1.11.1/jquery.min.js"></script> <script src="../../../../../bootstrap.min.js"></script> </body> </html>
<!DOCTYPE html PUBLIC "- <html xmlns="http: <head> <meta http-equiv="Content-Type" content="text/xhtml;charset=UTF-8"/> <meta http-equiv="X-UA-Compatible" content="IE=9"/> <meta name="generator" content="Doxygen 1.8.9.1"/> <title>V8 API Reference Guide for node.js v0.11.8: v8::<API key> Class Reference</title> <link href="tabs.css" rel="stylesheet" type="text/css"/> <script type="text/javascript" src="jquery.js"></script> <script type="text/javascript" src="dynsections.js"></script> <link href="search/search.css" rel="stylesheet" type="text/css"/> <script type="text/javascript" src="search/searchdata.js"></script> <script type="text/javascript" src="search/search.js"></script> <script type="text/javascript"> $(document).ready(function() { init_search(); }); </script> <link href="doxygen.css" rel="stylesheet" type="text/css" /> </head> <body> <div id="top"><!-- do not remove this div, it is closed by doxygen! --> <div id="titlearea"> <table cellspacing="0" cellpadding="0"> <tbody> <tr style="height: 56px;"> <td style="padding-left: 0.5em;"> <div id="projectname">V8 API Reference Guide for node.js v0.11.8 </div> </td> </tr> </tbody> </table> </div> <!-- end header part --> <!-- Generated by Doxygen 1.8.9.1 --> <script type="text/javascript"> var searchBox = new SearchBox("searchBox", "search",false,'Search'); </script> <div id="navrow1" class="tabs"> <ul class="tablist"> <li><a href="index.html"><span>Main&#160;Page</span></a></li> <li><a href="namespaces.html"><span>Namespaces</span></a></li> <li class="current"><a href="annotated.html"><span>Classes</span></a></li> <li><a href="files.html"><span>Files</span></a></li> <li><a href="examples.html"><span>Examples</span></a></li> <li> <div id="MSearchBox" class="MSearchBoxInactive"> <span class="left"> <img id="MSearchSelect" src="search/mag_sel.png" onmouseover="return searchBox.OnSearchSelectShow()" onmouseout="return searchBox.OnSearchSelectHide()" alt=""/> <input type="text" id="MSearchField" value="Search" accesskey="S" onfocus="searchBox.OnSearchFieldFocus(true)" onblur="searchBox.OnSearchFieldFocus(false)" onkeyup="searchBox.OnSearchFieldChange(event)"/> </span><span class="right"> <a id="MSearchClose" href="javascript:searchBox.CloseResultsWindow()"><img id="MSearchCloseImg" border="0" src="search/close.png" alt=""/></a> </span> </div> </li> </ul> </div> <div id="navrow2" class="tabs2"> <ul class="tablist"> <li><a href="annotated.html"><span>Class&#160;List</span></a></li> <li><a href="classes.html"><span>Class&#160;Index</span></a></li> <li><a href="hierarchy.html"><span>Class&#160;Hierarchy</span></a></li> <li><a href="functions.html"><span>Class&#160;Members</span></a></li> </ul> </div> <!-- window showing the filter options --> <div id="MSearchSelectWindow" onmouseover="return searchBox.OnSearchSelectShow()" onmouseout="return searchBox.OnSearchSelectHide()" onkeydown="return searchBox.OnSearchSelectKey(event)"> </div> <!-- iframe showing the search results (closed by default) --> <div id="<API key>"> <iframe src="javascript:void(0)" frameborder="0" name="MSearchResults" id="MSearchResults"> </iframe> </div> <div id="nav-path" class="navpath"> <ul> <li class="navelem"><a class="el" href="namespacev8.html">v8</a></li><li class="navelem"><a class="el" href="<API key>.html"><API key></a></li> </ul> </div> </div><!-- top --> <div class="header"> <div class="summary"> <a href="#pub-methods">Public Member Functions</a> &#124; <a href="<API key>.html">List of all members</a> </div> <div class="headertitle"> <div class="title">v8::<API key> Class Reference</div> </div> </div><!--header <div class="contents"> <div class="dynheader"> Inheritance diagram for v8::<API key>:</div> <div class="dyncontent"> <div class="center"> <img src="<API key>.png" usemap="#v8::<API key>" alt=""/> <map id="v8::<API key>" name="v8::<API key>"> <area href="<API key>.html" alt="v8::String::<API key>" shape="rect" coords="0,56,232,80"/> <area href="<API key>.html" alt="v8::String::<API key>" shape="rect" coords="0,0,232,24"/> </map> </div></div> <table class="memberdecls"> <tr class="heading"><td colspan="2"><h2 class="groupheader"><a name="pub-methods"></a> Public Member Functions</h2></td></tr> <tr class="memitem:<API key>"><td class="memItemLeft" align="right" valign="top"><a class="anchor" id="<API key>"></a> &#160;</td><td class="memItemRight" valign="bottom"><b><API key></b> (const char *<a class="el" href="<API key>.html#<API key>">data</a>, size_t <a class="el" href="<API key>.html#<API key>">length</a>)</td></tr> <tr class="separator:<API key>"><td class="memSeparator" colspan="2">&#160;</td></tr> <tr class="memitem:<API key>"><td class="memItemLeft" align="right" valign="top">const char *&#160;</td><td class="memItemRight" valign="bottom"><a class="el" href="<API key>.html#<API key>">data</a> () const </td></tr> <tr class="separator:<API key>"><td class="memSeparator" colspan="2">&#160;</td></tr> <tr class="memitem:<API key>"><td class="memItemLeft" align="right" valign="top">size_t&#160;</td><td class="memItemRight" valign="bottom"><a class="el" href="<API key>.html#<API key>">length</a> () const </td></tr> <tr class="separator:<API key>"><td class="memSeparator" colspan="2">&#160;</td></tr> <tr class="inherit_header <API key>"><td colspan="2" onclick="javascript:toggleInherit('<API key>')"><img src="closed.png" alt="-"/>&#160;Public Member Functions inherited from <a class="el" href="<API key>.html">v8::String::<API key></a></td></tr> <tr class="memitem:<API key> inherit <API key>"><td class="memItemLeft" align="right" valign="top">virtual&#160;</td><td class="memItemRight" valign="bottom"><a class="el" href="<API key>.html#<API key>">~<API key></a> ()</td></tr> <tr class="separator:<API key> inherit <API key>"><td class="memSeparator" colspan="2">&#160;</td></tr> </table><table class="memberdecls"> <tr class="heading"><td colspan="2"><h2 class="groupheader"><a name="inherited"></a> Additional Inherited Members</h2></td></tr> <tr class="inherit_header <API key>"><td colspan="2" onclick="javascript:toggleInherit('<API key>')"><img src="closed.png" alt="-"/>&#160;Protected Member Functions inherited from <a class="el" href="<API key>.html">v8::String::<API key></a></td></tr> <tr class="memitem:<API key> inherit <API key>"><td class="memItemLeft" align="right" valign="top">virtual void&#160;</td><td class="memItemRight" valign="bottom"><a class="el" href="<API key>.html#<API key>">Dispose</a> ()</td></tr> <tr class="separator:<API key> inherit <API key>"><td class="memSeparator" colspan="2">&#160;</td></tr> </table> <h2 class="groupheader">Member Function Documentation</h2> <a class="anchor" id="<API key>"></a> <div class="memitem"> <div class="memproto"> <table class="mlabels"> <tr> <td class="mlabels-left"> <table class="memname"> <tr> <td class="memname">const char* v8::<API key>::data </td> <td>(</td> <td class="paramname"></td><td>)</td> <td> const</td> </tr> </table> </td> <td class="mlabels-right"> <span class="mlabels"><span class="mlabel">inline</span><span class="mlabel">virtual</span></span> </td> </tr> </table> </div><div class="memdoc"> <p>The string data from the underlying buffer. </p> <p>Implements <a class="el" href="<API key>.html#<API key>">v8::String::<API key></a>.</p> </div> </div> <a class="anchor" id="<API key>"></a> <div class="memitem"> <div class="memproto"> <table class="mlabels"> <tr> <td class="mlabels-left"> <table class="memname"> <tr> <td class="memname">size_t v8::<API key>::length </td> <td>(</td> <td class="paramname"></td><td>)</td> <td> const</td> </tr> </table> </td> <td class="mlabels-right"> <span class="mlabels"><span class="mlabel">inline</span><span class="mlabel">virtual</span></span> </td> </tr> </table> </div><div class="memdoc"> <p>The number of ASCII characters in the string. </p> <p>Implements <a class="el" href="<API key>.html#<API key>">v8::String::<API key></a>.</p> </div> </div> <hr/>The documentation for this class was generated from the following file:<ul> <li>deps/v8/include/<a class="el" href="v8_8h_source.html">v8.h</a></li> </ul> </div><!-- contents --> <!-- start footer part --> <hr class="footer"/><address class="footer"><small> Generated on Tue Aug 11 2015 23:46:13 for V8 API Reference Guide for node.js v0.11.8 by & <img class="footer" src="doxygen.png" alt="doxygen"/> </a> 1.8.9.1 </small></address> </body> </html>
// console777.c // crypto777 #ifdef DEFINES_ONLY #ifndef <API key> #define <API key> #include <stdio.h> #include <stdio.h> #include <ctype.h> #include <stdint.h> #include <string.h> #include <stdlib.h> #include "../includes/cJSON.h" #include "../KV/kv777.c" #include "../common/system777.c" #endif #else #ifndef <API key> #define <API key> #ifndef <API key> #define DEFINES_ONLY #include "console777.c" #undef DEFINES_ONLY #endif int32_t getline777(char *line,int32_t max) { #ifndef _WIN32 static char prevline[1024]; struct timeval timeout; fd_set fdset; int32_t s; line[0] = 0; FD_ZERO(&fdset); FD_SET(STDIN_FILENO,&fdset); timeout.tv_sec = 0, timeout.tv_usec = 10000; if ( (s= select(1,&fdset,NULL,NULL,&timeout)) < 0 ) fprintf(stderr,"wait_for_input: error select s.%d\n",s); else { if ( FD_ISSET(STDIN_FILENO,&fdset) > 0 && fgets(line,max,stdin) == line ) { line[strlen(line)-1] = 0; if ( line[0] == 0 || (line[0] == '.' && line[1] == 0) ) strcpy(line,prevline); else strcpy(prevline,line); } } return((int32_t)strlen(line)); #else fgets(line, max, stdin); line[strlen(line)-1] = 0; return((int32_t)strlen(line)); #endif } int32_t settoken(char *token,char *line) { int32_t i; for (i=0; i<32&&line[i]!=0; i++) { if ( line[i] == ' ' || line[i] == '\n' || line[i] == '\t' || line[i] == '\b' || line[i] == '\r' ) break; token[i] = line[i]; } token[i] = 0; return(i); } void update_alias(char *line) { char retbuf[8192],alias[1024],*value; int32_t i,err; if ( (i= settoken(&alias[1],line)) < 0 ) return; if ( line[i] == 0 ) value = &line[i]; else value = &line[i+1]; line[i] = 0; alias[0] = ' printf("i.%d alias.(%s) value.(%s)\n",i,alias,value); if ( value[0] == 0 ) printf("warning value for %s is null\n",alias); kv777_findstr(retbuf,sizeof(retbuf),SUPERNET.alias,alias); if ( strcmp(retbuf,value) == 0 ) printf("UNCHANGED "); else printf("%s ",retbuf[0] == 0 ? "CREATE" : "UPDATE"); printf(" (%s) -> (%s)\n",alias,value); if ( (err= kv777_addstr(SUPERNET.alias,alias,value)) != 0 ) printf("error.%d updating alias database\n",err); } char *expand_aliases(char *_expanded,char *_expanded2,int32_t max,char *line) { char alias[64],value[8192],*expanded,*otherbuf; int32_t i,j,k,len=0,flag = 1; expanded = _expanded, otherbuf = _expanded2; while ( len < max-8192 && flag != 0 ) { flag = 0; len = (int32_t)strlen(line); for (i=j=0; i<len; i++) { if ( line[i] == ' { if ( (k= settoken(&alias[1],&line[i+1])) <= 0 ) continue; i += k; alias[0] = ' if ( kv777_findstr(value,sizeof(value),SUPERNET.alias,alias) != 0 ) { if ( value[0] != 0 ) for (k=0; value[k]!=0; k++) expanded[j++] = value[k]; expanded[j] = 0; //printf("found (%s) -> (%s) [%s]\n",alias,value,expanded); flag++; } } else expanded[j++] = line[i]; } expanded[j] = 0; line = expanded; if ( expanded == _expanded2 ) expanded = _expanded, otherbuf = _expanded2; else expanded = _expanded2, otherbuf = _expanded; } //printf("(%s) -> (%s) len.%d flag.%d\n",line,expanded,len,flag); return(line); } char *localcommand(char *line) { char *retstr; if ( strcmp(line,"list") == 0 ) { if ( (retstr= relays_jsonstr(0,0)) != 0 ) { printf("%s\n",retstr); free(retstr); } return(0); } else if ( strncmp(line,"alias",5) == 0 ) { update_alias(line+6); return(0); } else if ( strcmp(line,"help") == 0 ) { printf("local commands:\nhelp, list, alias <name> <any string> then #name is expanded to <any string>\n"); printf("alias expansions are iterated, so be careful with recursive macros!\n\n"); printf("<plugin name> <method> {json args} -> invokes plugin with method and args, \"myipaddr\" and \"NXT\" are default attached\n\n"); printf("network commands: default timeout is used if not specified\n"); printf("relay <plugin name> <method> {json args} -> will send to random relay\n"); printf("peers <plugin name> <method> {json args} -> will send all peers\n"); printf("!<plugin name> <method> {json args} -> sends to random relay which will send to all its peers and combine results.\n\n"); printf("publish shortcut: pub <any string> -> invokes the subscriptions plugin with publish method and all subscribers will be sent <any string>\n\n"); printf("direct to specific relay needs to have a direct connection established first:\nrelay direct or peers direct <ipaddr>\n"); printf("in case you cant directly reach a specific relay with \"peers direct <ipaddr>\" you can add \"!\" and let a relay broadcast\n"); printf("without an <ipaddr> it will connect to a random relay. Once directly connected, commands are sent by:\n"); printf("<ipaddress> {\"plugin\":\"<name>\",\"method\":\"<methodname>\",...}\n"); printf("responses to direct requests are sent through as a subscription feed\n\n"); printf("\"relay join\" adds your node to the list of relay nodes, your node will need to stay in sync with the other relays\n"); //printf("\"relay mailbox <64bit number> <name>\" creates synchronized storage in all relays\n"); return(0); } return(line); } char *parse_expandedline(char *plugin,char *method,int32_t *timeoutp,char *line,int32_t broadcastflag) { int32_t i,j; char numstr[64],*pubstr,*cmdstr = 0; cJSON *json; uint64_t tag; for (i=0; i<512&&line[i]!=' '&&line[i]!=0; i++) plugin[i] = line[i]; plugin[i] = 0; *timeoutp = 0; pubstr = line; if ( strcmp(plugin,"pub") == 0 ) strcpy(plugin,"subscriptions"), strcpy(method,"publish"), pubstr += 4; else if ( line[i+1] != 0 ) { for (++i,j=0; i<512&&line[i]!=' '&&line[i]!=0; i++,j++) method[j] = line[i]; method[j] = 0; } else method[0] = 0; if ( (json= cJSON_Parse(line+i+1)) == 0 ) json = cJSON_CreateObject(); if ( json != 0 ) { if ( strcmp("direct",method) == 0 && cJSON_GetObjectItem(json,"myipaddr") == 0 ) <API key>(json,"myipaddr",cJSON_CreateString(SUPERNET.myipaddr)); if ( cJSON_GetObjectItem(json,"tag") == 0 ) randombytes((void *)&tag,sizeof(tag)), sprintf(numstr,"%llu",(long long)tag), <API key>(json,"tag",cJSON_CreateString(numstr)); //if ( cJSON_GetObjectItem(json,"NXT") == 0 ) // <API key>(json,"NXT",cJSON_CreateString(SUPERNET.NXTADDR)); *timeoutp = get_API_int(cJSON_GetObjectItem(json,"timeout"),0); if ( plugin[0] == 0 ) strcpy(plugin,"relay"); if ( cJSON_GetObjectItem(json,"plugin") == 0 ) <API key>(json,"plugin",cJSON_CreateString(plugin)); else copy_cJSON(plugin,cJSON_GetObjectItem(json,"plugin")); if ( method[0] == 0 ) strcpy(method,"help"); <API key>(json,"method",cJSON_CreateString(method)); if ( broadcastflag != 0 ) <API key>(json,"broadcast",cJSON_CreateString("allrelays")); cmdstr = cJSON_Print(json), _stripwhite(cmdstr,' '); return(cmdstr); } else return(clonestr(pubstr)); } char *process_user_json(char *plugin,char *method,char *cmdstr,int32_t broadcastflag,int32_t timeout) { struct daemon_info *find_daemoninfo(int32_t *indp,char *name,uint64_t daemonid,uint64_t instanceid); uint32_t nonce; int32_t tmp,len; char *retstr;//,tokenized[8192]; len = (int32_t)strlen(cmdstr) + 1; //printf("userjson.(%s).%d plugin.(%s) broadcastflag.%d method.(%s)\n",cmdstr,len,plugin,broadcastflag,method); if ( broadcastflag != 0 || strcmp(plugin,"relay") == 0 ) { if ( strcmp(method,"busdata") == 0 ) retstr = busdata_sync(&nonce,cmdstr,broadcastflag==0?0:"allnodes",0); else retstr = clonestr("{\"error\":\"direct load balanced calls deprecated, use busdata\"}"); } //else if ( strcmp(plugin,"peers") == 0 ) // retstr = nn_allrelays((uint8_t *)cmdstr,len,timeout,0); else if ( find_daemoninfo(&tmp,plugin,0,0) != 0 ) { //len = <API key>(tokenized,cmdstr,SUPERNET.NXTACCTSECRET,broadcastflag!=0?"allnodes":0); //printf("console.(%s)\n",tokenized); retstr = plugin_method(-1,0,1,plugin,method,0,0,cmdstr,len,timeout != 0 ? timeout : 0,0); } else retstr = clonestr("{\"error\":\"invalid command\"}"); return(retstr); } void process_userinput(char *_line) { static char *line,*line2; char plugin[512],ipaddr[1024],method[512],*cmdstr,*retstr; cJSON *json; int timeout,broadcastflag = 0; printf("[%s]\n",_line); if ( line == 0 ) line = calloc(1,65536), line2 = calloc(1,65536); expand_aliases(line,line2,65536,_line); if ( (line= localcommand(line)) == 0 ) return; if ( line[0] == '!' ) broadcastflag = 1, line++; if ( (json= cJSON_Parse(line)) != 0 ) { char *process_nn_message(int32_t sock,char *jsonstr); free_json(json); char *SuperNET_JSON(char *jsonstr); retstr = SuperNET_JSON(line); //retstr = process_nn_message(-1,line); //retstr = nn_loadbalanced((uint8_t *)line,(int32_t)strlen(line)+1); printf("console.(%s) -> (%s)\n",line,retstr); return; } else printf("cant parse.(%s)\n",line); settoken(ipaddr,line); printf("expands to: %s [%s] %s\n",broadcastflag != 0 ? "broadcast": "",line,ipaddr); if ( is_ipaddr(ipaddr) != 0 ) { line += strlen(ipaddr) + 1; if ( (cmdstr = parse_expandedline(plugin,method,&timeout,line,broadcastflag)) != 0 ) { printf("ipaddr.(%s) (%s)\n",ipaddr,line); //retstr = nn_direct(ipaddr,(uint8_t *)line,(int32_t)strlen(line)+1); printf("deprecated (%s) -> (%s)\n",line,cmdstr); free(cmdstr); } return; } if ( (cmdstr= parse_expandedline(plugin,method,&timeout,line,broadcastflag)) != 0 ) { retstr = process_user_json(plugin,method,cmdstr,broadcastflag,timeout != 0 ? timeout : SUPERNET.PLUGINTIMEOUT); printf("CONSOLE (%s) -> (%s) -> (%s)\n",line,cmdstr,retstr); free(cmdstr); } } #endif #endif
#include "base58.h" #include "core.h" #include "init.h" #include "keystore.h" #include "main.h" #include "net.h" #include "rpcserver.h" #include "uint256.h" #ifdef ENABLE_WALLET #include "wallet.h" #endif #include <stdint.h> #include <boost/assign/list_of.hpp> #include "json/json_spirit_utils.h" #include "json/json_spirit_value.h" using namespace std; using namespace boost; using namespace boost::assign; using namespace json_spirit; void ScriptPubKeyToJSON(const CScript& scriptPubKey, Object& out, bool fIncludeHex) { txnouttype type; vector<CTxDestination> addresses; int nRequired; out.push_back(Pair("asm", scriptPubKey.ToString())); if (fIncludeHex) out.push_back(Pair("hex", HexStr(scriptPubKey.begin(), scriptPubKey.end()))); if (!ExtractDestinations(scriptPubKey, type, addresses, nRequired)) { out.push_back(Pair("type", GetTxnOutputType(type))); return; } out.push_back(Pair("reqSigs", nRequired)); out.push_back(Pair("type", GetTxnOutputType(type))); Array a; BOOST_FOREACH(const CTxDestination& addr, addresses) a.push_back(CLioncoinAddress(addr).ToString()); out.push_back(Pair("addresses", a)); } void TxToJSON(const CTransaction& tx, const uint256 hashBlock, Object& entry) { entry.push_back(Pair("txid", tx.GetHash().GetHex())); entry.push_back(Pair("version", tx.nVersion)); entry.push_back(Pair("locktime", (boost::int64_t)tx.nLockTime)); Array vin; BOOST_FOREACH(const CTxIn& txin, tx.vin) { Object in; if (tx.IsCoinBase()) in.push_back(Pair("coinbase", HexStr(txin.scriptSig.begin(), txin.scriptSig.end()))); else { in.push_back(Pair("txid", txin.prevout.hash.GetHex())); in.push_back(Pair("vout", (boost::int64_t)txin.prevout.n)); Object o; o.push_back(Pair("asm", txin.scriptSig.ToString())); o.push_back(Pair("hex", HexStr(txin.scriptSig.begin(), txin.scriptSig.end()))); in.push_back(Pair("scriptSig", o)); } in.push_back(Pair("sequence", (boost::int64_t)txin.nSequence)); vin.push_back(in); } entry.push_back(Pair("vin", vin)); Array vout; for (unsigned int i = 0; i < tx.vout.size(); i++) { const CTxOut& txout = tx.vout[i]; Object out; out.push_back(Pair("value", ValueFromAmount(txout.nValue))); out.push_back(Pair("n", (boost::int64_t)i)); Object o; ScriptPubKeyToJSON(txout.scriptPubKey, o, true); out.push_back(Pair("scriptPubKey", o)); vout.push_back(out); } entry.push_back(Pair("vout", vout)); if (hashBlock != 0) { entry.push_back(Pair("blockhash", hashBlock.GetHex())); map<uint256, CBlockIndex*>::iterator mi = mapBlockIndex.find(hashBlock); if (mi != mapBlockIndex.end() && (*mi).second) { CBlockIndex* pindex = (*mi).second; if (chainActive.Contains(pindex)) { entry.push_back(Pair("confirmations", 1 + chainActive.Height() - pindex->nHeight)); entry.push_back(Pair("time", (boost::int64_t)pindex->nTime)); entry.push_back(Pair("blocktime", (boost::int64_t)pindex->nTime)); } else entry.push_back(Pair("confirmations", 0)); } } } Value getrawtransaction(const Array& params, bool fHelp) { if (fHelp || params.size() < 1 || params.size() > 2) throw runtime_error( "getrawtransaction \"txid\" ( verbose )\n" "\nReturn the raw transaction data.\n" "\nIf verbose=0, returns a string that is serialized, hex-encoded data for 'txid'.\n" "If verbose is non-zero, returns an Object with information about 'txid'.\n" "\nArguments:\n" "1. \"txid\" (string, required) The transaction id\n" "2. verbose (numeric, optional, default=0) If 0, return a string, other return a json object\n" "\nResult (if verbose is not set or set to 0):\n" "\"data\" (string) The serialized, hex-encoded data for 'txid'\n" "\nResult (if verbose > 0):\n" "{\n" " \"hex\" : \"data\", (string) The serialized, hex-encoded data for 'txid'\n" " \"txid\" : \"id\", (string) The transaction id (same as provided)\n" " \"version\" : n, (numeric) The version\n" " \"locktime\" : ttt, (numeric) The lock time\n" " \"vin\" : [ (array of json objects)\n" " {\n" " \"txid\": \"id\", (string) The transaction id\n" " \"vout\": n, (numeric) \n" " \"scriptSig\": { (json object) The script\n" " \"asm\": \"asm\", (string) asm\n" " \"hex\": \"hex\" (string) hex\n" " },\n" " \"sequence\": n (numeric) The script sequence number\n" " }\n" " ,...\n" " ],\n" " \"vout\" : [ (array of json objects)\n" " {\n" " \"value\" : x.xxx, (numeric) The value in btc\n" " \"n\" : n, (numeric) index\n" " \"scriptPubKey\" : { (json object)\n" " \"asm\" : \"asm\", (string) the asm\n" " \"hex\" : \"hex\", (string) the hex\n" " \"reqSigs\" : n, (numeric) The required sigs\n" " \"type\" : \"pubkeyhash\", (string) The type, eg 'pubkeyhash'\n" " \"addresses\" : [ (json array of string)\n" " \"lioncoinaddress\" (string) lioncoin address\n" " ,...\n" " ]\n" " }\n" " }\n" " ,...\n" " ],\n" " \"blockhash\" : \"hash\", (string) the block hash\n" " \"confirmations\" : n, (numeric) The confirmations\n" " \"time\" : ttt, (numeric) The transaction time in seconds since epoch (Jan 1 1970 GMT)\n" " \"blocktime\" : ttt (numeric) The block time in seconds since epoch (Jan 1 1970 GMT)\n" "}\n" "\nExamples:\n" + HelpExampleCli("getrawtransaction", "\"mytxid\"") + HelpExampleCli("getrawtransaction", "\"mytxid\" 1") + HelpExampleRpc("getrawtransaction", "\"mytxid\", 1") ); uint256 hash = ParseHashV(params[0], "parameter 1"); bool fVerbose = false; if (params.size() > 1) fVerbose = (params[1].get_int() != 0); CTransaction tx; uint256 hashBlock = 0; if (!GetTransaction(hash, tx, hashBlock, true)) throw JSONRPCError(<API key>, "No information available about transaction"); CDataStream ssTx(SER_NETWORK, PROTOCOL_VERSION); ssTx << tx; string strHex = HexStr(ssTx.begin(), ssTx.end()); if (!fVerbose) return strHex; Object result; result.push_back(Pair("hex", strHex)); TxToJSON(tx, hashBlock, result); return result; } #ifdef ENABLE_WALLET Value listunspent(const Array& params, bool fHelp) { if (fHelp || params.size() > 3) throw runtime_error( "listunspent ( minconf maxconf [\"address\",...] )\n" "\nReturns array of unspent transaction outputs\n" "with between minconf and maxconf (inclusive) confirmations.\n" "Optionally filter to only include txouts paid to specified addresses.\n" "Results are an array of Objects, each of which has:\n" "{txid, vout, scriptPubKey, amount, confirmations}\n" "\nArguments:\n" "1. minconf (numeric, optional, default=1) The minimum confirmationsi to filter\n" "2. maxconf (numeric, optional, default=9999999) The maximum confirmations to filter\n" "3. \"addresses\" (string) A json array of lioncoin addresses to filter\n" " [\n" " \"address\" (string) lioncoin address\n" " ,...\n" " ]\n" "\nResult\n" "[ (array of json object)\n" " {\n" " \"txid\" : \"txid\", (string) the transaction id \n" " \"vout\" : n, (numeric) the vout value\n" " \"address\" : \"address\", (string) the lioncoin address\n" " \"account\" : \"account\", (string) The associated account, or \"\" for the default account\n" " \"scriptPubKey\" : \"key\", (string) the script key\n" " \"amount\" : x.xxx, (numeric) the transaction amount in btc\n" " \"confirmations\" : n (numeric) The number of confirmations\n" " }\n" " ,...\n" "]\n" "\nExamples\n" + HelpExampleCli("listunspent", "") + HelpExampleCli("listunspent", "6 9999999 \"[\\\"<API key>\\\",\\\"<API key>\\\"]\"") + HelpExampleRpc("listunspent", "6, 9999999 \"[\\\"<API key>\\\",\\\"<API key>\\\"]\"") ); RPCTypeCheck(params, list_of(int_type)(int_type)(array_type)); int nMinDepth = 1; if (params.size() > 0) nMinDepth = params[0].get_int(); int nMaxDepth = 9999999; if (params.size() > 1) nMaxDepth = params[1].get_int(); set<CLioncoinAddress> setAddress; if (params.size() > 2) { Array inputs = params[2].get_array(); BOOST_FOREACH(Value& input, inputs) { CLioncoinAddress address(input.get_str()); if (!address.IsValid()) throw JSONRPCError(<API key>, string("Invalid Lioncoin address: ")+input.get_str()); if (setAddress.count(address)) throw JSONRPCError(<API key>, string("Invalid parameter, duplicated address: ")+input.get_str()); setAddress.insert(address); } } Array results; vector<COutput> vecOutputs; assert(pwalletMain != NULL); pwalletMain->AvailableCoins(vecOutputs, false); BOOST_FOREACH(const COutput& out, vecOutputs) { if (out.nDepth < nMinDepth || out.nDepth > nMaxDepth) continue; if (setAddress.size()) { CTxDestination address; if (!ExtractDestination(out.tx->vout[out.i].scriptPubKey, address)) continue; if (!setAddress.count(address)) continue; } int64_t nValue = out.tx->vout[out.i].nValue; const CScript& pk = out.tx->vout[out.i].scriptPubKey; Object entry; entry.push_back(Pair("txid", out.tx->GetHash().GetHex())); entry.push_back(Pair("vout", out.i)); CTxDestination address; if (ExtractDestination(out.tx->vout[out.i].scriptPubKey, address)) { entry.push_back(Pair("address", CLioncoinAddress(address).ToString())); if (pwalletMain->mapAddressBook.count(address)) entry.push_back(Pair("account", pwalletMain->mapAddressBook[address].name)); } entry.push_back(Pair("scriptPubKey", HexStr(pk.begin(), pk.end()))); if (pk.IsPayToScriptHash()) { CTxDestination address; if (ExtractDestination(pk, address)) { const CScriptID& hash = boost::get<const CScriptID&>(address); CScript redeemScript; if (pwalletMain->GetCScript(hash, redeemScript)) entry.push_back(Pair("redeemScript", HexStr(redeemScript.begin(), redeemScript.end()))); } } entry.push_back(Pair("amount",ValueFromAmount(nValue))); entry.push_back(Pair("confirmations",out.nDepth)); results.push_back(entry); } return results; } #endif Value <API key>(const Array& params, bool fHelp) { if (fHelp || params.size() != 2) throw runtime_error( "<API key> [{\"txid\":\"id\",\"vout\":n},...] {\"address\":amount,...}\n" "\nCreate a transaction spending the given inputs and sending to the given addresses.\n" "Returns hex-encoded raw transaction.\n" "Note that the transaction's inputs are not signed, and\n" "it is not stored in the wallet or transmitted to the network.\n" "\nArguments:\n" "1. \"transactions\" (string, required) A json array of json objects\n" " [\n" " {\n" " \"txid\":\"id\", (string, required) The transaction id\n" " \"vout\":n (numeric, required) The output number\n" " }\n" " ,...\n" " ]\n" "2. \"addresses\" (string, required) a json object with addresses as keys and amounts as values\n" " {\n" " \"address\": x.xxx (numeric, required) The key is the lioncoin address, the value is the btc amount\n" " ,...\n" " }\n" "\nResult:\n" "\"transaction\" (string) hex string of the transaction\n" "\nExamples\n" + HelpExampleCli("<API key>", "\"[{\\\"txid\\\":\\\"myid\\\",\\\"vout\\\":0}]\" \"{\\\"address\\\":0.01}\"") + HelpExampleRpc("<API key>", "\"[{\\\"txid\\\":\\\"myid\\\",\\\"vout\\\":0}]\", \"{\\\"address\\\":0.01}\"") ); RPCTypeCheck(params, list_of(array_type)(obj_type)); Array inputs = params[0].get_array(); Object sendTo = params[1].get_obj(); CTransaction rawTx; BOOST_FOREACH(const Value& input, inputs) { const Object& o = input.get_obj(); uint256 txid = ParseHashO(o, "txid"); const Value& vout_v = find_value(o, "vout"); if (vout_v.type() != int_type) throw JSONRPCError(<API key>, "Invalid parameter, missing vout key"); int nOutput = vout_v.get_int(); if (nOutput < 0) throw JSONRPCError(<API key>, "Invalid parameter, vout must be positive"); CTxIn in(COutPoint(txid, nOutput)); rawTx.vin.push_back(in); } set<CLioncoinAddress> setAddress; BOOST_FOREACH(const Pair& s, sendTo) { CLioncoinAddress address(s.name_); if (!address.IsValid()) throw JSONRPCError(<API key>, string("Invalid Lioncoin address: ")+s.name_); if (setAddress.count(address)) throw JSONRPCError(<API key>, string("Invalid parameter, duplicated address: ")+s.name_); setAddress.insert(address); CScript scriptPubKey; scriptPubKey.SetDestination(address.Get()); int64_t nAmount = AmountFromValue(s.value_); CTxOut out(nAmount, scriptPubKey); rawTx.vout.push_back(out); } CDataStream ss(SER_NETWORK, PROTOCOL_VERSION); ss << rawTx; return HexStr(ss.begin(), ss.end()); } Value <API key>(const Array& params, bool fHelp) { if (fHelp || params.size() != 1) throw runtime_error( "<API key> \"hexstring\"\n" "\nReturn a JSON object representing the serialized, hex-encoded transaction.\n" "\nArguments:\n" "1. \"txid\" (string, required) The transaction hex string\n" "\nResult:\n" "{\n" " \"hex\" : \"data\", (string) The serialized, hex-encoded data for 'txid'\n" " \"txid\" : \"id\", (string) The transaction id (same as provided)\n" " \"version\" : n, (numeric) The version\n" " \"locktime\" : ttt, (numeric) The lock time\n" " \"vin\" : [ (array of json objects)\n" " {\n" " \"txid\": \"id\", (string) The transaction id\n" " \"vout\": n, (numeric) The output number\n" " \"scriptSig\": { (json object) The script\n" " \"asm\": \"asm\", (string) asm\n" " \"hex\": \"hex\" (string) hex\n" " },\n" " \"sequence\": n (numeric) The script sequence number\n" " }\n" " ,...\n" " ],\n" " \"vout\" : [ (array of json objects)\n" " {\n" " \"value\" : x.xxx, (numeric) The value in btc\n" " \"n\" : n, (numeric) index\n" " \"scriptPubKey\" : { (json object)\n" " \"asm\" : \"asm\", (string) the asm\n" " \"hex\" : \"hex\", (string) the hex\n" " \"reqSigs\" : n, (numeric) The required sigs\n" " \"type\" : \"pubkeyhash\", (string) The type, eg 'pubkeyhash'\n" " \"addresses\" : [ (json array of string)\n" " \"<API key>\" (string) lioncoin address\n" " ,...\n" " ]\n" " }\n" " }\n" " ,...\n" " ],\n" " \"blockhash\" : \"hash\", (string) the block hash\n" " \"confirmations\" : n, (numeric) The confirmations\n" " \"time\" : ttt, (numeric) The transaction time in seconds since epoch (Jan 1 1970 GMT)\n" " \"blocktime\" : ttt (numeric) The block time in seconds since epoch (Jan 1 1970 GMT)\n" "}\n" "\nExamples:\n" + HelpExampleCli("<API key>", "\"hexstring\"") + HelpExampleRpc("<API key>", "\"hexstring\"") ); vector<unsigned char> txData(ParseHexV(params[0], "argument")); CDataStream ssData(txData, SER_NETWORK, PROTOCOL_VERSION); CTransaction tx; try { ssData >> tx; } catch (std::exception &e) { throw JSONRPCError(<API key>, "TX decode failed"); } Object result; TxToJSON(tx, 0, result); return result; } Value decodescript(const Array& params, bool fHelp) { if (fHelp || params.size() != 1) throw runtime_error( "decodescript \"hex\"\n" "\nDecode a hex-encoded script.\n" "\nArguments:\n" "1. \"hex\" (string) the hex encoded script\n" "\nResult:\n" "{\n" " \"asm\":\"asm\", (string) Script public key\n" " \"hex\":\"hex\", (string) hex encoded public key\n" " \"type\":\"type\", (string) The output type\n" " \"reqSigs\": n, (numeric) The required signatures\n" " \"addresses\": [ (json array of string)\n" " \"address\" (string) lioncoin address\n" " ,...\n" " ],\n" " \"p2sh\",\"address\" (string) script address\n" "}\n" "\nExamples:\n" + HelpExampleCli("decodescript", "\"hexstring\"") + HelpExampleRpc("decodescript", "\"hexstring\"") ); RPCTypeCheck(params, list_of(str_type)); Object r; CScript script; if (params[0].get_str().size() > 0){ vector<unsigned char> scriptData(ParseHexV(params[0], "argument")); script = CScript(scriptData.begin(), scriptData.end()); } else { // Empty scripts are valid } ScriptPubKeyToJSON(script, r, false); r.push_back(Pair("p2sh", CLioncoinAddress(script.GetID()).ToString())); return r; } Value signrawtransaction(const Array& params, bool fHelp) { if (fHelp || params.size() < 1 || params.size() > 4) throw runtime_error( "signrawtransaction \"hexstring\" ( [{\"txid\":\"id\",\"vout\":n,\"scriptPubKey\":\"hex\",\"redeemScript\":\"hex\"},...] [\"privatekey1\",...] sighashtype )\n" "\nSign inputs for raw transaction (serialized, hex-encoded).\n" "The second optional argument (may be null) is an array of previous transaction outputs that\n" "this transaction depends on but may not yet be in the block chain.\n" "The third optional argument (may be null) is an array of base58-encoded private\n" "keys that, if given, will be the only keys used to sign the transaction.\n" #ifdef ENABLE_WALLET + <API key>() + "\n" #endif "\nArguments:\n" "1. \"hexstring\" (string, required) The transaction hex string\n" "2. \"prevtxs\" (string, optional) An json array of previous dependent transaction outputs\n" " [ (json array of json objects, or 'null' if none provided)\n" " {\n" " \"txid\":\"id\", (string, required) The transaction id\n" " \"vout\":n, (numeric, required) The output number\n" " \"scriptPubKey\": \"hex\", (string, required) script key\n" " \"redeemScript\": \"hex\" (string, required) redeem script\n" " }\n" " ,...\n" " ]\n" "3. \"privatekeys\" (string, optional) A json array of base58-encoded private keys for signing\n" " [ (json array of strings, or 'null' if none provided)\n" " \"privatekey\" (string) private key in base58-encoding\n" " ,...\n" " ]\n" "4. \"sighashtype\" (string, optional, default=ALL) The signature has type. Must be one of\n" " \"ALL\"\n" " \"NONE\"\n" " \"SINGLE\"\n" " \"ALL|ANYONECANPAY\"\n" " \"NONE|ANYONECANPAY\"\n" " \"SINGLE|ANYONECANPAY\"\n" "\nResult:\n" "{\n" " \"hex\": \"value\", (string) The raw transaction with signature(s) (hex-encoded string)\n" " \"complete\": n (numeric) if transaction has a complete set of signature (0 if not)\n" "}\n" "\nExamples:\n" + HelpExampleCli("signrawtransaction", "\"myhex\"") + HelpExampleRpc("signrawtransaction", "\"myhex\"") ); RPCTypeCheck(params, list_of(str_type)(array_type)(array_type)(str_type), true); vector<unsigned char> txData(ParseHexV(params[0], "argument 1")); CDataStream ssData(txData, SER_NETWORK, PROTOCOL_VERSION); vector<CTransaction> txVariants; while (!ssData.empty()) { try { CTransaction tx; ssData >> tx; txVariants.push_back(tx); } catch (std::exception &e) { throw JSONRPCError(<API key>, "TX decode failed"); } } if (txVariants.empty()) throw JSONRPCError(<API key>, "Missing transaction"); // mergedTx will end up with all the signatures; it // starts as a clone of the rawtx: CTransaction mergedTx(txVariants[0]); bool fComplete = true; // Fetch previous transactions (inputs): CCoinsView viewDummy; CCoinsViewCache view(viewDummy); { LOCK(mempool.cs); CCoinsViewCache &viewChain = *pcoinsTip; CCoinsViewMemPool viewMempool(viewChain, mempool); view.SetBackend(viewMempool); // temporarily switch cache backend to db+mempool view BOOST_FOREACH(const CTxIn& txin, mergedTx.vin) { const uint256& prevHash = txin.prevout.hash; CCoins coins; view.GetCoins(prevHash, coins); // this is certainly allowed to fail } view.SetBackend(viewDummy); // switch back to avoid locking mempool for too long } bool fGivenKeys = false; CBasicKeyStore tempKeystore; if (params.size() > 2 && params[2].type() != null_type) { fGivenKeys = true; Array keys = params[2].get_array(); BOOST_FOREACH(Value k, keys) { CLioncoinSecret vchSecret; bool fGood = vchSecret.SetString(k.get_str()); if (!fGood) throw JSONRPCError(<API key>, "Invalid private key"); CKey key = vchSecret.GetKey(); tempKeystore.AddKey(key); } } #ifdef ENABLE_WALLET else <API key>(); #endif // Add previous txouts given in the RPC call: if (params.size() > 1 && params[1].type() != null_type) { Array prevTxs = params[1].get_array(); BOOST_FOREACH(Value& p, prevTxs) { if (p.type() != obj_type) throw JSONRPCError(<API key>, "expected object with {\"txid'\",\"vout\",\"scriptPubKey\"}"); Object prevOut = p.get_obj(); RPCTypeCheck(prevOut, map_list_of("txid", str_type)("vout", int_type)("scriptPubKey", str_type)); uint256 txid = ParseHashO(prevOut, "txid"); int nOut = find_value(prevOut, "vout").get_int(); if (nOut < 0) throw JSONRPCError(<API key>, "vout must be positive"); vector<unsigned char> pkData(ParseHexO(prevOut, "scriptPubKey")); CScript scriptPubKey(pkData.begin(), pkData.end()); CCoins coins; if (view.GetCoins(txid, coins)) { if (coins.IsAvailable(nOut) && coins.vout[nOut].scriptPubKey != scriptPubKey) { string err("Previous output scriptPubKey mismatch:\n"); err = err + coins.vout[nOut].scriptPubKey.ToString() + "\nvs:\n"+ scriptPubKey.ToString(); throw JSONRPCError(<API key>, err); } // what todo if txid is known, but the actual output isn't? } if ((unsigned int)nOut >= coins.vout.size()) coins.vout.resize(nOut+1); coins.vout[nOut].scriptPubKey = scriptPubKey; coins.vout[nOut].nValue = 0; // we don't know the actual output value view.SetCoins(txid, coins); // if redeemScript given and not using the local wallet (private keys // given), add redeemScript to the tempKeystore so it can be signed: if (fGivenKeys && scriptPubKey.IsPayToScriptHash()) { RPCTypeCheck(prevOut, map_list_of("txid", str_type)("vout", int_type)("scriptPubKey", str_type)("redeemScript",str_type)); Value v = find_value(prevOut, "redeemScript"); if (!(v == Value::null)) { vector<unsigned char> rsData(ParseHexV(v, "redeemScript")); CScript redeemScript(rsData.begin(), rsData.end()); tempKeystore.AddCScript(redeemScript); } } } } #ifdef ENABLE_WALLET const CKeyStore& keystore = ((fGivenKeys || !pwalletMain) ? tempKeystore : *pwalletMain); #else const CKeyStore& keystore = tempKeystore; #endif int nHashType = SIGHASH_ALL; if (params.size() > 3 && params[3].type() != null_type) { static map<string, int> mapSigHashValues = boost::assign::map_list_of (string("ALL"), int(SIGHASH_ALL)) (string("ALL|ANYONECANPAY"), int(SIGHASH_ALL|<API key>)) (string("NONE"), int(SIGHASH_NONE)) (string("NONE|ANYONECANPAY"), int(SIGHASH_NONE|<API key>)) (string("SINGLE"), int(SIGHASH_SINGLE)) (string("SINGLE|ANYONECANPAY"), int(SIGHASH_SINGLE|<API key>)) ; string strHashType = params[3].get_str(); if (mapSigHashValues.count(strHashType)) nHashType = mapSigHashValues[strHashType]; else throw JSONRPCError(<API key>, "Invalid sighash param"); } bool fHashSingle = ((nHashType & ~<API key>) == SIGHASH_SINGLE); // Sign what we can: for (unsigned int i = 0; i < mergedTx.vin.size(); i++) { CTxIn& txin = mergedTx.vin[i]; CCoins coins; if (!view.GetCoins(txin.prevout.hash, coins) || !coins.IsAvailable(txin.prevout.n)) { fComplete = false; continue; } const CScript& prevPubKey = coins.vout[txin.prevout.n].scriptPubKey; txin.scriptSig.clear(); // Only sign SIGHASH_SINGLE if there's a corresponding output: if (!fHashSingle || (i < mergedTx.vout.size())) SignSignature(keystore, prevPubKey, mergedTx, i, nHashType); // ... and merge in other signatures: BOOST_FOREACH(const CTransaction& txv, txVariants) { txin.scriptSig = CombineSignatures(prevPubKey, mergedTx, i, txin.scriptSig, txv.vin[i].scriptSig); } if (!VerifyScript(txin.scriptSig, prevPubKey, mergedTx, i, SCRIPT_VERIFY_P2SH | <API key>, 0)) fComplete = false; } Object result; CDataStream ssTx(SER_NETWORK, PROTOCOL_VERSION); ssTx << mergedTx; result.push_back(Pair("hex", HexStr(ssTx.begin(), ssTx.end()))); result.push_back(Pair("complete", fComplete)); return result; } Value sendrawtransaction(const Array& params, bool fHelp) { if (fHelp || params.size() < 1 || params.size() > 2) throw runtime_error( "sendrawtransaction \"hexstring\" ( allowhighfees )\n" "\nSubmits raw transaction (serialized, hex-encoded) to local node and network.\n" "\nAlso see <API key> and signrawtransaction calls.\n" "\nArguments:\n" "1. \"hexstring\" (string, required) The hex string of the raw transaction)\n" "2. allowhighfees (boolean, optional, default=false) Allow high fees\n" "\nResult:\n" "\"hex\" (string) The transaction hash in hex\n" "\nExamples:\n" "\nCreate a transaction\n" + HelpExampleCli("<API key>", "\"[{\\\"txid\\\" : \\\"mytxid\\\",\\\"vout\\\":0}]\" \"{\\\"myaddress\\\":0.01}\"") + "Sign the transaction, and get back the hex\n" + HelpExampleCli("signrawtransaction", "\"myhex\"") + "\nSend the transaction (signed hex)\n" + HelpExampleCli("sendrawtransaction", "\"signedhex\"") + "\nAs a json rpc call\n" + HelpExampleRpc("sendrawtransaction", "\"signedhex\"") ); // parse hex string from parameter vector<unsigned char> txData(ParseHexV(params[0], "parameter")); CDataStream ssData(txData, SER_NETWORK, PROTOCOL_VERSION); CTransaction tx; bool fOverrideFees = false; if (params.size() > 1) fOverrideFees = params[1].get_bool(); // deserialize binary data stream try { ssData >> tx; } catch (std::exception &e) { throw JSONRPCError(<API key>, "TX decode failed"); } uint256 hashTx = tx.GetHash(); bool fHave = false; CCoinsViewCache &view = *pcoinsTip; CCoins existingCoins; { fHave = view.GetCoins(hashTx, existingCoins); if (!fHave) { // push to local node CValidationState state; if (!AcceptToMemoryPool(mempool, state, tx, false, NULL, !fOverrideFees)) throw JSONRPCError(<API key>, "TX rejected"); // TODO: report validation state } } if (fHave) { if (existingCoins.nHeight < 1000000000) throw JSONRPCError(<API key>, "transaction already in block chain"); // Not in block, but already in the memory pool; will drop // through to re-relay it. } else { SyncWithWallets(hashTx, tx, NULL); } RelayTransaction(tx, hashTx); return hashTx.GetHex(); }
# This file is copied to spec/ when you run 'rails generate rspec:install' ENV['RAILS_ENV'] ||= 'test' require File.expand_path('../../config/environment', __FILE__) # Prevent database truncation if the environment is production abort("The Rails environment is running in production mode!") if Rails.env.production? require 'spec_helper' require 'rspec/rails' require 'shoulda/matchers' ActiveRecord::Migration.<API key>! RSpec.configure do |config| config.fixture_path = "#{::Rails.root}/spec/fixtures" config.<API key> = true config.<API key>! config.<API key>! end
import React from 'react'; import { View, ScrollView } from 'react-native'; import ConcensusButton from '../components/ConcensusButton'; import axios from 'axios'; const t = require('tcomb-form-native'); const Form = t.form.Form; const NewPollScreen = ({ navigation }) => { function onProposePress() { navigation.navigate('QRCodeShower'); axios.post('http://4d23f078.ngrok.io/createPoll'); } return ( <View style={{ padding: 20 }}> <ScrollView> <Form type={Poll} /> </ScrollView> <ConcensusButton label="Propose Motion" onPress={onProposePress} /> </View> ); }; NewPollScreen.navigationOptions = ({ navigation }) => ({ title: 'Propose a Motion', }); export default NewPollScreen; const Poll = t.struct({ subject: t.String, proposal: t.String, endsInMinutes: t.Number, consensusPercentage: t.Number, });
package com.mikescamell.<API key>.recycler_view.<API key>; import android.os.Bundle; import android.support.v7.app.AppCompatActivity; import com.mikescamell.<API key>.R; public class <API key> extends AppCompatActivity { @Override protected void onCreate(Bundle savedInstanceState) { super.onCreate(savedInstanceState); setContentView(R.layout.<API key>); <API key>() .beginTransaction() .add(R.id.content, <API key>.newInstance()) .commit(); } }
define(["ace/ace"], function(ace) { return function(element) { var editor = ace.edit(element); editor.setTheme("ace/theme/eclipse"); editor.getSession().setMode("ace/mode/python"); editor.getSession().setUseSoftTabs(true); editor.getSession().setTabSize(4); editor.setShowPrintMargin(false); return editor; }; })
/** * React components for kanna projects. * @module <API key> */ "use strict"; module.exports = { /** * @name KnAccordionArrow */ get KnAccordionArrow() { return require('./kn_accordion_arrow'); }, /** * @name KnAccordionBody */ get KnAccordionBody() { return require('./kn_accordion_body'); }, /** * @name KnAccordionHeader */ get KnAccordionHeader() { return require('./kn_accordion_header'); }, /** * @name KnAccordion */ get KnAccordion() { return require('./kn_accordion'); }, /** * @name KnAnalogClock */ get KnAnalogClock() { return require('./kn_analog_clock'); }, /** * @name KnBody */ get KnBody() { return require('./kn_body'); }, /** * @name KnButton */ get KnButton() { return require('./kn_button'); }, /** * @name KnCheckbox */ get KnCheckbox() { return require('./kn_checkbox'); }, /** * @name KnClock */ get KnClock() { return require('./kn_clock'); }, /** * @name KnContainer */ get KnContainer() { return require('./kn_container'); }, /** * @name KnDesktopShowcase */ get KnDesktopShowcase() { return require('./kn_desktop_showcase'); }, /** * @name KnDigitalClock */ get KnDigitalClock() { return require('./kn_digital_clock'); }, /** * @name KnFaIcon */ get KnFaIcon() { return require('./kn_fa_icon'); }, /** * @name KnFooter */ get KnFooter() { return require('./kn_footer'); }, /** * @name KnHead */ get KnHead() { return require('./kn_head'); }, /** * @name KnHeaderLogo */ get KnHeaderLogo() { return require('./kn_header_logo'); }, /** * @name KnHeaderTabItem */ get KnHeaderTabItem() { return require('./kn_header_tab_item'); }, /** * @name KnHeaderTab */ get KnHeaderTab() { return require('./kn_header_tab'); }, /** * @name KnHeader */ get KnHeader() { return require('./kn_header'); }, /** * @name KnHtml */ get KnHtml() { return require('./kn_html'); }, /** * @name KnIcon */ get KnIcon() { return require('./kn_icon'); }, /** * @name KnImage */ get KnImage() { return require('./kn_image'); }, /** * @name KnIonIcon */ get KnIonIcon() { return require('./kn_ion_icon'); }, /** * @name KnLabel */ get KnLabel() { return require('./kn_label'); }, /** * @name KnLinks */ get KnLinks() { return require('./kn_links'); }, /** * @name KnListItemArrowIcon */ get KnListItemArrowIcon() { return require('./<API key>'); }, /** * @name KnListItemIcon */ get KnListItemIcon() { return require('./kn_list_item_icon'); }, /** * @name KnListItemText */ get KnListItemText() { return require('./kn_list_item_text'); }, /** * @name KnListItem */ get KnListItem() { return require('./kn_list_item'); }, /** * @name KnList */ get KnList() { return require('./kn_list'); }, /** * @name KnMain */ get KnMain() { return require('./kn_main'); }, /** * @name KnMobileShowcase */ get KnMobileShowcase() { return require('./kn_mobile_showcase'); }, /** * @name KnNote */ get KnNote() { return require('./kn_note'); }, /** * @name KnPassword */ get KnPassword() { return require('./kn_password'); }, /** * @name KnRadio */ get KnRadio() { return require('./kn_radio'); }, /** * @name KnRange */ get KnRange() { return require('./kn_range'); }, /** * @name KnShowcase */ get KnShowcase() { return require('./kn_showcase'); }, /** * @name KnSlider */ get KnSlider() { return require('./kn_slider'); }, /** * @name KnSlideshow */ get KnSlideshow() { return require('./kn_slideshow'); }, /** * @name KnSpinner */ get KnSpinner() { return require('./kn_spinner'); }, /** * @name KnTabItem */ get KnTabItem() { return require('./kn_tab_item'); }, /** * @name KnTab */ get KnTab() { return require('./kn_tab'); }, /** * @name KnText */ get KnText() { return require('./kn_text'); }, /** * @name KnThemeStyle */ get KnThemeStyle() { return require('./kn_theme_style'); } };
<?php namespace App\Helpers\Date; use Nette; /** * Date and time helper for better work with dates. Functions return special * DateTimeHolder which contains both textual and typed DateTime. */ class DateHelper { use Nette\SmartObject; /** * Create datetime from the given text if valid, or otherwise return first * day of current month. * @param string $text * @return \App\Helpers\Date\DateTimeHolder */ public function <API key>($text): DateTimeHolder { $holder = new DateTimeHolder; $date = <API key>("j. n. Y", $text); $holder->typed = $date ? $date : new \DateTime('first day of this month'); $holder->textual = $holder->typed->format("j. n. Y"); return $holder; } /** * Create datetime from the given text if valid, or otherwise return last * day of current month. * @param string $text * @return \App\Helpers\Date\DateTimeHolder */ public function <API key>($text): DateTimeHolder { $holder = new DateTimeHolder; $date = <API key>("j. n. Y", $text); $holder->typed = $date ? $date : new \DateTime('last day of this month'); $holder->textual = $holder->typed->format("j. n. Y"); return $holder; } /** * Create date from given string, if not possible create fallback date (0000-00-00 00:00:00) * @param string $text * @return \App\Helpers\Date\DateTimeHolder */ public function createDateOrDefault($text): DateTimeHolder { $holder = new DateTimeHolder; try { $date = new \DateTime($text); } catch (\Exception $e) { $date = new \DateTime("0000-00-00 00:00:00"); } $holder->typed = $date; $holder->textual = $holder->typed->format("j. n. Y"); return $holder; } }
layout: post title: "[BOJ] 15686. " categories: Algorithm author: goodGid * content {:toc} ## Problem Problem URL : **[ ](https: ![](/assets/img/algorithm/15686_1.png) ![](/assets/img/algorithm/15686_2.png) ## [1] Answer Code (18. 10. 15) cpp #include<iostream> #include<vector> #include<algorithm> #define p pair<int,int> using namespace std; int n,m; int map[50][50]; int ans; int dp[2500][13]; vector<p> house; vector<p> chicken; vector<int> pick_idx; void cal_dist(){ int sum =0; for(int i=0; i<house.size(); i++){ int pivot = 2e9; for(int j=0; j<m; j++){ pivot = pivot < dp[i][ pick_idx[j] ] ? pivot : dp[i][ pick_idx[j] ] ; } sum += pivot; } ans = ans < sum ? ans : sum; } void dfs(int idx, int pick_cnt){ if(pick_cnt == m){ cal_dist(); return ; } if( idx == chicken.size()){ return ; } // pick pick_idx.push_back(idx); dfs( idx + 1, pick_cnt + 1 ); pick_idx.pop_back(); // pass dfs( idx+1, pick_cnt) ; } int main(){ ios::sync_with_stdio(0); cin.tie(0); ans = 2e9; cin >> n >> m; for(int i=0; i<n; i++){ for(int j=0; j<n; j++){ cin >> map[i][j]; if(map[i][j] == 1) house.push_back(p(i,j)); else if(map[i][j] == 2) chicken.push_back(p(i,j)); } } for(int i=0; i<house.size(); i++){ for(int j=0; j<chicken.size(); j++){ int _sum = 0; _sum += abs(house[i].first - chicken[j].first); _sum += abs(house[i].second - chicken[j].second); dp[i][j] = _sum; } } dfs(0,0); cout << ans << endl; return 0; } Review * * <br> DFS <br> . <br>
<!DOCTYPE html PUBLIC "- <html xmlns="http: <head> <meta http-equiv="Content-Type" content="text/xhtml;charset=UTF-8"/> <meta http-equiv="X-UA-Compatible" content="IE=9"/> <meta name="generator" content="Doxygen 1.8.11"/> <title>V8 API Reference Guide for node.js v8.9.1: Member List</title> <link href="tabs.css" rel="stylesheet" type="text/css"/> <script type="text/javascript" src="jquery.js"></script> <script type="text/javascript" src="dynsections.js"></script> <link href="search/search.css" rel="stylesheet" type="text/css"/> <script type="text/javascript" src="search/searchdata.js"></script> <script type="text/javascript" src="search/search.js"></script> <script type="text/javascript"> $(document).ready(function() { init_search(); }); </script> <link href="doxygen.css" rel="stylesheet" type="text/css" /> </head> <body> <div id="top"><!-- do not remove this div, it is closed by doxygen! --> <div id="titlearea"> <table cellspacing="0" cellpadding="0"> <tbody> <tr style="height: 56px;"> <td id="projectalign" style="padding-left: 0.5em;"> <div id="projectname">V8 API Reference Guide for node.js v8.9.1 </div> </td> </tr> </tbody> </table> </div> <!-- end header part --> <!-- Generated by Doxygen 1.8.11 --> <script type="text/javascript"> var searchBox = new SearchBox("searchBox", "search",false,'Search'); </script> <div id="navrow1" class="tabs"> <ul class="tablist"> <li><a href="index.html"><span>Main&#160;Page</span></a></li> <li><a href="pages.html"><span>Related&#160;Pages</span></a></li> <li><a href="namespaces.html"><span>Namespaces</span></a></li> <li class="current"><a href="annotated.html"><span>Classes</span></a></li> <li><a href="files.html"><span>Files</span></a></li> <li><a href="examples.html"><span>Examples</span></a></li> <li> <div id="MSearchBox" class="MSearchBoxInactive"> <span class="left"> <img id="MSearchSelect" src="search/mag_sel.png" onmouseover="return searchBox.OnSearchSelectShow()" onmouseout="return searchBox.OnSearchSelectHide()" alt=""/> <input type="text" id="MSearchField" value="Search" accesskey="S" onfocus="searchBox.OnSearchFieldFocus(true)" onblur="searchBox.OnSearchFieldFocus(false)" onkeyup="searchBox.OnSearchFieldChange(event)"/> </span><span class="right"> <a id="MSearchClose" href="javascript:searchBox.CloseResultsWindow()"><img id="MSearchCloseImg" border="0" src="search/close.png" alt=""/></a> </span> </div> </li> </ul> </div> <div id="navrow2" class="tabs2"> <ul class="tablist"> <li><a href="annotated.html"><span>Class&#160;List</span></a></li> <li><a href="classes.html"><span>Class&#160;Index</span></a></li> <li><a href="inherits.html"><span>Class&#160;Hierarchy</span></a></li> <li><a href="functions.html"><span>Class&#160;Members</span></a></li> </ul> </div> <!-- window showing the filter options --> <div id="MSearchSelectWindow" onmouseover="return searchBox.OnSearchSelectShow()" onmouseout="return searchBox.OnSearchSelectHide()" onkeydown="return searchBox.OnSearchSelectKey(event)"> </div> <!-- iframe showing the search results (closed by default) --> <div id="<API key>"> <iframe src="javascript:void(0)" frameborder="0" name="MSearchResults" id="MSearchResults"> </iframe> </div> <div id="nav-path" class="navpath"> <ul> <li class="navelem"><a class="el" href="namespacev8.html">v8</a></li><li class="navelem"><a class="el" href="<API key>.html">MicrotasksScope</a></li> </ul> </div> </div><!-- top --> <div class="header"> <div class="headertitle"> <div class="title">v8::MicrotasksScope Member List</div> </div> </div><!--header <div class="contents"> <p>This is the complete list of members for <a class="el" href="<API key>.html">v8::MicrotasksScope</a>, including all inherited members.</p> <table class="directory"> <tr class="even"><td class="entry"><a class="el" href="<API key>.html#<API key>">GetCurrentDepth</a>(Isolate *isolate)</td><td class="entry"><a class="el" href="<API key>.html">v8::MicrotasksScope</a></td><td class="entry"><span class="mlabel">static</span></td></tr> <tr><td class="entry"><a class="el" href="<API key>.html#<API key>">IsRunningMicrotasks</a>(Isolate *isolate)</td><td class="entry"><a class="el" href="<API key>.html">v8::MicrotasksScope</a></td><td class="entry"><span class="mlabel">static</span></td></tr> <tr bgcolor="#f0f0f0" class="even"><td class="entry"><b>kDoNotRunMicrotasks</b> enum value (defined in <a class="el" href="<API key>.html">v8::MicrotasksScope</a>)</td><td class="entry"><a class="el" href="<API key>.html">v8::MicrotasksScope</a></td><td class="entry"></td></tr> <tr bgcolor="#f0f0f0"><td class="entry"><b>kRunMicrotasks</b> enum value (defined in <a class="el" href="<API key>.html">v8::MicrotasksScope</a>)</td><td class="entry"><a class="el" href="<API key>.html">v8::MicrotasksScope</a></td><td class="entry"></td></tr> <tr bgcolor="#f0f0f0" class="even"><td class="entry"><b>MicrotasksScope</b>(Isolate *isolate, Type type) (defined in <a class="el" href="<API key>.html">v8::MicrotasksScope</a>)</td><td class="entry"><a class="el" href="<API key>.html">v8::MicrotasksScope</a></td><td class="entry"></td></tr> <tr bgcolor="#f0f0f0"><td class="entry"><b>MicrotasksScope</b>(const MicrotasksScope &amp;)=delete (defined in <a class="el" href="<API key>.html">v8::MicrotasksScope</a>)</td><td class="entry"><a class="el" href="<API key>.html">v8::MicrotasksScope</a></td><td class="entry"></td></tr> <tr bgcolor="#f0f0f0" class="even"><td class="entry"><b>operator=</b>(const MicrotasksScope &amp;)=delete (defined in <a class="el" href="<API key>.html">v8::MicrotasksScope</a>)</td><td class="entry"><a class="el" href="<API key>.html">v8::MicrotasksScope</a></td><td class="entry"></td></tr> <tr><td class="entry"><a class="el" href="<API key>.html#<API key>">PerformCheckpoint</a>(Isolate *isolate)</td><td class="entry"><a class="el" href="<API key>.html">v8::MicrotasksScope</a></td><td class="entry"><span class="mlabel">static</span></td></tr> <tr bgcolor="#f0f0f0" class="even"><td class="entry"><b>Type</b> enum name (defined in <a class="el" href="<API key>.html">v8::MicrotasksScope</a>)</td><td class="entry"><a class="el" href="<API key>.html">v8::MicrotasksScope</a></td><td class="entry"></td></tr> <tr bgcolor="#f0f0f0"><td class="entry"><b>~MicrotasksScope</b>() (defined in <a class="el" href="<API key>.html">v8::MicrotasksScope</a>)</td><td class="entry"><a class="el" href="<API key>.html">v8::MicrotasksScope</a></td><td class="entry"></td></tr> </table></div><!-- contents --> <!-- start footer part --> <hr class="footer"/><address class="footer"><small> Generated by & <img class="footer" src="doxygen.png" alt="doxygen"/> </a> 1.8.11 </small></address> </body> </html>
#include <iostream> #include <fstream> #include <seqan/basic.h> #include <seqan/index.h> #include <seqan/seq_io.h> #include <seqan/sequence.h> #include <seqan/file.h> #include <seqan/score.h> #include <seqan/seeds.h> #include <seqan/align.h> using namespace seqan; seqan::String<Seed<Simple> > <API key>(seqan::DnaString seq1, seqan::DnaString seq2, seqan::String<Seed<Simple> > roughGlobalChain, unsigned q){ typedef seqan::Seed<Simple> SSeed; typedef seqan::SeedSet<Simple> SSeedSet; SSeed seed; SSeedSet seedSet; seqan::String<SSeed> seedChain; seqan::String<SSeed> <API key>; seqan::DnaString window1 = seqan::infix(seq1, seqan::endPositionH(seedChain[0]), seqan::beginPositionH(seedChain[1])); seqan::DnaString window2 = seqan::infix(seq2, seqan::endPositionV(seedChain[0]), seqan::beginPositionV(seedChain[1])); std::cout << "window1: " << window1 << std::endl; std::cout << "window2: " << window2 << std::endl; typedef Index< DnaString, IndexQGram<SimpleShape > > qGramIndex; qGramIndex index(window1); resize(indexShape(index), q); Finder<qGramIndex> myFinder(index); std::cout << length(window2) << std::endl; for (unsigned i = 0; i < length(window2) - (q - 1); ++i){ DnaString qGram = infix(window2, i, i + q); std::cout << qGram << std::endl; while (find(myFinder, qGram)){ std::cout << position(myFinder) << std::endl; } clear(myFinder); } seqan::chainSeedsGlobally(<API key>, seedSet, seqan::SparseChaining()); return <API key>; } bool readFASTA(char const * path, CharString &id, Dna5String &seq){ std::fstream in(path, std::ios::binary | std::ios::in); RecordReader<std::fstream, SinglePass<> > reader(in); if (readRecord(id, seq, reader, Fasta()) == 0){ return true; } else{ return false; } } std::string get_file_contents(const char* filepath){ std::ifstream in(filepath, std::ios::in | std::ios::binary); if (in){ std::string contents; in.seekg(0, std::ios::end); int fileLength = in.tellg(); contents.resize(fileLength); in.seekg(0, std::ios::beg); in.read(&contents[0], contents.size()); in.close(); return(contents); } throw(errno); } bool writeSeedPositions(std::vector< std::pair<unsigned, unsigned> > &array1, std::vector< std::pair<unsigned, unsigned> > &array2, const char* filepath){ std::ifstream FileTest(filepath); if(!FileTest){ return false; } FileTest.close(); std::string s; s = get_file_contents(filepath); std::string pattern1 = ("Database positions: "); std::string pattern2 = ("Query positions: "); std::pair<unsigned, unsigned> startEnd; std::vector<std::string> patternContainer; patternContainer.push_back(pattern1); patternContainer.push_back(pattern2); for (unsigned j = 0; j < patternContainer.size(); ++j){ unsigned found = s.find(patternContainer[j]); while (found!=std::string::npos){ std::string temp1 = ""; std::string temp2 = ""; int i = 0; while (s[found + patternContainer[j].length() + i] != '.'){ temp1 += s[found + patternContainer[j].length() + i]; ++i; } i += 2; while(s[found + patternContainer[j].length() + i] != '\n'){ temp2 += s[found + patternContainer[j].length() + i]; ++i; } std::stringstream as(temp1); std::stringstream bs(temp2); int a; int b; as >> a; bs >> b; startEnd = std::make_pair(a, b); if (j == 0){ array1.push_back(startEnd); } else{ array2.push_back(startEnd); } ++found; found = s.find(patternContainer[j], found); } } return true; } int main(int argc, char const ** argv){ CharString idOne; Dna5String seqOne; CharString idTwo; Dna5String seqTwo; std::vector< std::pair<unsigned, unsigned> > seedsPosSeq1; std::vector< std::pair<unsigned, unsigned> > seedsPosSeq2; if (!readFASTA(argv[1], idOne, seqOne)){ std::cerr << "error: unable to read first sequence"; return 1; } if (!readFASTA(argv[2], idTwo, seqTwo)){ std::cerr << "error: unable to read second sequence"; return 1; } if (!writeSeedPositions(seedsPosSeq1, seedsPosSeq2, argv[3])){ std::cerr << "error: STELLAR output file not found"; return 1; } typedef Seed<Simple> SSeed; typedef SeedSet<Simple> SSeedSet; SSeedSet seedSet; /* for (unsigned i = 0; i < seedsPosSeq1.size(); ++i){ std::cout << "Seq1 " << seedsPosSeq1[i].first << '\t' << seedsPosSeq1[i].second << std::endl; std::cout << "Seq2 " << seedsPosSeq2[i].first << '\t' << seedsPosSeq2[i].second << std::endl; } */ //creation of seeds and adding them to a SeedSet for (unsigned i = 0; i < seedsPosSeq1.size(); ++i){ SSeed seed(seedsPosSeq1[i].first, seedsPosSeq2[i].first, seedsPosSeq1[i].second, seedsPosSeq2[i].second); addSeed(seedSet, seed, Single()); } //std::cout << "Trennlinie" << std::endl; clear(seedSet); typedef Iterator<SSeedSet >::Type SetIterator; for (SetIterator it = begin(seedSet, Standard()); it != end(seedSet, Standard()); ++it){ std::cout << *it; std::cout << std::endl; } /*std::cout << "test2" << std::endl; Align<Dna5String, ArrayGaps> alignment; resize(seqan::rows(alignment), 2); Score<int, Simple> scoringFunction(2, -1, -2); seqan::assignSource(seqan::row(alignment, 0), seqOne); seqan::assignSource(seqan::row(alignment, 1), seqTwo); int result = <API key>(alignment, seedChain, scoringFunction, 2); std::cout << "Score: " << result << std::endl; std::cout << alignment << std::endl; */ /*std::cout << idOne << std::endl << seqOne << std::endl; std::cout << idTwo << std::endl << seqTwo << std::endl; for (unsigned i = 0; i < seedsPosSeq1.size(); ++i){ cout << "Seq1 " << seedsPosSeq1[i].first << '\t' << seedsPosSeq1[i].second << endl; cout << "Seq2 " << seedsPosSeq2[i].first << '\t' << seedsPosSeq2[i].second << endl; } */ return 0; }
<script async src="//pagead2.googlesyndication.com/pagead/js/adsbygoogle.js"></script> <!-- Blog Ads --> <ins class="adsbygoogle" style="display:block" data-ad-client="ca-{{site.cfg.<API key>}}" data-ad-slot="{{site.cfg.adsense_unit_no}}" data-ad-format="auto"></ins> <script> (adsbygoogle = window.adsbygoogle || []).push({}); </script>
#include "stdafx.h" #include "GPUResource.h" #include <algorithm> #include "D3D12DeviceContext.h" CreateChecker(GPUResource); GPUResource::GPUResource() {} GPUResource::GPUResource(ID3D12Resource* Target, <API key> InitalState) :GPUResource(Target, InitalState, (D3D12DeviceContext*)RHI::GetDefaultDevice()) {} GPUResource::GPUResource(ID3D12Resource * Target, <API key> InitalState, DeviceContext * device) { AddCheckerRef(GPUResource, this); resource = Target; NAME_D3D12_OBJECT(Target); <API key> = InitalState; Device = (D3D12DeviceContext*)device; } GPUResource::~GPUResource() { if (!IsReleased) { Release(); } } void GPUResource::SetName(LPCWSTR name) { resource->SetName(name); } void GPUResource::CreateHeap() { Block.Heaps.push_back(nullptr); ID3D12Heap* pHeap = Block.Heaps[0]; int RemainingSize = 1 * TILE_SIZE; D3D12_HEAP_DESC heapDesc = {}; heapDesc.SizeInBytes = std::min(RemainingSize, MAX_HEAP_SIZE); heapDesc.Alignment = 0; heapDesc.Properties.Type = <API key>; heapDesc.Properties.CPUPageProperty = <API key>; heapDesc.Properties.<API key> = <API key>; // Tier 1 heaps have restrictions on the type of information that can be stored in // a heap. To accommodate this, we will retsrict the content to only shader resources. // The heap cannot store textures that are used as render targets, depth-stencil // output, or buffers. But this is okay, since we do not use these heaps for those // purposes. heapDesc.Flags = <API key> | <API key>; //ThrowIfFailed( D3D12RHI::GetDevice()->CreateHeap(&heapDesc, IID_PPV_ARGS(&pHeap))); } void GPUResource::Evict() { ensure(currentState != eResourceState::Evicted); ID3D12Pageable* Pageableresource = resource; ThrowIfFailed(Device->GetDevice()->Evict(1, &Pageableresource)); currentState = eResourceState::Evicted; } void GPUResource::MakeResident() { ensure(currentState != eResourceState::Resident); ID3D12Pageable* Pageableresource = resource; ThrowIfFailed(Device->GetDevice()->MakeResident(1, &Pageableresource)); currentState = eResourceState::Resident; } bool GPUResource::IsResident() { return (currentState == eResourceState::Resident); } GPUResource::eResourceState GPUResource::GetState() { return currentState; } void GPUResource::SetResourceState(<API key>* List, <API key> newstate) { if (newstate != <API key>) { List->ResourceBarrier(1, &<API key>::Transition(resource, <API key>, newstate)); <API key> = newstate; TargetState = newstate; } } //todo More Detailed Error checking! void GPUResource::<API key>(<API key> * List, <API key> newstate) { if (newstate != <API key>) { <API key> BarrierDesc = {}; BarrierDesc.Type = <API key>; BarrierDesc.Flags = <API key>; BarrierDesc.Transition.StateBefore = <API key>; BarrierDesc.Transition.StateAfter = newstate; BarrierDesc.Transition.pResource = resource; List->ResourceBarrier(1, &BarrierDesc); TargetState = newstate; } } void GPUResource::<API key>(<API key> * List, <API key> newstate) { if (newstate != <API key>) { <API key> BarrierDesc = {}; BarrierDesc.Type = <API key>; BarrierDesc.Flags = <API key>; BarrierDesc.Transition.StateBefore = <API key>; BarrierDesc.Transition.StateAfter = newstate; BarrierDesc.Transition.pResource = resource; List->ResourceBarrier(1, &BarrierDesc); <API key> = newstate; } } bool GPUResource::IsTransitioning() { return (<API key> != TargetState); } <API key> GPUResource::GetCurrentState() { return <API key>; } ID3D12Resource * GPUResource::GetResource() { return resource; } void GPUResource::Release() { IRHIResourse::Release(); SafeRelease(resource); RemoveCheckerRef(GPUResource, this); }
package com.braintreepayments.api; import android.os.Parcel; import android.os.Parcelable; import android.text.TextUtils; import androidx.annotation.Nullable; import com.braintreepayments.api.GraphQLConstants.Keys; import org.json.JSONException; import org.json.JSONObject; /** * Use to construct a card tokenization request. */ public class Card extends BaseCard implements Parcelable { private static final String <API key> = "clientSdkMetadata"; private static final String <API key> = "merchantAccountId"; private static final String <API key> = "<API key>; private static final String <API key> = "<API key>; private String merchantAccountId; private boolean <API key>; private boolean shouldValidate; JSONObject buildJSONForGraphQL() throws BraintreeException, JSONException { JSONObject base = new JSONObject(); JSONObject input = new JSONObject(); JSONObject variables = new JSONObject(); base.put(<API key>, buildMetadataJSON()); JSONObject optionsJson = new JSONObject(); optionsJson.put(VALIDATE_KEY, shouldValidate); input.put(OPTIONS_KEY, optionsJson); variables.put(Keys.INPUT, input); if (TextUtils.isEmpty(merchantAccountId) && <API key>) { throw new BraintreeException("A merchant account ID is required when <API key> is true."); } if (<API key>) { variables.put(<API key>, new JSONObject().put(<API key>, merchantAccountId)); } base.put(Keys.QUERY, getCard<API key>()); base.put(OPERATION_NAME_KEY, "TokenizeCreditCard"); JSONObject creditCard = new JSONObject() .put(NUMBER_KEY, getNumber()) .put(<API key>, getExpirationMonth()) .put(EXPIRATION_YEAR_KEY, getExpirationYear()) .put(CVV_KEY, getCvv()) .put(CARDHOLDER_NAME_KEY, getCardholderName()); JSONObject billingAddress = new JSONObject() .put(FIRST_NAME_KEY, getFirstName()) .put(LAST_NAME_KEY, getLastName()) .put(COMPANY_KEY, getCompany()) .put(COUNTRY_CODE_KEY, getCountryCode()) .put(LOCALITY_KEY, getLocality()) .put(POSTAL_CODE_KEY, getPostalCode()) .put(REGION_KEY, getRegion()) .put(STREET_ADDRESS_KEY, getStreetAddress()) .put(<API key>, getExtendedAddress()); if (billingAddress.length() > 0) { creditCard.put(BILLING_ADDRESS_KEY, billingAddress); } input.put(CREDIT_CARD_KEY, creditCard); base.put(Keys.VARIABLES, variables); return base; } public Card() { } /** * @param id The merchant account id used to generate the authentication insight. */ public void <API key>(@Nullable String id) { merchantAccountId = TextUtils.isEmpty(id) ? null : id; } /** * @param shouldValidate Flag to denote if the associated {@link Card} will be validated. Defaults to false. * <p> * Use this flag with caution. Enabling validation may result in adding a card to the Braintree vault. * The circumstances that determine if a Card will be vaulted are not documented. */ public void setShouldValidate(boolean shouldValidate) { this.shouldValidate = shouldValidate; } /** * @param requested If authentication insight will be requested. */ public void set<API key>(boolean requested) { <API key> = requested; } /** * @return The merchant account id used to generate the authentication insight. */ @Nullable public String <API key>() { return merchantAccountId; } /** * @return If authentication insight will be requested. */ public boolean is<API key>() { return <API key>; } /** * @return If the associated card will be validated. */ public boolean getShouldValidate() { return shouldValidate; } @Override JSONObject buildJSON() throws JSONException { JSONObject json = super.buildJSON(); JSONObject <API key> = json.getJSONObject(CREDIT_CARD_KEY); JSONObject optionsJson = new JSONObject(); optionsJson.put(VALIDATE_KEY, shouldValidate); <API key>.put(OPTIONS_KEY, optionsJson); if (<API key>) { json.put(<API key>, merchantAccountId); json.put(<API key>, <API key>); } return json; } @Override public void writeToParcel(Parcel dest, int flags) { super.writeToParcel(dest, flags); dest.writeString(merchantAccountId); dest.writeByte(shouldValidate ? (byte) 1 : 0); dest.writeByte(<API key> ? (byte) 1 : 0); } protected Card(Parcel in) { super(in); merchantAccountId = in.readString(); shouldValidate = in.readByte() > 0; <API key> = in.readByte() > 0; } public static final Creator<Card> CREATOR = new Creator<Card>() { @Override public Card createFromParcel(Parcel in) { return new Card(in); } @Override public Card[] newArray(int size) { return new Card[size]; } }; private String getCard<API key>() { StringBuilder stringBuilder = new StringBuilder(); stringBuilder.append("mutation TokenizeCreditCard($input: <API key>!"); if (<API key>) { stringBuilder.append(", $<API key>: <API key>!"); } stringBuilder.append(") {" + " tokenizeCreditCard(input: $input) {" + " token" + " creditCard {" + " bin" + " brand" + " expirationMonth" + " expirationYear" + " cardholderName" + " last4" + " binData {" + " prepaid" + " healthcare" + " debit" + " durbinRegulated" + " commercial" + " payroll" + " issuingBank" + " countryOfIssuance" + " productId" + " }" + " }"); if (<API key>) { stringBuilder.append("" + " <API key>(input: $<API key>) {" + " customer<API key> + " }"); } stringBuilder.append("" + " }" + "}"); return stringBuilder.toString(); } }
package cn.edu.siso.rlxapf; import android.content.Intent; import android.support.v7.app.AppCompatActivity; import android.os.Bundle; import android.view.View; import android.widget.Button; public class DeviceActivity extends AppCompatActivity { private Button devicePrefOk = null; @Override protected void onCreate(Bundle savedInstanceState) { super.onCreate(savedInstanceState); setContentView(R.layout.activity_device); devicePrefOk = (Button) findViewById(R.id.device_pref_ok); devicePrefOk.setOnClickListener(new View.OnClickListener() { @Override public void onClick(View v) { Intent intent = new Intent(DeviceActivity.this, MainActivity.class); startActivity(intent); DeviceActivity.this.finish(); } }); <API key>().beginTransaction().replace( R.id.device_pref, new DevicePrefFragment()).commit(); } }
.bluisha { box-shadow: 0px 0px 17px #000; padding: 0 !important; background: url('https://lh3.googleusercontent.com/<API key>=w1334-h667-no') no-repeat center center; height: 100vh; background-size: cover; }
require 'spec_helper' RSpec.configure do |config| config.before(:suite) do VCR.configuration.<API key>! end end describe VCR::RSpec::Metadata, :skip_vcr_reset do before(:all) { VCR.reset! } after(:each) { VCR.reset! } context 'an example group', :vcr do context 'with a nested example group' do it 'uses a cassette for any examples' do VCR.current_cassette.name.split('/').should eq([ 'VCR::RSpec::Metadata', 'an example group', 'with a nested example group', 'uses a cassette for any examples' ]) end end end context 'with the cassette name overridden at the example group level', :vcr => { :cassette_name => 'foo' } do it 'overrides the cassette name for an example' do VCR.current_cassette.name.should eq('foo') end it 'overrides the cassette name for another example' do VCR.current_cassette.name.should eq('foo') end end it 'allows the cassette name to be overriden', :vcr => { :cassette_name => 'foo' } do VCR.current_cassette.name.should eq('foo') end it 'allows the cassette options to be set', :vcr => { :match_requests_on => [:method] } do VCR.current_cassette.match_requests_on.should eq([:method]) end end describe VCR::RSpec::Macros do extend described_class describe '#use_vcr_cassette' do def self.perform_test(context_name, <API key>, *args, &block) context context_name do after(:each) do if example.metadata[:test_ejection] VCR.current_cassette.should be_nil end end use_vcr_cassette(*args) it 'ejects the cassette in an after hook', :test_ejection do VCR.current_cassette.should be_a(VCR::Cassette) end it "creates a cassette named '#{<API key>}" do VCR.current_cassette.name.should eq(<API key>) end module_eval(&block) if block end end perform_test 'when called with an explicit name', 'explicit_name', 'explicit_name' perform_test 'when called with an explicit name and some options', 'explicit_name', 'explicit_name', :match_requests_on => [:method, :host] do it 'uses the provided cassette options' do VCR.current_cassette.match_requests_on.should eq([:method, :host]) end end perform_test 'when called with nothing', 'VCR::RSpec::Macros/#use_vcr_cassette/when called with nothing' perform_test 'when called with some options', 'VCR::RSpec::Macros/#use_vcr_cassette/when called with some options', :match_requests_on => [:method, :host] do it 'uses the provided cassette options' do VCR.current_cassette.match_requests_on.should eq([:method, :host]) end end end end
article, aside, details, figcaption, figure, footer, header, hgroup, nav, section { display: block; } audio, canvas, video { display: inline-block; *display: inline; *zoom: 1; } audio:not([controls]) { display: none; } html { font-size: 100%; -<API key>: 100%; -ms-text-size-adjust: 100%; } a:focus { outline: thin dotted #333; outline: 5px auto -<API key>; outline-offset: -2px; } a:hover, a:active { outline: 0; } sub, sup { position: relative; font-size: 75%; line-height: 0; vertical-align: baseline; } sup { top: -0.5em; } sub { bottom: -0.25em; } img { max-width: 100%; vertical-align: middle; border: 0; -<API key>: bicubic; } button, input, select, textarea { margin: 0; font-size: 100%; vertical-align: middle; } button, input { *overflow: visible; line-height: normal; } button::-moz-focus-inner, input::-moz-focus-inner { padding: 0; border: 0; } button, input[type="button"], input[type="reset"], input[type="submit"] { cursor: pointer; -webkit-appearance: button; } input[type="search"] { -webkit-box-sizing: content-box; -moz-box-sizing: content-box; box-sizing: content-box; -webkit-appearance: textfield; } input[type="search"]::-<API key>, input[type="search"]::-<API key> { -webkit-appearance: none; } textarea { overflow: auto; vertical-align: top; } .clearfix { *zoom: 1; } .clearfix:before, .clearfix:after { display: table; content: ""; } .clearfix:after { clear: both; } .hide-text { font: 0/0 a; color: transparent; text-shadow: none; background-color: transparent; border: 0; } .input-block-level { display: block; width: 100%; min-height: 28px; -webkit-box-sizing: border-box; -moz-box-sizing: border-box; -ms-box-sizing: border-box; box-sizing: border-box; } body { margin: 0; font-family: "Helvetica Neue", Helvetica, Arial, sans-serif; font-size: 13px; line-height: 18px; color: #333333; background-color: #ffffff; } a { color: #0088cc; text-decoration: none; } a:hover { color: #005580; text-decoration: underline; } .row { margin-left: -20px; *zoom: 1; } .row:before, .row:after { display: table; content: ""; } .row:after { clear: both; } [class*="span"] { float: left; margin-left: 20px; } .container, .navbar-fixed-top .container, .navbar-fixed-bottom .container { width: 940px; } .span12 { width: 940px; } .span11 { width: 860px; } .span10 { width: 780px; } .span9 { width: 700px; } .span8 { width: 620px; } .span7 { width: 540px; } .span6 { width: 460px; } .span5 { width: 380px; } .span4 { width: 300px; } .span3 { width: 220px; } .span2 { width: 140px; } .span1 { width: 60px; } .offset12 { margin-left: 980px; } .offset11 { margin-left: 900px; } .offset10 { margin-left: 820px; } .offset9 { margin-left: 740px; } .offset8 { margin-left: 660px; } .offset7 { margin-left: 580px; } .offset6 { margin-left: 500px; } .offset5 { margin-left: 420px; } .offset4 { margin-left: 340px; } .offset3 { margin-left: 260px; } .offset2 { margin-left: 180px; } .offset1 { margin-left: 100px; } .row-fluid { width: 100%; *zoom: 1; } .row-fluid:before, .row-fluid:after { display: table; content: ""; } .row-fluid:after { clear: both; } .row-fluid [class*="span"] { display: block; width: 100%; min-height: 28px; -webkit-box-sizing: border-box; -moz-box-sizing: border-box; -ms-box-sizing: border-box; box-sizing: border-box; float: left; margin-left: 2.127659574%; *margin-left: 2.0744680846382977%; } .row-fluid [class*="span"]:first-child { margin-left: 0; } .row-fluid .span12 { width: 99.99999998999999%; *width: 99.94680850063828%; } .row-fluid .span11 { width: 91.489361693%; *width: 91.4361702036383%; } .row-fluid .span10 { width: 82.97872339599999%; *width: 82.92553190663828%; } .row-fluid .span9 { width: 74.468085099%; *width: 74.4148936096383%; } .row-fluid .span8 { width: 65.95744680199999%; *width: 65.90425531263828%; } .row-fluid .span7 { width: 57.446808505%; *width: 57.3936170156383%; } .row-fluid .span6 { width: 48.93617020799999%; *width: 48.88297871863829%; } .row-fluid .span5 { width: 40.425531911%; *width: 40.3723404216383%; } .row-fluid .span4 { width: 31.914893614%; *width: 31.8617021246383%; } .row-fluid .span3 { width: 23.404255317%; *width: 23.3510638276383%; } .row-fluid .span2 { width: 14.89361702%; *width: 14.8404255306383%; } .row-fluid .span1 { width: 6.382978723%; *width: 6.329787233638298%; } .container { margin-right: auto; margin-left: auto; *zoom: 1; } .container:before, .container:after { display: table; content: ""; } .container:after { clear: both; } .container-fluid { padding-right: 20px; padding-left: 20px; *zoom: 1; } .container-fluid:before, .container-fluid:after { display: table; content: ""; } .container-fluid:after { clear: both; } p { margin: 0 0 9px; font-family: "Helvetica Neue", Helvetica, Arial, sans-serif; font-size: 13px; line-height: 18px; } p small { font-size: 11px; color: #999999; } .lead { margin-bottom: 18px; font-size: 20px; font-weight: 200; line-height: 27px; } h1, h2, h3, h4, h5, h6 { margin: 0; font-family: inherit; font-weight: bold; color: inherit; text-rendering: optimizelegibility; } h1 small, h2 small, h3 small, h4 small, h5 small, h6 small { font-weight: normal; color: #999999; } h1 { font-size: 30px; line-height: 36px; } h1 small { font-size: 18px; } h2 { font-size: 24px; line-height: 36px; } h2 small { font-size: 18px; } h3 { font-size: 18px; line-height: 27px; } h3 small { font-size: 14px; } h4, h5, h6 { line-height: 18px; } h4 { font-size: 14px; } h4 small { font-size: 12px; } h5 { font-size: 12px; } h6 { font-size: 11px; color: #999999; text-transform: uppercase; } .page-header { padding-bottom: 17px; margin: 18px 0; border-bottom: 1px solid #eeeeee; } .page-header h1 { line-height: 1; } ul, ol { padding: 0; margin: 0 0 9px 25px; } ul ul, ul ol, ol ol, ol ul { margin-bottom: 0; } ul { list-style: disc; } ol { list-style: decimal; } li { line-height: 18px; } ul.unstyled, ol.unstyled { margin-left: 0; list-style: none; } dl { margin-bottom: 18px; } dt, dd { line-height: 18px; } dt { font-weight: bold; line-height: 17px; } dd { margin-left: 9px; } .dl-horizontal dt { float: left; width: 120px; clear: left; text-align: right; overflow: hidden; text-overflow: ellipsis; white-space: nowrap; } .dl-horizontal dd { margin-left: 130px; } hr { margin: 18px 0; border: 0; border-top: 1px solid #eeeeee; border-bottom: 1px solid #ffffff; } strong { font-weight: bold; } em { font-style: italic; } .muted { color: #999999; } abbr[title] { cursor: help; border-bottom: 1px dotted #ddd; } abbr.initialism { font-size: 90%; text-transform: uppercase; } blockquote { padding: 0 0 0 15px; margin: 0 0 18px; border-left: 5px solid #eeeeee; } blockquote p { margin-bottom: 0; font-size: 16px; font-weight: 300; line-height: 22.5px; } blockquote small { display: block; line-height: 18px; color: #999999; } blockquote small:before { content: '\2014 \00A0'; } blockquote.pull-right { float: right; padding-right: 15px; padding-left: 0; border-right: 5px solid #eeeeee; border-left: 0; } blockquote.pull-right p, blockquote.pull-right small { text-align: right; } q:before, q:after, blockquote:before, blockquote:after { content: ""; } address { display: block; margin-bottom: 18px; font-style: normal; line-height: 18px; } small { font-size: 100%; } cite { font-style: normal; } code, pre { padding: 0 3px 2px; font-family: Menlo, Monaco, Consolas, "Courier New", monospace; font-size: 12px; color: #333333; -<API key>: 3px; -moz-border-radius: 3px; border-radius: 3px; } code { padding: 2px 4px; color: #d14; background-color: #f7f7f9; border: 1px solid #e1e1e8; } pre { display: block; padding: 8.5px; margin: 0 0 9px; font-size: 12.025px; line-height: 18px; word-break: break-all; word-wrap: break-word; white-space: pre; white-space: pre-wrap; background-color: #f5f5f5; border: 1px solid #ccc; border: 1px solid rgba(0, 0, 0, 0.15); -<API key>: 4px; -moz-border-radius: 4px; border-radius: 4px; } pre.prettyprint { margin-bottom: 18px; } pre code { padding: 0; color: inherit; background-color: transparent; border: 0; } .pre-scrollable { max-height: 340px; overflow-y: scroll; } form { margin: 0 0 18px; } fieldset { padding: 0; margin: 0; border: 0; } legend { display: block; width: 100%; padding: 0; margin-bottom: 27px; font-size: 19.5px; line-height: 36px; color: #333333; border: 0; border-bottom: 1px solid #eee; } legend small { font-size: 13.5px; color: #999999; } label, input, button, select, textarea { font-size: 13px; font-weight: normal; line-height: 18px; } input, button, select, textarea { font-family: "Helvetica Neue", Helvetica, Arial, sans-serif; } label { display: block; margin-bottom: 5px; color: #333333; } input, textarea, select, .uneditable-input { display: inline-block; width: 210px; height: 18px; padding: 4px; margin-bottom: 9px; font-size: 13px; line-height: 18px; color: #555555; background-color: #ffffff; border: 1px solid #cccccc; -<API key>: 3px; -moz-border-radius: 3px; border-radius: 3px; } .uneditable-textarea { width: auto; height: auto; } label input, label textarea, label select { display: block; } input[type="image"], input[type="checkbox"], input[type="radio"] { width: auto; height: auto; padding: 0; margin: 3px 0; *margin-top: 0; /* IE7 */ line-height: normal; cursor: pointer; background-color: transparent; border: 0 \9; /* IE9 and down */ -<API key>: 0; -moz-border-radius: 0; border-radius: 0; } input[type="image"] { border: 0; } input[type="file"] { width: auto; padding: initial; line-height: initial; background-color: #ffffff; background-color: initial; border: initial; -webkit-box-shadow: none; -moz-box-shadow: none; box-shadow: none; } input[type="button"], input[type="reset"], input[type="submit"] { width: auto; height: auto; } select, input[type="file"] { height: 28px; /* In IE7, the height of the select element cannot be changed by height, only font-size */ *margin-top: 4px; /* For IE7, add top margin to align select with labels */ line-height: 28px; } input[type="file"] { line-height: 18px \9; } select { width: 220px; background-color: #ffffff; } select[multiple], select[size] { height: auto; } input[type="image"] { -webkit-box-shadow: none; -moz-box-shadow: none; box-shadow: none; } textarea { height: auto; } input[type="hidden"] { display: none; } .radio, .checkbox { min-height: 18px; padding-left: 18px; } .radio input[type="radio"], .checkbox input[type="checkbox"] { float: left; margin-left: -18px; } .controls > .radio:first-child, .controls > .checkbox:first-child { padding-top: 5px; } .radio.inline, .checkbox.inline { display: inline-block; padding-top: 5px; margin-bottom: 0; vertical-align: middle; } .radio.inline + .radio.inline, .checkbox.inline + .checkbox.inline { margin-left: 10px; } input, textarea { -webkit-box-shadow: inset 0 1px 1px rgba(0, 0, 0, 0.075); -moz-box-shadow: inset 0 1px 1px rgba(0, 0, 0, 0.075); box-shadow: inset 0 1px 1px rgba(0, 0, 0, 0.075); -webkit-transition: border linear 0.2s, box-shadow linear 0.2s; -moz-transition: border linear 0.2s, box-shadow linear 0.2s; -ms-transition: border linear 0.2s, box-shadow linear 0.2s; -o-transition: border linear 0.2s, box-shadow linear 0.2s; transition: border linear 0.2s, box-shadow linear 0.2s; } input:focus, textarea:focus { border-color: rgba(82, 168, 236, 0.8); outline: 0; outline: thin dotted \9; /* IE6-9 */ -webkit-box-shadow: inset 0 1px 1px rgba(0,0,0,.075), 0 0 8px rgba(82,168,236,.6); -moz-box-shadow: inset 0 1px 1px rgba(0,0,0,.075), 0 0 8px rgba(82,168,236,.6); box-shadow: inset 0 1px 1px rgba(0,0,0,.075), 0 0 8px rgba(82,168,236,.6); } input[type="file"]:focus, input[type="radio"]:focus, input[type="checkbox"]:focus, select:focus { outline: thin dotted #333; outline: 5px auto -<API key>; outline-offset: -2px; -webkit-box-shadow: none; -moz-box-shadow: none; box-shadow: none; } .input-mini { width: 60px; } .input-small { width: 90px; } .input-medium { width: 150px; } .input-large { width: 210px; } .input-xlarge { width: 270px; } .input-xxlarge { width: 530px; } input[class*="span"], select[class*="span"], textarea[class*="span"], .uneditable-input[class*="span"], .row-fluid input[class*="span"], .row-fluid select[class*="span"], .row-fluid textarea[class*="span"], .row-fluid .uneditable-input[class*="span"] { float: none; margin-left: 0; } input, textarea, .uneditable-input { margin-left: 0; } input.span12, textarea.span12, .uneditable-input.span12 { width: 930px; } input.span11, textarea.span11, .uneditable-input.span11 { width: 850px; } input.span10, textarea.span10, .uneditable-input.span10 { width: 770px; } input.span9, textarea.span9, .uneditable-input.span9 { width: 690px; } input.span8, textarea.span8, .uneditable-input.span8 { width: 610px; } input.span7, textarea.span7, .uneditable-input.span7 { width: 530px; } input.span6, textarea.span6, .uneditable-input.span6 { width: 450px; } input.span5, textarea.span5, .uneditable-input.span5 { width: 370px; } input.span4, textarea.span4, .uneditable-input.span4 { width: 290px; } input.span3, textarea.span3, .uneditable-input.span3 { width: 210px; } input.span2, textarea.span2, .uneditable-input.span2 { width: 130px; } input.span1, textarea.span1, .uneditable-input.span1 { width: 50px; } input[disabled], select[disabled], textarea[disabled], input[readonly], select[readonly], textarea[readonly] { cursor: not-allowed; background-color: #eeeeee; border-color: #ddd; } input[type="radio"][disabled], input[type="checkbox"][disabled], input[type="radio"][readonly], input[type="checkbox"][readonly] { background-color: transparent; } .control-group.warning > label, .control-group.warning .help-block, .control-group.warning .help-inline { color: #c09853; } .control-group.warning input, .control-group.warning select, .control-group.warning textarea { color: #c09853; border-color: #c09853; } .control-group.warning input:focus, .control-group.warning select:focus, .control-group.warning textarea:focus { border-color: #a47e3c; -webkit-box-shadow: 0 0 6px #dbc59e; -moz-box-shadow: 0 0 6px #dbc59e; box-shadow: 0 0 6px #dbc59e; } .control-group.warning .input-prepend .add-on, .control-group.warning .input-append .add-on { color: #c09853; background-color: #fcf8e3; border-color: #c09853; } .control-group.error > label, .control-group.error .help-block, .control-group.error .help-inline { color: #b94a48; } .control-group.error input, .control-group.error select, .control-group.error textarea { color: #b94a48; border-color: #b94a48; } .control-group.error input:focus, .control-group.error select:focus, .control-group.error textarea:focus { border-color: #953b39; -webkit-box-shadow: 0 0 6px #d59392; -moz-box-shadow: 0 0 6px #d59392; box-shadow: 0 0 6px #d59392; } .control-group.error .input-prepend .add-on, .control-group.error .input-append .add-on { color: #b94a48; background-color: #f2dede; border-color: #b94a48; } .control-group.success > label, .control-group.success .help-block, .control-group.success .help-inline { color: #468847; } .control-group.success input, .control-group.success select, .control-group.success textarea { color: #468847; border-color: #468847; } .control-group.success input:focus, .control-group.success select:focus, .control-group.success textarea:focus { border-color: #356635; -webkit-box-shadow: 0 0 6px #7aba7b; -moz-box-shadow: 0 0 6px #7aba7b; box-shadow: 0 0 6px #7aba7b; } .control-group.success .input-prepend .add-on, .control-group.success .input-append .add-on { color: #468847; background-color: #dff0d8; border-color: #468847; } input:focus:required:invalid, textarea:focus:required:invalid, select:focus:required:invalid { color: #b94a48; border-color: #ee5f5b; } input:focus:required:invalid:focus, textarea:focus:required:invalid:focus, select:focus:required:invalid:focus { border-color: #e9322d; -webkit-box-shadow: 0 0 6px #f8b9b7; -moz-box-shadow: 0 0 6px #f8b9b7; box-shadow: 0 0 6px #f8b9b7; } .form-actions { padding: 17px 20px 18px; margin-top: 18px; margin-bottom: 18px; background-color: #f5f5f5; border-top: 1px solid #ddd; *zoom: 1; } .form-actions:before, .form-actions:after { display: table; content: ""; } .form-actions:after { clear: both; } .uneditable-input { overflow: hidden; white-space: nowrap; cursor: not-allowed; background-color: #ffffff; border-color: #eee; -webkit-box-shadow: inset 0 1px 2px rgba(0, 0, 0, 0.025); -moz-box-shadow: inset 0 1px 2px rgba(0, 0, 0, 0.025); box-shadow: inset 0 1px 2px rgba(0, 0, 0, 0.025); } :-moz-placeholder { color: #999999; } ::-<API key> { color: #999999; } .help-block, .help-inline { color: #555555; } .help-block { display: block; margin-bottom: 9px; } .help-inline { display: inline-block; *display: inline; /* IE7 inline-block hack */ *zoom: 1; vertical-align: middle; padding-left: 5px; } .input-prepend, .input-append { margin-bottom: 5px; } .input-prepend input, .input-append input, .input-prepend select, .input-append select, .input-prepend .uneditable-input, .input-append .uneditable-input { position: relative; margin-bottom: 0; *margin-left: 0; vertical-align: middle; -<API key>: 0 3px 3px 0; -moz-border-radius: 0 3px 3px 0; border-radius: 0 3px 3px 0; } .input-prepend input:focus, .input-append input:focus, .input-prepend select:focus, .input-append select:focus, .input-prepend .uneditable-input:focus, .input-append .uneditable-input:focus { z-index: 2; } .input-prepend .uneditable-input, .input-append .uneditable-input { border-left-color: #ccc; } .input-prepend .add-on, .input-append .add-on { display: inline-block; width: auto; height: 18px; min-width: 16px; padding: 4px 5px; font-weight: normal; line-height: 18px; text-align: center; text-shadow: 0 1px 0 #ffffff; vertical-align: middle; background-color: #eeeeee; border: 1px solid #ccc; } .input-prepend .add-on, .input-append .add-on, .input-prepend .btn, .input-append .btn { margin-left: -1px; -<API key>: 0; -moz-border-radius: 0; border-radius: 0; } .input-prepend .active, .input-append .active { background-color: #a9dba9; border-color: #46a546; } .input-prepend .add-on, .input-prepend .btn { margin-right: -1px; } .input-prepend .add-on:first-child, .input-prepend .btn:first-child { -<API key>: 3px 0 0 3px; -moz-border-radius: 3px 0 0 3px; border-radius: 3px 0 0 3px; } .input-append input, .input-append select, .input-append .uneditable-input { -<API key>: 3px 0 0 3px; -moz-border-radius: 3px 0 0 3px; border-radius: 3px 0 0 3px; } .input-append .uneditable-input { border-right-color: #ccc; border-left-color: #eee; } .input-append .add-on:last-child, .input-append .btn:last-child { -<API key>: 0 3px 3px 0; -moz-border-radius: 0 3px 3px 0; border-radius: 0 3px 3px 0; } .input-prepend.input-append input, .input-prepend.input-append select, .input-prepend.input-append .uneditable-input { -<API key>: 0; -moz-border-radius: 0; border-radius: 0; } .input-prepend.input-append .add-on:first-child, .input-prepend.input-append .btn:first-child { margin-right: -1px; -<API key>: 3px 0 0 3px; -moz-border-radius: 3px 0 0 3px; border-radius: 3px 0 0 3px; } .input-prepend.input-append .add-on:last-child, .input-prepend.input-append .btn:last-child { margin-left: -1px; -<API key>: 0 3px 3px 0; -moz-border-radius: 0 3px 3px 0; border-radius: 0 3px 3px 0; } .search-query { padding-right: 14px; padding-right: 4px \9; padding-left: 14px; padding-left: 4px \9; /* IE7-8 doesn't have border-radius, so don't indent the padding */ margin-bottom: 0; -<API key>: 14px; -moz-border-radius: 14px; border-radius: 14px; } .form-search input, .form-inline input, .form-horizontal input, .form-search textarea, .form-inline textarea, .form-horizontal textarea, .form-search select, .form-inline select, .form-horizontal select, .form-search .help-inline, .form-inline .help-inline, .form-horizontal .help-inline, .form-search .uneditable-input, .form-inline .uneditable-input, .form-horizontal .uneditable-input, .form-search .input-prepend, .form-inline .input-prepend, .form-horizontal .input-prepend, .form-search .input-append, .form-inline .input-append, .form-horizontal .input-append { display: inline-block; *display: inline; /* IE7 inline-block hack */ *zoom: 1; margin-bottom: 0; } .form-search .hide, .form-inline .hide, .form-horizontal .hide { display: none; } .form-search label, .form-inline label { display: inline-block; } .form-search .input-append, .form-inline .input-append, .form-search .input-prepend, .form-inline .input-prepend { margin-bottom: 0; } .form-search .radio, .form-search .checkbox, .form-inline .radio, .form-inline .checkbox { padding-left: 0; margin-bottom: 0; vertical-align: middle; } .form-search .radio input[type="radio"], .form-search .checkbox input[type="checkbox"], .form-inline .radio input[type="radio"], .form-inline .checkbox input[type="checkbox"] { float: left; margin-right: 3px; margin-left: 0; } .control-group { margin-bottom: 9px; } legend + .control-group { margin-top: 18px; -<API key>: separate; } .form-horizontal .control-group { margin-bottom: 18px; *zoom: 1; } .form-horizontal .control-group:before, .form-horizontal .control-group:after { display: table; content: ""; } .form-horizontal .control-group:after { clear: both; } .form-horizontal .control-label { float: left; width: 140px; padding-top: 5px; text-align: right; } .form-horizontal .controls { *display: inline-block; *padding-left: 20px; margin-left: 160px; *margin-left: 0; } .form-horizontal .controls:first-child { *padding-left: 160px; } .form-horizontal .help-block { margin-top: 9px; margin-bottom: 0; } .form-horizontal .form-actions { padding-left: 160px; } table { max-width: 100%; background-color: transparent; border-collapse: collapse; border-spacing: 0; } .table { width: 100%; margin-bottom: 18px; } .table th, .table td { padding: 8px; line-height: 18px; text-align: left; vertical-align: top; border-top: 1px solid #dddddd; } .table th { font-weight: bold; } .table thead th { vertical-align: bottom; } .table caption + thead tr:first-child th, .table caption + thead tr:first-child td, .table colgroup + thead tr:first-child th, .table colgroup + thead tr:first-child td, .table thead:first-child tr:first-child th, .table thead:first-child tr:first-child td { border-top: 0; } .table tbody + tbody { border-top: 2px solid #dddddd; } .table-condensed th, .table-condensed td { padding: 4px 5px; } .table-bordered { border: 1px solid #dddddd; border-collapse: separate; *border-collapse: collapsed; border-left: 0; -<API key>: 4px; -moz-border-radius: 4px; border-radius: 4px; } .table-bordered th, .table-bordered td { border-left: 1px solid #dddddd; } .table-bordered caption + thead tr:first-child th, .table-bordered caption + tbody tr:first-child th, .table-bordered caption + tbody tr:first-child td, .table-bordered colgroup + thead tr:first-child th, .table-bordered colgroup + tbody tr:first-child th, .table-bordered colgroup + tbody tr:first-child td, .table-bordered thead:first-child tr:first-child th, .table-bordered tbody:first-child tr:first-child th, .table-bordered tbody:first-child tr:first-child td { border-top: 0; } .table-bordered thead:first-child tr:first-child th:first-child, .table-bordered tbody:first-child tr:first-child td:first-child { -<API key>: 4px; <API key>: 4px; -<API key>: 4px; } .table-bordered thead:first-child tr:first-child th:last-child, .table-bordered tbody:first-child tr:first-child td:last-child { -<API key>: 4px; <API key>: 4px; -<API key>: 4px; } .table-bordered thead:last-child tr:last-child th:first-child, .table-bordered tbody:last-child tr:last-child td:first-child { -<API key>: 0 0 0 4px; -moz-border-radius: 0 0 0 4px; border-radius: 0 0 0 4px; -<API key>: 4px; <API key>: 4px; -<API key>: 4px; } .table-bordered thead:last-child tr:last-child th:last-child, .table-bordered tbody:last-child tr:last-child td:last-child { -<API key>: 4px; <API key>: 4px; -<API key>: 4px; } .table-striped tbody tr:nth-child(odd) td, .table-striped tbody tr:nth-child(odd) th { background-color: #f9f9f9; } .table tbody tr:hover td, .table tbody tr:hover th { background-color: #f5f5f5; } table .span1 { float: none; width: 44px; margin-left: 0; } table .span2 { float: none; width: 124px; margin-left: 0; } table .span3 { float: none; width: 204px; margin-left: 0; } table .span4 { float: none; width: 284px; margin-left: 0; } table .span5 { float: none; width: 364px; margin-left: 0; } table .span6 { float: none; width: 444px; margin-left: 0; } table .span7 { float: none; width: 524px; margin-left: 0; } table .span8 { float: none; width: 604px; margin-left: 0; } table .span9 { float: none; width: 684px; margin-left: 0; } table .span10 { float: none; width: 764px; margin-left: 0; } table .span11 { float: none; width: 844px; margin-left: 0; } table .span12 { float: none; width: 924px; margin-left: 0; } table .span13 { float: none; width: 1004px; margin-left: 0; } table .span14 { float: none; width: 1084px; margin-left: 0; } table .span15 { float: none; width: 1164px; margin-left: 0; } table .span16 { float: none; width: 1244px; margin-left: 0; } table .span17 { float: none; width: 1324px; margin-left: 0; } table .span18 { float: none; width: 1404px; margin-left: 0; } table .span19 { float: none; width: 1484px; margin-left: 0; } table .span20 { float: none; width: 1564px; margin-left: 0; } table .span21 { float: none; width: 1644px; margin-left: 0; } table .span22 { float: none; width: 1724px; margin-left: 0; } table .span23 { float: none; width: 1804px; margin-left: 0; } table .span24 { float: none; width: 1884px; margin-left: 0; } [class^="icon-"], [class*=" icon-"] { display: inline-block; width: 14px; height: 14px; *margin-right: .3em; line-height: 14px; vertical-align: text-top; background-image: url("../images/<API key>.png"); background-position: 14px 14px; background-repeat: no-repeat; } [class^="icon-"]:last-child, [class*=" icon-"]:last-child { *margin-left: 0; } .icon-white { background-image: url("../images/<API key>.png"); } .icon-glass { background-position: 0 0; } .icon-music { background-position: -24px 0; } .icon-search { background-position: -48px 0; } .icon-envelope { background-position: -72px 0; } .icon-heart { background-position: -96px 0; } .icon-star { background-position: -120px 0; } .icon-star-empty { background-position: -144px 0; } .icon-user { background-position: -168px 0; } .icon-film { background-position: -192px 0; } .icon-th-large { background-position: -216px 0; } .icon-th { background-position: -240px 0; } .icon-th-list { background-position: -264px 0; } .icon-ok { background-position: -288px 0; } .icon-remove { background-position: -312px 0; } .icon-zoom-in { background-position: -336px 0; } .icon-zoom-out { background-position: -360px 0; } .icon-off { background-position: -384px 0; } .icon-signal { background-position: -408px 0; } .icon-cog { background-position: -432px 0; } .icon-trash { background-position: -456px 0; } .icon-home { background-position: 0 -24px; } .icon-file { background-position: -24px -24px; } .icon-time { background-position: -48px -24px; } .icon-road { background-position: -72px -24px; } .icon-download-alt { background-position: -96px -24px; } .icon-download { background-position: -120px -24px; } .icon-upload { background-position: -144px -24px; } .icon-inbox { background-position: -168px -24px; } .icon-play-circle { background-position: -192px -24px; } .icon-repeat { background-position: -216px -24px; } .icon-refresh { background-position: -240px -24px; } .icon-list-alt { background-position: -264px -24px; } .icon-lock { background-position: -287px -24px; } .icon-flag { background-position: -312px -24px; } .icon-headphones { background-position: -336px -24px; } .icon-volume-off { background-position: -360px -24px; } .icon-volume-down { background-position: -384px -24px; } .icon-volume-up { background-position: -408px -24px; } .icon-qrcode { background-position: -432px -24px; } .icon-barcode { background-position: -456px -24px; } .icon-tag { background-position: 0 -48px; } .icon-tags { background-position: -25px -48px; } .icon-book { background-position: -48px -48px; } .icon-bookmark { background-position: -72px -48px; } .icon-print { background-position: -96px -48px; } .icon-camera { background-position: -120px -48px; } .icon-font { background-position: -144px -48px; } .icon-bold { background-position: -167px -48px; } .icon-italic { background-position: -192px -48px; } .icon-text-height { background-position: -216px -48px; } .icon-text-width { background-position: -240px -48px; } .icon-align-left { background-position: -264px -48px; } .icon-align-center { background-position: -288px -48px; } .icon-align-right { background-position: -312px -48px; } .icon-align-justify { background-position: -336px -48px; } .icon-list { background-position: -360px -48px; } .icon-indent-left { background-position: -384px -48px; } .icon-indent-right { background-position: -408px -48px; } .icon-facetime-video { background-position: -432px -48px; } .icon-picture { background-position: -456px -48px; } .icon-pencil { background-position: 0 -72px; } .icon-map-marker { background-position: -24px -72px; } .icon-adjust { background-position: -48px -72px; } .icon-tint { background-position: -72px -72px; } .icon-edit { background-position: -96px -72px; } .icon-share { background-position: -120px -72px; } .icon-check { background-position: -144px -72px; } .icon-move { background-position: -168px -72px; } .icon-step-backward { background-position: -192px -72px; } .icon-fast-backward { background-position: -216px -72px; } .icon-backward { background-position: -240px -72px; } .icon-play { background-position: -264px -72px; } .icon-pause { background-position: -288px -72px; } .icon-stop { background-position: -312px -72px; } .icon-forward { background-position: -336px -72px; } .icon-fast-forward { background-position: -360px -72px; } .icon-step-forward { background-position: -384px -72px; } .icon-eject { background-position: -408px -72px; } .icon-chevron-left { background-position: -432px -72px; } .icon-chevron-right { background-position: -456px -72px; } .icon-plus-sign { background-position: 0 -96px; } .icon-minus-sign { background-position: -24px -96px; } .icon-remove-sign { background-position: -48px -96px; } .icon-ok-sign { background-position: -72px -96px; } .icon-question-sign { background-position: -96px -96px; } .icon-info-sign { background-position: -120px -96px; } .icon-screenshot { background-position: -144px -96px; } .icon-remove-circle { background-position: -168px -96px; } .icon-ok-circle { background-position: -192px -96px; } .icon-ban-circle { background-position: -216px -96px; } .icon-arrow-left { background-position: -240px -96px; } .icon-arrow-right { background-position: -264px -96px; } .icon-arrow-up { background-position: -289px -96px; } .icon-arrow-down { background-position: -312px -96px; } .icon-share-alt { background-position: -336px -96px; } .icon-resize-full { background-position: -360px -96px; } .icon-resize-small { background-position: -384px -96px; } .icon-plus { background-position: -408px -96px; } .icon-minus { background-position: -433px -96px; } .icon-asterisk { background-position: -456px -96px; } .<API key> { background-position: 0 -120px; } .icon-gift { background-position: -24px -120px; } .icon-leaf { background-position: -48px -120px; } .icon-fire { background-position: -72px -120px; } .icon-eye-open { background-position: -96px -120px; } .icon-eye-close { background-position: -120px -120px; } .icon-warning-sign { background-position: -144px -120px; } .icon-plane { background-position: -168px -120px; } .icon-calendar { background-position: -192px -120px; } .icon-random { background-position: -216px -120px; } .icon-comment { background-position: -240px -120px; } .icon-magnet { background-position: -264px -120px; } .icon-chevron-up { background-position: -288px -120px; } .icon-chevron-down { background-position: -313px -119px; } .icon-retweet { background-position: -336px -120px; } .icon-shopping-cart { background-position: -360px -120px; } .icon-folder-close { background-position: -384px -120px; } .icon-folder-open { background-position: -408px -120px; } .<API key> { background-position: -432px -119px; } .<API key> { background-position: -456px -118px; } .icon-hdd { background-position: 0 -144px; } .icon-bullhorn { background-position: -24px -144px; } .icon-bell { background-position: -48px -144px; } .icon-certificate { background-position: -72px -144px; } .icon-thumbs-up { background-position: -96px -144px; } .icon-thumbs-down { background-position: -120px -144px; } .icon-hand-right { background-position: -144px -144px; } .icon-hand-left { background-position: -168px -144px; } .icon-hand-up { background-position: -192px -144px; } .icon-hand-down { background-position: -216px -144px; } .<API key> { background-position: -240px -144px; } .<API key> { background-position: -264px -144px; } .<API key> { background-position: -288px -144px; } .<API key> { background-position: -312px -144px; } .icon-globe { background-position: -336px -144px; } .icon-wrench { background-position: -360px -144px; } .icon-tasks { background-position: -384px -144px; } .icon-filter { background-position: -408px -144px; } .icon-briefcase { background-position: -432px -144px; } .icon-fullscreen { background-position: -456px -144px; } .dropup, .dropdown { position: relative; } .dropdown-toggle { *margin-bottom: -3px; } .dropdown-toggle:active, .open .dropdown-toggle { outline: 0; } .caret { display: inline-block; width: 0; height: 0; vertical-align: top; border-top: 4px solid #000000; border-right: 4px solid transparent; border-left: 4px solid transparent; content: ""; opacity: 0.3; filter: alpha(opacity=30); } .dropdown .caret { margin-top: 8px; margin-left: 2px; } .dropdown:hover .caret, .open .caret { opacity: 1; filter: alpha(opacity=100); } .dropdown-menu { position: absolute; top: 100%; left: 0; z-index: 1000; display: none; float: left; min-width: 160px; padding: 4px 0; margin: 1px 0 0; list-style: none; background-color: #ffffff; border: 1px solid #ccc; border: 1px solid rgba(0, 0, 0, 0.2); *border-right-width: 2px; *border-bottom-width: 2px; -<API key>: 5px; -moz-border-radius: 5px; border-radius: 5px; -webkit-box-shadow: 0 5px 10px rgba(0, 0, 0, 0.2); -moz-box-shadow: 0 5px 10px rgba(0, 0, 0, 0.2); box-shadow: 0 5px 10px rgba(0, 0, 0, 0.2); -<API key>: padding-box; -moz-background-clip: padding; background-clip: padding-box; } .dropdown-menu.pull-right { right: 0; left: auto; } .dropdown-menu .divider { *width: 100%; height: 1px; margin: 8px 1px; *margin: -5px 0 5px; overflow: hidden; background-color: #e5e5e5; border-bottom: 1px solid #ffffff; } .dropdown-menu a { display: block; padding: 3px 15px; clear: both; font-weight: normal; line-height: 18px; color: #333333; white-space: nowrap; } .dropdown-menu li > a:hover, .dropdown-menu .active > a, .dropdown-menu .active > a:hover { color: #ffffff; text-decoration: none; background-color: #0088cc; } .open { *z-index: 1000; } .open .dropdown-menu { display: block; } .pull-right .dropdown-menu { right: 0; left: auto; } .dropup .caret, .navbar-fixed-bottom .dropdown .caret { border-top: 0; border-bottom: 4px solid #000000; content: "\2191"; } .dropup .dropdown-menu, .navbar-fixed-bottom .dropdown .dropdown-menu { top: auto; bottom: 100%; margin-bottom: 1px; } .typeahead { margin-top: 2px; -<API key>: 4px; -moz-border-radius: 4px; border-radius: 4px; } .well { min-height: 20px; padding: 19px; margin-bottom: 20px; background-color: #f5f5f5; border: 1px solid #eee; border: 1px solid rgba(0, 0, 0, 0.05); -<API key>: 4px; -moz-border-radius: 4px; border-radius: 4px; -webkit-box-shadow: inset 0 1px 1px rgba(0, 0, 0, 0.05); -moz-box-shadow: inset 0 1px 1px rgba(0, 0, 0, 0.05); box-shadow: inset 0 1px 1px rgba(0, 0, 0, 0.05); } .well blockquote { border-color: #ddd; border-color: rgba(0, 0, 0, 0.15); } .well-large { padding: 24px; -<API key>: 6px; -moz-border-radius: 6px; border-radius: 6px; } .well-small { padding: 9px; -<API key>: 3px; -moz-border-radius: 3px; border-radius: 3px; } .fade { opacity: 0; filter: alpha(opacity=0); -webkit-transition: opacity 0.15s linear; -moz-transition: opacity 0.15s linear; -ms-transition: opacity 0.15s linear; -o-transition: opacity 0.15s linear; transition: opacity 0.15s linear; } .fade.in { opacity: 1; filter: alpha(opacity=100); } .collapse { position: relative; height: 0; overflow: hidden; -webkit-transition: height 0.35s ease; -moz-transition: height 0.35s ease; -ms-transition: height 0.35s ease; -o-transition: height 0.35s ease; transition: height 0.35s ease; } .collapse.in { height: auto; } .close { float: right; font-size: 20px; font-weight: bold; line-height: 18px; color: #000000; text-shadow: 0 1px 0 #ffffff; opacity: 0.2; filter: alpha(opacity=20); } .close:hover { color: #000000; text-decoration: none; cursor: pointer; opacity: 0.4; filter: alpha(opacity=40); } button.close { padding: 0; cursor: pointer; background: transparent; border: 0; -webkit-appearance: none; } .btn { display: inline-block; *display: inline; /* IE7 inline-block hack */ *zoom: 1; padding: 4px 10px 4px; margin-bottom: 0; font-size: 13px; line-height: 18px; *line-height: 20px; color: #333333; text-align: center; text-shadow: 0 1px 1px rgba(255, 255, 255, 0.75); vertical-align: middle; cursor: pointer; background-color: #f5f5f5; background-image: -moz-linear-gradient(top, #ffffff, #e6e6e6); background-image: -ms-linear-gradient(top, #ffffff, #e6e6e6); background-image: -webkit-gradient(linear, 0 0, 0 100%, from(#ffffff), to(#e6e6e6)); background-image: -<API key>(top, #ffffff, #e6e6e6); background-image: -o-linear-gradient(top, #ffffff, #e6e6e6); background-image: linear-gradient(top, #ffffff, #e6e6e6); background-repeat: repeat-x; filter: progid:DXImageTransform.Microsoft.gradient(startColorstr='#ffffff', endColorstr='#e6e6e6', GradientType=0); border-color: #e6e6e6 #e6e6e6 #bfbfbf; border-color: rgba(0, 0, 0, 0.1) rgba(0, 0, 0, 0.1) rgba(0, 0, 0, 0.25); *background-color: #e6e6e6; /* Darken IE7 buttons by default so they stand out more given they won't have borders */ filter: progid:DXImageTransform.Microsoft.gradient(enabled = false); border: 1px solid #cccccc; *border: 0; border-bottom-color: #b3b3b3; -<API key>: 4px; -moz-border-radius: 4px; border-radius: 4px; *margin-left: .3em; -webkit-box-shadow: inset 0 1px 0 rgba(255,255,255,.2), 0 1px 2px rgba(0,0,0,.05); -moz-box-shadow: inset 0 1px 0 rgba(255,255,255,.2), 0 1px 2px rgba(0,0,0,.05); box-shadow: inset 0 1px 0 rgba(255,255,255,.2), 0 1px 2px rgba(0,0,0,.05); } .btn:hover, .btn:active, .btn.active, .btn.disabled, .btn[disabled] { background-color: #e6e6e6; *background-color: #d9d9d9; } .btn:active, .btn.active { background-color: #cccccc \9; } .btn:first-child { *margin-left: 0; } .btn:hover { color: #333333; text-decoration: none; background-color: #e6e6e6; *background-color: #d9d9d9; /* Buttons in IE7 don't get borders, so darken on hover */ background-position: 0 -15px; -webkit-transition: background-position 0.1s linear; -moz-transition: background-position 0.1s linear; -ms-transition: background-position 0.1s linear; -o-transition: background-position 0.1s linear; transition: background-position 0.1s linear; } .btn:focus { outline: thin dotted #333; outline: 5px auto -<API key>; outline-offset: -2px; } .btn.active, .btn:active { background-color: #e6e6e6; background-color: #d9d9d9 \9; background-image: none; outline: 0; -webkit-box-shadow: inset 0 2px 4px rgba(0,0,0,.15), 0 1px 2px rgba(0,0,0,.05); -moz-box-shadow: inset 0 2px 4px rgba(0,0,0,.15), 0 1px 2px rgba(0,0,0,.05); box-shadow: inset 0 2px 4px rgba(0,0,0,.15), 0 1px 2px rgba(0,0,0,.05); } .btn.disabled, .btn[disabled] { cursor: default; background-color: #e6e6e6; background-image: none; opacity: 0.65; filter: alpha(opacity=65); -webkit-box-shadow: none; -moz-box-shadow: none; box-shadow: none; } .btn-large { padding: 9px 14px; font-size: 15px; line-height: normal; -<API key>: 5px; -moz-border-radius: 5px; border-radius: 5px; } .btn-large [class^="icon-"] { margin-top: 1px; } .btn-small { padding: 5px 9px; font-size: 11px; line-height: 16px; } .btn-small [class^="icon-"] { margin-top: -1px; } .btn-mini { padding: 2px 6px; font-size: 11px; line-height: 14px; } .btn-primary, .btn-primary:hover, .btn-warning, .btn-warning:hover, .btn-danger, .btn-danger:hover, .btn-success, .btn-success:hover, .btn-info, .btn-info:hover, .btn-inverse, .btn-inverse:hover { color: #ffffff; text-shadow: 0 -1px 0 rgba(0, 0, 0, 0.25); } .btn-primary.active, .btn-warning.active, .btn-danger.active, .btn-success.active, .btn-info.active, .btn-inverse.active { color: rgba(255, 255, 255, 0.75); } .btn { border-color: #ccc; border-color: rgba(0, 0, 0, 0.1) rgba(0, 0, 0, 0.1) rgba(0, 0, 0, 0.25); } .btn-primary { background-color: #0074cc; background-image: -moz-linear-gradient(top, #0088cc, #0055cc); background-image: -ms-linear-gradient(top, #0088cc, #0055cc); background-image: -webkit-gradient(linear, 0 0, 0 100%, from(#0088cc), to(#0055cc)); background-image: -<API key>(top, #0088cc, #0055cc); background-image: -o-linear-gradient(top, #0088cc, #0055cc); background-image: linear-gradient(top, #0088cc, #0055cc); background-repeat: repeat-x; filter: progid:DXImageTransform.Microsoft.gradient(startColorstr='#0088cc', endColorstr='#0055cc', GradientType=0); border-color: #0055cc #0055cc #003580; border-color: rgba(0, 0, 0, 0.1) rgba(0, 0, 0, 0.1) rgba(0, 0, 0, 0.25); *background-color: #0055cc; /* Darken IE7 buttons by default so they stand out more given they won't have borders */ filter: progid:DXImageTransform.Microsoft.gradient(enabled = false); } .btn-primary:hover, .btn-primary:active, .btn-primary.active, .btn-primary.disabled, .btn-primary[disabled] { background-color: #0055cc; *background-color: #004ab3; } .btn-primary:active, .btn-primary.active { background-color: #004099 \9; } .btn-warning { background-color: #faa732; background-image: -moz-linear-gradient(top, #fbb450, #f89406); background-image: -ms-linear-gradient(top, #fbb450, #f89406); background-image: -webkit-gradient(linear, 0 0, 0 100%, from(#fbb450), to(#f89406)); background-image: -<API key>(top, #fbb450, #f89406); background-image: -o-linear-gradient(top, #fbb450, #f89406); background-image: linear-gradient(top, #fbb450, #f89406); background-repeat: repeat-x; filter: progid:DXImageTransform.Microsoft.gradient(startColorstr='#fbb450', endColorstr='#f89406', GradientType=0); border-color: #f89406 #f89406 #ad6704; border-color: rgba(0, 0, 0, 0.1) rgba(0, 0, 0, 0.1) rgba(0, 0, 0, 0.25); *background-color: #f89406; /* Darken IE7 buttons by default so they stand out more given they won't have borders */ filter: progid:DXImageTransform.Microsoft.gradient(enabled = false); } .btn-warning:hover, .btn-warning:active, .btn-warning.active, .btn-warning.disabled, .btn-warning[disabled] { background-color: #f89406; *background-color: #df8505; } .btn-warning:active, .btn-warning.active { background-color: #c67605 \9; } .btn-danger { background-color: #da4f49; background-image: -moz-linear-gradient(top, #ee5f5b, #bd362f); background-image: -ms-linear-gradient(top, #ee5f5b, #bd362f); background-image: -webkit-gradient(linear, 0 0, 0 100%, from(#ee5f5b), to(#bd362f)); background-image: -<API key>(top, #ee5f5b, #bd362f); background-image: -o-linear-gradient(top, #ee5f5b, #bd362f); background-image: linear-gradient(top, #ee5f5b, #bd362f); background-repeat: repeat-x; filter: progid:DXImageTransform.Microsoft.gradient(startColorstr='#ee5f5b', endColorstr='#bd362f', GradientType=0); border-color: #bd362f #bd362f #802420; border-color: rgba(0, 0, 0, 0.1) rgba(0, 0, 0, 0.1) rgba(0, 0, 0, 0.25); *background-color: #bd362f; /* Darken IE7 buttons by default so they stand out more given they won't have borders */ filter: progid:DXImageTransform.Microsoft.gradient(enabled = false); } .btn-danger:hover, .btn-danger:active, .btn-danger.active, .btn-danger.disabled, .btn-danger[disabled] { background-color: #bd362f; *background-color: #a9302a; } .btn-danger:active, .btn-danger.active { background-color: #942a25 \9; } .btn-success { background-color: #5bb75b; background-image: -moz-linear-gradient(top, #62c462, #51a351); background-image: -ms-linear-gradient(top, #62c462, #51a351); background-image: -webkit-gradient(linear, 0 0, 0 100%, from(#62c462), to(#51a351)); background-image: -<API key>(top, #62c462, #51a351); background-image: -o-linear-gradient(top, #62c462, #51a351); background-image: linear-gradient(top, #62c462, #51a351); background-repeat: repeat-x; filter: progid:DXImageTransform.Microsoft.gradient(startColorstr='#62c462', endColorstr='#51a351', GradientType=0); border-color: #51a351 #51a351 #387038; border-color: rgba(0, 0, 0, 0.1) rgba(0, 0, 0, 0.1) rgba(0, 0, 0, 0.25); *background-color: #51a351; /* Darken IE7 buttons by default so they stand out more given they won't have borders */ filter: progid:DXImageTransform.Microsoft.gradient(enabled = false); } .btn-success:hover, .btn-success:active, .btn-success.active, .btn-success.disabled, .btn-success[disabled] { background-color: #51a351; *background-color: #499249; } .btn-success:active, .btn-success.active { background-color: #408140 \9; } .btn-info { background-color: #49afcd; background-image: -moz-linear-gradient(top, #5bc0de, #2f96b4); background-image: -ms-linear-gradient(top, #5bc0de, #2f96b4); background-image: -webkit-gradient(linear, 0 0, 0 100%, from(#5bc0de), to(#2f96b4)); background-image: -<API key>(top, #5bc0de, #2f96b4); background-image: -o-linear-gradient(top, #5bc0de, #2f96b4); background-image: linear-gradient(top, #5bc0de, #2f96b4); background-repeat: repeat-x; filter: progid:DXImageTransform.Microsoft.gradient(startColorstr='#5bc0de', endColorstr='#2f96b4', GradientType=0); border-color: #2f96b4 #2f96b4 #1f6377; border-color: rgba(0, 0, 0, 0.1) rgba(0, 0, 0, 0.1) rgba(0, 0, 0, 0.25); *background-color: #2f96b4; /* Darken IE7 buttons by default so they stand out more given they won't have borders */ filter: progid:DXImageTransform.Microsoft.gradient(enabled = false); } .btn-info:hover, .btn-info:active, .btn-info.active, .btn-info.disabled, .btn-info[disabled] { background-color: #2f96b4; *background-color: #2a85a0; } .btn-info:active, .btn-info.active { background-color: #24748c \9; } .btn-inverse { background-color: #414141; background-image: -moz-linear-gradient(top, #555555, #222222); background-image: -ms-linear-gradient(top, #555555, #222222); background-image: -webkit-gradient(linear, 0 0, 0 100%, from(#555555), to(#222222)); background-image: -<API key>(top, #555555, #222222); background-image: -o-linear-gradient(top, #555555, #222222); background-image: linear-gradient(top, #555555, #222222); background-repeat: repeat-x; filter: progid:DXImageTransform.Microsoft.gradient(startColorstr='#555555', endColorstr='#222222', GradientType=0); border-color: #222222 #222222 #000000; border-color: rgba(0, 0, 0, 0.1) rgba(0, 0, 0, 0.1) rgba(0, 0, 0, 0.25); *background-color: #222222; /* Darken IE7 buttons by default so they stand out more given they won't have borders */ filter: progid:DXImageTransform.Microsoft.gradient(enabled = false); } .btn-inverse:hover, .btn-inverse:active, .btn-inverse.active, .btn-inverse.disabled, .btn-inverse[disabled] { background-color: #222222; *background-color: #151515; } .btn-inverse:active, .btn-inverse.active { background-color: #080808 \9; } button.btn, input[type="submit"].btn { *padding-top: 2px; *padding-bottom: 2px; } button.btn::-moz-focus-inner, input[type="submit"].btn::-moz-focus-inner { padding: 0; border: 0; } button.btn.btn-large, input[type="submit"].btn.btn-large { *padding-top: 7px; *padding-bottom: 7px; } button.btn.btn-small, input[type="submit"].btn.btn-small { *padding-top: 3px; *padding-bottom: 3px; } button.btn.btn-mini, input[type="submit"].btn.btn-mini { *padding-top: 1px; *padding-bottom: 1px; } .btn-group { position: relative; *zoom: 1; *margin-left: .3em; } .btn-group:before, .btn-group:after { display: table; content: ""; } .btn-group:after { clear: both; } .btn-group:first-child { *margin-left: 0; } .btn-group + .btn-group { margin-left: 5px; } .btn-toolbar { margin-top: 9px; margin-bottom: 9px; } .btn-toolbar .btn-group { display: inline-block; *display: inline; /* IE7 inline-block hack */ *zoom: 1; } .btn-group > .btn { position: relative; float: left; margin-left: -1px; -<API key>: 0; -moz-border-radius: 0; border-radius: 0; } .btn-group > .btn:first-child { margin-left: 0; -<API key>: 4px; -<API key>: 4px; <API key>: 4px; -<API key>: 4px; -<API key>: 4px; <API key>: 4px; } .btn-group > .btn:last-child, .btn-group > .dropdown-toggle { -<API key>: 4px; -<API key>: 4px; <API key>: 4px; -<API key>: 4px; -<API key>: 4px; <API key>: 4px; } .btn-group > .btn.large:first-child { margin-left: 0; -<API key>: 6px; -<API key>: 6px; <API key>: 6px; -<API key>: 6px; -<API key>: 6px; <API key>: 6px; } .btn-group > .btn.large:last-child, .btn-group > .large.dropdown-toggle { -<API key>: 6px; -<API key>: 6px; <API key>: 6px; -<API key>: 6px; -<API key>: 6px; <API key>: 6px; } .btn-group > .btn:hover, .btn-group > .btn:focus, .btn-group > .btn:active, .btn-group > .btn.active { z-index: 2; } .btn-group .dropdown-toggle:active, .btn-group.open .dropdown-toggle { outline: 0; } .btn-group > .dropdown-toggle { padding-left: 8px; padding-right: 8px; -webkit-box-shadow: inset 1px 0 0 rgba(255,255,255,.125), inset 0 1px 0 rgba(255,255,255,.2), 0 1px 2px rgba(0,0,0,.05); -moz-box-shadow: inset 1px 0 0 rgba(255,255,255,.125), inset 0 1px 0 rgba(255,255,255,.2), 0 1px 2px rgba(0,0,0,.05); box-shadow: inset 1px 0 0 rgba(255,255,255,.125), inset 0 1px 0 rgba(255,255,255,.2), 0 1px 2px rgba(0,0,0,.05); *padding-top: 4px; *padding-bottom: 4px; } .btn-group > .btn-mini.dropdown-toggle { padding-left: 5px; padding-right: 5px; } .btn-group > .btn-small.dropdown-toggle { *padding-top: 4px; *padding-bottom: 4px; } .btn-group > .btn-large.dropdown-toggle { padding-left: 12px; padding-right: 12px; } .btn-group.open .dropdown-toggle { background-image: none; -webkit-box-shadow: inset 0 2px 4px rgba(0,0,0,.15), 0 1px 2px rgba(0,0,0,.05); -moz-box-shadow: inset 0 2px 4px rgba(0,0,0,.15), 0 1px 2px rgba(0,0,0,.05); box-shadow: inset 0 2px 4px rgba(0,0,0,.15), 0 1px 2px rgba(0,0,0,.05); } .btn-group.open .btn.dropdown-toggle { background-color: #e6e6e6; } .btn-group.open .btn-primary.dropdown-toggle { background-color: #0055cc; } .btn-group.open .btn-warning.dropdown-toggle { background-color: #f89406; } .btn-group.open .btn-danger.dropdown-toggle { background-color: #bd362f; } .btn-group.open .btn-success.dropdown-toggle { background-color: #51a351; } .btn-group.open .btn-info.dropdown-toggle { background-color: #2f96b4; } .btn-group.open .btn-inverse.dropdown-toggle { background-color: #222222; } .btn .caret { margin-top: 7px; margin-left: 0; } .btn:hover .caret, .open.btn-group .caret { opacity: 1; filter: alpha(opacity=100); } .btn-mini .caret { margin-top: 5px; } .btn-small .caret { margin-top: 6px; } .btn-large .caret { margin-top: 6px; border-left-width: 5px; border-right-width: 5px; border-top-width: 5px; } .dropup .btn-large .caret { border-bottom: 5px solid #000000; border-top: 0; } .btn-primary .caret, .btn-warning .caret, .btn-danger .caret, .btn-info .caret, .btn-success .caret, .btn-inverse .caret { border-top-color: #ffffff; border-bottom-color: #ffffff; opacity: 0.75; filter: alpha(opacity=75); } .alert { padding: 8px 35px 8px 14px; margin-bottom: 18px; text-shadow: 0 1px 0 rgba(255, 255, 255, 0.5); background-color: #fcf8e3; border: 1px solid #fbeed5; -<API key>: 4px; -moz-border-radius: 4px; border-radius: 4px; color: #c09853; } .alert-heading { color: inherit; } .alert .close { position: relative; top: -2px; right: -21px; line-height: 18px; } .alert-success { background-color: #dff0d8; border-color: #d6e9c6; color: #468847; } .alert-danger, .alert-error { background-color: #f2dede; border-color: #eed3d7; color: #b94a48; } .alert-info { background-color: #d9edf7; border-color: #bce8f1; color: #3a87ad; } .alert-block { padding-top: 14px; padding-bottom: 14px; } .alert-block > p, .alert-block > ul { margin-bottom: 0; } .alert-block p + p { margin-top: 5px; } .nav { margin-left: 0; margin-bottom: 18px; list-style: none; } .nav > li > a { display: block; } .nav > li > a:hover { text-decoration: none; background-color: #eeeeee; } .nav > .pull-right { float: right; } .nav .nav-header { display: block; padding: 3px 15px; font-size: 11px; font-weight: bold; line-height: 18px; color: #999999; text-shadow: 0 1px 0 rgba(255, 255, 255, 0.5); text-transform: uppercase; } .nav li + .nav-header { margin-top: 9px; } .nav-list { padding-left: 15px; padding-right: 15px; margin-bottom: 0; } .nav-list > li > a, .nav-list .nav-header { margin-left: -15px; margin-right: -15px; text-shadow: 0 1px 0 rgba(255, 255, 255, 0.5); } .nav-list > li > a { padding: 3px 15px; } .nav-list > .active > a, .nav-list > .active > a:hover { color: #ffffff; text-shadow: 0 -1px 0 rgba(0, 0, 0, 0.2); background-color: #0088cc; } .nav-list [class^="icon-"] { margin-right: 2px; } .nav-list .divider { *width: 100%; height: 1px; margin: 8px 1px; *margin: -5px 0 5px; overflow: hidden; background-color: #e5e5e5; border-bottom: 1px solid #ffffff; } .nav-tabs, .nav-pills { *zoom: 1; } .nav-tabs:before, .nav-pills:before, .nav-tabs:after, .nav-pills:after { display: table; content: ""; } .nav-tabs:after, .nav-pills:after { clear: both; } .nav-tabs > li, .nav-pills > li { float: left; } .nav-tabs > li > a, .nav-pills > li > a { padding-right: 12px; padding-left: 12px; margin-right: 2px; line-height: 14px; } .nav-tabs { border-bottom: 1px solid #ddd; } .nav-tabs > li { margin-bottom: -1px; } .nav-tabs > li > a { padding-top: 8px; padding-bottom: 8px; line-height: 18px; border: 1px solid transparent; -<API key>: 4px 4px 0 0; -moz-border-radius: 4px 4px 0 0; border-radius: 4px 4px 0 0; } .nav-tabs > li > a:hover { border-color: #eeeeee #eeeeee #dddddd; } .nav-tabs > .active > a, .nav-tabs > .active > a:hover { color: #555555; background-color: #ffffff; border: 1px solid #ddd; border-bottom-color: transparent; cursor: default; } .nav-pills > li > a { padding-top: 8px; padding-bottom: 8px; margin-top: 2px; margin-bottom: 2px; -<API key>: 5px; -moz-border-radius: 5px; border-radius: 5px; } .nav-pills > .active > a, .nav-pills > .active > a:hover { color: #ffffff; background-color: #0088cc; } .nav-stacked > li { float: none; } .nav-stacked > li > a { margin-right: 0; } .nav-tabs.nav-stacked { border-bottom: 0; } .nav-tabs.nav-stacked > li > a { border: 1px solid #ddd; -<API key>: 0; -moz-border-radius: 0; border-radius: 0; } .nav-tabs.nav-stacked > li:first-child > a { -<API key>: 4px 4px 0 0; -moz-border-radius: 4px 4px 0 0; border-radius: 4px 4px 0 0; } .nav-tabs.nav-stacked > li:last-child > a { -<API key>: 0 0 4px 4px; -moz-border-radius: 0 0 4px 4px; border-radius: 0 0 4px 4px; } .nav-tabs.nav-stacked > li > a:hover { border-color: #ddd; z-index: 2; } .nav-pills.nav-stacked > li > a { margin-bottom: 3px; } .nav-pills.nav-stacked > li:last-child > a { margin-bottom: 1px; } .nav-tabs .dropdown-menu { -<API key>: 0 0 5px 5px; -moz-border-radius: 0 0 5px 5px; border-radius: 0 0 5px 5px; } .nav-pills .dropdown-menu { -<API key>: 4px; -moz-border-radius: 4px; border-radius: 4px; } .nav-tabs .dropdown-toggle .caret, .nav-pills .dropdown-toggle .caret { border-top-color: #0088cc; border-bottom-color: #0088cc; margin-top: 6px; } .nav-tabs .dropdown-toggle:hover .caret, .nav-pills .dropdown-toggle:hover .caret { border-top-color: #005580; border-bottom-color: #005580; } .nav-tabs .active .dropdown-toggle .caret, .nav-pills .active .dropdown-toggle .caret { border-top-color: #333333; border-bottom-color: #333333; } .nav > .dropdown.active > a:hover { color: #000000; cursor: pointer; } .nav-tabs .open .dropdown-toggle, .nav-pills .open .dropdown-toggle, .nav > li.dropdown.open.active > a:hover { color: #ffffff; background-color: #999999; border-color: #999999; } .nav li.dropdown.open .caret, .nav li.dropdown.open.active .caret, .nav li.dropdown.open a:hover .caret { border-top-color: #ffffff; border-bottom-color: #ffffff; opacity: 1; filter: alpha(opacity=100); } .tabs-stacked .open > a:hover { border-color: #999999; } .tabbable { *zoom: 1; } .tabbable:before, .tabbable:after { display: table; content: ""; } .tabbable:after { clear: both; } .tab-content { overflow: auto; } .tabs-below > .nav-tabs, .tabs-right > .nav-tabs, .tabs-left > .nav-tabs { border-bottom: 0; } .tab-content > .tab-pane, .pill-content > .pill-pane { display: none; } .tab-content > .active, .pill-content > .active { display: block; } .tabs-below > .nav-tabs { border-top: 1px solid #ddd; } .tabs-below > .nav-tabs > li { margin-top: -1px; margin-bottom: 0; } .tabs-below > .nav-tabs > li > a { -<API key>: 0 0 4px 4px; -moz-border-radius: 0 0 4px 4px; border-radius: 0 0 4px 4px; } .tabs-below > .nav-tabs > li > a:hover { border-bottom-color: transparent; border-top-color: #ddd; } .tabs-below > .nav-tabs > .active > a, .tabs-below > .nav-tabs > .active > a:hover { border-color: transparent #ddd #ddd #ddd; } .tabs-left > .nav-tabs > li, .tabs-right > .nav-tabs > li { float: none; } .tabs-left > .nav-tabs > li > a, .tabs-right > .nav-tabs > li > a { min-width: 74px; margin-right: 0; margin-bottom: 3px; } .tabs-left > .nav-tabs { float: left; margin-right: 19px; border-right: 1px solid #ddd; } .tabs-left > .nav-tabs > li > a { margin-right: -1px; -<API key>: 4px 0 0 4px; -moz-border-radius: 4px 0 0 4px; border-radius: 4px 0 0 4px; } .tabs-left > .nav-tabs > li > a:hover { border-color: #eeeeee #dddddd #eeeeee #eeeeee; } .tabs-left > .nav-tabs .active > a, .tabs-left > .nav-tabs .active > a:hover { border-color: #ddd transparent #ddd #ddd; *border-right-color: #ffffff; } .tabs-right > .nav-tabs { float: right; margin-left: 19px; border-left: 1px solid #ddd; } .tabs-right > .nav-tabs > li > a { margin-left: -1px; -<API key>: 0 4px 4px 0; -moz-border-radius: 0 4px 4px 0; border-radius: 0 4px 4px 0; } .tabs-right > .nav-tabs > li > a:hover { border-color: #eeeeee #eeeeee #eeeeee #dddddd; } .tabs-right > .nav-tabs .active > a, .tabs-right > .nav-tabs .active > a:hover { border-color: #ddd #ddd #ddd transparent; *border-left-color: #ffffff; } .navbar { *position: relative; *z-index: 2; overflow: visible; margin-bottom: 18px; } .navbar-inner { min-height: 40px; padding-left: 20px; padding-right: 20px; background-color: #2c2c2c; background-image: -moz-linear-gradient(top, #333333, #222222); background-image: -ms-linear-gradient(top, #333333, #222222); background-image: -webkit-gradient(linear, 0 0, 0 100%, from(#333333), to(#222222)); background-image: -<API key>(top, #333333, #222222); background-image: -o-linear-gradient(top, #333333, #222222); background-image: linear-gradient(top, #333333, #222222); background-repeat: repeat-x; filter: progid:DXImageTransform.Microsoft.gradient(startColorstr='#333333', endColorstr='#222222', GradientType=0); -<API key>: 4px; -moz-border-radius: 4px; border-radius: 4px; -webkit-box-shadow: 0 1px 3px rgba(0,0,0,.25), inset 0 -1px 0 rgba(0,0,0,.1); -moz-box-shadow: 0 1px 3px rgba(0,0,0,.25), inset 0 -1px 0 rgba(0,0,0,.1); box-shadow: 0 1px 3px rgba(0,0,0,.25), inset 0 -1px 0 rgba(0,0,0,.1); } .nav-collapse.collapse { height: auto; } .navbar { color: #999999; } .navbar .brand:hover { text-decoration: none; } .navbar .brand { float: left; display: block; padding: 8px 20px 12px; margin-left: -20px; font-size: 20px; font-weight: 200; line-height: 1; color: #999999; } .navbar .navbar-text { margin-bottom: 0; line-height: 40px; } .navbar .navbar-link { color: #999999; } .navbar .navbar-link:hover { color: #ffffff; } .navbar .btn, .navbar .btn-group { margin-top: 5px; } .navbar .btn-group .btn { margin: 0; } .navbar-form { margin-bottom: 0; *zoom: 1; } .navbar-form:before, .navbar-form:after { display: table; content: ""; } .navbar-form:after { clear: both; } .navbar-form input, .navbar-form select, .navbar-form .radio, .navbar-form .checkbox { margin-top: 5px; } .navbar-form input, .navbar-form select { display: inline-block; margin-bottom: 0; } .navbar-form input[type="image"], .navbar-form input[type="checkbox"], .navbar-form input[type="radio"] { margin-top: 3px; } .navbar-form .input-append, .navbar-form .input-prepend { margin-top: 6px; white-space: nowrap; } .navbar-form .input-append input, .navbar-form .input-prepend input { margin-top: 0; } .navbar-search { position: relative; float: left; margin-top: 6px; margin-bottom: 0; } .navbar-search .search-query { padding: 4px 9px; font-family: "Helvetica Neue", Helvetica, Arial, sans-serif; font-size: 13px; font-weight: normal; line-height: 1; color: #ffffff; background-color: #626262; border: 1px solid #151515; -webkit-box-shadow: inset 0 1px 2px rgba(0,0,0,.1), 0 1px 0px rgba(255,255,255,.15); -moz-box-shadow: inset 0 1px 2px rgba(0,0,0,.1), 0 1px 0px rgba(255,255,255,.15); box-shadow: inset 0 1px 2px rgba(0,0,0,.1), 0 1px 0px rgba(255,255,255,.15); -webkit-transition: none; -moz-transition: none; -ms-transition: none; -o-transition: none; transition: none; } .navbar-search .search-query:-moz-placeholder { color: #cccccc; } .navbar-search .search-query::-<API key> { color: #cccccc; } .navbar-search .search-query:focus, .navbar-search .search-query.focused { padding: 5px 10px; color: #333333; text-shadow: 0 1px 0 #ffffff; background-color: #ffffff; border: 0; -webkit-box-shadow: 0 0 3px rgba(0, 0, 0, 0.15); -moz-box-shadow: 0 0 3px rgba(0, 0, 0, 0.15); box-shadow: 0 0 3px rgba(0, 0, 0, 0.15); outline: 0; } .navbar-fixed-top, .navbar-fixed-bottom { position: fixed; right: 0; left: 0; z-index: 1030; margin-bottom: 0; } .navbar-fixed-top .navbar-inner, .navbar-fixed-bottom .navbar-inner { padding-left: 0; padding-right: 0; -<API key>: 0; -moz-border-radius: 0; border-radius: 0; } .navbar-fixed-top .container, .navbar-fixed-bottom .container { width: 940px; } .navbar-fixed-top { top: 0; } .navbar-fixed-bottom { bottom: 0; } .navbar .nav { position: relative; left: 0; display: block; float: left; margin: 0 10px 0 0; } .navbar .nav.pull-right { float: right; } .navbar .nav > li { display: block; float: left; } .navbar .nav > li > a { float: none; padding: 9px 10px 11px; line-height: 19px; color: #999999; text-decoration: none; text-shadow: 0 -1px 0 rgba(0, 0, 0, 0.25); } .navbar .btn { display: inline-block; padding: 4px 10px 4px; margin: 5px 5px 6px; line-height: 18px; } .navbar .btn-group { margin: 0; padding: 5px 5px 6px; } .navbar .nav > li > a:hover { background-color: transparent; color: #ffffff; text-decoration: none; } .navbar .nav .active > a, .navbar .nav .active > a:hover { color: #ffffff; text-decoration: none; background-color: #222222; } .navbar .divider-vertical { height: 40px; width: 1px; margin: 0 9px; overflow: hidden; background-color: #222222; border-right: 1px solid #333333; } .navbar .nav.pull-right { margin-left: 10px; margin-right: 0; } .navbar .btn-navbar { display: none; float: right; padding: 7px 10px; margin-left: 5px; margin-right: 5px; background-color: #2c2c2c; background-image: -moz-linear-gradient(top, #333333, #222222); background-image: -ms-linear-gradient(top, #333333, #222222); background-image: -webkit-gradient(linear, 0 0, 0 100%, from(#333333), to(#222222)); background-image: -<API key>(top, #333333, #222222); background-image: -o-linear-gradient(top, #333333, #222222); background-image: linear-gradient(top, #333333, #222222); background-repeat: repeat-x; filter: progid:DXImageTransform.Microsoft.gradient(startColorstr='#333333', endColorstr='#222222', GradientType=0); border-color: #222222 #222222 #000000; border-color: rgba(0, 0, 0, 0.1) rgba(0, 0, 0, 0.1) rgba(0, 0, 0, 0.25); *background-color: #222222; /* Darken IE7 buttons by default so they stand out more given they won't have borders */ filter: progid:DXImageTransform.Microsoft.gradient(enabled = false); -webkit-box-shadow: inset 0 1px 0 rgba(255,255,255,.1), 0 1px 0 rgba(255,255,255,.075); -moz-box-shadow: inset 0 1px 0 rgba(255,255,255,.1), 0 1px 0 rgba(255,255,255,.075); box-shadow: inset 0 1px 0 rgba(255,255,255,.1), 0 1px 0 rgba(255,255,255,.075); } .navbar .btn-navbar:hover, .navbar .btn-navbar:active, .navbar .btn-navbar.active, .navbar .btn-navbar.disabled, .navbar .btn-navbar[disabled] { background-color: #222222; *background-color: #151515; } .navbar .btn-navbar:active, .navbar .btn-navbar.active { background-color: #080808 \9; } .navbar .btn-navbar .icon-bar { display: block; width: 18px; height: 2px; background-color: #f5f5f5; -<API key>: 1px; -moz-border-radius: 1px; border-radius: 1px; -webkit-box-shadow: 0 1px 0 rgba(0, 0, 0, 0.25); -moz-box-shadow: 0 1px 0 rgba(0, 0, 0, 0.25); box-shadow: 0 1px 0 rgba(0, 0, 0, 0.25); } .btn-navbar .icon-bar + .icon-bar { margin-top: 3px; } .navbar .dropdown-menu:before { content: ''; display: inline-block; border-left: 7px solid transparent; border-right: 7px solid transparent; border-bottom: 7px solid #ccc; border-bottom-color: rgba(0, 0, 0, 0.2); position: absolute; top: -7px; left: 9px; } .navbar .dropdown-menu:after { content: ''; display: inline-block; border-left: 6px solid transparent; border-right: 6px solid transparent; border-bottom: 6px solid #ffffff; position: absolute; top: -6px; left: 10px; } .navbar-fixed-bottom .dropdown-menu:before { border-top: 7px solid #ccc; border-top-color: rgba(0, 0, 0, 0.2); border-bottom: 0; bottom: -7px; top: auto; } .navbar-fixed-bottom .dropdown-menu:after { border-top: 6px solid #ffffff; border-bottom: 0; bottom: -6px; top: auto; } .navbar .nav li.dropdown .dropdown-toggle .caret, .navbar .nav li.dropdown.open .caret { border-top-color: #ffffff; border-bottom-color: #ffffff; } .navbar .nav li.dropdown.active .caret { opacity: 1; filter: alpha(opacity=100); } .navbar .nav li.dropdown.open > .dropdown-toggle, .navbar .nav li.dropdown.active > .dropdown-toggle, .navbar .nav li.dropdown.open.active > .dropdown-toggle { background-color: transparent; } .navbar .nav li.dropdown.active > .dropdown-toggle:hover { color: #ffffff; } .navbar .pull-right .dropdown-menu, .navbar .dropdown-menu.pull-right { left: auto; right: 0; } .navbar .pull-right .dropdown-menu:before, .navbar .dropdown-menu.pull-right:before { left: auto; right: 12px; } .navbar .pull-right .dropdown-menu:after, .navbar .dropdown-menu.pull-right:after { left: auto; right: 13px; } .breadcrumb { padding: 7px 14px; margin: 0 0 18px; list-style: none; background-color: #fbfbfb; background-image: -moz-linear-gradient(top, #ffffff, #f5f5f5); background-image: -ms-linear-gradient(top, #ffffff, #f5f5f5); background-image: -webkit-gradient(linear, 0 0, 0 100%, from(#ffffff), to(#f5f5f5)); background-image: -<API key>(top, #ffffff, #f5f5f5); background-image: -o-linear-gradient(top, #ffffff, #f5f5f5); background-image: linear-gradient(top, #ffffff, #f5f5f5); background-repeat: repeat-x; filter: progid:DXImageTransform.Microsoft.gradient(startColorstr='#ffffff', endColorstr='#f5f5f5', GradientType=0); border: 1px solid #ddd; -<API key>: 3px; -moz-border-radius: 3px; border-radius: 3px; -webkit-box-shadow: inset 0 1px 0 #ffffff; -moz-box-shadow: inset 0 1px 0 #ffffff; box-shadow: inset 0 1px 0 #ffffff; } .breadcrumb li { display: inline-block; *display: inline; /* IE7 inline-block hack */ *zoom: 1; text-shadow: 0 1px 0 #ffffff; } .breadcrumb .divider { padding: 0 5px; color: #999999; } .breadcrumb .active a { color: #333333; } .pagination { height: 36px; margin: 18px 0; } .pagination ul { display: inline-block; *display: inline; /* IE7 inline-block hack */ *zoom: 1; margin-left: 0; margin-bottom: 0; -<API key>: 3px; -moz-border-radius: 3px; border-radius: 3px; -webkit-box-shadow: 0 1px 2px rgba(0, 0, 0, 0.05); -moz-box-shadow: 0 1px 2px rgba(0, 0, 0, 0.05); box-shadow: 0 1px 2px rgba(0, 0, 0, 0.05); } .pagination li { display: inline; } .pagination a { float: left; padding: 0 14px; line-height: 34px; text-decoration: none; border: 1px solid #ddd; border-left-width: 0; } .pagination a:hover, .pagination .active a { background-color: #f5f5f5; } .pagination .active a { color: #999999; cursor: default; } .pagination .disabled span, .pagination .disabled a, .pagination .disabled a:hover { color: #999999; background-color: transparent; cursor: default; } .pagination li:first-child a { border-left-width: 1px; -<API key>: 3px 0 0 3px; -moz-border-radius: 3px 0 0 3px; border-radius: 3px 0 0 3px; } .pagination li:last-child a { -<API key>: 0 3px 3px 0; -moz-border-radius: 0 3px 3px 0; border-radius: 0 3px 3px 0; } .pagination-centered { text-align: center; } .pagination-right { text-align: right; } .pager { margin-left: 0; margin-bottom: 18px; list-style: none; text-align: center; *zoom: 1; } .pager:before, .pager:after { display: table; content: ""; } .pager:after { clear: both; } .pager li { display: inline; } .pager a { display: inline-block; padding: 5px 14px; background-color: #fff; border: 1px solid #ddd; -<API key>: 15px; -moz-border-radius: 15px; border-radius: 15px; } .pager a:hover { text-decoration: none; background-color: #f5f5f5; } .pager .next a { float: right; } .pager .previous a { float: left; } .pager .disabled a, .pager .disabled a:hover { color: #999999; background-color: #fff; cursor: default; } .modal-open .dropdown-menu { z-index: 2050; } .modal-open .dropdown.open { *z-index: 2050; } .modal-open .popover { z-index: 2060; } .modal-open .tooltip { z-index: 2070; } .modal-backdrop { position: fixed; top: 0; right: 0; bottom: 0; left: 0; z-index: 1040; background-color: #000000; } .modal-backdrop.fade { opacity: 0; } .modal-backdrop, .modal-backdrop.fade.in { opacity: 0.8; filter: alpha(opacity=80); } .modal { position: fixed; top: 50%; left: 50%; z-index: 1050; overflow: auto; width: 560px; margin: -250px 0 0 -280px; background-color: #ffffff; border: 1px solid #999; border: 1px solid rgba(0, 0, 0, 0.3); *border: 1px solid #999; /* IE6-7 */ -<API key>: 6px; -moz-border-radius: 6px; border-radius: 6px; -webkit-box-shadow: 0 3px 7px rgba(0, 0, 0, 0.3); -moz-box-shadow: 0 3px 7px rgba(0, 0, 0, 0.3); box-shadow: 0 3px 7px rgba(0, 0, 0, 0.3); -<API key>: padding-box; -moz-background-clip: padding-box; background-clip: padding-box; } .modal.fade { -webkit-transition: opacity .3s linear, top .3s ease-out; -moz-transition: opacity .3s linear, top .3s ease-out; -ms-transition: opacity .3s linear, top .3s ease-out; -o-transition: opacity .3s linear, top .3s ease-out; transition: opacity .3s linear, top .3s ease-out; top: -25%; } .modal.fade.in { top: 50%; } .modal-header { padding: 9px 15px; border-bottom: 1px solid #eee; } .modal-header .close { margin-top: 2px; } .modal-body { overflow-y: auto; max-height: 400px; padding: 15px; } .modal-form { margin-bottom: 0; } .modal-footer { padding: 14px 15px 15px; margin-bottom: 0; text-align: right; background-color: #f5f5f5; border-top: 1px solid #ddd; -<API key>: 0 0 6px 6px; -moz-border-radius: 0 0 6px 6px; border-radius: 0 0 6px 6px; -webkit-box-shadow: inset 0 1px 0 #ffffff; -moz-box-shadow: inset 0 1px 0 #ffffff; box-shadow: inset 0 1px 0 #ffffff; *zoom: 1; } .modal-footer:before, .modal-footer:after { display: table; content: ""; } .modal-footer:after { clear: both; } .modal-footer .btn + .btn { margin-left: 5px; margin-bottom: 0; } .modal-footer .btn-group .btn + .btn { margin-left: -1px; } .tooltip { position: absolute; z-index: 1020; display: block; visibility: visible; padding: 5px; font-size: 11px; opacity: 0; filter: alpha(opacity=0); } .tooltip.in { opacity: 0.8; filter: alpha(opacity=80); } .tooltip.top { margin-top: -2px; } .tooltip.right { margin-left: 2px; } .tooltip.bottom { margin-top: 2px; } .tooltip.left { margin-left: -2px; } .tooltip.top .tooltip-arrow { bottom: 0; left: 50%; margin-left: -5px; border-left: 5px solid transparent; border-right: 5px solid transparent; border-top: 5px solid #000000; } .tooltip.left .tooltip-arrow { top: 50%; right: 0; margin-top: -5px; border-top: 5px solid transparent; border-bottom: 5px solid transparent; border-left: 5px solid #000000; } .tooltip.bottom .tooltip-arrow { top: 0; left: 50%; margin-left: -5px; border-left: 5px solid transparent; border-right: 5px solid transparent; border-bottom: 5px solid #000000; } .tooltip.right .tooltip-arrow { top: 50%; left: 0; margin-top: -5px; border-top: 5px solid transparent; border-bottom: 5px solid transparent; border-right: 5px solid #000000; } .tooltip-inner { max-width: 200px; padding: 3px 8px; color: #ffffff; text-align: center; text-decoration: none; background-color: #000000; -<API key>: 4px; -moz-border-radius: 4px; border-radius: 4px; } .tooltip-arrow { position: absolute; width: 0; height: 0; } .popover { position: absolute; top: 0; left: 0; z-index: 1010; display: none; padding: 5px; } .popover.top { margin-top: -5px; } .popover.right { margin-left: 5px; } .popover.bottom { margin-top: 5px; } .popover.left { margin-left: -5px; } .popover.top .arrow { bottom: 0; left: 50%; margin-left: -5px; border-left: 5px solid transparent; border-right: 5px solid transparent; border-top: 5px solid #000000; } .popover.right .arrow { top: 50%; left: 0; margin-top: -5px; border-top: 5px solid transparent; border-bottom: 5px solid transparent; border-right: 5px solid #000000; } .popover.bottom .arrow { top: 0; left: 50%; margin-left: -5px; border-left: 5px solid transparent; border-right: 5px solid transparent; border-bottom: 5px solid #000000; } .popover.left .arrow { top: 50%; right: 0; margin-top: -5px; border-top: 5px solid transparent; border-bottom: 5px solid transparent; border-left: 5px solid #000000; } .popover .arrow { position: absolute; width: 0; height: 0; } .popover-inner { padding: 3px; width: 280px; overflow: hidden; background: #000000; background: rgba(0, 0, 0, 0.8); -<API key>: 6px; -moz-border-radius: 6px; border-radius: 6px; -webkit-box-shadow: 0 3px 7px rgba(0, 0, 0, 0.3); -moz-box-shadow: 0 3px 7px rgba(0, 0, 0, 0.3); box-shadow: 0 3px 7px rgba(0, 0, 0, 0.3); } .popover-title { padding: 9px 15px; line-height: 1; background-color: #f5f5f5; border-bottom: 1px solid #eee; -<API key>: 3px 3px 0 0; -moz-border-radius: 3px 3px 0 0; border-radius: 3px 3px 0 0; } .popover-content { padding: 14px; background-color: #ffffff; -<API key>: 0 0 3px 3px; -moz-border-radius: 0 0 3px 3px; border-radius: 0 0 3px 3px; -<API key>: padding-box; -moz-background-clip: padding-box; background-clip: padding-box; } .popover-content p, .popover-content ul, .popover-content ol { margin-bottom: 0; } .thumbnails { margin-left: -20px; list-style: none; *zoom: 1; } .thumbnails:before, .thumbnails:after { display: table; content: ""; } .thumbnails:after { clear: both; } .row-fluid .thumbnails { margin-left: 0; } .thumbnails > li { float: left; margin-bottom: 18px; margin-left: 20px; } .thumbnail { display: block; padding: 4px; line-height: 1; border: 1px solid #ddd; -<API key>: 4px; -moz-border-radius: 4px; border-radius: 4px; -webkit-box-shadow: 0 1px 1px rgba(0, 0, 0, 0.075); -moz-box-shadow: 0 1px 1px rgba(0, 0, 0, 0.075); box-shadow: 0 1px 1px rgba(0, 0, 0, 0.075); } a.thumbnail:hover { border-color: #0088cc; -webkit-box-shadow: 0 1px 4px rgba(0, 105, 214, 0.25); -moz-box-shadow: 0 1px 4px rgba(0, 105, 214, 0.25); box-shadow: 0 1px 4px rgba(0, 105, 214, 0.25); } .thumbnail > img { display: block; max-width: 100%; margin-left: auto; margin-right: auto; } .thumbnail .caption { padding: 9px; } .label, .badge { font-size: 10.998px; font-weight: bold; line-height: 14px; color: #ffffff; vertical-align: baseline; white-space: nowrap; text-shadow: 0 -1px 0 rgba(0, 0, 0, 0.25); background-color: #999999; } .label { padding: 1px 4px 2px; -<API key>: 3px; -moz-border-radius: 3px; border-radius: 3px; } .badge { padding: 1px 9px 2px; -<API key>: 9px; -moz-border-radius: 9px; border-radius: 9px; } a.label:hover, a.badge:hover { color: #ffffff; text-decoration: none; cursor: pointer; } .label-important, .badge-important { background-color: #b94a48; } .label-important[href], .badge-important[href] { background-color: #953b39; } .label-warning, .badge-warning { background-color: #f89406; } .label-warning[href], .badge-warning[href] { background-color: #c67605; } .label-success, .badge-success { background-color: #468847; } .label-success[href], .badge-success[href] { background-color: #356635; } .label-info, .badge-info { background-color: #3a87ad; } .label-info[href], .badge-info[href] { background-color: #2d6987; } .label-inverse, .badge-inverse { background-color: #333333; } .label-inverse[href], .badge-inverse[href] { background-color: #1a1a1a; } @-webkit-keyframes <API key> { from { background-position: 40px 0; } to { background-position: 0 0; } } @-moz-keyframes <API key> { from { background-position: 40px 0; } to { background-position: 0 0; } } @-ms-keyframes <API key> { from { background-position: 40px 0; } to { background-position: 0 0; } } @-o-keyframes <API key> { from { background-position: 0 0; } to { background-position: 40px 0; } } @keyframes <API key> { from { background-position: 40px 0; } to { background-position: 0 0; } } .progress { overflow: hidden; height: 18px; margin-bottom: 18px; background-color: #f7f7f7; background-image: -moz-linear-gradient(top, #f5f5f5, #f9f9f9); background-image: -ms-linear-gradient(top, #f5f5f5, #f9f9f9); background-image: -webkit-gradient(linear, 0 0, 0 100%, from(#f5f5f5), to(#f9f9f9)); background-image: -<API key>(top, #f5f5f5, #f9f9f9); background-image: -o-linear-gradient(top, #f5f5f5, #f9f9f9); background-image: linear-gradient(top, #f5f5f5, #f9f9f9); background-repeat: repeat-x; filter: progid:DXImageTransform.Microsoft.gradient(startColorstr='#f5f5f5', endColorstr='#f9f9f9', GradientType=0); -webkit-box-shadow: inset 0 1px 2px rgba(0, 0, 0, 0.1); -moz-box-shadow: inset 0 1px 2px rgba(0, 0, 0, 0.1); box-shadow: inset 0 1px 2px rgba(0, 0, 0, 0.1); -<API key>: 4px; -moz-border-radius: 4px; border-radius: 4px; } .progress .bar { width: 0%; height: 18px; color: #ffffff; font-size: 12px; text-align: center; text-shadow: 0 -1px 0 rgba(0, 0, 0, 0.25); background-color: #0e90d2; background-image: -moz-linear-gradient(top, #149bdf, #0480be); background-image: -ms-linear-gradient(top, #149bdf, #0480be); background-image: -webkit-gradient(linear, 0 0, 0 100%, from(#149bdf), to(#0480be)); background-image: -<API key>(top, #149bdf, #0480be); background-image: -o-linear-gradient(top, #149bdf, #0480be); background-image: linear-gradient(top, #149bdf, #0480be); background-repeat: repeat-x; filter: progid:DXImageTransform.Microsoft.gradient(startColorstr='#149bdf', endColorstr='#0480be', GradientType=0); -webkit-box-shadow: inset 0 -1px 0 rgba(0, 0, 0, 0.15); -moz-box-shadow: inset 0 -1px 0 rgba(0, 0, 0, 0.15); box-shadow: inset 0 -1px 0 rgba(0, 0, 0, 0.15); -webkit-box-sizing: border-box; -moz-box-sizing: border-box; -ms-box-sizing: border-box; box-sizing: border-box; -webkit-transition: width 0.6s ease; -moz-transition: width 0.6s ease; -ms-transition: width 0.6s ease; -o-transition: width 0.6s ease; transition: width 0.6s ease; } .progress-striped .bar { background-color: #149bdf; background-image: -webkit-gradient(linear, 0 100%, 100% 0, color-stop(0.25, rgba(255, 255, 255, 0.15)), color-stop(0.25, transparent), color-stop(0.5, transparent), color-stop(0.5, rgba(255, 255, 255, 0.15)), color-stop(0.75, rgba(255, 255, 255, 0.15)), color-stop(0.75, transparent), to(transparent)); background-image: -<API key>(-45deg, rgba(255, 255, 255, 0.15) 25%, transparent 25%, transparent 50%, rgba(255, 255, 255, 0.15) 50%, rgba(255, 255, 255, 0.15) 75%, transparent 75%, transparent); background-image: -moz-linear-gradient(-45deg, rgba(255, 255, 255, 0.15) 25%, transparent 25%, transparent 50%, rgba(255, 255, 255, 0.15) 50%, rgba(255, 255, 255, 0.15) 75%, transparent 75%, transparent); background-image: -ms-linear-gradient(-45deg, rgba(255, 255, 255, 0.15) 25%, transparent 25%, transparent 50%, rgba(255, 255, 255, 0.15) 50%, rgba(255, 255, 255, 0.15) 75%, transparent 75%, transparent); background-image: -o-linear-gradient(-45deg, rgba(255, 255, 255, 0.15) 25%, transparent 25%, transparent 50%, rgba(255, 255, 255, 0.15) 50%, rgba(255, 255, 255, 0.15) 75%, transparent 75%, transparent); background-image: linear-gradient(-45deg, rgba(255, 255, 255, 0.15) 25%, transparent 25%, transparent 50%, rgba(255, 255, 255, 0.15) 50%, rgba(255, 255, 255, 0.15) 75%, transparent 75%, transparent); -<API key>: 40px 40px; -moz-background-size: 40px 40px; -o-background-size: 40px 40px; background-size: 40px 40px; } .progress.active .bar { -webkit-animation: <API key> 2s linear infinite; -moz-animation: <API key> 2s linear infinite; -ms-animation: <API key> 2s linear infinite; -o-animation: <API key> 2s linear infinite; animation: <API key> 2s linear infinite; } .progress-danger .bar { background-color: #dd514c; background-image: -moz-linear-gradient(top, #ee5f5b, #c43c35); background-image: -ms-linear-gradient(top, #ee5f5b, #c43c35); background-image: -webkit-gradient(linear, 0 0, 0 100%, from(#ee5f5b), to(#c43c35)); background-image: -<API key>(top, #ee5f5b, #c43c35); background-image: -o-linear-gradient(top, #ee5f5b, #c43c35); background-image: linear-gradient(top, #ee5f5b, #c43c35); background-repeat: repeat-x; filter: progid:DXImageTransform.Microsoft.gradient(startColorstr='#ee5f5b', endColorstr='#c43c35', GradientType=0); } .progress-danger.progress-striped .bar { background-color: #ee5f5b; background-image: -webkit-gradient(linear, 0 100%, 100% 0, color-stop(0.25, rgba(255, 255, 255, 0.15)), color-stop(0.25, transparent), color-stop(0.5, transparent), color-stop(0.5, rgba(255, 255, 255, 0.15)), color-stop(0.75, rgba(255, 255, 255, 0.15)), color-stop(0.75, transparent), to(transparent)); background-image: -<API key>(-45deg, rgba(255, 255, 255, 0.15) 25%, transparent 25%, transparent 50%, rgba(255, 255, 255, 0.15) 50%, rgba(255, 255, 255, 0.15) 75%, transparent 75%, transparent); background-image: -moz-linear-gradient(-45deg, rgba(255, 255, 255, 0.15) 25%, transparent 25%, transparent 50%, rgba(255, 255, 255, 0.15) 50%, rgba(255, 255, 255, 0.15) 75%, transparent 75%, transparent); background-image: -ms-linear-gradient(-45deg, rgba(255, 255, 255, 0.15) 25%, transparent 25%, transparent 50%, rgba(255, 255, 255, 0.15) 50%, rgba(255, 255, 255, 0.15) 75%, transparent 75%, transparent); background-image: -o-linear-gradient(-45deg, rgba(255, 255, 255, 0.15) 25%, transparent 25%, transparent 50%, rgba(255, 255, 255, 0.15) 50%, rgba(255, 255, 255, 0.15) 75%, transparent 75%, transparent); background-image: linear-gradient(-45deg, rgba(255, 255, 255, 0.15) 25%, transparent 25%, transparent 50%, rgba(255, 255, 255, 0.15) 50%, rgba(255, 255, 255, 0.15) 75%, transparent 75%, transparent); } .progress-success .bar { background-color: #5eb95e; background-image: -moz-linear-gradient(top, #62c462, #57a957); background-image: -ms-linear-gradient(top, #62c462, #57a957); background-image: -webkit-gradient(linear, 0 0, 0 100%, from(#62c462), to(#57a957)); background-image: -<API key>(top, #62c462, #57a957); background-image: -o-linear-gradient(top, #62c462, #57a957); background-image: linear-gradient(top, #62c462, #57a957); background-repeat: repeat-x; filter: progid:DXImageTransform.Microsoft.gradient(startColorstr='#62c462', endColorstr='#57a957', GradientType=0); } .progress-success.progress-striped .bar { background-color: #62c462; background-image: -webkit-gradient(linear, 0 100%, 100% 0, color-stop(0.25, rgba(255, 255, 255, 0.15)), color-stop(0.25, transparent), color-stop(0.5, transparent), color-stop(0.5, rgba(255, 255, 255, 0.15)), color-stop(0.75, rgba(255, 255, 255, 0.15)), color-stop(0.75, transparent), to(transparent)); background-image: -<API key>(-45deg, rgba(255, 255, 255, 0.15) 25%, transparent 25%, transparent 50%, rgba(255, 255, 255, 0.15) 50%, rgba(255, 255, 255, 0.15) 75%, transparent 75%, transparent); background-image: -moz-linear-gradient(-45deg, rgba(255, 255, 255, 0.15) 25%, transparent 25%, transparent 50%, rgba(255, 255, 255, 0.15) 50%, rgba(255, 255, 255, 0.15) 75%, transparent 75%, transparent); background-image: -ms-linear-gradient(-45deg, rgba(255, 255, 255, 0.15) 25%, transparent 25%, transparent 50%, rgba(255, 255, 255, 0.15) 50%, rgba(255, 255, 255, 0.15) 75%, transparent 75%, transparent); background-image: -o-linear-gradient(-45deg, rgba(255, 255, 255, 0.15) 25%, transparent 25%, transparent 50%, rgba(255, 255, 255, 0.15) 50%, rgba(255, 255, 255, 0.15) 75%, transparent 75%, transparent); background-image: linear-gradient(-45deg, rgba(255, 255, 255, 0.15) 25%, transparent 25%, transparent 50%, rgba(255, 255, 255, 0.15) 50%, rgba(255, 255, 255, 0.15) 75%, transparent 75%, transparent); } .progress-info .bar { background-color: #4bb1cf; background-image: -moz-linear-gradient(top, #5bc0de, #339bb9); background-image: -ms-linear-gradient(top, #5bc0de, #339bb9); background-image: -webkit-gradient(linear, 0 0, 0 100%, from(#5bc0de), to(#339bb9)); background-image: -<API key>(top, #5bc0de, #339bb9); background-image: -o-linear-gradient(top, #5bc0de, #339bb9); background-image: linear-gradient(top, #5bc0de, #339bb9); background-repeat: repeat-x; filter: progid:DXImageTransform.Microsoft.gradient(startColorstr='#5bc0de', endColorstr='#339bb9', GradientType=0); } .progress-info.progress-striped .bar { background-color: #5bc0de; background-image: -webkit-gradient(linear, 0 100%, 100% 0, color-stop(0.25, rgba(255, 255, 255, 0.15)), color-stop(0.25, transparent), color-stop(0.5, transparent), color-stop(0.5, rgba(255, 255, 255, 0.15)), color-stop(0.75, rgba(255, 255, 255, 0.15)), color-stop(0.75, transparent), to(transparent)); background-image: -<API key>(-45deg, rgba(255, 255, 255, 0.15) 25%, transparent 25%, transparent 50%, rgba(255, 255, 255, 0.15) 50%, rgba(255, 255, 255, 0.15) 75%, transparent 75%, transparent); background-image: -moz-linear-gradient(-45deg, rgba(255, 255, 255, 0.15) 25%, transparent 25%, transparent 50%, rgba(255, 255, 255, 0.15) 50%, rgba(255, 255, 255, 0.15) 75%, transparent 75%, transparent); background-image: -ms-linear-gradient(-45deg, rgba(255, 255, 255, 0.15) 25%, transparent 25%, transparent 50%, rgba(255, 255, 255, 0.15) 50%, rgba(255, 255, 255, 0.15) 75%, transparent 75%, transparent); background-image: -o-linear-gradient(-45deg, rgba(255, 255, 255, 0.15) 25%, transparent 25%, transparent 50%, rgba(255, 255, 255, 0.15) 50%, rgba(255, 255, 255, 0.15) 75%, transparent 75%, transparent); background-image: linear-gradient(-45deg, rgba(255, 255, 255, 0.15) 25%, transparent 25%, transparent 50%, rgba(255, 255, 255, 0.15) 50%, rgba(255, 255, 255, 0.15) 75%, transparent 75%, transparent); } .progress-warning .bar { background-color: #faa732; background-image: -moz-linear-gradient(top, #fbb450, #f89406); background-image: -ms-linear-gradient(top, #fbb450, #f89406); background-image: -webkit-gradient(linear, 0 0, 0 100%, from(#fbb450), to(#f89406)); background-image: -<API key>(top, #fbb450, #f89406); background-image: -o-linear-gradient(top, #fbb450, #f89406); background-image: linear-gradient(top, #fbb450, #f89406); background-repeat: repeat-x; filter: progid:DXImageTransform.Microsoft.gradient(startColorstr='#fbb450', endColorstr='#f89406', GradientType=0); } .progress-warning.progress-striped .bar { background-color: #fbb450; background-image: -webkit-gradient(linear, 0 100%, 100% 0, color-stop(0.25, rgba(255, 255, 255, 0.15)), color-stop(0.25, transparent), color-stop(0.5, transparent), color-stop(0.5, rgba(255, 255, 255, 0.15)), color-stop(0.75, rgba(255, 255, 255, 0.15)), color-stop(0.75, transparent), to(transparent)); background-image: -<API key>(-45deg, rgba(255, 255, 255, 0.15) 25%, transparent 25%, transparent 50%, rgba(255, 255, 255, 0.15) 50%, rgba(255, 255, 255, 0.15) 75%, transparent 75%, transparent); background-image: -moz-linear-gradient(-45deg, rgba(255, 255, 255, 0.15) 25%, transparent 25%, transparent 50%, rgba(255, 255, 255, 0.15) 50%, rgba(255, 255, 255, 0.15) 75%, transparent 75%, transparent); background-image: -ms-linear-gradient(-45deg, rgba(255, 255, 255, 0.15) 25%, transparent 25%, transparent 50%, rgba(255, 255, 255, 0.15) 50%, rgba(255, 255, 255, 0.15) 75%, transparent 75%, transparent); background-image: -o-linear-gradient(-45deg, rgba(255, 255, 255, 0.15) 25%, transparent 25%, transparent 50%, rgba(255, 255, 255, 0.15) 50%, rgba(255, 255, 255, 0.15) 75%, transparent 75%, transparent); background-image: linear-gradient(-45deg, rgba(255, 255, 255, 0.15) 25%, transparent 25%, transparent 50%, rgba(255, 255, 255, 0.15) 50%, rgba(255, 255, 255, 0.15) 75%, transparent 75%, transparent); } .accordion { margin-bottom: 18px; } .accordion-group { margin-bottom: 2px; border: 1px solid #e5e5e5; -<API key>: 4px; -moz-border-radius: 4px; border-radius: 4px; } .accordion-heading { border-bottom: 0; } .accordion-heading .accordion-toggle { display: block; padding: 8px 15px; } .accordion-toggle { cursor: pointer; } .accordion-inner { padding: 9px 15px; border-top: 1px solid #e5e5e5; } .carousel { position: relative; margin-bottom: 18px; line-height: 1; } .carousel-inner { overflow: hidden; width: 100%; position: relative; } .carousel .item { display: none; position: relative; -webkit-transition: 0.6s ease-in-out left; -moz-transition: 0.6s ease-in-out left; -ms-transition: 0.6s ease-in-out left; -o-transition: 0.6s ease-in-out left; transition: 0.6s ease-in-out left; } .carousel .item > img { display: block; line-height: 1; } .carousel .active, .carousel .next, .carousel .prev { display: block; } .carousel .active { left: 0; } .carousel .next, .carousel .prev { position: absolute; top: 0; width: 100%; } .carousel .next { left: 100%; } .carousel .prev { left: -100%; } .carousel .next.left, .carousel .prev.right { left: 0; } .carousel .active.left { left: -100%; } .carousel .active.right { left: 100%; } .carousel-control { position: absolute; top: 40%; left: 15px; width: 40px; height: 40px; margin-top: -20px; font-size: 60px; font-weight: 100; line-height: 30px; color: #ffffff; text-align: center; background: #222222; border: 3px solid #ffffff; -<API key>: 23px; -moz-border-radius: 23px; border-radius: 23px; opacity: 0.5; filter: alpha(opacity=50); } .carousel-control.right { left: auto; right: 15px; } .carousel-control:hover { color: #ffffff; text-decoration: none; opacity: 0.9; filter: alpha(opacity=90); } .carousel-caption { position: absolute; left: 0; right: 0; bottom: 0; padding: 10px 15px 5px; background: #333333; background: rgba(0, 0, 0, 0.75); } .carousel-caption h4, .carousel-caption p { color: #ffffff; } .hero-unit { padding: 60px; margin-bottom: 30px; background-color: #eeeeee; -<API key>: 6px; -moz-border-radius: 6px; border-radius: 6px; } .hero-unit h1 { margin-bottom: 0; font-size: 60px; line-height: 1; color: inherit; letter-spacing: -1px; } .hero-unit p { font-size: 18px; font-weight: 200; line-height: 27px; color: inherit; } .pull-right { float: right; } .pull-left { float: left; } .hide { display: none; } .show { display: block; } .invisible { visibility: hidden; }
<?php declare(strict_types=1); namespace OAuth2Framework\Tests\Component\ClientRule; use <API key>; use OAuth2Framework\Component\ClientRule\<API key>; use OAuth2Framework\Component\ClientRule\RuleHandler; use OAuth2Framework\Component\Core\Client\ClientId; use OAuth2Framework\Component\Core\DataBag\DataBag; use OAuth2Framework\Tests\Component\OAuth2TestCase; /** * @internal */ final class <API key> extends OAuth2TestCase { /** * @test */ public function <API key>(): void { $clientId = ClientId::create('CLIENT_ID'); $commandParameters = DataBag::create([]); $rule = new <API key>(); $validatedParameters = $rule->handle($clientId, $commandParameters, DataBag::create([]), $this->getCallable()); static::assertTrue($validatedParameters->has('application_type')); static::assertSame('web', $validatedParameters->get('application_type')); } /** * @test */ public function <API key>(): void { $clientId = ClientId::create('CLIENT_ID'); $commandParameters = DataBag::create([ 'application_type' => 'native', ]); $rule = new <API key>(); $validatedParameters = $rule->handle($clientId, $commandParameters, DataBag::create([]), $this->getCallable()); static::assertTrue($validatedParameters->has('application_type')); static::assertSame('native', $validatedParameters->get('application_type')); } /** * @test */ public function <API key>(): void { $this->expectException(<API key>::class); $this-><API key>('The parameter "application_type" must be either "native" or "web".'); $clientId = ClientId::create('CLIENT_ID'); $commandParameters = DataBag::create([ 'application_type' => 'foo', ]); $rule = new <API key>(); $rule->handle($clientId, $commandParameters, DataBag::create([]), $this->getCallable()); } private function getCallable(): RuleHandler { return new RuleHandler(function ( ClientId $clientId, DataBag $commandParameters, DataBag $validatedParameters ): DataBag { return $validatedParameters; }); } }
function countBs(string) { return countChar(string, "B"); } function countChar(string, ch) { var counted = 0; for (var i = 0; i < string.length; i++) { if (string.charAt(i) == ch) counted += 1; } return counted; } console.log(countBs("BBC")); console.log(countChar("kakkerlak", "k"));
// dvt package myJava; import java.util.Scanner; public class dvt { public static void main(String[] args) { Scanner read = new Scanner(System.in); int a, b, temp; System.out.print("a = "); a = read.nextInt(); System.out.print("b = "); b = read.nextInt(); if (a > b){ temp = a; a = b; b = temp; System.out.println( "a > b! The values have been switched!\n" + "a = " + a + " b = " + b); } } }
#!/usr/bin/env bash PYTHONPATH=. <API key>=sampleproject.settings py.test --create-db
// DYMEPubChapterFile.h // <API key> #import <Foundation/Foundation.h> @interface DYMEPubChapterFile : NSObject @property (nonatomic, copy) NSString *chapterID; @property (nonatomic, copy) NSString *href; @property (nonatomic, copy) NSString *mediaType; @property (nonatomic, copy) NSString *title; @property (nonatomic, copy) NSString *content; @end
// - The class constructor call is in a valid tail-call position, which means PrepareForTailCall is performed. // - The function call returns from `otherRealm` and proceeds the tail-call in this realm. // - Calling the class constructor throws a TypeError from the current realm, that means this realm and not `otherRealm`. var code = "(class { constructor() { return (class {})(); } });"; var otherRealm = $262.createRealm(); var tco = otherRealm.evalScript(code); assert.throws(TypeError, function() { new tco(); });
package com.rootulp.rootulpjsona; import android.content.Intent; import android.graphics.Bitmap; import android.graphics.BitmapFactory; import android.os.AsyncTask; import android.support.v7.app.ActionBarActivity; import android.os.Bundle; import android.util.Log; import android.view.Menu; import android.view.MenuItem; import android.widget.ImageView; import java.io.InputStream; public class picPage extends ActionBarActivity { @Override protected void onCreate(Bundle savedInstanceState) { super.onCreate(savedInstanceState); setContentView(R.layout.activity_pic_page); Intent local = getIntent(); Bundle localBundle = local.getExtras(); artist selected = (artist) localBundle.getSerializable("selected"); String imageURL = selected.getImageURL(); new DownloadImageTask((ImageView) findViewById(R.id.painting)).execute(imageURL); } private class DownloadImageTask extends AsyncTask<String, Void, Bitmap> { ImageView bmImage; public DownloadImageTask(ImageView bmImage) { this.bmImage = bmImage; } protected Bitmap doInBackground(String... urls) { String urldisplay = urls[0]; Bitmap mIcon11 = null; try { InputStream in = new java.net.URL(urldisplay).openStream(); mIcon11 = BitmapFactory.decodeStream(in); } catch (Exception e) { Log.e("Error", e.getMessage()); e.printStackTrace(); } return mIcon11; } protected void onPostExecute(Bitmap result) { bmImage.setImageBitmap(result); } } @Override public boolean onCreateOptionsMenu(Menu menu) { // Inflate the menu; this adds items to the action bar if it is present. getMenuInflater().inflate(R.menu.menu_pic_page, menu); return true; } @Override public boolean <API key>(MenuItem item) { int id = item.getItemId(); if (id == R.id.action_settings) { return true; } return super.<API key>(item); } }
using System; using System.Collections.Generic; using System.Linq; using System.Text; using System.Threading.Tasks; using System.Windows; using System.Windows.Controls; using System.Windows.Data; using System.Windows.Documents; using System.Windows.Input; using System.Windows.Media; using System.Windows.Media.Imaging; using System.Windows.Navigation; using System.Windows.Shapes; namespace GameBuilder.BuilderControl { <summary> Interaction logic for ResourcesSelector.xaml </summary> public partial class ResourcesBuilder : UserControl { public string Header { get { return ResourcesBox.Header.ToString(); } set { ResourcesBox.Header = value; } } public ResourcesBuilder() { InitializeComponent(); } } }
<?php declare(strict_types=1); namespace JDWil\Xsd\Event; /** * Class <API key> * @package JDWil\Xsd\Event */ class <API key> extends <API key> { }
# == Schema Information # Table name: avatars # id :integer not null, primary key # user_id :integer # entity_id :integer # entity_type :string(255) # image_file_size :integer # image_file_name :string(255) # image_content_type :string(255) # created_at :datetime # updated_at :datetime class FatFreeCRM::Avatar < ActiveRecord::Base STYLES = { large: "75x75#", medium: "50x50#", small: "25x25#", thumb: "16x16#" }.freeze belongs_to :user belongs_to :entity, polymorphic: true, class_name: 'FatFreeCRM::Entity' # We want to store avatars in separate directories based on entity type # (i.e. /avatar/User/, /avatars/Lead/, etc.), so we are adding :entity_type # interpolation to the Paperclip::Interpolations module. Also, Paperclip # doesn't seem to care preserving styles hash so we must use STYLES.dup. Paperclip::Interpolations.module_eval do def entity_type(attachment, _style_name = nil) attachment.instance.entity_type end end has_attached_file :image, styles: STYLES.dup, url: "/avatars/:entity_type/:id/:style_:filename", default_url: "/assets/avatar.jpg" <API key> :image, presence: true, content_type: { content_type: %w(image/jpeg image/jpg image/png image/gif) } # Convert STYLE symbols to 'w x h' format for Gravatar and Rails # e.g. Avatar.size_from_style(:size => :large) -> '75x75' # Allow options to contain :width and :height override keys def self.size_from_style!(options) if options[:width] && options[:height] options[:size] = [:width, :height].map { |d| options[d] }.join("x") elsif FatFreeCRM::Avatar::STYLES.keys.include?(options[:size]) options[:size] = FatFreeCRM::Avatar::STYLES[options[:size]].sub(/\ end options end ActiveSupport.run_load_hooks(:fat_free_crm_avatar, self) end
package com.epi; import java.util.Random; public class RabinKarp { // @include // Returns the index of the first character of the substring if found, -1 // otherwise. public static int rabinKarp(String t, String s) { if (s.length() > t.length()) { return -1; // s is not a substring of t. } final int BASE = 26; int tHash = 0, sHash = 0; // Hash codes for the substring of t and s. int powerS = 1; // BASE^|s|. for (int i = 0; i < s.length(); i++) { powerS = i > 0 ? powerS * BASE : 1; tHash = tHash * BASE + t.charAt(i); sHash = sHash * BASE + s.charAt(i); } for (int i = s.length(); i < t.length(); i++) { // Checks the two substrings are actually equal or not, to protect // against hash collision. if (tHash == sHash && t.substring(i - s.length(), i).equals(s)) { return i - s.length(); // Found a match. } // Uses rolling hash to compute the new hash code. tHash -= t.charAt(i - s.length()) * powerS; tHash = tHash * BASE + t.charAt(i); } // Tries to match s and t.substring(t.length() - s.length()). if (tHash == sHash && t.substring(t.length() - s.length()).equals(s)) { return t.length() - s.length(); } return -1; // s is not a substring of t. } // @exclude private static int checkAnswer(String t, String s) { for (int i = 0; i + s.length() - 1 < t.length(); ++i) { boolean find = true; for (int j = 0; j < s.length(); ++j) { if (t.charAt(i + j) != s.charAt(j)) { find = false; break; } } if (find) { return i; } } return -1; // No matching. } private static String randString(int len) { Random r = new Random(); StringBuilder ret = new StringBuilder(len); while (len ret.append((char)(r.nextInt(26) + 'a')); } return ret.toString(); } private static void smallTest() { assert(rabinKarp("GACGCCA", "CGC") == 2); assert(rabinKarp("<API key>", "GAG") == 10); assert(rabinKarp("FOOBARWIDGET", "WIDGETS") == -1); assert(rabinKarp("A", "A") == 0); assert(rabinKarp("A", "B") == -1); assert(rabinKarp("A", "") == 0); assert(rabinKarp("ADSADA", "") == 0); assert(rabinKarp("", "A") == -1); assert(rabinKarp("", "AAA") == -1); assert(rabinKarp("A", "AAA") == -1); assert(rabinKarp("AA", "AAA") == -1); assert(rabinKarp("AAA", "AAA") == 0); assert(rabinKarp("BAAAA", "AAA") == 1); assert(rabinKarp("BAAABAAAA", "AAA") == 1); assert(rabinKarp("BAABBAABAAABS", "AAA") == 8); assert(rabinKarp("BAABBAABAAABS", "AAAA") == -1); assert(rabinKarp("FOOBAR", "BAR") > 0); } public static void main(String args[]) { smallTest(); if (args.length == 2) { String t = args[0]; String s = args[1]; System.out.println("t = " + t); System.out.println("s = " + s); assert(checkAnswer(t, s) == rabinKarp(t, s)); } else { Random r = new Random(); for (int times = 0; times < 10000; ++times) { String t = randString(r.nextInt(1000) + 1); String s = randString(r.nextInt(20) + 1); System.out.println("t = " + t); System.out.println("s = " + s); assert(checkAnswer(t, s) == rabinKarp(t, s)); } } } }
using System; using System.Collections.Generic; using Sekhmet.Serialization.Utility; namespace Sekhmet.Serialization { public class <API key> : <API key> { private readonly IInstantiator _instantiator; private readonly ReadWriteLock _lock = new ReadWriteLock(); private readonly IDictionary<Type, ObjectContextInfo> <API key> = new Dictionary<Type, ObjectContextInfo>(); private readonly <API key> <API key>; private readonly <API key> _recursionFactory; public <API key>(IInstantiator instantiator, <API key> <API key>, <API key> recursionFactory) { if (instantiator == null) throw new <API key>("instantiator"); if (<API key> == null) throw new <API key>("<API key>"); if (recursionFactory == null) throw new <API key>("recursionFactory"); _instantiator = instantiator; <API key> = <API key>; _recursionFactory = recursionFactory; } public IObjectContext <API key>(IMemberContext targetMember, Type targetType, IAdviceRequester adviceRequester) { ObjectContextInfo contextInfo = GetContextInfo(targetType, adviceRequester); object target = _instantiator.Create(targetType, adviceRequester); if (target == null) throw new ArgumentException("Unable to create instance of '" + targetType + "' for member '" + targetMember + "'."); return contextInfo.CreateFor(target); } public IObjectContext <API key>(IMemberContext sourceMember, object source, IAdviceRequester adviceRequester) { if (source == null) return null; ObjectContextInfo contextInfo = GetContextInfo(source.GetType(), adviceRequester); return contextInfo.CreateFor(source); } private ObjectContextInfo CreateContextInfo(Type actualType, IAdviceRequester adviceRequester) { return <API key>.Create(_recursionFactory, actualType, adviceRequester); } private ObjectContextInfo GetContextInfo(Type actualType, IAdviceRequester adviceRequester) { ObjectContextInfo contextInfo; using (_lock.EnterReadScope()) <API key>.TryGetValue(actualType, out contextInfo); if (contextInfo == null) { using (_lock.EnterWriteScope()) { if (!<API key>.TryGetValue(actualType, out contextInfo)) <API key>[actualType] = contextInfo = CreateContextInfo(actualType, adviceRequester); } } return contextInfo; } } }
require "rails_helper" RSpec.describe DiagnosesController, type: :routing do describe "routing" do it "routes to #index" do expect(:get => "/diagnoses").to route_to("diagnoses#index") end it "routes to #new" do expect(:get => "/diagnoses/new").to route_to("diagnoses#new") end it "routes to #show" do expect(:get => "/diagnoses/1").to route_to("diagnoses#show", :id => "1") end it "routes to #edit" do expect(:get => "/diagnoses/1/edit").to route_to("diagnoses#edit", :id => "1") end it "routes to #create" do expect(:post => "/diagnoses").to route_to("diagnoses#create") end it "routes to #update via PUT" do expect(:put => "/diagnoses/1").to route_to("diagnoses#update", :id => "1") end it "routes to #update via PATCH" do expect(:patch => "/diagnoses/1").to route_to("diagnoses#update", :id => "1") end it "routes to #destroy" do expect(:delete => "/diagnoses/1").to route_to("diagnoses#destroy", :id => "1") end end end