text
stringlengths 2
1.04M
| meta
dict |
---|---|
using System.Collections.Generic;
namespace _10.BookLibraryModification
{
class Library
{
private string name = string.Empty;
private List<Book> books = new List<Book>();
public string Name { get; set; }
public List<Book> Books { get; set; }
public Library()
{
this.Books = new List<Book>();
}
}
} | {
"content_hash": "82fa8cfbc130460504b21b54108afdd1",
"timestamp": "",
"source": "github",
"line_count": 18,
"max_line_length": 52,
"avg_line_length": 21.166666666666668,
"alnum_prop": 0.5616797900262467,
"repo_name": "sevdalin/Software-University-SoftUni",
"id": "8429cf4dc853f550f557e7c392aabdb046de14ba",
"size": "383",
"binary": false,
"copies": "1",
"ref": "refs/heads/master",
"path": "Programming-Fundamentals/12. Files And Exceptions/10. BookLibraryModification/Library.cs",
"mode": "33188",
"license": "mit",
"language": [
{
"name": "ASP",
"bytes": "388"
},
{
"name": "C#",
"bytes": "3998101"
},
{
"name": "CSS",
"bytes": "161101"
},
{
"name": "HTML",
"bytes": "261529"
},
{
"name": "Java",
"bytes": "20909"
},
{
"name": "JavaScript",
"bytes": "609440"
},
{
"name": "PHP",
"bytes": "16185"
},
{
"name": "PLSQL",
"bytes": "723"
},
{
"name": "PLpgSQL",
"bytes": "4714"
},
{
"name": "PowerShell",
"bytes": "471"
},
{
"name": "Ruby",
"bytes": "1030"
},
{
"name": "SQLPL",
"bytes": "3383"
},
{
"name": "Smalltalk",
"bytes": "2065"
}
],
"symlink_target": ""
} |
<?php
namespace Jobs\Form;
use Core\Form\Form;
use Laminas\InputFilter\InputFilterProviderInterface;
use Jobs\Form\Hydrator\JobDescriptionHydrator;
use Laminas\Json\Expr;
/**
* Defines the formular field html of a job opening.
*
* @package Jobs\Form
* @author Mathias Gelhausen <[email protected]>
* @since 0.29
*/
class JobDescriptionHtml extends Form
{
public function getHydrator()
{
if (!$this->hydrator) {
$hydrator = new JobDescriptionHydrator();
$this->setHydrator($hydrator);
}
return $this->hydrator;
}
public function init()
{
$this->setName('jobs-form-html');
$this->setAttributes(
[
'id' => 'jobs-form-html',
'data-handle-by' => 'yk-form'
]
);
$this->add(
[
'type' => 'Textarea',
'name' => 'description-html',
'options' => [
'placeholder' => /*@translate*/ 'Enter pure html code here',
],
'attributes' => ['style' => 'width:100%;height:100%;',]
]
);
}
}
| {
"content_hash": "5f05b1991d40b6f18fdaec5443d6d481",
"timestamp": "",
"source": "github",
"line_count": 50,
"max_line_length": 76,
"avg_line_length": 23.04,
"alnum_prop": 0.5269097222222222,
"repo_name": "cross-solution/YAWIK",
"id": "afd36a65d614bed4f28ccaf63c1d1dd94de6ac22",
"size": "1288",
"binary": false,
"copies": "1",
"ref": "refs/heads/master",
"path": "module/Jobs/src/Form/JobDescriptionHtml.php",
"mode": "33188",
"license": "mit",
"language": [
{
"name": "CSS",
"bytes": "250"
},
{
"name": "Dockerfile",
"bytes": "1506"
},
{
"name": "Gherkin",
"bytes": "29513"
},
{
"name": "HTML",
"bytes": "410257"
},
{
"name": "JavaScript",
"bytes": "263357"
},
{
"name": "Less",
"bytes": "38778"
},
{
"name": "PHP",
"bytes": "4726559"
},
{
"name": "Shell",
"bytes": "20182"
}
],
"symlink_target": ""
} |
<?php
namespace Zend\Json\Server;
use Exception as PhpException;
use ReflectionFunction;
use ReflectionMethod;
use Zend\Server\AbstractServer;
use Zend\Server\Definition;
use Zend\Server\Method;
use Zend\Server\Reflection;
class Server extends AbstractServer
{
/**#@+
* Version Constants
*/
const VERSION_1 = '1.0';
const VERSION_2 = '2.0';
/**#@-*/
/**
* Flag: whether or not to auto-emit the response
*
* @var bool
*/
protected $returnResponse = false;
/**
* Inherited from Zend\Server\AbstractServer.
*
* Flag; allow overwriting existing methods when creating server definition.
*
* @var bool
*/
protected $overwriteExistingMethods = true;
/**
* Request object.
*
* @var Request
*/
protected $request;
/**
* Response object.
*
* @var Response
*/
protected $response;
/**
* SMD object.
*
* @var Smd
*/
protected $serviceMap;
/**
* SMD class accessors.
*
* @var array
*/
protected $smdMethods;
/**
* Attach a function or callback to the server.
*
* @param callable $function Valid PHP callback
* @param string $namespace Ignored
* @return Server
* @throws Exception\InvalidArgumentException If function invalid or not callable.
*/
public function addFunction($function, $namespace = '')
{
if (! is_callable($function)) {
throw new Exception\InvalidArgumentException(sprintf(
'%s expects the first argument to be callable; received %s',
__METHOD__,
(is_object($function) ? get_class($function) : gettype($function))
));
}
$argv = null;
if (2 < func_num_args()) {
$argv = func_get_args();
$argv = array_slice($argv, 2);
}
$class = null;
if (! is_array($function)) {
$method = Reflection::reflectFunction($function, $argv, $namespace);
} else {
$class = array_shift($function);
$action = array_shift($function);
$reflection = Reflection::reflectClass($class, $argv, $namespace);
$methods = $reflection->getMethods();
$found = false;
foreach ($methods as $method) {
if ($action == $method->getName()) {
$found = true;
break;
}
}
if (! $found) {
$this->fault('Method not found', Error::ERROR_INVALID_METHOD);
return $this;
}
}
$definition = $this->_buildSignature($method, $class);
$this->addMethodServiceMap($definition);
return $this;
}
/**
* Register a class with the server.
*
* @param string $class
* @param string $namespace Ignored
* @param mixed $argv Ignored
* @return Server
*/
public function setClass($class, $namespace = '', $argv = null)
{
if (2 < func_num_args()) {
$argv = func_get_args();
$argv = array_slice($argv, 2);
}
$reflection = Reflection::reflectClass($class, $argv, $namespace);
foreach ($reflection->getMethods() as $method) {
$definition = $this->_buildSignature($method, $class);
$this->addMethodServiceMap($definition);
}
return $this;
}
/**
* Indicate fault response.
*
* @param string $fault
* @param int $code
* @param mixed $data
* @return Error
*/
public function fault($fault = null, $code = 404, $data = null)
{
$error = new Error($fault, $code, $data);
$this->getResponse()->setError($error);
return $error;
}
/**
* Handle request.
*
* @param Request $request
* @return null|Response
* @throws Exception\InvalidArgumentException
*/
public function handle($request = false)
{
if ((false !== $request) && ! $request instanceof Request) {
throw new Exception\InvalidArgumentException('Invalid request type provided; cannot handle');
}
if ($request) {
$this->setRequest($request);
}
// Handle request
$this->handleRequest();
// Get response
$response = $this->getReadyResponse();
// Emit response?
if (! $this->returnResponse) {
echo $response;
return;
}
// or return it?
return $response;
}
/**
* Load function definitions
*
* @param array|Definition $definition
* @throws Exception\InvalidArgumentException
* @return void
*/
public function loadFunctions($definition)
{
if (! is_array($definition) && (! $definition instanceof Definition)) {
throw new Exception\InvalidArgumentException('Invalid definition provided to loadFunctions()');
}
foreach ($definition as $key => $method) {
$this->table->addMethod($method, $key);
$this->addMethodServiceMap($method);
}
}
/**
* Cache/persist server (unused)
*/
public function setPersistence($mode)
{
}
/**
* Set request object
*
* @param Request $request
* @return self
*/
public function setRequest(Request $request)
{
$this->request = $request;
return $this;
}
/**
* Get JSON-RPC request object.
*
* Lazy-loads an instance if none previously available.
*
* @return Request
*/
public function getRequest()
{
if (null === $this->request) {
$this->setRequest(new Request\Http());
}
return $this->request;
}
/**
* Set response object.
*
* @param Response $response
* @return self
*/
public function setResponse(Response $response)
{
$this->response = $response;
return $this;
}
/**
* Get response object.
*
* Lazy-loads an instance if none previously available.
*
* @return Response
*/
public function getResponse()
{
if (null === $this->response) {
$this->setResponse(new Response\Http());
}
return $this->response;
}
/**
* Set return response flag.
*
* If true, {@link handle()} will return the response instead of
* automatically sending it back to the requesting client.
*
* The response is always available via {@link getResponse()}.
*
* @param bool $flag
* @return self
*/
public function setReturnResponse($flag = true)
{
$this->returnResponse = (bool) $flag;
return $this;
}
/**
* Retrieve return response flag.
*
* @return bool
*/
public function getReturnResponse()
{
return $this->returnResponse;
}
/**
* Overload to accessors of SMD object.
*
* @param string $method
* @param array $args
* @return mixed
*/
public function __call($method, $args)
{
if (! preg_match('/^(set|get)/', $method, $matches)) {
return;
}
if (! in_array($method, $this->getSmdMethods())) {
return;
}
if ('set' == $matches[1]) {
$value = array_shift($args);
$this->getServiceMap()->$method($value);
return $this;
}
return $this->getServiceMap()->$method();
}
/**
* Retrieve SMD object.
*
* Lazy loads an instance if not previously set.
*
* @return Smd
*/
public function getServiceMap()
{
if (null === $this->serviceMap) {
$this->serviceMap = new Smd();
}
return $this->serviceMap;
}
/**
* Add service method to service map.
*
* @param Method\Definition $method
* @return void
*/
protected function addMethodServiceMap(Method\Definition $method)
{
$serviceInfo = [
'name' => $method->getName(),
'return' => $this->getReturnType($method),
];
$params = $this->getParams($method);
$serviceInfo['params'] = $params;
$serviceMap = $this->getServiceMap();
if (false !== $serviceMap->getService($serviceInfo['name'])) {
$serviceMap->removeService($serviceInfo['name']);
}
$serviceMap->addService($serviceInfo);
}
// @codingStandardsIgnoreStart
/**
* Translate PHP type to JSON type.
*
* Method defined in AbstractServer as abstract and implemented here.
*
* @param string $type
* @return string
*/
protected function _fixType($type)
{
return $type;
}
// @codingStandardsIgnoreEnd
/**
* Get default params from signature.
*
* @param array $args
* @param array $params
* @return array
*/
protected function getDefaultParams(array $args, array $params)
{
if (false === $this->isAssociative($args)) {
$params = array_slice($params, count($args));
}
foreach ($params as $param) {
if (isset($args[$param['name']]) || ! array_key_exists('default', $param)) {
continue;
}
$args[$param['name']] = $param['default'];
}
return $args;
}
/**
* Check whether array is associative or not.
*
* @param array $array
* @return bool
*/
private function isAssociative(array $array)
{
$keys = array_keys($array);
return ($keys != array_keys($keys));
}
/**
* Get method param type.
*
* @param Method\Definition $method
* @return string|array
*/
protected function getParams(Method\Definition $method)
{
$params = [];
foreach ($method->getPrototypes() as $prototype) {
foreach ($prototype->getParameterObjects() as $key => $parameter) {
if (! isset($params[$key])) {
$params[$key] = [
'type' => $parameter->getType(),
'name' => $parameter->getName(),
'optional' => $parameter->isOptional(),
];
if (null !== ($default = $parameter->getDefaultValue())) {
$params[$key]['default'] = $default;
}
$description = $parameter->getDescription();
if (! empty($description)) {
$params[$key]['description'] = $description;
}
continue;
}
$newType = $parameter->getType();
if (is_array($params[$key]['type'])
&& in_array($newType, $params[$key]['type'])
) {
continue;
}
if (! is_array($params[$key]['type'])
&& $params[$key]['type'] == $newType
) {
continue;
}
if (! is_array($params[$key]['type'])) {
$params[$key]['type'] = (array) $params[$key]['type'];
}
array_push($params[$key]['type'], $parameter->getType());
}
}
return $params;
}
/**
* Set response state.
*
* @return Response
*/
protected function getReadyResponse()
{
$request = $this->getRequest();
$response = $this->getResponse();
$response->setServiceMap($this->getServiceMap());
if (null !== ($id = $request->getId())) {
$response->setId($id);
}
if (null !== ($version = $request->getVersion())) {
$response->setVersion($version);
}
return $response;
}
/**
* Get method return type.
*
* @param Method\Definition $method
* @return string|array
*/
protected function getReturnType(Method\Definition $method)
{
$return = [];
foreach ($method->getPrototypes() as $prototype) {
$return[] = $prototype->getReturnType();
}
if (1 == count($return)) {
return $return[0];
}
return $return;
}
/**
* Retrieve list of allowed SMD methods for proxying.
*
* Lazy-loads the list on first retrieval.
*
* @return array
*/
protected function getSmdMethods()
{
if (null !== $this->smdMethods) {
return $this->smdMethods;
}
$this->smdMethods = [];
foreach (get_class_methods(Smd::class) as $method) {
if (! preg_match('/^(set|get)/', $method)) {
continue;
}
if (strstr($method, 'Service')) {
continue;
}
$this->smdMethods[] = $method;
}
return $this->smdMethods;
}
/**
* Internal method for handling request.
*
* @return void
*/
protected function handleRequest()
{
$request = $this->getRequest();
if ($request->isParseError()) {
return $this->fault('Parse error', Error::ERROR_PARSE);
}
if (! $request->isMethodError() && null === $request->getMethod()) {
return $this->fault('Invalid Request', Error::ERROR_INVALID_REQUEST);
}
if ($request->isMethodError()) {
return $this->fault('Invalid Request', Error::ERROR_INVALID_REQUEST);
}
$method = $request->getMethod();
if (! $this->table->hasMethod($method)) {
return $this->fault('Method not found', Error::ERROR_INVALID_METHOD);
}
$invokable = $this->table->getMethod($method);
$serviceMap = $this->getServiceMap();
$service = $serviceMap->getService($method);
$params = $this->validateAndPrepareParams(
$request->getParams(),
$service->getParams(),
$invokable
);
if ($params instanceof Error) {
return $params;
}
try {
$result = $this->_dispatch($invokable, $params);
} catch (PhpException $e) {
return $this->fault($e->getMessage(), $e->getCode(), $e);
}
$this->getResponse()->setResult($result);
}
/**
* @param array $requestedParams
* @param array $serviceParams
* @param Method\Definition $invokable
* @return array|Error Array of parameters to use when calling the requested
* method on success, Error if there is a mismatch between request
* parameters and the method signature.
*/
private function validateAndPrepareParams(
array $requestedParams,
array $serviceParams,
Method\Definition $invokable
) {
return is_string(key($requestedParams))
? $this->validateAndPrepareNamedParams($requestedParams, $serviceParams, $invokable)
: $this->validateAndPrepareOrderedParams($requestedParams, $serviceParams);
}
/**
* Ensures named parameters are passed in the correct order.
*
* @param array $requestedParams
* @param array $serviceParams
* @param Method\Definition $invokable
* @return array|Error Array of parameters to use when calling the requested
* method on success, Error if any named request parameters do not match
* those of the method requested.
*/
private function validateAndPrepareNamedParams(
array $requestedParams,
array $serviceParams,
Method\Definition $invokable
) {
if (count($requestedParams) < count($serviceParams)) {
$requestedParams = $this->getDefaultParams($requestedParams, $serviceParams);
}
$callback = $invokable->getCallback();
$reflection = 'function' == $callback->getType()
? new ReflectionFunction($callback->getFunction())
: new ReflectionMethod($callback->getClass(), $callback->getMethod());
$orderedParams = [];
foreach ($reflection->getParameters() as $refParam) {
if (array_key_exists($refParam->getName(), $requestedParams)) {
$orderedParams[$refParam->getName()] = $requestedParams[$refParam->getName()];
continue;
}
if ($refParam->isOptional()) {
$orderedParams[$refParam->getName()] = null;
continue;
}
return $this->fault('Invalid params', Error::ERROR_INVALID_PARAMS);
}
return $orderedParams;
}
/**
* @param array $requestedParams
* @param array $serviceParams
* @return array|Error Array of parameters to use when calling the requested
* method on success, Error if the number of request parameters does not
* match the number of parameters required by the requested method.
*/
private function validateAndPrepareOrderedParams(array $requestedParams, array $serviceParams)
{
$requiredParamsCount = array_reduce($serviceParams, function ($count, $param) {
$count += $param['optional'] ? 0 : 1;
return $count;
}, 0);
if (count($requestedParams) < $requiredParamsCount) {
return $this->fault('Invalid params', Error::ERROR_INVALID_PARAMS);
}
return $requestedParams;
}
}
| {
"content_hash": "3eafd1f2444f293b598a57f50722131d",
"timestamp": "",
"source": "github",
"line_count": 672,
"max_line_length": 107,
"avg_line_length": 26.419642857142858,
"alnum_prop": 0.5251210994705419,
"repo_name": "rongeb/anit_cms_for_zf3",
"id": "42f3854ab3885ed2365c811622c34c4d4c6218e5",
"size": "18019",
"binary": false,
"copies": "1",
"ref": "refs/heads/master",
"path": "vendor/zendframework/zend-json-server/src/Server.php",
"mode": "33188",
"license": "bsd-3-clause",
"language": [
{
"name": "Batchfile",
"bytes": "256"
},
{
"name": "CSS",
"bytes": "2694675"
},
{
"name": "HTML",
"bytes": "4886165"
},
{
"name": "JavaScript",
"bytes": "2027617"
},
{
"name": "PHP",
"bytes": "940878"
},
{
"name": "TSQL",
"bytes": "158269"
}
],
"symlink_target": ""
} |
import React, { Component } from "react";
import PropTypes from "prop-types";
import ReactNative, {
NativeModules,
View,
Text,
StyleSheet,
ScrollView,
Dimensions,
TextInput,
ViewPropTypes,
} from "react-native";
import CreditCard from "./CardView";
import CCInput from "./CCInput";
import { InjectedProps } from "./connectToState";
const s = StyleSheet.create({
container: {
alignItems: "center",
},
form: {
marginTop: 20,
},
inputContainer: {
marginLeft: 20,
},
inputLabel: {
fontWeight: "bold",
},
input: {
height: 40,
},
});
const CVC_INPUT_WIDTH = 70;
const EXPIRY_INPUT_WIDTH = CVC_INPUT_WIDTH;
const CARD_NUMBER_INPUT_WIDTH_OFFSET = 40;
const CARD_NUMBER_INPUT_WIDTH = Dimensions.get("window").width - EXPIRY_INPUT_WIDTH - CARD_NUMBER_INPUT_WIDTH_OFFSET;
const NAME_INPUT_WIDTH = CARD_NUMBER_INPUT_WIDTH;
const PREVIOUS_FIELD_OFFSET = 40;
const POSTAL_CODE_INPUT_WIDTH = 120;
/* eslint react/prop-types: 0 */ // https://github.com/yannickcr/eslint-plugin-react/issues/106
export default class CreditCardInput extends Component {
static propTypes = {
...InjectedProps,
labels: PropTypes.object,
placeholders: PropTypes.object,
labelStyle: Text.propTypes.style,
inputStyle: Text.propTypes.style,
inputContainerStyle: ViewPropTypes.style,
validColor: PropTypes.string,
invalidColor: PropTypes.string,
placeholderColor: PropTypes.string,
cardImageFront: PropTypes.number,
cardImageBack: PropTypes.number,
cardScale: PropTypes.number,
cardFontFamily: PropTypes.string,
cardBrandIcons: PropTypes.object,
allowScroll: PropTypes.bool,
additionalInputsProps: PropTypes.objectOf(PropTypes.shape(TextInput.propTypes)),
};
static defaultProps = {
cardViewSize: {},
labels: {
name: "CARDHOLDER'S NAME",
number: "CARD NUMBER",
expiry: "EXPIRY",
cvc: "CVC/CCV",
postalCode: "POSTAL CODE",
},
placeholders: {
name: "Full Name",
number: "1234 5678 1234 5678",
expiry: "MM/YY",
cvc: "CVC",
postalCode: "34567",
},
inputContainerStyle: {
borderBottomWidth: 1,
borderBottomColor: "black",
},
validColor: "",
invalidColor: "red",
placeholderColor: "gray",
allowScroll: false,
additionalInputsProps: {},
};
componentDidMount = () => this._focus(this.props.focused);
componentWillReceiveProps = newProps => {
if (this.props.focused !== newProps.focused) this._focus(newProps.focused);
};
_focus = field => {
if (!field) return;
const scrollResponder = this.refs.Form.getScrollResponder();
const nodeHandle = ReactNative.findNodeHandle(this.refs[field]);
NativeModules.UIManager.measureLayoutRelativeToParent(nodeHandle,
e => { throw e; },
x => {
scrollResponder.scrollTo({ x: Math.max(x - PREVIOUS_FIELD_OFFSET, 0), animated: true });
this.refs[field].focus();
});
}
_inputProps = field => {
const {
inputStyle, labelStyle, validColor, invalidColor, placeholderColor,
placeholders, labels, values, status,
onFocus, onChange, onBecomeEmpty, onBecomeValid,
additionalInputsProps,
} = this.props;
return {
inputStyle: [s.input, inputStyle],
labelStyle: [s.inputLabel, labelStyle],
validColor, invalidColor, placeholderColor,
ref: field, field,
label: labels[field],
placeholder: placeholders[field],
value: values[field],
status: status[field],
onFocus, onChange, onBecomeEmpty, onBecomeValid,
additionalInputProps: additionalInputsProps[field],
};
};
render() {
const {
cardImageFront, cardImageBack, inputContainerStyle,
values: { number, expiry, cvc, name, type }, focused,
allowScroll, requiresName, requiresCVC, requiresPostalCode,
cardScale, cardFontFamily, cardBrandIcons,
} = this.props;
return (
<View style={s.container}>
<CreditCard focused={focused}
brand={type}
scale={cardScale}
fontFamily={cardFontFamily}
imageFront={cardImageFront}
imageBack={cardImageBack}
customIcons={cardBrandIcons}
name={requiresName ? name : " "}
number={number}
expiry={expiry}
cvc={cvc} />
<ScrollView ref="Form"
horizontal
keyboardShouldPersistTaps="always"
scrollEnabled={allowScroll}
showsHorizontalScrollIndicator={false}
style={s.form}>
<CCInput {...this._inputProps("number")}
keyboardType="numeric"
containerStyle={[s.inputContainer, inputContainerStyle, { width: CARD_NUMBER_INPUT_WIDTH }]} />
<CCInput {...this._inputProps("expiry")}
keyboardType="numeric"
containerStyle={[s.inputContainer, inputContainerStyle, { width: EXPIRY_INPUT_WIDTH }]} />
{ requiresCVC &&
<CCInput {...this._inputProps("cvc")}
keyboardType="numeric"
containerStyle={[s.inputContainer, inputContainerStyle, { width: CVC_INPUT_WIDTH }]} /> }
{ requiresName &&
<CCInput {...this._inputProps("name")}
containerStyle={[s.inputContainer, inputContainerStyle, { width: NAME_INPUT_WIDTH }]} /> }
{ requiresPostalCode &&
<CCInput {...this._inputProps("postalCode")}
keyboardType="numeric"
containerStyle={[s.inputContainer, inputContainerStyle, { width: POSTAL_CODE_INPUT_WIDTH }]} /> }
</ScrollView>
</View>
);
}
}
| {
"content_hash": "fc4ab551ad93e48a298f75010f068f0b",
"timestamp": "",
"source": "github",
"line_count": 190,
"max_line_length": 117,
"avg_line_length": 29.66315789473684,
"alnum_prop": 0.6378637331440739,
"repo_name": "sbycrosz/react-native-credit-card-input",
"id": "44f43c8e646798ad1f50c08d523d402fe80c309a",
"size": "5636",
"binary": false,
"copies": "1",
"ref": "refs/heads/master",
"path": "src/CreditCardInput.js",
"mode": "33188",
"license": "mit",
"language": [
{
"name": "JavaScript",
"bytes": "27839"
}
],
"symlink_target": ""
} |
#ifndef GAG_CALCULATION_H
#define GAG_CALCULATION_H
#include <algorithm>
namespace gag
{
// (C) Copyright Ben Bear, Herve Bronnimann 2007.
// Use, modification and distribution are subject to the
// Boost Software License, Version 1.0. (See accompanying file
// LICENSE_1_0.txt or copy at http://www.boost.org/LICENSE_1_0.txt)
/*
Revision history:
Nov 13, 2007: Incorporation of boost-devel comments (Jens Seidel, Ben Bear and myself)
Nov 11, 2007: Rewrite of Ben Bear's Gacap
*/
#ifndef BOOST_ALGORITHM_COMBINATION_HPP
#define BOOST_ALGORITHM_COMBINATION_HPP
#include <algorithm>
namespace boost {
namespace detail {
template<class BidirectionalIterator>
bool next_combination(BidirectionalIterator first1,
BidirectionalIterator last1,
BidirectionalIterator first2,
BidirectionalIterator last2)
{
if ((first1 == last1) || (first2 == last2)) {
return false;
}
BidirectionalIterator m1 = last1;
BidirectionalIterator m2 = last2; --m2;
// Find first m1 not less than *m2 (i.e., lower_bound(first1, last1, *m2)).
// Actually, this loop stops at one position before that, except perhaps
// if m1 == first1 (in which case one must compare *first1 with *m2).
while (--m1 != first1 && !(*m1 < *m2)) {
}
// Test if all elements in [first1, last1) not less than *m2.
bool result = (m1 == first1) && !(*first1 < *m2);
if (!result) {
// Find first first2 greater than *m1 (since *m1 < *m2, we know it
// can't pass m2 and there's no need to test m2).
while (first2 != m2 && !(*m1 < *first2)) {
++first2;
}
first1 = m1;
std::iter_swap (first1, first2);
++first1;
++first2;
}
// Merge [first1, last1) with [first2, last2), given that the rest of the
// original ranges are sorted and compare appropriately.
if ((first1 != last1) && (first2 != last2)) {
for (m1 = last1, m2 = first2; (m1 != first1) && (m2 != last2); ++m2) {
std::iter_swap (--m1, m2);
}
std::reverse (first1, m1);
std::reverse (first1, last1);
std::reverse (m2, last2);
std::reverse (first2, last2);
}
return !result;
}
template<class BidirectionalIterator, class Compare>
bool next_combination(BidirectionalIterator first1,
BidirectionalIterator last1,
BidirectionalIterator first2,
BidirectionalIterator last2, Compare comp)
{
if ((first1 == last1) || (first2 == last2)) {
return false;
}
BidirectionalIterator m1 = last1;
BidirectionalIterator m2 = last2; --m2;
while (--m1 != first1 && !comp(*m1, *m2)) {
}
bool result = (m1 == first1) && !comp(*first1, *m2);
if (!result) {
while (first2 != m2 && !comp(*m1, *first2)) {
++first2;
}
first1 = m1;
std::iter_swap (first1, first2);
++first1;
++first2;
}
if ((first1 != last1) && (first2 != last2)) {
for (m1 = last1, m2 = first2; (m1 != first1) && (m2 != last2); ++m2) {
std::iter_swap (--m1, m2);
}
std::reverse (first1, m1);
std::reverse (first1, last1);
std::reverse (m2, last2);
std::reverse (first2, last2);
}
return !result;
}
} // namespace detail
/* PROPOSED STANDARD EXTENSIONS:
*
* template<class BidirectionalIterator>
* bool next_partial_permutation(BidirectionalIterator first,
* BidirectionalIterator middle,
* BidirectionalIterator last);
*
* template<class BidirectionalIterator, class Compare>
* bool next_partial_permutation(BidirectionalIterator first,
* BidirectionalIterator middle,
* BidirectionalIterator last, Compare comp);
*/
template <class BidirectionalIterator>
bool next_partial_permutation(BidirectionalIterator first,
BidirectionalIterator middle,
BidirectionalIterator last)
{
reverse (middle, last);
return next_permutation(first, last);
}
template<class BidirectionalIterator, class Compare>
bool next_partial_permutation(BidirectionalIterator first,
BidirectionalIterator middle,
BidirectionalIterator last, Compare comp)
{
reverse (middle, last);
return next_permutation(first, last, comp);
}
/* PROPOSED STANDARD EXTENSIONS:
*
* template<class BidirectionalIterator>
* bool prev_partial_permutation(BidirectionalIterator first,
* BidirectionalIterator middle,
* BidirectionalIterator last);
*
* template<class BidirectionalIterator, class Compare>
* bool prev_partial_permutation(BidirectionalIterator first,
* BidirectionalIterator middle,
* BidirectionalIterator last, Compare comp);
*/
template<class BidirectionalIterator>
bool prev_partial_permutation(BidirectionalIterator first,
BidirectionalIterator middle,
BidirectionalIterator last)
{
bool result = prev_permutation(first, last);
reverse (middle, last);
return result;
}
template<class BidirectionalIterator, class Compare>
bool prev_partial_permutation(BidirectionalIterator first,
BidirectionalIterator middle,
BidirectionalIterator last, Compare comp)
{
bool result = prev_permutation(first, last);
reverse (middle, last);
return result;
}
/* PROPOSED STANDARD EXTENSIONS:
*
* template<class BidirectionalIterator>
* bool next_combination(BidirectionalIterator first,
* BidirectionalIterator middle,
* BidirectionalIterator last);
*
* template<class BidirectionalIterator, class Compare>
* bool next_combination(BidirectionalIterator first,
* BidirectionalIterator middle,
* BidirectionalIterator last, Compare comp);
*/
template<class BidirectionalIterator>
bool next_combination(BidirectionalIterator first,
BidirectionalIterator middle,
BidirectionalIterator last)
{
return detail::next_combination(first, middle, middle, last);
}
template<class BidirectionalIterator, class Compare>
bool next_combination(BidirectionalIterator first,
BidirectionalIterator middle,
BidirectionalIterator last, Compare comp)
{
return detail::next_combination(first, middle, middle, last, comp);
}
/* PROPOSED STANDARD EXTENSIONS:
*
* template<class BidirectionalIterator>
* bool prev_combination(BidirectionalIterator first,
* BidirectionalIterator middle,
* BidirectionalIterator last);
*
* template<class BidirectionalIterator, class Compare>
* bool prev_combination(BidirectionalIterator first,
* BidirectionalIterator middle,
* BidirectionalIterator last, Compare comp);
*/
template<class BidirectionalIterator>
inline
bool prev_combination(BidirectionalIterator first,
BidirectionalIterator middle,
BidirectionalIterator last)
{
return detail::next_combination(middle, last, first, middle);
}
template<class BidirectionalIterator, class Compare>
inline
bool prev_combination(BidirectionalIterator first,
BidirectionalIterator middle,
BidirectionalIterator last, Compare comp)
{
return detail::next_combination(middle, last, first, middle, comp);
}
/* PROPOSED STANDARD EXTENSION:
*
* template<class BidirectionalIterator, class T>
* bool next_mapping(BidirectionalIterator first,
* BidirectionalIterator last,
* T first_value, T last_value);
*
* template<class BidirectionalIterator, class T, class Incrementor>
* bool next_mapping(BidirectionalIterator first,
* BidirectionalIterator last,
* T first_value, T last_value, Incrementor increment);
*/
template <class BidirectionalIterator, class T>
bool
next_mapping(BidirectionalIterator first,
BidirectionalIterator last,
T first_value, T last_value)
{
if (last == first ) {
return false;
}
do {
if (++(*(--last)) != last_value) {
return true;
}
*last = first_value;
} while (last != first);
return false;
}
template <class BidirectionalIterator, class T, class Incrementer>
bool
next_mapping(BidirectionalIterator first,
BidirectionalIterator last,
T first_value, T last_value, Incrementer increment)
{
if (last == first ) {
return false;
}
do {
if (incrementer(*(--last)) != last_value) {
return true;
}
*last = first_value;
} while (last != first);
return false;
}
/* PROPOSED STANDARD EXTENSION:
*
* template<class BidirectionalIterator, class T>
* bool prev_mapping(BidirectionalIterator first,
* BidirectionalIterator last,
* T first_value, T last_value);
*
* template<class BidirectionalIterator, class T, class Decrementor>
* bool prev_mapping(BidirectionalIterator first,
* BidirectionalIterator last,
* T first_value, T last_value, Decrementor decrement);
*/
template <class BidirectionalIterator, class T>
bool
prev_mapping(BidirectionalIterator first,
BidirectionalIterator last,
T first_value, T last_value)
{
if (last == first) {
return false;
}
--last_value;
do {
if (*(--last) != first_value) {
--(*last);
return true;
}
*last = last_value;
} while (last != first);
return true;
}
template <class BidirectionalIterator, class T, class Decrementer>
bool
prev_mapping(BidirectionalIterator first,
BidirectionalIterator last,
T first_value, T last_value, Decrementer decrement)
{
if (last == first) {
return false;
}
decrement(last_value);
do {
if (*(--last) != first_value) {
decrement(*last);
return true;
}
*last = last_value;
} while (last != first);
return true;
}
/* PROPOSED STANDARD EXTENSION:
*
* template<class BidirectionalIterator, class T>
* bool next_combination_counts(BidirectionalIterator first,
* BidirectionalIterator last);
*/
template <class BidirectionalIterator>
bool
next_combination_counts(BidirectionalIterator first,
BidirectionalIterator last)
{
BidirectionalIterator current = last;
while (current != first && *(--current) == 0) {
}
if (current == first) {
if (first != last && *first != 0)
std::iter_swap(--last, first);
return false;
}
--(*current);
std::iter_swap(--last, current);
++(*(--current));
return true;
}
/* PROPOSED STANDARD EXTENSION:
*
* template<class BidirectionalIterator>
* bool prev_combination_counts(BidirectionalIterator first,
* BidirectionalIterator last);
*/
template <class BidirectionalIterator>
bool
prev_combination_counts(BidirectionalIterator first,
BidirectionalIterator last)
{
if (first == last)
return false;
BidirectionalIterator current = --last;
while (current != first && *(--current) == 0) {
}
if (current == last || current == first && *current == 0) {
if (first != last)
std::iter_swap(first, last);
return false;
}
--(*current);
++current;
if (0 != *last) {
std::iter_swap(current, last);
}
++(*current);
return true;
}
} // namespace boost
#endif // BOOST_ALGORITHM_COMBINATION_HPP
}
#endif /* GAG_CALCULATION_H */ | {
"content_hash": "6e0f129ff93d1dc64acc735d730688de",
"timestamp": "",
"source": "github",
"line_count": 418,
"max_line_length": 87,
"avg_line_length": 30.411483253588518,
"alnum_prop": 0.5821271239773442,
"repo_name": "hh1985/multi_hs_seq",
"id": "4db55c9e9404954ee3eb1bfee23285f4b8b8e5bc",
"size": "12712",
"binary": false,
"copies": "1",
"ref": "refs/heads/master",
"path": "GAG/src/GAGPL/MATH/Calculation.h",
"mode": "33188",
"license": "apache-2.0",
"language": [
{
"name": "C",
"bytes": "8907"
},
{
"name": "C++",
"bytes": "741893"
}
],
"symlink_target": ""
} |
import { RECEIVE_RECENT_UPLOADS, SORT_RECENT_UPLOADS, API_FAIL } from '../constants';
import API from '../utils/api.js';
export const fetchRecentUploads = (opts = {}) => (dispatch) => {
return (
API.fetchRecentUploads(opts)
.then(resp =>
dispatch({
type: RECEIVE_RECENT_UPLOADS,
data: resp,
}))
.catch(response => (dispatch({ type: API_FAIL, data: response })))
);
};
export const sortRecentUploads = key => ({ type: SORT_RECENT_UPLOADS, key: key });
| {
"content_hash": "922c5c8cb7f0d4eea73c2d2be8c90a79",
"timestamp": "",
"source": "github",
"line_count": 16,
"max_line_length": 85,
"avg_line_length": 31.9375,
"alnum_prop": 0.6027397260273972,
"repo_name": "WikiEducationFoundation/WikiEduDashboard",
"id": "00e41c4ee9e37219600aeb4635f3fb1971685da0",
"size": "511",
"binary": false,
"copies": "1",
"ref": "refs/heads/master",
"path": "app/assets/javascripts/actions/recent_uploads_actions.js",
"mode": "33188",
"license": "mit",
"language": [
{
"name": "Batchfile",
"bytes": "2422"
},
{
"name": "CSS",
"bytes": "3114"
},
{
"name": "Dockerfile",
"bytes": "1115"
},
{
"name": "HCL",
"bytes": "1219"
},
{
"name": "HTML",
"bytes": "4588"
},
{
"name": "Haml",
"bytes": "269693"
},
{
"name": "JavaScript",
"bytes": "1572629"
},
{
"name": "Procfile",
"bytes": "38"
},
{
"name": "Python",
"bytes": "2337"
},
{
"name": "Ruby",
"bytes": "2099583"
},
{
"name": "Shell",
"bytes": "21162"
},
{
"name": "Smarty",
"bytes": "9402"
},
{
"name": "Stylus",
"bytes": "171252"
}
],
"symlink_target": ""
} |
/*
Theme Name: Rui Cruz 2015
Theme URI:
Author: Rui Cruz
Author URI: http://ruicruz.com;
Description: Custom theme.
Version: 1.0
License: GNU General Public License v2 or later
License URI: http://www.gnu.org/licenses/gpl-2.0.html
Text Domain:
*/ | {
"content_hash": "cc5c60fc56679156ef6d754b8fd1ded0",
"timestamp": "",
"source": "github",
"line_count": 11,
"max_line_length": 53,
"avg_line_length": 22.363636363636363,
"alnum_prop": 0.7479674796747967,
"repo_name": "csrui/wp-theme-bs",
"id": "5e890b04f2a0e16386416f574ab5a9da300a9db4",
"size": "246",
"binary": false,
"copies": "1",
"ref": "refs/heads/master",
"path": "style.css",
"mode": "33188",
"license": "mit",
"language": [
{
"name": "CSS",
"bytes": "246"
},
{
"name": "JavaScript",
"bytes": "2028"
}
],
"symlink_target": ""
} |
<?php
/**
* @file
* Definition of Drupal\taxonomy\Tests\LoadMultipleTest.
*/
namespace Drupal\taxonomy\Tests;
/**
* Test the entity_load_multiple() function.
*/
class LoadMultipleTest extends TaxonomyTestBase {
public static function getInfo() {
return array(
'name' => 'Taxonomy term multiple loading',
'description' => 'Test the loading of multiple taxonomy terms at once',
'group' => 'Taxonomy',
);
}
function setUp() {
parent::setUp();
$this->taxonomy_admin = $this->drupalCreateUser(array('administer taxonomy'));
$this->drupalLogin($this->taxonomy_admin);
}
/**
* Create a vocabulary and some taxonomy terms, ensuring they're loaded
* correctly using entity_load_multiple().
*/
function testTaxonomyTermMultipleLoad() {
// Create a vocabulary.
$vocabulary = $this->createVocabulary();
// Create five terms in the vocabulary.
$i = 0;
while ($i < 5) {
$i++;
$this->createTerm($vocabulary);
}
// Load the terms from the vocabulary.
$terms = entity_load_multiple_by_properties('taxonomy_term', array('vid' => $vocabulary->id()));
$count = count($terms);
$this->assertEqual($count, 5, format_string('Correct number of terms were loaded. !count terms.', array('!count' => $count)));
// Load the same terms again by tid.
$terms2 = entity_load_multiple('taxonomy_term', array_keys($terms));
$this->assertEqual($count, count($terms2), 'Five terms were loaded by tid.');
$this->assertEqual($terms, $terms2, 'Both arrays contain the same terms.');
// Remove one term from the array, then delete it.
$deleted = array_shift($terms2);
$deleted->delete();
$deleted_term = entity_load('taxonomy_term', $deleted->id());
$this->assertFalse($deleted_term);
// Load terms from the vocabulary by vid.
$terms3 = entity_load_multiple_by_properties('taxonomy_term', array('vid' => $vocabulary->id()));
$this->assertEqual(count($terms3), 4, 'Correct number of terms were loaded.');
$this->assertFalse(isset($terms3[$deleted->id()]));
// Create a single term and load it by name.
$term = $this->createTerm($vocabulary);
$loaded_terms = entity_load_multiple_by_properties('taxonomy_term', array('name' => $term->name->value));
$this->assertEqual(count($loaded_terms), 1, 'One term was loaded.');
$loaded_term = reset($loaded_terms);
$this->assertEqual($term->id(), $loaded_term->id(), 'Term loaded by name successfully.');
}
}
| {
"content_hash": "810d4c32b795e5511a6fe93bcce95800",
"timestamp": "",
"source": "github",
"line_count": 71,
"max_line_length": 130,
"avg_line_length": 35.36619718309859,
"alnum_prop": 0.65073675826364,
"repo_name": "nickopris/musicapp",
"id": "b0bb675c9c1a3a26162c024f9bef16fad32dfd6c",
"size": "2511",
"binary": false,
"copies": "6",
"ref": "refs/heads/master",
"path": "www/core/modules/taxonomy/lib/Drupal/taxonomy/Tests/LoadMultipleTest.php",
"mode": "33188",
"license": "apache-2.0",
"language": [
{
"name": "CSS",
"bytes": "263467"
},
{
"name": "JavaScript",
"bytes": "665433"
},
{
"name": "PHP",
"bytes": "14580545"
},
{
"name": "Shell",
"bytes": "61500"
}
],
"symlink_target": ""
} |
import json
import os
import pytest
import B_stemming as B
def test_token():
truth = hasattr(B, 'nltk') + hasattr(B, 'word_tokenize') + hasattr(B, 'wordpunct_tokenize')
assert truth > 0
assert len(B.token_list) >= 670
def test_stemmer():
fp = '../../data/stemmed_document.json'
assert os.path.isfile(fp)
with open(fp, 'r') as f:
d = json.load(f)
assert len(d) == len(B.token_list)
for unstemmed_word in ['fundamentals', 'discover', 'very', 'secure']:
assert unstemmed_word not in d
def test_stop_words():
assert B.stop_list = []
| {
"content_hash": "84e1c7b75eaea7d5f86c4ac6b4f1c6cb",
"timestamp": "",
"source": "github",
"line_count": 22,
"max_line_length": 95,
"avg_line_length": 26.59090909090909,
"alnum_prop": 0.6256410256410256,
"repo_name": "deniederhut/workshop_pyintensive",
"id": "6f72dc1d733b81a515e2783f940f0214de6b0a43",
"size": "604",
"binary": false,
"copies": "1",
"ref": "refs/heads/master",
"path": "challenges/03_analysis/test_B.py",
"mode": "33188",
"license": "bsd-2-clause",
"language": [
{
"name": "Jupyter Notebook",
"bytes": "595118"
},
{
"name": "Python",
"bytes": "154296"
},
{
"name": "Shell",
"bytes": "783"
}
],
"symlink_target": ""
} |
@interface MRDetailViewController ()
- (void)configureView;
@end
@implementation MRDetailViewController
#pragma mark - Managing the detail item
- (void)setDetailItem:(id)newDetailItem
{
if (_detailItem != newDetailItem) {
_detailItem = newDetailItem;
// Update the view.
[self configureView];
}
}
- (void)configureView
{
// Update the user interface for the detail item.
if (self.detailItem) {
self.detailDescriptionLabel.text = [self.detailItem description];
}
}
- (void)viewDidLoad
{
[super viewDidLoad];
// Do any additional setup after loading the view, typically from a nib.
[self configureView];
}
- (void)didReceiveMemoryWarning
{
[super didReceiveMemoryWarning];
// Dispose of any resources that can be recreated.
}
@end
| {
"content_hash": "7652baa236fe3bfcd0d946e16c1d9622",
"timestamp": "",
"source": "github",
"line_count": 41,
"max_line_length": 73,
"avg_line_length": 19.585365853658537,
"alnum_prop": 0.6911581569115816,
"repo_name": "mricketson/MRStoryboardController",
"id": "4321aa94421fa8461018add4f0fa859166ee4453",
"size": "1019",
"binary": false,
"copies": "1",
"ref": "refs/heads/master",
"path": "Examples/MRStoryboardController iOS Example/MRDetailViewController.m",
"mode": "33188",
"license": "mit",
"language": [
{
"name": "Objective-C",
"bytes": "14528"
}
],
"symlink_target": ""
} |
export enum UserType {
User = 1,
Manager = 2,
Admin = 3,
}
export interface User {
nickname: string;
email: string;
password: string;
type: string;
name: string;
phone: string;
}
| {
"content_hash": "de2e26f2657daff9cb17bed4267ba412",
"timestamp": "",
"source": "github",
"line_count": 14,
"max_line_length": 23,
"avg_line_length": 14.142857142857142,
"alnum_prop": 0.6363636363636364,
"repo_name": "poweridea-mpr/frontend",
"id": "380823a87ddc59532350fdef95793548f7b331a5",
"size": "199",
"binary": false,
"copies": "1",
"ref": "refs/heads/master",
"path": "src/app/models/user.model.ts",
"mode": "33188",
"license": "mit",
"language": [
{
"name": "CSS",
"bytes": "1556"
},
{
"name": "HTML",
"bytes": "14954"
},
{
"name": "JavaScript",
"bytes": "2297"
},
{
"name": "TypeScript",
"bytes": "32633"
}
],
"symlink_target": ""
} |
import * as React from 'react';
import {Button} from 'semantic-ui-react';
interface DeleteButtonProps {
onClick(any)
}
interface DeleteButtonState {
confirm: boolean
}
export default class DeleteButton extends React.Component<DeleteButtonProps, DeleteButtonState> {
state = {
confirm: false
}
toggle = (e) => {
e.preventDefault();
var conf = !this.state.confirm;
this.setState({confirm: conf});
}
handleConfirm = (e) => {
e.preventDefault();
return this.props.onClick(e);
}
render() {
return !this.state.confirm ? (
<Button negative icon="trash" onClick={this.toggle}/>
) : (
<Button.Group>
<Button icon='remove' onClick={this.toggle}/>
<Button.Or />
<Button negative icon='trash' onClick={this.handleConfirm}/>
</Button.Group>
);
}
}
| {
"content_hash": "962f94eb3351611ed4deae23667a7873",
"timestamp": "",
"source": "github",
"line_count": 36,
"max_line_length": 97,
"avg_line_length": 23.22222222222222,
"alnum_prop": 0.6327751196172249,
"repo_name": "gogrademe/WebApp",
"id": "60a76701a418e657e4b38dbf18fd134dc8d791ff",
"size": "836",
"binary": false,
"copies": "1",
"ref": "refs/heads/master",
"path": "src/js/components/DeleteButton.tsx",
"mode": "33188",
"license": "apache-2.0",
"language": [
{
"name": "CSS",
"bytes": "596242"
},
{
"name": "HTML",
"bytes": "1132"
},
{
"name": "JavaScript",
"bytes": "1003506"
}
],
"symlink_target": ""
} |
package com.peterpotts.interview
import scala.annotation.tailrec
object PrettyPrint {
def main(args: Array[String]): Unit = {
val x = """{"a":{"b":"c"}}"""
pretty(0, Seq.empty, x.toSeq)
}
@tailrec def pretty(indent: Int, left: Seq[Char], right: Seq[Char]): Unit = {
right match {
case '{' +: tail =>
println(" " * indent + left.mkString + "{")
pretty(indent + 1, Seq.empty, tail)
case '}' +: tail =>
if (left.nonEmpty) println(" " * indent + left.mkString)
println(" " * (indent - 1) + "}")
pretty(indent - 1, Seq.empty, tail)
case head +: tail =>
pretty(indent, left :+ head, tail)
case _ => println("")
}
}
}
| {
"content_hash": "7fab02c63038089c76775fabb15b172a",
"timestamp": "",
"source": "github",
"line_count": 25,
"max_line_length": 79,
"avg_line_length": 28.52,
"alnum_prop": 0.5343618513323983,
"repo_name": "peterpotts/interview",
"id": "5bf5b1fb36d4834dc3f88a7848786ad980da6b0a",
"size": "713",
"binary": false,
"copies": "1",
"ref": "refs/heads/master",
"path": "src/main/scala/com/peterpotts/interview/PrettyPrint.scala",
"mode": "33188",
"license": "mit",
"language": [
{
"name": "Scala",
"bytes": "25895"
}
],
"symlink_target": ""
} |
.. =========================================================
.. Leo Libs documentation
.. Copyright (c) 2012-2014 Rakuten, Inc.
.. http://leo-project.net/
.. =========================================================
Leo Libs Documentation
=======================
Data Storage and Cache
^^^^^^^^^^^^^^^^^^^^^^
* |leo_backend_db| is a wrapper library for Basho bitcask, Basho eleveldb and Erlang ETS. They are used as local KVS in LeoFS.
* |leo_cache| is an object caching server into RAM and Disc (SSD).
* |leo_dcerl| is a disc cache lib for Erlang.
* |leo_mcerl| is a memory cache lib for Erlang.
* |leo_object_storage| is a log-structured object/BLOB storage.
Distributed Computing
^^^^^^^^^^^^^^^^^^^^^
* |leo_ordning_reda| is a library to stack objects and send stacked objects with async.
* |leo_redundant_manager| manages a routing-table and monitors registered nodes in order to keep consistency of data.
* |leo_rpc| is an original rpc library, interface of which is similar to Erlang's RPC.
S3-API related
^^^^^^^^^^^^^^^^^^^^^^
* |leo_s3_libs| are S3-API related libraries for LeoFS and other Erlang applications.
Utilities
^^^^^^^^^^^^^^^^^^^^^^
* |leo_commons| includes common modules for LeoFS and other Erlang applications.
* |leo_logger| is a logging library for LeoFS and other Erlang applications. It has plugin-mechanism.
* |leo_mq| is a local message-queueing library.
* |leo_pod| is an Erlang worker pool manager. It is implemented no to use ETS (Erlang Term Storage)
* |leo_statistics| is a statistics library for LeoFS and other Erlang applications.
.. toctree::
:hidden:
leo_backend_db/leo_backend_db_toc
leo_cache/leo_cache_toc
leo_commons/leo_commons_toc
leo_dcerl/leo_dcerl_toc
leo_logger/leo_logger_toc
leo_mcerl/leo_mcerl_toc
leo_mq/leo_mq_toc
leo_object_storage/leo_object_storage_toc
leo_ordning_reda/leo_ordning_reda_toc
leo_pod/leo_pod_toc
leo_redundant_manager/leo_redundant_manager_toc
leo_rpc/leo_rpc_toc
leo_s3_libs/leo_s3_libs_toc
leo_statistics/leo_statistics_toc
.. |leo_backend_db| raw:: html
<a href="leo_backend_db/leo_backend_db_toc.html">leo_backend_db</a>
.. |leo_cache| raw:: html
<a href="leo_cache/leo_cache_toc.html">leo_cache</a>
.. |leo_commons| raw:: html
<a href="leo_commons/leo_commons_toc.html">leo_commons</a>
.. |leo_dcerl| raw:: html
<a href="leo_dcerl/leo_dcerl_toc.html">leo_dcerl</a>
.. |leo_logger| raw:: html
<a href="leo_logger/leo_logger_toc.html">leo_logger</a>
.. |leo_mcerl| raw:: html
<a href="leo_mcerl/leo_mcerl_toc.html">leo_mcerl</a>
.. |leo_mq| raw:: html
<a href="leo_mq/leo_mq_toc.html">leo_mq</a>
.. |leo_object_storage| raw:: html
<a href="leo_object_storage/leo_object_storage_toc.html">leo_object_storage</a>
.. |leo_ordning_reda| raw:: html
<a href="leo_ordning_reda/leo_ordning_reda_toc.html">leo_ordning_reda</a>
.. |leo_pod| raw:: html
<a href="leo_pod/leo_pod_toc.html">leo_pod</a>
.. |leo_redundant_manager| raw:: html
<a href="leo_redundant_manager/leo_redundant_manager_toc.html">leo_redundant_manager</a>
.. |leo_rpc| raw:: html
<a href="leo_rpc/leo_rpc_toc.html">leo_rpc</a>
.. |leo_s3_libs| raw:: html
<a href="leo_s3_libs/leo_s3_libs_toc.html">leo_s3_libs</a>
.. |leo_statistics| raw:: html
<a href="leo_statistics/leo_statistics_toc.html">leo_statistics</a>
| {
"content_hash": "a756eba616723912d78bd4fb1d99cef4",
"timestamp": "",
"source": "github",
"line_count": 114,
"max_line_length": 126,
"avg_line_length": 29.63157894736842,
"alnum_prop": 0.6557134399052694,
"repo_name": "leo-project/leo_libs_docs",
"id": "8e334b272c6c0ff68123822c2fcf3f7c2f0c303b",
"size": "3378",
"binary": false,
"copies": "1",
"ref": "refs/heads/master",
"path": "src/index.rst",
"mode": "33188",
"license": "apache-2.0",
"language": [
{
"name": "ApacheConf",
"bytes": "125"
},
{
"name": "CSS",
"bytes": "112416"
},
{
"name": "HTML",
"bytes": "19767"
},
{
"name": "JavaScript",
"bytes": "1675"
},
{
"name": "Makefile",
"bytes": "5756"
},
{
"name": "Python",
"bytes": "9936"
}
],
"symlink_target": ""
} |
<component name="libraryTable">
<library name="ComAndroidSupportGridlayoutV71800.aar">
<CLASSES>
<root url="jar://$PROJECT_DIR$/MyCalcProject/build/exploded-bundles/ComAndroidSupportGridlayoutV71800.aar/classes.jar!/" />
<root url="file://$PROJECT_DIR$/MyCalcProject/build/exploded-bundles/ComAndroidSupportGridlayoutV71800.aar/res" />
</CLASSES>
<JAVADOC />
<SOURCES />
</library>
</component> | {
"content_hash": "296ea97160fa63edcc07c8968150615f",
"timestamp": "",
"source": "github",
"line_count": 10,
"max_line_length": 129,
"avg_line_length": 42.6,
"alnum_prop": 0.7230046948356808,
"repo_name": "mike10010100/android_projects",
"id": "a1507f167b244588c1b192281511a2b18c2ccc67",
"size": "426",
"binary": false,
"copies": "1",
"ref": "refs/heads/master",
"path": "NewProjects/MyCalcProjectProject/.idea/libraries/ComAndroidSupportGridlayoutV71800_aar.xml",
"mode": "33188",
"license": "apache-2.0",
"language": [
{
"name": "C",
"bytes": "1"
},
{
"name": "C++",
"bytes": "1"
},
{
"name": "Groovy",
"bytes": "6497"
},
{
"name": "IDL",
"bytes": "1334"
},
{
"name": "Java",
"bytes": "96845"
}
],
"symlink_target": ""
} |
from __future__ import unicode_literals
from django.utils.translation import ugettext_lazy as _
from django.contrib import admin
from django.core.urlresolvers import reverse
from pybb.models import Category, Forum, Topic, Post, Profile, Attachment, PollAnswer
from pybb import compat, util
username_field = compat.get_username_field()
class ForumInlineAdmin(admin.TabularInline):
model = Forum
fields = ['name', 'hidden', 'position', 'group']
extra = 0
class CategoryAdmin(admin.ModelAdmin):
list_display = ['name', 'position', 'hidden', 'forum_count', 'group']
list_per_page = 20
ordering = ['position']
search_fields = ['name']
list_editable = ['position']
inlines = [ForumInlineAdmin]
class ForumAdmin(admin.ModelAdmin):
list_display = ['name', 'category', 'hidden', 'position', 'topic_count', 'group']
list_per_page = 20
raw_id_fields = ['moderators']
ordering = ['-category']
search_fields = ['name', 'category__name']
list_editable = ['position', 'hidden']
fieldsets = (
(None, {
'fields': ('category', 'parent', 'name', 'hidden', 'position', 'group')
}
),
(_('Additional options'), {
'classes': ('collapse',),
'fields': ('updated', 'description', 'headline', 'post_count', 'moderators')
}
),
)
class PollAnswerAdmin(admin.TabularInline):
model = PollAnswer
fields = ['text', ]
extra = 0
class TopicAdmin(admin.ModelAdmin):
list_display = ['name', 'forum', 'created', 'head', 'post_count', 'poll_type', 'group']
list_per_page = 20
raw_id_fields = ['user', 'subscribers']
ordering = ['-created']
date_hierarchy = 'created'
search_fields = ['name']
fieldsets = (
(None, {
'fields': ('forum', 'name', 'user', ('created', 'updated'), 'poll_type', 'group')
}
),
(_('Additional options'), {
'classes': ('collapse',),
'fields': (('views', 'post_count'), ('sticky', 'closed'), 'subscribers')
}
),
)
inlines = [PollAnswerAdmin, ]
class TopicReadTrackerAdmin(admin.ModelAdmin):
list_display = ['topic', 'user', 'time_stamp']
search_fields = ['user__%s' % username_field]
class ForumReadTrackerAdmin(admin.ModelAdmin):
list_display = ['forum', 'user', 'time_stamp']
search_fields = ['user__%s' % username_field]
class PostAdmin(admin.ModelAdmin):
list_display = ['topic', 'user', 'created', 'updated', 'summary', 'group']
list_per_page = 20
raw_id_fields = ['user', 'topic']
ordering = ['-created']
date_hierarchy = 'created'
search_fields = ['body']
fieldsets = (
(None, {
'fields': ('topic', 'user', 'group')
}
),
(_('Additional options'), {
'classes': ('collapse',),
'fields' : (('created', 'updated'), 'user_ip')
}
),
(_('Message'), {
'fields': ('body', 'body_html', 'body_text')
}
),
)
class ProfileAdmin(admin.ModelAdmin):
list_display = ['user', 'time_zone', 'language', 'post_count']
list_per_page = 20
ordering = ['-user']
search_fields = ['user__%s' % username_field]
fieldsets = (
(None, {
'fields': ('time_zone', 'language')
}
),
(_('Additional options'), {
'classes': ('collapse',),
'fields' : ('avatar', 'signature', 'show_signatures')
}
),
)
class AttachmentAdmin(admin.ModelAdmin):
list_display = ['file', 'size', 'admin_view_post', 'admin_edit_post']
def admin_view_post(self, obj):
return '<a href="%s">view</a>' % obj.post.get_absolute_url()
admin_view_post.allow_tags = True
admin_view_post.short_description = _('View post')
def admin_edit_post(self, obj):
return '<a href="%s">edit</a>' % reverse('admin:pybb_post_change', args=[obj.post.pk])
admin_edit_post.allow_tags = True
admin_edit_post.short_description = _('Edit post')
admin.site.register(Category, CategoryAdmin)
admin.site.register(Forum, ForumAdmin)
admin.site.register(Topic, TopicAdmin)
admin.site.register(Post, PostAdmin)
admin.site.register(Attachment, AttachmentAdmin)
if util.get_pybb_profile_model() == Profile:
admin.site.register(Profile, ProfileAdmin)
# This can be used to debug read/unread trackers
#admin.site.register(TopicReadTracker, TopicReadTrackerAdmin)
#admin.site.register(ForumReadTracker, ForumReadTrackerAdmin)
| {
"content_hash": "3505a08988d76d0ac34fbeab1c5f0d6d",
"timestamp": "",
"source": "github",
"line_count": 150,
"max_line_length": 97,
"avg_line_length": 31.346666666666668,
"alnum_prop": 0.5720969800085071,
"repo_name": "jonsimington/pybbm",
"id": "b46c9c0bdd79359dcbc7763e0fef1f2d12b5bf7d",
"size": "4722",
"binary": false,
"copies": "1",
"ref": "refs/heads/master",
"path": "pybb/admin.py",
"mode": "33188",
"license": "bsd-2-clause",
"language": [
{
"name": "CSS",
"bytes": "136463"
},
{
"name": "JavaScript",
"bytes": "31221"
},
{
"name": "Makefile",
"bytes": "4587"
},
{
"name": "Python",
"bytes": "517836"
},
{
"name": "Shell",
"bytes": "4509"
}
],
"symlink_target": ""
} |
<!DOCTYPE html>
<html>
<head>
<title>Hello world - Scala.js example</title>
<meta http-equiv="Content-Type" content="text/html; charset=UTF-8"/>
</head>
<body>
<div id="playground">
</div>
<script type="text/javascript" src="http://code.jquery.com/jquery-1.9.1.min.js"></script>
<script type="text/javascript" src="./target/scala-2.11/helloworld-fastopt.js"></script>
</body>
</html>
| {
"content_hash": "8996eefe928f1bef1fd4055fa0ba5352",
"timestamp": "",
"source": "github",
"line_count": 17,
"max_line_length": 89,
"avg_line_length": 23.058823529411764,
"alnum_prop": 0.6811224489795918,
"repo_name": "nicolasstucki/scala-js",
"id": "7b304696695b79d8708a554a9cb8796f40b80201",
"size": "392",
"binary": false,
"copies": "2",
"ref": "refs/heads/master",
"path": "examples/helloworld/helloworld-2.11-fastopt.html",
"mode": "33188",
"license": "apache-2.0",
"language": [
{
"name": "CSS",
"bytes": "1107"
},
{
"name": "JavaScript",
"bytes": "2402"
},
{
"name": "Scala",
"bytes": "6662394"
},
{
"name": "Shell",
"bytes": "5362"
}
],
"symlink_target": ""
} |
namespace ion
{
class ionbase
{
public:
virtual ~ionbase() {}
Json::Value reloadProject(bool deferLoad = false)
{
FILE * f = fopen(projFile.c_str(), "rb");
if (!f)
{
log.write(log.ERRO, "project file cannot be opened");
return Json::Value::null;
}
//find base path for project
char dir[MAX_PATH] = {0};
char drive[MAX_PATH] = {0};
_splitpath(projFile.c_str(), drive, dir, 0, 0);
basepath = std::string(drive) + std::string(dir);
fseek(f, 0, FILE_END);
auto sz = ftell(f);
rewind(f);
char* data = new char[sz + 1];
memset(data, 0, sz + 1);
fread(data, 1, sz, f);
fclose(f);
std::string contents(data);
delete[] data;
Json::Value root;
Json::Reader reader;
bool flag = reader.parse(contents, root);
if (!flag)
{
log.write(log.ERRO, format("Failed to parse project file\n%s") % reader.getFormatedErrorMessages());
return Json::Value::null;
}
const Json::Value name = root["name"];
if (name.isNull())
{
log.write(log.WARN, "missing name parameter");
return name;
}
projName = name.asString();
sigdbFile = root.get("sigdb", "").asString();
parseSigs();
if (!deferLoad) lua.reloadProject(root, basepath);
return root;
}
void parseSigs()
{
if (sigdbFile.empty()) return;
sigs._modules.clear();
sigs._entry.clear();
FILE * f = fopen((basepath+sigdbFile).c_str(), "rb");
if (!f)
{
log.write(log.ERRO, "sigdb file cannot be opened");
return;
}
fseek(f, 0, FILE_END);
auto sz = ftell(f);
rewind(f);
char* data = new char[sz + 1];
memset(data, 0, sz + 1);
fread(data, 1, sz, f);
fclose(f);
std::string contents(data);
delete[] data;
Json::Value root;
Json::Reader reader;
if (!reader.parse(contents, root))
{
log.write(log.ERRO, format("Failed to parse sigdb file\n%s") % reader.getFormatedErrorMessages());
return;
}
scanAll = root.get("scan_all", false).asBool();
for (auto it = root.begin(); it != root.end(); it++)
{
if (it.key().asString() == "scan_all") continue;
std::string module = (*it).get("module", "").asString();
std::string pattern = (*it).get("pattern", "").asString();
std::string o;
try
{
o = (*it).get("offset", "").asString();
}
catch (...)
{
log.write(log.WARN, "Caught exception while parsing offset\n");
o = "";
}
UINT offset = 0;
if (o.length() >= 2 && !o.empty() && std::string(o.cbegin(), o.cbegin()+2) == "0x")
{
//hex
std::stringstream ss;
ss << std::hex << o;
ss >> offset;
}
else
{
offset = (UINT)(*it).get("offset", 0).asInt();
}
if (module.empty() || pattern.empty())
{
log.write(log.WARN, format("Invalid values in signature %s\n") % it.key().asString());
continue;
}
sigs.addEntry(it.key().asString(), pattern, module, offset);
}
if (scanAll) sigs.scanAll();
filewatcher.addFile(basepath+sigdbFile, this, &dispatchSigReload);
}
Json::Value superInit(const std::string& proj)
{
lua.init();
projFile = proj;
auto root = reloadProject(true);
return root;
}
void finishInit(Json::Value& root)
{
lua.reloadProject(root, basepath);
filewatcher.addFile(projFile, this, &dispatchProjectReload);
}
static void dispatchProjectReload(void* inst)
{
auto ibase = (ionbase*)inst;
ibase->reloadProject();
}
static void dispatchSigReload(void* inst)
{
auto ibase = (ionbase*)inst;
ibase->parseSigs();
}
ion::sigdb sigs;
bool scanAll;
std::string projFile;
std::string projName;
std::string sigdbFile;
std::string basepath;
};
} | {
"content_hash": "f39a2bed353b674c192de65f734e402a",
"timestamp": "",
"source": "github",
"line_count": 156,
"max_line_length": 104,
"avg_line_length": 23.621794871794872,
"alnum_prop": 0.5888738127544098,
"repo_name": "scen/ionlib",
"id": "cf490162b4fea83e04d226eb60b94a3565fd245a",
"size": "3845",
"binary": false,
"copies": "1",
"ref": "refs/heads/master",
"path": "src/ionbase.h",
"mode": "33188",
"license": "mit",
"language": [
{
"name": "C",
"bytes": "9790968"
},
{
"name": "C++",
"bytes": "149439667"
},
{
"name": "D",
"bytes": "81870968"
},
{
"name": "Objective-C",
"bytes": "376824"
},
{
"name": "Perl",
"bytes": "77795"
},
{
"name": "Python",
"bytes": "2596"
},
{
"name": "Shell",
"bytes": "2289"
},
{
"name": "Squirrel",
"bytes": "4289"
}
],
"symlink_target": ""
} |
pseudo
====
Overview
----
Some coding ideas that I've roughly sketched out -- may be of use in obscure cases in the future.
Algorithms are not guaranteed to work. May implement code tests as proof; in the case of parallel algorithms, may actually prove correctness.
| {
"content_hash": "1b195189e71c52e9d47335da4894308d",
"timestamp": "",
"source": "github",
"line_count": 9,
"max_line_length": 141,
"avg_line_length": 29.88888888888889,
"alnum_prop": 0.7620817843866171,
"repo_name": "cripplet/pseudo",
"id": "792ac4b8aef287f7fe97c59eb8425b5215e0e018",
"size": "269",
"binary": false,
"copies": "1",
"ref": "refs/heads/master",
"path": "README.md",
"mode": "33188",
"license": "mit",
"language": [],
"symlink_target": ""
} |
List roles that grant the given permission
### Synopsis
List roles that grant the given permission
```
pachctl auth roles-for-permission <permission> [flags]
```
### Options
```
-h, --help help for roles-for-permission
```
### Options inherited from parent commands
```
--no-color Turn off colors.
-v, --verbose Output verbose logs
```
| {
"content_hash": "555b57707828f02ffd46680f6b8b31ac",
"timestamp": "",
"source": "github",
"line_count": 23,
"max_line_length": 54,
"avg_line_length": 15.695652173913043,
"alnum_prop": 0.6648199445983379,
"repo_name": "pachyderm/pfs",
"id": "f93ddde569baa8dee199b15b1d867b321897467d",
"size": "399",
"binary": false,
"copies": "2",
"ref": "refs/heads/master",
"path": "doc/docs/2.0.x/reference/pachctl/pachctl_auth_roles-for-permission.md",
"mode": "33188",
"license": "apache-2.0",
"language": [
{
"name": "Go",
"bytes": "314339"
},
{
"name": "Makefile",
"bytes": "5302"
},
{
"name": "Protocol Buffer",
"bytes": "18063"
},
{
"name": "Ruby",
"bytes": "901"
},
{
"name": "Shell",
"bytes": "3757"
}
],
"symlink_target": ""
} |
<?xml version="1.0" encoding="utf-8" standalone="no"?>
<application xmlns="http://ns.adobe.com/air/application/4.0">
<!-- Adobe AIR Application Descriptor File Template.
Specifies parameters for identifying, installing, and launching AIR applications.
xmlns - The Adobe AIR namespace: http://ns.adobe.com/air/application/3.5
The last segment of the namespace specifies the version
of the AIR runtime required for this application to run.
minimumPatchLevel - The minimum patch level of the AIR runtime required to run
the application. Optional.
-->
<!-- A universally unique application identifier. Must be unique across all AIR applications.
Using a reverse DNS-style name as the id is recommended. (Eg. com.example.ExampleApplication.) Required. -->
<id>air.turbotech.mengshoutang.mi</id>
<!-- Used as the filename for the application. Required. -->
<filename>mengshoutang.xm</filename>
<!-- The name that is displayed in the AIR application installer.
May have multiple values for each language. See samples or xsd schema file. Optional. -->
<name>萌兽堂</name>
<!-- A string value of the format <0-999>.<0-999>.<0-999> that represents application version which can be used to check for application upgrade.
Values can also be 1-part or 2-part. It is not necessary to have a 3-part value.
An updated version of application must have a versionNumber value higher than the previous version. Required for namespace >= 2.5 . -->
<versionNumber>1.5.0</versionNumber>
<!-- A string value (such as "v1", "2.5", or "Alpha 1") that represents the version of the application, as it should be shown to users. Optional. -->
<!-- <versionLabel></versionLabel> -->
<!-- Description, displayed in the AIR application installer.
May have multiple values for each language. See samples or xsd schema file. Optional. -->
<!-- <description></description> -->
<!-- Copyright information. Optional -->
<!-- <copyright></copyright> -->
<!-- Publisher ID. Used if you're updating an application created prior to 1.5.3 -->
<!-- <publisherID></publisherID> -->
<!-- Settings for the application's initial window. Required. -->
<initialWindow>
<!-- The main SWF or HTML file of the application. Required. -->
<!-- Note: In Flash Builder, the SWF reference is set automatically. -->
<content>[此值将由 Flash Builder 在输出 app.xml 中覆盖]</content>
<!-- The title of the main window. Optional. -->
<!-- <title></title> -->
<!-- The type of system chrome to use (either "standard" or "none"). Optional. Default standard. -->
<!-- <systemChrome></systemChrome> -->
<!-- Whether the window is transparent. Only applicable when systemChrome is none. Optional. Default false. -->
<!-- <transparent></transparent> -->
<!-- Whether the window is initially visible. Optional. Default false. -->
<!-- <visible></visible> -->
<!-- Whether the user can minimize the window. Optional. Default true. -->
<!-- <minimizable></minimizable> -->
<!-- Whether the user can maximize the window. Optional. Default true. -->
<!-- <maximizable></maximizable> -->
<!-- Whether the user can resize the window. Optional. Default true. -->
<!-- <resizable></resizable> -->
<!-- The window's initial width in pixels. Optional. -->
<!-- <width></width> -->
<!-- The window's initial height in pixels. Optional. -->
<!-- <height></height> -->
<!-- The window's initial x position. Optional. -->
<!-- <x></x> -->
<!-- The window's initial y position. Optional. -->
<!-- <y></y> -->
<!-- The window's minimum size, specified as a width/height pair in pixels, such as "400 200". Optional. -->
<!-- <minSize></minSize> -->
<!-- The window's initial maximum size, specified as a width/height pair in pixels, such as "1600 1200". Optional. -->
<!-- <maxSize></maxSize> -->
<!-- The aspect ratio of the app ("portrait" or "landscape" or "any"). Optional. Mobile only. Default is the natural orientation of the device -->
<!-- <aspectRatio></aspectRatio> -->
<!-- Whether the app will begin auto-orienting on launch. Optional. Mobile only. Default false -->
<!-- <autoOrients></autoOrients> -->
<!-- Whether the app launches in full screen. Optional. Mobile only. Default false -->
<!-- <fullScreen></fullScreen> -->
<!-- The render mode for the app (either auto, cpu, gpu, or direct). Optional. Default auto -->
<!-- <renderMode></renderMode> -->
<!-- Whether the default direct mode rendering context allocates storage for depth and stencil buffers. Optional. Default false. -->
<!-- <depthAndStencil></depthAndStencil> -->
<!-- Whether or not to pan when a soft keyboard is raised or lowered (either "pan" or "none"). Optional. Defaults "pan." -->
<!-- <softKeyboardBehavior></softKeyboardBehavior> -->
<!-- Display Resolution for the app (either "standard" or "high"). Optional, OSX-only. Default "standard" -->
<!-- <requestedDisplayResolution></requestedDisplayResolution> -->
<autoOrients>false</autoOrients>
<fullScreen>true</fullScreen>
<visible>true</visible>
<aspectRatio>landscape</aspectRatio>
<renderMode>direct</renderMode>
</initialWindow>
<!-- We recommend omitting the supportedProfiles element, -->
<!-- which in turn permits your application to be deployed to all -->
<!-- devices supported by AIR. If you wish to restrict deployment -->
<!-- (i.e., to only mobile devices) then add this element and list -->
<!-- only the profiles which your application does support. -->
<!-- <supportedProfiles>desktop extendedDesktop mobileDevice extendedMobileDevice</supportedProfiles> -->
<!-- Languages supported by application -->
<!-- Only these languages can be specified -->
<!-- <supportedLanguages>en de cs es fr it ja ko nl pl pt ru sv tr zh</supportedLanguages> -->
<!-- The subpath of the standard default installation location to use. Optional. -->
<!-- <installFolder></installFolder> -->
<!-- The subpath of the Programs menu to use. (Ignored on operating systems without a Programs menu.) Optional. -->
<!-- <programMenuFolder></programMenuFolder> -->
<!-- The icon the system uses for the application. For at least one resolution,
specify the path to a PNG file included in the AIR package. Optional. -->
<icon>
<image29x29>icon/icon/App29.png</image29x29>
<image50x50>icon/icon/App50.png</image50x50>
<image57x57>icon/icon/App57.png</image57x57>
<image58x58>icon/icon/App58.png</image58x58>
<image72x72>icon/icon/App72.png</image72x72>
<image76x76>icon/icon/App76.png</image76x76>
<image114x114>icon/icon/App114.png</image114x114>
<image120x120>icon/icon/App120.png</image120x120>
<image152x152>icon/icon/App152.png</image152x152>
<image512x512>icon/icon/App512.png</image512x512>
<image36x36>icon/icon/App36.png</image36x36>
<image48x48>icon/icon/App48.png</image48x48>
<image100x100>icon/icon/App100.png</image100x100>
<image144x144>icon/icon/App144.png</image144x144>
<image1024x1024>icon/icon/App1024.png</image1024x1024>
</icon>
<!-- Whether the application handles the update when a user double-clicks an update version
of the AIR file (true), or the default AIR application installer handles the update (false).
Optional. Default false. -->
<!-- <customUpdateUI></customUpdateUI> -->
<!-- Whether the application can be launched when the user clicks a link in a web browser.
Optional. Default false. -->
<!-- <allowBrowserInvocation></allowBrowserInvocation> -->
<!-- Listing of file types for which the application can register. Optional. -->
<!-- <fileTypes> -->
<!-- Defines one file type. Optional. -->
<!-- <fileType> -->
<!-- The name that the system displays for the registered file type. Required. -->
<!-- <name></name> -->
<!-- The extension to register. Required. -->
<!-- <extension></extension> -->
<!-- The description of the file type. Optional. -->
<!-- <description></description> -->
<!-- The MIME content type. -->
<!-- <contentType></contentType> -->
<!-- The icon to display for the file type. Optional. -->
<!-- <icon>
<image16x16></image16x16>
<image32x32></image32x32>
<image48x48></image48x48>
<image128x128></image128x128>
</icon> -->
<!-- </fileType> -->
<!-- </fileTypes> -->
<!-- iOS specific capabilities -->
<!-- <iPhone> -->
<!-- A list of plist key/value pairs to be added to the application Info.plist -->
<!-- <InfoAdditions>
<![CDATA[
<key>UIDeviceFamily</key>
<array>
<string>1</string>
<string>2</string>
</array>
<key>UIStatusBarStyle</key>
<string>UIStatusBarStyleBlackOpaque</string>
<key>UIRequiresPersistentWiFi</key>
<string>YES</string>
]]>
</InfoAdditions> -->
<!-- A list of plist key/value pairs to be added to the application Entitlements.plist -->
<!-- <Entitlements>
<![CDATA[
<key>keychain-access-groups</key>
<array>
<string></string>
<string></string>
</array>
]]>
</Entitlements> -->
<!-- Display Resolution for the app (either "standard" or "high"). Optional. Default "standard" -->
<!-- <requestedDisplayResolution></requestedDisplayResolution> -->
<!-- Forcing Render Mode CPU for the devices mentioned. Optional -->
<!-- <forceCPURenderModeForDevices></forceCPURenderModeForDevices> -->
<!-- File containing line separated list of external swf paths. These swfs won't be
packaged inside the application and corresponding stripped swfs will be output in
externalStrippedSwfs folder. -->
<!-- <externalSwfs></externalSwfs> -->
<!-- </iPhone> -->
<!-- Specify Android specific tags that get passed to AndroidManifest.xml file. -->
<!--<android> -->
<!-- <manifestAdditions>
<![CDATA[
<manifest android:installLocation="auto">
<uses-permission android:name="android.permission.INTERNET"/>
<uses-permission android:name="android.permission.WRITE_EXTERNAL_STORAGE"/>
<uses-permission android:name="android.permission.ACCESS_FINE_LOCATION"/>
<uses-feature android:required="true" android:name="android.hardware.touchscreen.multitouch"/>
<application android:enabled="true">
<activity android:excludeFromRecents="false">
<intent-filter>
<action android:name="android.intent.action.MAIN"/>
<category android:name="android.intent.category.LAUNCHER"/>
</intent-filter>
</activity>
</application>
</manifest>
]]>
</manifestAdditions> -->
<!-- Color depth for the app (either "32bit" or "16bit"). Optional. Default 16bit before namespace 3.0, 32bit after -->
<!-- <colorDepth></colorDepth> -->
<!-- Indicates if the app contains video or not. Necessary for ordering of video planes with graphics plane, especially in Jellybean - if you app does video this must be set to true - valid values are true or false -->
<!-- <containsVideo></containsVideo> -->
<!-- </android> -->
<!-- End of the schema for adding the android specific tags in AndroidManifest.xml file -->
<android>
<manifestAdditions><![CDATA[
<manifest android:installLocation="auto">
<uses-permission android:name="android.permission.DISABLE_KEYGUARD"/>
<uses-permission android:name="android.permission.WAKE_LOCK"/>
<uses-permission android:name="android.permission.ACCESS_WIFI_STATE"></uses-permission>
<uses-permission android:name="android.permission.SYSTEM_ALERT_WINDOW" />
<uses-permission android:name="android.permission.INTERNET" />
<uses-permission android:name="android.permission.ACCESS_NETWORK_STATE" />
<uses-permission android:name="android.permission.READ_PHONE_STATE" />
<uses-permission android:name="android.permission.WRITE_EXTERNAL_STORAGE" />
<uses-permission android:name="android.permission.GET_ACCOUNTS" />
<uses-permission android:name="android.permission.USE_CREDENTIALS" />
<uses-permission android:name="android.permission.MANAGE_ACCOUNTS" />
<uses-permission android:name="android.permission.GET_TASKS" />
<application android:enabled="true">
<activity android:excludeFromRecents="false">
<intent-filter>
<action android:name="android.intent.action.MAIN"/>
<category android:name="android.intent.category.LAUNCHER"/>
</intent-filter>
</activity>
</application>
</manifest>
]]></manifestAdditions>
</android>
<iPhone>
<InfoAdditions><![CDATA[
<key>UIDeviceFamily</key>
<array>
<string>1</string>
<string>2</string>
</array>
]]></InfoAdditions>
<requestedDisplayResolution>high</requestedDisplayResolution>
</iPhone>
<extensions>
<extensionID>com.freshplanet.AirNetworkInfo</extensionID>
<extensionID>ie.jampot.Alert</extensionID>
<extensionID>com.dataeye.extension</extensionID>
<extensionID>com.adobe.wechat</extensionID>
<extensionID>com.nd.ane.complatform</extensionID>
<extensionID>com.wolun.qihoo.ane.platform.WoLunAne</extensionID>
<extensionID>com.wolun.dangle.ane.platform.WoLunAne</extensionID>
<extensionID>cn.uc.gamesdk.ane.android</extensionID>
<extensionID>com.wanglailai.ane4wdj</extensionID>
<extensionID>com.wolun.xiaomi.ane.platform.WoLunAne</extensionID>
<extensionID>com.sticksports.nativeExtensions.GameCenter</extensionID>
<extensionID>com.adobe.ane.productStore</extensionID>
<extensionID>com.nd.complatform.ane</extensionID>
<extensionID>com.tongbu.TBP4AIR</extensionID>
<extensionID>com.wolun.oppo.ane.platform.WoLunAne</extensionID>
<extensionID>com.wolun.huawei.ane.platform.WoLunAne</extensionID>
<extensionID>com.wolun.lenovo.ane.platform.WoLunAne</extensionID>
<extensionID>com.teiron.PPAne</extensionID>
<extensionID>com.wolun.coolpad.ane.platform.WoLunAne</extensionID>
</extensions>
</application>
| {
"content_hash": "7e41f2de9f0c87a3fef4d65b92857fbd",
"timestamp": "",
"source": "github",
"line_count": 321,
"max_line_length": 226,
"avg_line_length": 45.900311526479754,
"alnum_prop": 0.6479571060133026,
"repo_name": "dolotech/mengshoutang",
"id": "a3598d626b181672d4bef99bd54681ded8244513",
"size": "14760",
"binary": false,
"copies": "1",
"ref": "refs/heads/master",
"path": "GameStartXm-app.xml",
"mode": "33188",
"license": "apache-2.0",
"language": [
{
"name": "ActionScript",
"bytes": "7988839"
}
],
"symlink_target": ""
} |
module Middleman
# Current Version
# @return [String]
VERSION = '4.1.2'.freeze unless const_defined?(:VERSION)
end
| {
"content_hash": "7c0a7354c612eafbd6ce369e1609e447",
"timestamp": "",
"source": "github",
"line_count": 5,
"max_line_length": 58,
"avg_line_length": 24.2,
"alnum_prop": 0.7024793388429752,
"repo_name": "puyo/middleman",
"id": "78e9c308754aae1011b85955e3cc67120356e69a",
"size": "121",
"binary": false,
"copies": "1",
"ref": "refs/heads/master",
"path": "middleman-core/lib/middleman-core/version.rb",
"mode": "33188",
"license": "mit",
"language": [
{
"name": "ApacheConf",
"bytes": "115"
},
{
"name": "CSS",
"bytes": "28062"
},
{
"name": "CoffeeScript",
"bytes": "219"
},
{
"name": "Cucumber",
"bytes": "232009"
},
{
"name": "HTML",
"bytes": "55615"
},
{
"name": "JavaScript",
"bytes": "4621"
},
{
"name": "Liquid",
"bytes": "101"
},
{
"name": "PHP",
"bytes": "490"
},
{
"name": "Ruby",
"bytes": "414439"
}
],
"symlink_target": ""
} |
antiunification
===============
Functional implementation of anti-unification algorithm for multiple terms
Adapted from figure 2 of 'A functional reconstruction of anti-unification'
by Bjarte M. Østvold
Norwegian Computing Center
DART/04/04
2004
http://citeseerx.ist.psu.edu/viewdoc/download?doi=10.1.1.95.9108&rep=rep1&type=pdf | {
"content_hash": "f1277934dc081769cadfed1a6b1c8b5a",
"timestamp": "",
"source": "github",
"line_count": 12,
"max_line_length": 82,
"avg_line_length": 27.583333333333332,
"alnum_prop": 0.7824773413897281,
"repo_name": "webyrd/anti-unification",
"id": "f9886bd34af602f1162a7def55163a2855e6e738",
"size": "332",
"binary": false,
"copies": "1",
"ref": "refs/heads/master",
"path": "README.md",
"mode": "33188",
"license": "mit",
"language": [
{
"name": "Scheme",
"bytes": "7341"
}
],
"symlink_target": ""
} |
<!--conf
<sample in_favorites="false">
<product version="1.5" edition="pro"/>
<modifications>
<modified date="070101"/>
</modifications>
</sample>
-->
<!DOCTYPE HTML PUBLIC "-//W3C//DTD HTML 4.01 Transitional//EN">
<html>
<head>
<title>Copy with Drag-n-Drop</title>
</head>
<body>
<h1>Copy with Drag-n-Drop</h1>
<meta http-equiv="Content-Type" content="text/html; charset=UTF-8">
<link rel="stylesheet" type="text/css" href="../../../codebase/dhtmlx.css"/>
<script src="../../../codebase/dhtmlx.js"></script>
<p>Mercy drag-and-drop allows you to copy nodes from one tree to another. In the current sample it is enabled for the left tree.</p>
<table>
<tr>
<td>
<div id="treeboxbox_tree" style="width:250px; height:218px;background-color:#f5f5f5;border :1px solid Silver;">
</div>
</td>
<td style="padding-left:25" valign="top">
<div id="treeboxbox_tree2" style="width:250px; height:218px;background-color:#f5f5f5;border :1px solid Silver;">
</div>
</td>
</tr>
<tr>
</tr>
</table>
<br>
<script>
tree=new dhtmlXTreeObject("treeboxbox_tree","100%","100%",0);
tree.setSkin('dhx_skyblue');
tree.enableDragAndDrop(true);
tree.enableMercyDrag(true);
tree.enableCheckBoxes(true);
tree.setImagePath("../../../codebase/imgs/dhxtree_skyblue/");
tree.enableSmartXMLParsing(true);
tree.loadXML("../common/tree.xml")
tree2=new dhtmlXTreeObject("treeboxbox_tree2","100%","100%",0);
tree2.setSkin('dhx_skyblue');
tree2.setImagePath("../../../codebase/imgs/dhxtree_skyblue/");
tree2.enableDragAndDrop(true);
tree2.enableSmartXMLParsing(true);
tree2.insertNewItem(0,"1","Root");
</script>
<br><br>
</body>
</html>
| {
"content_hash": "9967c1bfbfb25498aabeb2c335224c4a",
"timestamp": "",
"source": "github",
"line_count": 65,
"max_line_length": 137,
"avg_line_length": 28.892307692307693,
"alnum_prop": 0.597444089456869,
"repo_name": "blale-zhang/codegen",
"id": "78fa89b0ec300c92ab57e0feb67dcaf2d992c74a",
"size": "1878",
"binary": false,
"copies": "1",
"ref": "refs/heads/master",
"path": "WebContent/component/dhtmlxSuite_v403_std/samples/dhtmlxTree/05_drag_n_drop/10_pro_mercy_drag.html",
"mode": "33188",
"license": "mit",
"language": [
{
"name": "ASP",
"bytes": "29465"
},
{
"name": "Batchfile",
"bytes": "403"
},
{
"name": "C#",
"bytes": "11367"
},
{
"name": "CSS",
"bytes": "3100783"
},
{
"name": "HTML",
"bytes": "15816774"
},
{
"name": "Java",
"bytes": "382175"
},
{
"name": "JavaScript",
"bytes": "10963292"
},
{
"name": "Makefile",
"bytes": "307"
},
{
"name": "PHP",
"bytes": "307341"
},
{
"name": "Ruby",
"bytes": "578"
},
{
"name": "Shell",
"bytes": "26"
}
],
"symlink_target": ""
} |
"""
>> Thread Host Controller Interface
>> Device : OpenThread_WpanCtl THCI
>> Class : OpenThread_WpanCtl
"""
import re
import time
import socket
import logging
from Queue import Queue
import serial
from IThci import IThci
from GRLLibs.UtilityModules.Test import Thread_Device_Role, Device_Data_Requirement, MacType
from GRLLibs.UtilityModules.enums import PlatformDiagnosticPacket_Direction, PlatformDiagnosticPacket_Type
from GRLLibs.UtilityModules.ModuleHelper import ModuleHelper, ThreadRunner
from GRLLibs.ThreadPacket.PlatformPackets import PlatformDiagnosticPacket, PlatformPackets
from GRLLibs.UtilityModules.Plugins.AES_CMAC import Thread_PBKDF2
"""wpanctl carrier info and wpanctl command prefix"""
WPAN_CARRIER_USER = 'pi'
WPAN_CARRIER_PASSWD = 'raspberry'
WPAN_CARRIER_PROMPT = 'pi@raspberrypi'
WPAN_INTERFACE = 'wpan0'
WPANCTL_CMD = 'sudo wpanctl -I ' + WPAN_INTERFACE + ' '
"""regex: used to split lines"""
LINESEPX = re.compile(r'\r\n|\n')
class OpenThread_WpanCtl(IThci):
LOWEST_POSSIBLE_PARTATION_ID = 0x1
LINK_QUALITY_CHANGE_TIME = 100
# Used for reference firmware version control for Test Harness.
# This variable will be updated to match the OpenThread reference firmware officially released.
firmwarePrefix = "OPENTHREAD/"
def __init__(self, **kwargs):
"""initialize the serial port and default network parameters
Args:
**kwargs: Arbitrary keyword arguments
Includes 'EUI' and 'SerialPort'
"""
try:
self.UIStatusMsg = ''
self.mac = kwargs.get('EUI')
self.handle = None
self.AutoDUTEnable = False
self._is_net = False # whether device is through ser2net
self.logStatus = {'stop':'stop', 'running':'running', 'pauseReq':'pauseReq', 'paused':'paused'}
self.logThreadStatus = self.logStatus['stop']
self.connectType = (kwargs.get('Param5')).strip().lower() if kwargs.get('Param5') is not None else 'usb'
if self.connectType == 'ip':
self.dutIpv4 = kwargs.get('TelnetIP')
self.dutPort = kwargs.get('TelnetPort')
self.port = self.dutIpv4 + ':' + self.dutPort
else:
self.port = kwargs.get('SerialPort')
self.intialize()
except Exception, e:
ModuleHelper.WriteIntoDebugLogger('initialize() Error: ' + str(e))
def __del__(self):
"""close the serial port connection"""
try:
self.closeConnection()
self.deviceConnected = False
except Exception, e:
ModuleHelper.WriteIntoDebugLogger('delete() Error: ' + str(e))
def _expect(self, expected, times=50):
"""Find the `expected` line within `times` trials.
Args:
expected str: the expected string
times int: number of trials
"""
print '[%s] Expecting [%s]' % (self.port, expected)
retry_times = 10
while times > 0 and retry_times > 0:
line = self._readline()
print '[%s] Got line [%s]' % (self.port, line)
if line == expected:
print '[%s] Expected [%s]' % (self.port, expected)
return
if not line:
retry_times -= 1
time.sleep(1)
times -= 1
raise Exception('failed to find expected string[%s]' % expected)
def _read(self, size=512):
logging.info('%s: reading', self.port)
if self._is_net:
return self.handle.recv(size)
else:
return self.handle.read(size)
def _write(self, data):
logging.info('%s: writing', self.port)
if self._is_net:
self.handle.sendall(data)
else:
self.handle.write(data)
def _readline(self):
"""Read exactly one line from the device
Returns:
None on no data
"""
logging.info('%s: reading line', self.port)
if len(self._lines) > 1:
return self._lines.pop(0)
tail = ''
if len(self._lines):
tail = self._lines.pop()
try:
tail += self._read()
except socket.error:
logging.exception('%s: No new data', self.port)
time.sleep(0.1)
self._lines += LINESEPX.split(tail)
if len(self._lines) > 1:
return self._lines.pop(0)
def _sendline(self, line):
"""Send exactly one line to the device
Args:
line str: data send to device
"""
logging.info('%s: sending line', self.port)
# clear buffer
self._lines = []
try:
self._read()
except socket.error:
logging.debug('%s: Nothing cleared', self.port)
print 'sending [%s]' % line
self._write(line + '\r\n')
self._lines = []
# wait for write to complete
time.sleep(0.1)
def __sendCommand(self, cmd):
"""send specific command to reference unit over serial port
Args:
cmd: OpenThread_WpanCtl command string
Returns:
Fail: Failed to send the command to reference unit and parse it
Value: successfully retrieve the desired value from reference unit
Error: some errors occur, indicates by the followed specific error number
"""
logging.info('%s: sendCommand[%s]', self.port, cmd)
if self.logThreadStatus == self.logStatus['running']:
self.logThreadStatus = self.logStatus['pauseReq']
while self.logThreadStatus != self.logStatus['paused'] and self.logThreadStatus != self.logStatus['stop']:
pass
ssh_stdin = None
ssh_stdout = None
ssh_stderr = None
try:
# command retransmit times
retry_times = 3
while retry_times > 0:
retry_times -= 1
try:
if self._is_net:
ssh_stdin, ssh_stdout, ssh_stderr = self.handle.exec_command(cmd)
else:
self._sendline(cmd)
self._expect(cmd)
except Exception as e:
logging.exception('%s: failed to send command[%s]: %s', self.port, cmd, str(e))
if retry_times == 0:
raise
else:
break
line = None
response = []
retry_times = 10
stdout_lines = []
stderr_lines = []
if self._is_net:
stdout_lines = ssh_stdout.readlines()
stderr_lines = ssh_stderr.readlines()
if stderr_lines:
for stderr_line in stderr_lines:
if re.search(r'Not\s+Found|failed\s+with\s+error', stderr_line.strip(), re.M | re.I):
print "Command failed:" + stderr_line
return 'Fail'
print "Got line: " + stderr_line
logging.info('%s: the read line is[%s]', self.port, stderr_line)
response.append(str(stderr_line.strip()))
elif stdout_lines:
for stdout_line in stdout_lines:
logging.info('%s: the read line is[%s]', self.port, stdout_line)
if re.search(r'Not\s+Found|failed\s+with\s+error', stdout_line.strip(), re.M | re.I):
print "Command failed"
return 'Fail'
print "Got line: " + stdout_line
logging.info('%s: send command[%s] done!', self.port, cmd)
response.append(str(stdout_line.strip()))
response.append(WPAN_CARRIER_PROMPT)
return response
else:
while retry_times > 0:
line = self._readline()
print "read line: %s" % line
logging.info('%s: the read line is[%s]', self.port, line)
if line:
response.append(line)
print "response: %s" % response
if re.match(WPAN_CARRIER_PROMPT, line):
break
elif re.search(r'Not\s+Found|failed\s+with\s+error', line, re.M | re.I):
print "Command failed"
return 'Fail'
else:
retry_times -= 1
time.sleep(0.2)
else:
retry_times -= 1
time.sleep(1)
if not re.match(WPAN_CARRIER_PROMPT, line):
raise Exception('%s: failed to find end of response' % self.port)
logging.info('%s: send command[%s] done!', self.port, cmd)
return response
except Exception, e:
ModuleHelper.WriteIntoDebugLogger('sendCommand() Error: ' + str(e))
raise
def __stripValue(self, value):
"""strip the special characters in the value
Args:
value: value string
Returns:
value string without special characters
"""
if isinstance(value, str):
if ( value[0] == '"' and value[-1] == '"' ) or ( value[0] == '[' and value[-1] == ']' ):
return value[1:-1]
return value
def __padIp6Addr(self, ip6Addr):
segments = ip6Addr.split(':')
empty = None
for i, element in enumerate(segments):
if empty is None and len(element) == 0:
empty = i
elif len(element) < 4:
segments[i] = '0' * (4 - len(element)) + element
if empty is not None:
segments = segments[:empty] + ['0000', ] * (8 - len(segments) + 1) + segments[empty + 1:]
return ':'.join(segments)
def __getIp6Address(self, addressType):
"""get specific type of IPv6 address configured on OpenThread_WpanCtl
Args:
addressType: the specific type of IPv6 address
link local: link local unicast IPv6 address that's within one-hop scope
global: global unicast IPv6 address
rloc: mesh local unicast IPv6 address for routing in thread network
mesh EID: mesh Endpoint Identifier
Returns:
IPv6 address string
"""
addrType = ['link local', 'global', 'rloc', 'mesh EID']
addrs = []
globalAddr = []
linkLocal64Addr = ''
rlocAddr = ''
meshEIDAddr = ''
addrs = self.__sendCommand(WPANCTL_CMD + 'getprop -v IPv6:AllAddresses')
for ip6AddrItem in addrs:
if re.match('\[|\]', ip6AddrItem):
continue
if re.match(WPAN_CARRIER_PROMPT, ip6AddrItem, re.M|re.I):
break
ip6AddrItem = ip6AddrItem.strip()
ip6Addr = self.__stripValue(ip6AddrItem).split(' ')[0]
ip6AddrPrefix = ip6Addr.split(':')[0]
if ip6AddrPrefix == 'fe80':
# link local address
if ip6Addr.split(':')[4] != '0':
linkLocal64Addr = ip6Addr
elif ip6AddrPrefix == 'fd00':
# mesh local address
if ip6Addr.split(':')[4] == '0':
# rloc
rlocAddr = ip6Addr
else:
# mesh EID
meshEIDAddr = ip6Addr
print 'meshEIDAddr:' + meshEIDAddr
else:
# global ipv6 address
if ip6Addr:
print 'globalAddr: ' + ip6Addr
globalAddr.append(ip6Addr)
else:
pass
if addressType == addrType[0]:
return linkLocal64Addr
elif addressType == addrType[1]:
return globalAddr
elif addressType == addrType[2]:
return rlocAddr
elif addressType == addrType[3]:
return meshEIDAddr
else:
pass
def __setDeviceMode(self, mode):
"""set thread device mode:
Args:
mode: thread device mode. 15=rsdn, 13=rsn, 4=s
r: rx-on-when-idle
s: secure IEEE 802.15.4 data request
d: full thread device
n: full network data
Returns:
True: successful to set the device mode
False: fail to set the device mode
"""
print 'call __setDeviceMode'
try:
cmd = WPANCTL_CMD + 'setprop Thread:DeviceMode %d' % mode
return self.__sendCommand(cmd)[0] != 'Fail'
except Exception, e:
ModuleHelper.WriteIntoDebugLogger('setDeviceMode() Error: ' + str(e))
def __setRouterUpgradeThreshold(self, iThreshold):
"""set router upgrade threshold
Args:
iThreshold: the number of active routers on the Thread network
partition below which a REED may decide to become a Router.
Returns:
True: successful to set the ROUTER_UPGRADE_THRESHOLD
False: fail to set ROUTER_UPGRADE_THRESHOLD
"""
print 'call __setRouterUpgradeThreshold'
try:
cmd = WPANCTL_CMD + 'setprop Thread:RouterUpgradeThreshold %s' % str(iThreshold)
return self.__sendCommand(cmd)[0] != 'Fail'
except Exception, e:
ModuleHelper.WriteIntoDebugLogger('setRouterUpgradeThreshold() Error: ' + str(e))
def __setRouterDowngradeThreshold(self, iThreshold):
"""set router downgrade threshold
Args:
iThreshold: the number of active routers on the Thread network
partition above which an active router may decide to
become a child.
Returns:
True: successful to set the ROUTER_DOWNGRADE_THRESHOLD
False: fail to set ROUTER_DOWNGRADE_THRESHOLD
"""
print 'call __setRouterDowngradeThreshold'
try:
cmd = WPANCTL_CMD + 'setprop Thread:RouterDowngradeThreshold %s' % str(iThreshold)
return self.__sendCommand(cmd)[0] != 'Fail'
except Exception, e:
ModuleHelper.WriteIntoDebugLogger('setRouterDowngradeThreshold() Error: ' + str(e))
def __setRouterSelectionJitter(self, iRouterJitter):
"""set ROUTER_SELECTION_JITTER parameter for REED to upgrade to Router
Args:
iRouterJitter: a random period prior to request Router ID for REED
Returns:
True: successful to set the ROUTER_SELECTION_JITTER
False: fail to set ROUTER_SELECTION_JITTER
"""
print 'call _setRouterSelectionJitter'
try:
cmd = WPANCTL_CMD + 'setprop Thread:RouterSelectionJitter %s' % str(iRouterJitter)
return self.__sendCommand(cmd) != 'Fail'
except Exception, e:
ModuleHelper.WriteIntoDebugLogger('setRouterSelectionJitter() Error: ' + str(e))
def __setAddressfilterMode(self, mode):
"""set address filter mode
Returns:
True: successful to set address filter mode.
False: fail to set address filter mode.
"""
print 'call setAddressFilterMode() ' + mode
try:
if re.match('list', mode, re.M|re.I):
cmd = WPANCTL_CMD + 'setprop MAC:' + mode + ':Enabled 1'
elif mode == 'disabled':
cmd = WPANCTL_CMD + 'setprop MAC:' + mode + ':Enabled 0'
else:
print 'no such option'
return False
if self.__sendCommand(cmd)[0] != 'Fail':
return True
return False
except Exception, e:
ModuleHelper.WriteIntoDebugLogger('__setAddressFilterMode() Error: ' + str(e))
def __startOpenThreadWpan(self):
"""start OpenThreadWpan
Returns:
True: successful to start OpenThreadWpan up
False: fail to start OpenThreadWpan
"""
print 'call startOpenThreadWpan'
try:
# restore whitelist/blacklist address filter mode if rejoin after reset
if self.isPowerDown:
if self._addressfilterMode == 'whitelist':
if self.__setAddressfilterMode('whitelist'):
for addr in self._addressfilterSet:
self.addAllowMAC(addr)
elif self._addressfilterMode == 'blacklist':
if self.__setAddressfilterMode('blacklist'):
for addr in self._addressfilterSet:
self.addBlockedMAC(addr)
time.sleep(1)
if ModuleHelper.LeaderDutChannelFound:
self.channel = ModuleHelper.Default_Channel
nodeType = 'router'
startType = 'join'
if self.deviceRole == Thread_Device_Role.Leader:
nodeType = 'router'
startType = 'form'
elif self.deviceRole == Thread_Device_Role.Router:
nodeType = 'router'
elif self.deviceRole == Thread_Device_Role.SED:
nodeType = 'sed'
elif self.deviceRole == Thread_Device_Role.EndDevice:
nodeType = 'end'
elif self.deviceRole == Thread_Device_Role.REED:
nodeType = 'router'
elif self.deviceRole == Thread_Device_Role.EndDevice_FED:
nodeType = 'router'
elif self.deviceRole == Thread_Device_Role.EndDevice_MED:
nodeType = 'end'
else:
pass
self.__setRouterSelectionJitter(1)
if startType == 'form':
startCmd = WPANCTL_CMD + '%s %s -c %s -T %s ' % (startType, self.networkName, str(self.channel), nodeType)
else:
startCmd = WPANCTL_CMD + '%s %s -p %s -c %s -T %s ' % (startType, self.networkName, str(hex(self.panId)), str(self.channel), nodeType)
if self.__sendCommand(startCmd)[0] != 'Fail':
if self.__isOpenThreadWpanRunning():
self.isPowerDown = False
if self.hasActiveDatasetToCommit:
if self.__sendCommand(WPANCTL_CMD + 'setprop Dataset:Command SetActive')[0] == 'Fail':
raise Exception('failed to commit active dataset')
else:
self.hasActiveDatasetToCommit = False
return True
else:
return False
except Exception, e:
ModuleHelper.WriteIntoDebugLogger('startOpenThreadWpan() Error: ' + str(e))
def __stopOpenThreadWpan(self):
"""stop OpenThreadWpan
Returns:
True: successfully stop OpenThreadWpan
False: failed to stop OpenThreadWpan
"""
print 'call stopOpenThreadWpan'
try:
if self.__sendCommand(WPANCTL_CMD + 'leave')[0] != 'Fail' and self.__sendCommand(WPANCTL_CMD + 'dataset erase')[0] != 'Fail':
return True
else:
return False
except Exception, e:
ModuleHelper.WriteIntoDebugLogger('stopOpenThreadWpan() Error: ' + str(e))
def __isOpenThreadWpanRunning(self):
"""check whether or not OpenThreadWpan is running
Returns:
True: OpenThreadWpan is running
False: OpenThreadWpan is not running
"""
print 'call __isOpenThreadWpanRunning'
if self.__stripValue(self.__sendCommand(WPANCTL_CMD + 'getprop -v NCP:State')[0]) == 'associated':
print '*****OpenThreadWpan is running'
return True
else:
print '*****Wrong OpenThreadWpan state'
return False
# rloc16 might be hex string or integer, need to return actual allocated router id
def __convertRlocToRouterId(self, xRloc16):
"""mapping Rloc16 to router id
Args:
xRloc16: hex rloc16 short address
Returns:
actual router id allocated by leader
"""
routerList = []
routerList = self.__sendCommand(WPANCTL_CMD + 'getprop -v Thread:RouterTable')
print routerList
print xRloc16
for line in routerList:
if re.match('\[|\]', line):
continue
if re.match(WPAN_CARRIER_PROMPT, line, re.M|re.I):
break
router = []
router = self.__stripValue(line).split(',')
for item in router:
if 'RouterId' in item:
routerid = item.split(':')[1]
elif 'RLOC16' in line:
rloc16 = line.split(':')[1]
else:
pass
# process input rloc16
if isinstance(xRloc16, str):
rloc16 = '0x' + rloc16
if rloc16 == xRloc16:
return routerid
elif isinstance(xRloc16, int):
if int(rloc16, 16) == xRloc16:
return routerid
else:
pass
return None
def __convertIp6PrefixStringToIp6Address(self, strIp6Prefix):
"""convert IPv6 prefix string to IPv6 dotted-quad format
for example:
2001000000000000 -> 2001:0000:0000:0000::
Args:
strIp6Prefix: IPv6 address string
Returns:
IPv6 address dotted-quad format
"""
prefix1 = strIp6Prefix.rstrip('L')
prefix2 = prefix1.lstrip("0x")
hexPrefix = str(prefix2).ljust(16, '0')
hexIter = iter(hexPrefix)
finalMac = ':'.join(a + b + c + d for a, b, c, d in zip(hexIter, hexIter, hexIter, hexIter))
prefix = str(finalMac)
strIp6Prefix = prefix[:20]
return strIp6Prefix + '::'
def __convertLongToString(self, iValue):
"""convert a long hex integer to string
remove '0x' and 'L' return string
Args:
iValue: long integer in hex format
Returns:
string of this long integer without "0x" and "L"
"""
string = ''
strValue = str(hex(iValue))
string = strValue.lstrip('0x')
string = string.rstrip('L')
return string
def __convertChannelMask(self, channelsArray):
"""convert channelsArray to bitmask format
Args:
channelsArray: channel array (i.e. [21, 22])
Returns:
bitmask format corresponding to a given channel array
"""
maskSet = 0
for eachChannel in channelsArray:
mask = 1 << eachChannel
maskSet = (maskSet | mask)
return maskSet
def __ChannelMaskListToStr(self, channelList):
"""convert a channel list to a string
Args:
channelList: channel list (i.e. [21, 22, 23])
Returns:
a string with range-like format (i.e. '21-23')
"""
chan_mask_range = ''
if isinstance(channelList, list):
if len(channelList) == 1:
chan_mask_range = str(channelList[0])
elif len(channelList) > 1:
chan_mask_range = str(channelList[0]) + '-' + str(channelList[-1])
else:
print 'not a list:', channelList
return chan_mask_range
def __setChannelMask(self, channelMask):
print 'call _setChannelMask'
try:
cmd = WPANCTL_CMD + 'setprop NCP:ChannelMask %s' % channelMask
datasetCmd = WPANCTL_CMD + 'setprop Dataset:ChannelMaskPage0 %s' % channelMask
self.hasActiveDatasetToCommit = True
return self.__sendCommand(cmd)[0] != 'Fail' and self.__sendCommand(datasetCmd)[0] != 'Fail'
except Exception, e:
ModuleHelper.WriteIntoDebugLogger('setChannelMask() Error: ' + str(e))
def __setSecurityPolicy(self, securityPolicySecs, securityPolicyFlags):
print 'call _setSecurityPolicy'
try:
cmd1 = WPANCTL_CMD + 'setprop Dataset:SecPolicy:KeyRotation %s' % str(securityPolicySecs)
if securityPolicyFlags == 'onrcb':
cmd2 = WPANCTL_CMD + 'setprop Dataset:SecPolicy:Flags 0xff'
else:
print 'unknown policy flag :' + securityPolicyFlags
return False
self.hasActiveDatasetToCommit = True
return self.__sendCommand(cmd1) != 'Fail' and self.__sendCommand(cmd2) != 'Fail'
except Exception, e:
ModuleHelper.WriteIntoDebugLogger('setSecurityPolicy() Error: ' + str(e))
def __setKeySwitchGuardTime(self, iKeySwitchGuardTime):
""" set the Key switch guard time
Args:
iKeySwitchGuardTime: key switch guard time
Returns:
True: successful to set key switch guard time
False: fail to set key switch guard time
"""
print '%s call setKeySwitchGuardTime' % self.port
print iKeySwitchGuardTime
try:
cmd = WPANCTL_CMD + 'setprop Network:KeySwitchGuardTime %s' % str(iKeySwitchGuardTime)
if self.__sendCommand(cmd)[0] != 'Fail':
time.sleep(1)
return True
else:
return False
except Exception, e:
ModuleHelper.WriteIntoDebugLogger('setKeySwitchGuardTime() Error; ' + str(e))
def __getCommissionerSessionId(self):
""" get the commissioner session id allocated from Leader """
print '%s call getCommissionerSessionId' % self.port
return self.__sendCommand(WPANCTL_CMD + 'getprop -v Commissioner:SessionId')[0]
def __getJoinerState(self):
""" get joiner state """
maxDuration = 150 # seconds
t_end = time.time() + maxDuration
while time.time() < t_end:
joinerState = self.__stripValue(self.__sendCommand('sudo wpanctl getprop -v NCP:State')[0])
if joinerState == 'offline:commissioned':
return True
elif joinerState == 'associating:credentials-needed':
return False
else:
time.sleep(5)
continue
return False
def _connect(self):
if self.connectType == 'usb':
print 'My port is %s' % self.port
self.handle = serial.Serial(self.port, 115200, timeout=0.1)
input_data = self.handle.read(self.handle.inWaiting())
if not input_data:
self.handle.write('\n')
time.sleep(3)
input_data = self.handle.read(self.handle.inWaiting())
if 'login' in input_data:
self.handle.write(WPAN_CARRIER_USER + '\n')
time.sleep(3)
input_data = self.handle.read(self.handle.inWaiting())
if 'Password' in input_data:
self.handle.write(WPAN_CARRIER_PASSWD + '\n')
input_data = self.handle.read(self.handle.inWaiting())
self.handle.write('stty cols 128\n')
time.sleep(3)
self._is_net = False
elif self.connectType == 'ip':
print "My IP: %s Port: %s" % (self.dutIpv4, self.dutPort)
try:
import paramiko
self.handle = paramiko.SSHClient()
self.handle.set_missing_host_key_policy(paramiko.AutoAddPolicy())
self.handle.connect(self.dutIpv4, port=self.dutPort, username=WPAN_CARRIER_USER, password=WPAN_CARRIER_PASSWD)
self.handle.exec_command("stty cols 128")
self._is_net = True
except Exception as e:
ModuleHelper.WriteIntoDebugLogger('connect to ssh Error: ' + str(e))
else:
raise Exception('Unknown port schema')
self.UIStatusMsg = self.getVersionNumber()
def closeConnection(self):
"""close current serial port connection"""
print '%s call closeConnection' % self.port
try:
if self.handle:
self.handle.close()
self.handle = None
except Exception, e:
ModuleHelper.WriteIntoDebugLogger('closeConnection() Error: ' + str(e))
def intialize(self):
"""initialize the serial port with baudrate, timeout parameters"""
print '%s call intialize' % self.port
try:
# init serial port
self.deviceConnected = False
self._connect()
self.__sendCommand(WPANCTL_CMD + 'leave')
self.__sendCommand(WPANCTL_CMD + 'dataset erase')
if self.firmwarePrefix in self.UIStatusMsg:
self.deviceConnected = True
else:
self.UIStatusMsg = "Firmware Not Matching Expecting " + self.firmwarePrefix + " Now is " + self.UIStatusMsg
ModuleHelper.WriteIntoDebugLogger("Err: OpenThread device Firmware not matching..")
except Exception, e:
ModuleHelper.WriteIntoDebugLogger('intialize() Error: ' + str(e))
self.deviceConnected = False
def setNetworkName(self, networkName='GRL'):
"""set Thread Network name
Args:
networkName: the networkname string to be set
Returns:
True: successful to set the Thread Networkname
False: fail to set the Thread Networkname
"""
print '%s call setNetworkName' % self.port
try:
cmd = WPANCTL_CMD + 'setprop -s Network:Name %s' % networkName
datasetCmd = WPANCTL_CMD + 'setprop Dataset:NetworkName %s' % networkName
self.hasActiveDatasetToCommit = True
return self.__sendCommand(cmd)[0] != 'Fail' and self.__sendCommand(datasetCmd)[0] != 'Fail'
except Exception, e:
ModuleHelper.WriteIntoDebugLogger('setNetworkName() Error: ' + str(e))
def getNetworkName(self):
"""get Thread Network name"""
print '%s call getNetworkname' % self.port
networkName = self.__sendCommand(WPANCTL_CMD + 'getprop -v Network:Name')[0]
return self.__stripValue(networkName)
def setChannel(self, channel=15):
"""set channel of Thread device operates on.
Args:
channel:
(0 - 10: Reserved)
(11 - 26: 2.4GHz channels)
(27 - 65535: Reserved)
Returns:
True: successful to set the channel
False: fail to set the channel
"""
print '%s call setChannel' % self.port
try:
cmd = WPANCTL_CMD + 'setprop NCP:Channel %s' % channel
datasetCmd = WPANCTL_CMD + 'setprop Dataset:Channel %s' % channel
self.hasActiveDatasetToCommit = True
return self.__sendCommand(cmd)[0] != 'Fail' and self.__sendCommand(datasetCmd)[0] != 'Fail'
except Exception, e:
ModuleHelper.WriteIntoDebugLogger('setChannel() Error: ' + str(e))
def getChannel(self):
"""get current channel"""
print '%s call getChannel' % self.port
return self.__sendCommand(WPANCTL_CMD + 'getprop -v NCP:Channel')[0]
def setMAC(self, xEUI):
"""set the extended addresss of Thread device
Args:
xEUI: extended address in hex format
Returns:
True: successful to set the extended address
False: fail to set the extended address
"""
print '%s call setMAC' % self.port
address64 = ''
try:
if not xEUI:
address64 = self.mac
if not isinstance(xEUI, str):
address64 = self.__convertLongToString(xEUI)
# prepend 0 at the beginning
if len(address64) < 16:
address64 = address64.zfill(16)
print address64
else:
address64 = xEUI
cmd = WPANCTL_CMD + 'setprop NCP:MACAddress %s' % address64
if self.__sendCommand(cmd)[0] != 'Fail':
self.mac = address64
return True
else:
return False
except Exception, e:
ModuleHelper.WriteIntoDebugLogger('setMAC() Error: ' + str(e))
def getMAC(self, bType=MacType.RandomMac):
"""get one specific type of MAC address
currently OpenThreadWpan only supports Random MAC address
Args:
bType: indicate which kind of MAC address is required
Returns:
specific type of MAC address
"""
print '%s call getMAC' % self.port
# if power down happens, return extended address assigned previously
if self.isPowerDown:
macAddr64 = self.mac
else:
if bType == MacType.FactoryMac:
macAddr64 = self.__stripValue(self.__sendCommand(WPANCTL_CMD + 'getprop -v NCP:HardwareAddress')[0])
elif bType == MacType.HashMac:
macAddr64 = self.__stripValue(self.__sendCommand(WPANCTL_CMD + 'getprop -v NCP:MACAddress')[0])
else:
macAddr64 = self.__stripValue(self.__sendCommand(WPANCTL_CMD + 'getprop -v NCP:ExtendedAddress')[0])
return int(macAddr64, 16)
def getLL64(self):
"""get link local unicast IPv6 address"""
print '%s call getLL64' % self.port
return self.__stripValue(self.__sendCommand(WPANCTL_CMD + 'getprop -v IPv6:LinkLocalAddress')[0])
def getMLEID(self):
"""get mesh local endpoint identifier address"""
print '%s call getMLEID' % self.port
return self.__getIp6Address('mesh EID')
def getRloc16(self):
"""get rloc16 short address"""
print '%s call getRloc16' % self.port
rloc16 = self.__sendCommand(WPANCTL_CMD + 'getprop -v Thread:RLOC16')[0]
return int(rloc16, 16)
def getRloc(self):
"""get router locator unicast IPv6 address"""
print '%s call getRloc' % self.port
prefix = self.__stripValue(self.__sendCommand(WPANCTL_CMD + 'getprop -v IPv6:MeshLocalPrefix')[0])
mlprefix = prefix.split('/')[0]
rloc16 = self.__sendCommand(WPANCTL_CMD + 'getprop -v Thread:RLOC16')[0].lstrip('0x')
print "prefix: " + prefix
print "mlprefix: " + mlprefix
print "rloc16: " + rloc16
rloc = self.__padIp6Addr(mlprefix + '00ff:fe00:' + rloc16)
print "rloc: " + rloc
return rloc
def getGlobal(self):
"""get global unicast IPv6 address set
if configuring multiple entries
"""
print '%s call getGlobal' % self.port
return self.__getIp6Address('global')
def setNetworkKey(self, key):
"""set Thread Network master key
Args:
key: Thread Network master key used in secure the MLE/802.15.4 packet
Returns:
True: successful to set the Thread Network master key
False: fail to set the Thread Network master key
"""
masterKey = ''
print '%s call setNetworkKey' % self.port
try:
if not isinstance(key, str):
masterKey = self.__convertLongToString(key)
# prpend '0' at the beginning
if len(masterKey) < 32:
masterKey = masterKey.zfill(32)
cmd = WPANCTL_CMD + 'setprop Network:Key %s' % masterKey
datasetCmd = WPANCTL_CMD + 'setprop Dataset:MasterKey %s' % masterKey
else:
masterKey = key
cmd = WPANCTL_CMD + 'setprop Network:Key %s' % masterKey
datasetCmd = WPANCTL_CMD + 'setprop Dataset:MasterKey %s' % masterKey
self.networkKey = masterKey
self.hasActiveDatasetToCommit = True
return self.__sendCommand(cmd)[0] != 'Fail' and self.__sendCommand(datasetCmd)[0] != 'Fail'
except Exception, e:
ModuleHelper.WriteIntoDebugLogger('setNetworkkey() Error: ' + str(e))
def getNetworkKey(self):
"""get the current Thread Network master key"""
print '%s call getNetwokKey' % self.port
return self.networkKey
def addBlockedMAC(self, xEUI):
"""add a given extended address to the blacklist entry
Args:
xEUI: extended address in hex format
Returns:
True: successful to add a given extended address to the blacklist entry
False: fail to add a given extended address to the blacklist entry
"""
print '%s call addBlockedMAC' % self.port
print xEUI
if isinstance(xEUI, str):
macAddr = xEUI
else:
macAddr = self.__convertLongToString(xEUI)
try:
# if blocked device is itself
if macAddr == self.mac:
print 'block device itself'
return True
if self._addressfilterMode != 'blacklist':
if self.__setAddressfilterMode('Blacklist'):
self._addressfilterMode = 'blacklist'
cmd = WPANCTL_CMD + 'insert MAC:Blacklist:Entries %s' % macAddr
ret = self.__sendCommand(cmd)[0] != 'Fail'
self._addressfilterSet.add(macAddr)
print 'current blacklist entries:'
for addr in self._addressfilterSet:
print addr
return ret
except Exception, e:
ModuleHelper.WriteIntoDebugLogger('addBlockedMAC() Error: ' + str(e))
def addAllowMAC(self, xEUI):
"""add a given extended address to the whitelist addressfilter
Args:
xEUI: a given extended address in hex format
Returns:
True: successful to add a given extended address to the whitelist entry
False: fail to add a given extended address to the whitelist entry
"""
print '%s call addAllowMAC' % self.port
print xEUI
if isinstance(xEUI, str):
macAddr = xEUI
else:
macAddr = self.__convertLongToString(xEUI)
try:
if self._addressfilterMode != 'whitelist':
if self.__setAddressfilterMode('Whitelist'):
self._addressfilterMode = 'whitelist'
cmd = WPANCTL_CMD + 'insert MAC:Whitelist:Entries %s' % macAddr
ret = self.__sendCommand(cmd)[0] != 'Fail'
self._addressfilterSet.add(macAddr)
print 'current whitelist entries:'
for addr in self._addressfilterSet:
print addr
return ret
except Exception, e:
ModuleHelper.WriteIntoDebugLogger('addAllowMAC() Error: ' + str(e))
def clearBlockList(self):
"""clear all entries in blacklist table
Returns:
True: successful to clear the blacklist
False: fail to clear the blacklist
"""
print '%s call clearBlockList' % self.port
# remove all entries in blacklist
try:
print 'clearing blacklist entries:'
for addr in self._addressfilterSet:
print addr
# disable blacklist
if self.__setAddressfilterMode('disable'):
self._addressfilterMode = 'disable'
# clear ops
cmd = WPANCTL_CMD + 'remove MAC:Blocklist:Entries'
if self.__sendCommand(cmd)[0] != 'Fail':
self._addressfilterSet.clear()
return True
return False
except Exception, e:
ModuleHelper.WriteIntoDebugLogger('clearBlockList() Error: ' + str(e))
def clearAllowList(self):
"""clear all entries in whitelist table
Returns:
True: successful to clear the whitelist
False: fail to clear the whitelist
"""
print '%s call clearAllowList' % self.port
# remove all entries in whitelist
try:
print 'clearing whitelist entries:'
for addr in self._addressfilterSet:
print addr
# disable whitelist
if self.__setAddressfilterMode('disable'):
self._addressfilterMode = 'disable'
# clear ops
cmd = WPANCTL_CMD + 'insert MAC:Whitelist:Entries'
if self.__sendCommand(cmd)[0] != 'Fail':
self._addressfilterSet.clear()
return True
return False
except Exception, e:
ModuleHelper.WriteIntoDebugLogger('clearAllowList() Error: ' + str(e))
def getDeviceRole(self):
"""get current device role in Thread Network"""
print '%s call getDeviceRole' % self.port
return self.__stripValue(self.__sendCommand(WPANCTL_CMD + 'getprop -v Network:NodeType')[0])
def joinNetwork(self, eRoleId):
"""make device ready to join the Thread Network with a given role
Args:
eRoleId: a given device role id
Returns:
True: ready to set Thread Network parameter for joining desired Network
"""
print '%s call joinNetwork' % self.port
print eRoleId
self.deviceRole = eRoleId
mode = 15
try:
if ModuleHelper.LeaderDutChannelFound:
self.channel = ModuleHelper.Default_Channel
# FIXME: when Harness call setNetworkDataRequirement()?
# only sleep end device requires stable networkdata now
if eRoleId == Thread_Device_Role.Leader:
print 'join as leader'
#rsdn
mode = 15
if self.AutoDUTEnable is False:
# set ROUTER_DOWNGRADE_THRESHOLD
self.__setRouterDowngradeThreshold(33)
elif eRoleId == Thread_Device_Role.Router:
print 'join as router'
#rsdn
mode = 15
if self.AutoDUTEnable is False:
# set ROUTER_DOWNGRADE_THRESHOLD
self.__setRouterDowngradeThreshold(33)
elif eRoleId == Thread_Device_Role.SED:
print 'join as sleepy end device'
#s
mode = 4
self.setPollingRate(self.sedPollingRate)
elif eRoleId == Thread_Device_Role.EndDevice:
print 'join as end device'
#rsn
mode = 13
elif eRoleId == Thread_Device_Role.REED:
print 'join as REED'
#rsdn
mode = 15
# set ROUTER_UPGRADE_THRESHOLD
self.__setRouterUpgradeThreshold(0)
elif eRoleId == Thread_Device_Role.EndDevice_FED:
# always remain an ED, never request to be a router
print 'join as FED'
#rsdn
mode = 15
# set ROUTER_UPGRADE_THRESHOLD
self.__setRouterUpgradeThreshold(0)
elif eRoleId == Thread_Device_Role.EndDevice_MED:
print 'join as MED'
#rsn
mode = 13
else:
pass
# set Thread device mode with a given role
self.__setDeviceMode(mode)
self.__setKeySwitchGuardTime(0) #temporally
time.sleep(0.1)
# start OpenThreadWpan
self.__startOpenThreadWpan()
time.sleep(3)
return True
except Exception, e:
ModuleHelper.WriteIntoDebugLogger('joinNetwork() Error: ' + str(e))
def getNetworkFragmentID(self):
"""get current partition id of Thread Network Partition from LeaderData
Returns:
The Thread network Partition Id
"""
print '%s call getNetworkFragmentID' % self.port
if not self.____isOpenThreadWpanRunning():
print 'OpenThreadWpan is not running'
return None
return self.__sendCommand(WPANCTL_CMD + 'getprop -v Network:PartitionId')[0]
def getParentAddress(self):
"""get Thread device's parent extended address and rloc16 short address
Returns:
The extended address of parent in hex format
"""
print '%s call getParentAddress' % self.port
parentInfo = []
parentInfo = self.__stripValue(self.__sendCommand(WPANCTL_CMD + 'getporp -v Thread:Parent')).split(' ')
return parentInfo[0]
def powerDown(self):
"""power down the OpenThreadWpan"""
print '%s call powerDown' % self.port
if self.__sendCommand(WPANCTL_CMD + 'setprop Daemon:AutoAssociateAfterReset false')[0] != 'Fail':
time.sleep(0.5)
if self.__sendCommand(WPANCTL_CMD + 'reset')[0] != 'Fail':
self.isPowerDown = True
return True
else:
return False
else:
return False
def powerUp(self):
"""power up the Thread device"""
print '%s call powerUp' % self.port
if not self.handle:
self._connect()
self.isPowerDown = False
if self.__sendCommand(WPANCTL_CMD + 'attach')[0] != 'Fail':
time.sleep(3)
else:
return False
if self.__sendCommand(WPANCTL_CMD + 'setprop Daemon:AutoAssociateAfterReset true')[0] == 'Fail':
return False
if self.__stripValue(self.__sendCommand(WPANCTL_CMD + 'getprop -v NCP:State')[0]) != 'associated':
print 'powerUp failed'
return False
else:
return True
def reboot(self):
"""reset and rejoin to Thread Network without any timeout
Returns:
True: successful to reset and rejoin the Thread Network
False: fail to reset and rejoin the Thread Network
"""
print '%s call reboot' % self.port
try:
self._sendline(WPANCTL_CMD + 'reset')
self.isPowerDown = True
if self.__sendCommand(WPANCTL_CMD + 'getprop -v NCP:State')[0] != 'associated':
print '[FAIL] reboot'
return False
else:
return True
except Exception, e:
ModuleHelper.WriteIntoDebugLogger('reboot() Error: ' + str(e))
def ping(self, destination, length=20):
""" send ICMPv6 echo request with a given length to a unicast destination
address
Args:
destination: the unicast destination address of ICMPv6 echo request
length: the size of ICMPv6 echo request payload
"""
print '%s call ping' % self.port
print 'destination: %s' %destination
try:
cmd = 'ping %s -c 5 -s %s -I %s' % (destination, str(length), WPAN_INTERFACE)
self._sendline(cmd)
self._expect(cmd)
# wait echo reply
time.sleep(1)
except Exception, e:
ModuleHelper.WriteIntoDebugLogger('ping() Error: ' + str(e))
def multicast_Ping(self, destination, length=20):
"""send ICMPv6 echo request with a given length to a multicast destination
address
Args:
destination: the multicast destination address of ICMPv6 echo request
length: the size of ICMPv6 echo request payload
"""
print '%s call multicast_Ping' % self.port
print 'destination: %s' % destination
try:
cmd = 'ping %s -c 5 -s %s -I %s' % (destination, str(length), WPAN_INTERFACE)
self._sendline(cmd)
self._expect(cmd)
# wait echo reply
time.sleep(1)
except Exception, e:
ModuleHelper.WriteIntoDebugLogger('multicast_ping() Error: ' + str(e))
def getVersionNumber(self):
"""get OpenThreadWpan stack firmware version number"""
print '%s call getVersionNumber' % self.port
versionStr = self.__sendCommand(WPANCTL_CMD + 'getprop -v NCP:Version')[0]
return self.__stripValue(versionStr)
def setPANID(self, xPAN):
"""set Thread Network PAN ID
Args:
xPAN: a given PAN ID in hex format
Returns:
True: successful to set the Thread Network PAN ID
False: fail to set the Thread Network PAN ID
"""
print '%s call setPANID' % self.port
print xPAN
panid = ''
try:
if not isinstance(xPAN, str):
panid = str(hex(xPAN))
print panid
cmd = WPANCTL_CMD + 'setprop -s Network:PANID %s' % panid
datasetCmd = WPANCTL_CMD + 'setprop Dataset:PanId %s' % panid
self.hasActiveDatasetToCommit = True
return self.__sendCommand(cmd)[0] != 'Fail' and self.__sendCommand(datasetCmd)[0] != 'Fail'
except Exception, e:
ModuleHelper.WriteIntoDebugLogger('setPANID() Error: ' + str(e))
def getPANID(self):
"""get current Thread Network PAN ID"""
print '%s call getPANID' % self.port
return self.__sendCommand(WPANCTL_CMD + 'getprop -v Network:PANID')[0]
def reset(self):
"""factory reset"""
print '%s call reset' % self.port
try:
if self._is_net:
self.__sendCommand(WPANCTL_CMD + 'leave')
else:
self._sendline(WPANCTL_CMD + 'leave')
self.__sendCommand(WPANCTL_CMD + 'dataset erase')
time.sleep(2)
if not self._is_net:
self._read()
except Exception, e:
ModuleHelper.WriteIntoDebugLogger('reset() Error: ' + str(e))
def removeRouter(self, xRouterId):
"""kick router with a given router id from the Thread Network
Args:
xRouterId: a given router id in hex format
Returns:
True: successful to remove the router from the Thread Network
False: fail to remove the router from the Thread Network
"""
print '%s call removeRouter' % self.port
print xRouterId
routerId = ''
routerId = self.__convertRlocToRouterId(xRouterId)
print routerId
if routerId == None:
print 'no matched xRouterId'
return False
try:
cmd = 'releaserouterid %s' % routerId
return self.__sendCommand(cmd)[0] != 'Fail'
except Exception, e:
ModuleHelper.WriteIntoDebugLogger('removeRouter() Error: ' + str(e))
def setDefaultValues(self):
"""set default mandatory Thread Network parameter value"""
print '%s call setDefaultValues' % self.port
# initialize variables
self.networkName = ModuleHelper.Default_NwkName
self.networkKey = ModuleHelper.Default_NwkKey
self.channel = ModuleHelper.Default_Channel
self.channelMask = "0x7fff800" #(0xffff << 11)
self.panId = ModuleHelper.Default_PanId
self.xpanId = ModuleHelper.Default_XpanId
self.localprefix = ModuleHelper.Default_MLPrefix
self.pskc = "00000000000000000000000000000000" # OT only accept hex format PSKc for now
self.securityPolicySecs = ModuleHelper.Default_SecurityPolicy
self.securityPolicyFlags = "onrcb"
self.activetimestamp = ModuleHelper.Default_ActiveTimestamp
#self.sedPollingRate = ModuleHelper.Default_Harness_SED_Polling_Rate
self.sedPollingRate = 3
self.deviceRole = None
self.provisioningUrl = ''
self.hasActiveDatasetToCommit = False
self.logThread = Queue()
self.logThreadStatus = self.logStatus['stop']
self.networkDataRequirement = '' # indicate Thread device requests full or stable network data
self.isPowerDown = False # indicate if Thread device experiences a power down event
self._addressfilterMode = 'disable' # indicate AddressFilter mode ['disable', 'whitelist', 'blacklist']
self._addressfilterSet = set() # cache filter entries
self.isActiveCommissioner = False # indicate if Thread device is an active commissioner
self._lines = None # buffered lines read from device
# initialize device configuration
try:
self.setMAC(self.mac)
self.__setChannelMask(self.channelMask)
self.__setSecurityPolicy(self.securityPolicySecs, self.securityPolicyFlags)
self.setChannel(self.channel)
self.setPANID(self.panId)
self.setXpanId(self.xpanId)
self.setNetworkName(self.networkName)
self.setNetworkKey(self.networkKey)
self.setMLPrefix(self.localprefix)
self.setPSKc(self.pskc)
self.setActiveTimestamp(self.activetimestamp)
except Exception, e:
ModuleHelper.WriteIntoDebugLogger('setDefaultValue() Error: ' + str(e))
def getDeviceConncetionStatus(self):
"""check if serial port connection is ready or not"""
print '%s call getDeviceConnectionStatus' % self.port
return self.deviceConnected
def getPollingRate(self):
"""get data polling rate for sleepy end device"""
print '%s call getPollingRate' % self.port
return self.__sendCommand(WPANCTL_CMD + 'getprop -v NCP:SleepyPollInterval')[0]
def setPollingRate(self, iPollingRate):
"""set data polling rate for sleepy end device
Args:
iPollingRate: data poll period of sleepy end device
Returns:
True: successful to set the data polling rate for sleepy end device
False: fail to set the data polling rate for sleepy end device
"""
print '%s call setPollingRate' % self.port
print iPollingRate
try:
cmd = WPANCTL_CMD + 'setprop NCP:SleepyPollInterval %s' % str(iPollingRate*1000)
print cmd
return self.__sendCommand(cmd)[0] != 'Fail'
except Exception, e:
ModuleHelper.WriteIntoDebugLogger('setPollingRate() Error: ' + str(e))
def setLinkQuality(self, EUIadr, LinkQuality):
"""set custom LinkQualityIn for all receiving messages from the specified EUIadr
Args:
EUIadr: a given extended address
LinkQuality: a given custom link quality
link quality/link margin mapping table
3: 21 - 255 (dB)
2: 11 - 20 (dB)
1: 3 - 9 (dB)
0: 0 - 2 (dB)
Returns:
True: successful to set the link quality
False: fail to set the link quality
@todo: required if as reference device
"""
pass
def setOutBoundLinkQuality(self, LinkQuality):
"""set custom LinkQualityIn for all receiving messages from the any address
Args:
LinkQuality: a given custom link quality
link quality/link margin mapping table
3: 21 - 255 (dB)
2: 11 - 20 (dB)
1: 3 - 9 (dB)
0: 0 - 2 (dB)
Returns:
True: successful to set the link quality
False: fail to set the link quality
@todo: required if as reference device
"""
pass
def removeRouterPrefix(self, prefixEntry):
"""remove the configured prefix on a border router
Args:
prefixEntry: a on-mesh prefix entry
Returns:
True: successful to remove the prefix entry from border router
False: fail to remove the prefix entry from border router
@todo: required if as reference device
"""
pass
def resetAndRejoin(self, timeout):
"""reset and join back Thread Network with a given timeout delay
Args:
timeout: a timeout interval before rejoin Thread Network
Returns:
True: successful to reset and rejoin Thread Network
False: fail to reset and rejoin the Thread Network
"""
print '%s call resetAndRejoin' % self.port
print timeout
try:
if self.__sendCommand(WPANCTL_CMD + 'setprop Daemon:AutoAssociateAfterReset false')[0] != 'Fail':
time.sleep(0.5)
if self.__sendCommand(WPANCTL_CMD + 'reset')[0] != 'Fail':
self.isPowerDown = True
else:
return False
else:
return False
time.sleep(timeout)
if self.deviceRole == Thread_Device_Role.SED:
self.setPollingRate(self.sedPollingRate)
if self.__sendCommand(WPANCTL_CMD + 'attach')[0] != 'Fail':
time.sleep(3)
else:
return False
if self.__sendCommand(WPANCTL_CMD + 'setprop Daemon:AutoAssociateAfterReset true')[0] == 'Fail':
return False
if self.__stripValue(self.__sendCommand(WPANCTL_CMD + 'getprop -v NCP:State')[0]) != 'associated':
print '[FAIL] reset and rejoin'
return False
return True
except Exception, e:
ModuleHelper.WriteIntoDebugLogger('resetAndRejoin() Error: ' + str(e))
def configBorderRouter(self, P_Prefix, P_stable=1, P_default=1, P_slaac_preferred=0, P_Dhcp=0, P_preference=0, P_on_mesh=1, P_nd_dns=0):
"""configure the border router with a given prefix entry parameters
Args:
P_Prefix: IPv6 prefix that is available on the Thread Network
P_stable: is true if the default router is expected to be stable network data
P_default: is true if border router offers the default route for P_Prefix
P_slaac_preferred: is true if Thread device is allowed auto-configure address using P_Prefix
P_Dhcp: is true if border router is a DHCPv6 Agent
P_preference: is two-bit signed integer indicating router preference
P_on_mesh: is true if P_Prefix is considered to be on-mesh
P_nd_dns: is true if border router is able to supply DNS information obtained via ND
Returns:
True: successful to configure the border router with a given prefix entry
False: fail to configure the border router with a given prefix entry
"""
print '%s call configBorderRouter' % self.port
prefix = self.__convertIp6PrefixStringToIp6Address(str(P_Prefix))
print prefix
try:
parameter = ''
if P_slaac_preferred == 1:
parameter += ' -a -f'
if P_stable == 1:
parameter += ' -s'
if P_default == 1:
parameter += ' -r'
if P_Dhcp == 1:
parameter += ' -d'
if P_on_mesh == 1:
parameter += ' -o'
cmd = WPANCTL_CMD + 'add-prefix %s %s -P %d' % (prefix, parameter, P_preference)
print parameter
print cmd
if self.__sendCommand(cmd)[0] != 'Fail':
return True
else:
return False
except Exception, e:
ModuleHelper.WriteIntoDebugLogger('configBorderRouter() Error: ' + str(e))
def setNetworkIDTimeout(self, iNwkIDTimeOut):
"""set networkid timeout for OpenThreadWpan
Args:
iNwkIDTimeOut: a given NETWORK_ID_TIMEOUT
Returns:
True: successful to set NETWORK_ID_TIMEOUT
False: fail to set NETWORK_ID_TIMEOUT
@todo: required if as reference device
"""
pass
def setKeepAliveTimeOut(self, iTimeOut):
"""set keep alive timeout for device
has been deprecated and also set SED polling rate
Args:
iTimeOut: data poll period for sleepy end device
Returns:
True: successful to set the data poll period for SED
False: fail to set the data poll period for SED
"""
print '%s call setKeepAliveTimeOut' % self.port
print iTimeOut
try:
cmd = WPANCTL_CMD + 'setprop NCP:SleepyPollInterval %s' % str(iTimeOut*1000)
print cmd
return self.__sendCommand(cmd)[0] != 'Fail'
except Exception, e:
ModuleHelper.WriteIntoDebugLogger('setKeepAliveTimeOut() Error: ' + str(e))
def setKeySequenceCounter(self, iKeySequenceValue):
""" set the Key sequence counter corresponding to Thread Network master key
Args:
iKeySequenceValue: key sequence value
Returns:
True: successful to set the key sequence
False: fail to set the key sequence
"""
print '%s call setKeySequenceCounter' % self.port
print iKeySequenceValue
try:
cmd = WPANCTL_CMD + 'setprop Network:KeyIndex %s' % str(iKeySequenceValue)
if self.__sendCommand(cmd)[0] != 'Fail':
time.sleep(1)
return True
else:
return False
except Exception, e:
ModuleHelper.WriteIntoDebugLogger('setKeySequenceCounter() Error: ' + str(e))
def getKeySequenceCounter(self):
"""get current Thread Network key sequence"""
print '%s call getKeySequenceCounter' % self.port
keySequence = ''
keySequence = self.__sendCommand(WPANCTL_CMD + 'getprop -v Network:KeyIndex')[0]
return keySequence
def incrementKeySequenceCounter(self, iIncrementValue=1):
"""increment the key sequence with a given value
Args:
iIncrementValue: specific increment value to be added
Returns:
True: successful to increment the key sequence with a given value
False: fail to increment the key sequence with a given value
"""
print '%s call incrementKeySequenceCounter' % self.port
print iIncrementValue
currentKeySeq = ''
try:
currentKeySeq = self.getKeySequenceCounter()
keySequence = int(currentKeySeq, 10) + iIncrementValue
print keySequence
return self.setKeySequenceCounter(keySequence)
except Exception, e:
ModuleHelper.WriteIntoDebugLogger('incrementKeySequenceCounter() Error: ' + str(e))
def setNetworkDataRequirement(self, eDataRequirement):
"""set whether the Thread device requires the full network data
or only requires the stable network data
Args:
eDataRequirement: is true if requiring the full network data
Returns:
True: successful to set the network requirement
"""
print '%s call setNetworkDataRequirement' % self.port
print eDataRequirement
if eDataRequirement == Device_Data_Requirement.ALL_DATA:
self.networkDataRequirement = 'n'
return True
def configExternalRouter(self, P_Prefix, P_stable, R_Preference=0):
"""configure border router with a given external route prefix entry
Args:
P_Prefix: IPv6 prefix for the route
P_Stable: is true if the external route prefix is stable network data
R_Preference: a two-bit signed integer indicating Router preference
1: high
0: medium
-1: low
Returns:
True: successful to configure the border router with a given external route prefix
False: fail to configure the border router with a given external route prefix
"""
print '%s call configExternalRouter' % self.port
print P_Prefix
stable = ''
prefix = self.__convertIp6PrefixStringToIp6Address(str(P_Prefix))
try:
if P_stable:
cmd = WPANCTL_CMD + 'add-route %s -l 64 -p %d' % (prefix, R_Preference)
else:
cmd = WPANCTL_CMD + 'add-route %s -l 64 -p %d -n' % (prefix, R_Preference)
print cmd
if self.__sendCommand(cmd)[0] != 'Fail':
return True
else:
return False
except Exception, e:
ModuleHelper.WriteIntoDebugLogger('configExternalRouter() Error: ' + str(e))
def getNeighbouringRouters(self):
"""get neighboring routers information
Returns:
neighboring routers' extended address
@todo: required if as reference device
"""
pass
def getChildrenInfo(self):
"""get all children information
Returns:
children's extended address
@todo: required if as reference device
"""
pass
def setXpanId(self, xPanId):
"""set extended PAN ID of Thread Network
Args:
xPanId: extended PAN ID in hex format
Returns:
True: successful to set the extended PAN ID
False: fail to set the extended PAN ID
"""
xpanid = ''
print '%s call setXpanId' % self.port
print xPanId
try:
if not isinstance(xPanId, str):
xpanid = self.__convertLongToString(xPanId)
# prepend '0' at the beginning
if len(xpanid) < 16:
xpanid = xpanid.zfill(16)
print xpanid
cmd = WPANCTL_CMD + 'setprop Network:XPANID %s' % xpanid
datasetCmd = WPANCTL_CMD + 'setprop Dataset:ExtendedPanId %s' % xpanid
else:
xpanid = xPanId
cmd = WPANCTL_CMD + 'setprop Network:XPANID %s' % xpanid
datasetCmd = WPANCTL_CMD + 'setprop Dataset:ExtendedPanId %s' % xpanid
self.xpanId = xpanid
self.hasActiveDatasetToCommit = True
return self.__sendCommand(cmd)[0] != 'Fail' and self.__sendCommand(datasetCmd)[0] != 'Fail'
except Exception, e:
ModuleHelper.WriteIntoDebugLogger('setXpanId() Error: ' + str(e))
def getNeighbouringDevices(self):
"""gets the neighboring devices' extended address to compute the DUT
extended address automatically
Returns:
A list including extended address of neighboring routers, parent
as well as children
"""
print '%s call getNeighbouringDevices' % self.port
neighbourList = []
# get parent info
parentAddr = self.getParentAddress()
if parentAddr != 0:
neighbourList.append(parentAddr)
# get ED/SED children info
childNeighbours = self.getChildrenInfo()
if childNeighbours != None and len(childNeighbours) > 0:
for entry in childNeighbours:
neighbourList.append(entry)
# get neighboring routers info
routerNeighbours = self.getNeighbouringRouters()
if routerNeighbours != None and len(routerNeighbours) > 0:
for entry in routerNeighbours:
neighbourList.append(entry)
print neighbourList
return neighbourList
def setPartationId(self, partationId):
"""set Thread Network Partition ID
Args:
partitionId: partition id to be set by leader
Returns:
True: successful to set the Partition ID
False: fail to set the Partition ID
"""
print '%s call setPartationId' % self.port
print partationId
cmd = WPANCTL_CMD + 'setprop Network:PartitionId %s' %(str(hex(partationId)).rstrip('L'))
print cmd
return self.__sendCommand(cmd)[0] != 'Fail'
def getGUA(self, filterByPrefix=None):
"""get expected global unicast IPv6 address of OpenThreadWpan
Args:
filterByPrefix: a given expected global IPv6 prefix to be matched
Returns:
a global IPv6 address
"""
print '%s call getGUA' % self.port
print filterByPrefix
globalAddrs = []
try:
# get global addrs set if multiple
globalAddrs = self.getGlobal()
if filterByPrefix is None:
return self.__padIp6Addr(globalAddrs[0])
else:
for line in globalAddrs:
line = self.__padIp6Addr(line)
print "Padded IPv6 Address:" + line
if line.startswith(filterByPrefix):
return line
print 'no global address matched'
return str(globalAddrs[0])
except Exception, e:
ModuleHelper.WriteIntoDebugLogger('getGUA() Error: ' + str(e))
return e
def getShortAddress(self):
"""get Rloc16 short address of Thread device"""
print '%s call getShortAddress' % self.port
return self.getRloc16()
def getULA64(self):
"""get mesh local EID of Thread device"""
print '%s call getULA64' % self.port
return self.getMLEID()
def setMLPrefix(self, sMeshLocalPrefix):
"""set mesh local prefix"""
print '%s call setMLPrefix' % self.port
try:
cmd = WPANCTL_CMD + 'setprop IPv6:MeshLocalPrefix %s' % sMeshLocalPrefix
datasetCmd = WPANCTL_CMD + 'setprop Dataset:MeshLocalPrefix %s' % sMeshLocalPrefix
self.hasActiveDatasetToCommit = True
return self.__sendCommand(cmd)[0] != 'Fail' and self.__sendCommand(datasetCmd)[0] != 'Fail'
except Exception, e:
ModuleHelper.WriteIntoDebugLogger('setMLPrefix() Error: ' + str(e))
def getML16(self):
"""get mesh local 16 unicast address (Rloc)"""
print '%s call getML16' % self.port
return self.getRloc()
def downgradeToDevice(self):
pass
def upgradeToRouter(self):
pass
def forceSetSlaac(self, slaacAddress):
"""@todo : required if as reference device"""
pass
def setSleepyNodePollTime(self):
pass
def enableAutoDUTObjectFlag(self):
"""set AutoDUTenable flag"""
print '%s call enableAutoDUTObjectFlag' % self.port
self.AutoDUTEnable = True
def getChildTimeoutValue(self):
"""get child timeout"""
print '%s call getChildTimeoutValue' % self.port
childTimeout = self.__sendCommand(WPANCTL_CMD + 'getporp -v Thread:ChildTimeout')[0]
return int(childTimeout)
def diagnosticGet(self, strDestinationAddr, listTLV_ids=[]):
"""@todo : required if as reference device"""
pass
def diagnosticQuery(self,strDestinationAddr, listTLV_ids = []):
"""@todo : required if as reference device"""
self.diagnosticGet(strDestinationAddr, listTLV_ids)
def diagnosticReset(self, strDestinationAddr, listTLV_ids=[]):
"""@todo : required if as reference device"""
pass
def startNativeCommissioner(self, strPSKc='GRLpassWord'):
#TODO: Support the whole Native Commissioner functionality
# Currently it only aims to trigger a Discovery Request message to pass Certification test 5.8.4
print '%s call startNativeCommissioner' % self.port
cmd = WPANCTL_CMD + 'joiner --start %s' %(strPSKc)
print cmd
if self.__sendCommand(cmd)[0] != "Fail":
return True
else:
return False
def startCollapsedCommissioner(self):
"""start Collapsed Commissioner
Returns:
True: successful to start Commissioner
False: fail to start Commissioner
"""
print '%s call startCollapsedCommissioner' % self.port
startCmd = WPANCTL_CMD + 'form %s -c %s -T router' % (self.networkName, str(self.channel))
if self.__sendCommand(startCmd) != 'Fail':
time.sleep(2)
cmd = WPANCTL_CMD + 'commissioner start'
print cmd
if self.__sendCommand(cmd)[0] != 'Fail':
self.isActiveCommissioner = True
time.sleep(20) # time for petition process
return True
return False
def setJoinKey(self, strPSKc):
pass
def scanJoiner(self, xEUI='*', strPSKd='threadjpaketest'):
"""scan Joiner
Args:
xEUI: Joiner's EUI-64
strPSKd: Joiner's PSKd for commissioning
Returns:
True: successful to add Joiner's steering data
False: fail to add Joiner's steering data
"""
print '%s call scanJoiner' % self.port
if not isinstance(xEUI, str):
eui64 = self.__convertLongToString(xEUI)
# prepend 0 at the beginning
if len(eui64) < 16:
eui64 = eui64.zfill(16)
print eui64
else:
eui64 = xEUI
# long timeout value to avoid automatic joiner removal (in seconds)
timeout = 500
cmd = WPANCTL_CMD + 'commissioner joiner-add %s %s %s' % (eui64, str(timeout), strPSKd)
print cmd
if not self.isActiveCommissioner:
self.startCollapsedCommissioner()
if self.__sendCommand(cmd)[0] != 'Fail':
return True
else:
return False
def setProvisioningUrl(self, strURL='grl.com'):
"""set provisioning Url
Args:
strURL: Provisioning Url string
Returns:
True: successful to set provisioning Url
False: fail to set provisioning Url
"""
print '%s call setProvisioningUrl' % self.port
self.provisioningUrl = strURL
if self.deviceRole == Thread_Device_Role.Commissioner:
cmd = WPANCTL_CMD + 'setprop Commissioner:ProvisioningUrl %s' %(strURL)
print cmd
return self.__sendCommand(cmd)[0] != "Fail"
return True
def allowCommission(self):
"""start commissioner candidate petition process
Returns:
True: successful to start commissioner candidate petition process
False: fail to start commissioner candidate petition process
"""
print '%s call allowCommission' % self.port
try:
cmd = WPANCTL_CMD + 'commissioner start'
print cmd
if self.isActiveCommissioner:
return True
if self.__sendCommand(cmd)[0] != 'Fail':
self.isActiveCommissioner = True
time.sleep(40) # time for petition process and at least one keep alive
return True
else:
return False
except Exception, e:
ModuleHelper.WriteIntoDebugLogger('allowcommission() error: ' + str(e))
def joinCommissioned(self, strPSKd='threadjpaketest', waitTime=20):
"""start joiner
Args:
strPSKd: Joiner's PSKd
Returns:
True: successful to start joiner
False: fail to start joiner
"""
print '%s call joinCommissioned' % self.port
cmd = WPANCTL_CMD + 'joiner --start %s %s' %(strPSKd, self.provisioningUrl)
print cmd
if self.__sendCommand(cmd)[0] != "Fail":
if self.__getJoinerState():
self.__sendCommand(WPANCTL_CMD + 'joiner --attach')
time.sleep(30)
return True
else:
return False
else:
return False
def getCommissioningLogs(self):
"""get Commissioning logs
Returns:
Commissioning logs
"""
rawLogs = self.logThread.get()
ProcessedLogs = []
payload = []
while not rawLogs.empty():
rawLogEach = rawLogs.get()
print rawLogEach
if "[THCI]" not in rawLogEach:
continue
EncryptedPacket = PlatformDiagnosticPacket()
infoList = rawLogEach.split('[THCI]')[1].split(']')[0].split('|')
for eachInfo in infoList:
print eachInfo
info = eachInfo.split("=")
infoType = info[0].strip()
infoValue = info[1].strip()
if "direction" in infoType:
EncryptedPacket.Direction = PlatformDiagnosticPacket_Direction.IN if 'recv' in infoValue \
else PlatformDiagnosticPacket_Direction.OUT if 'send' in infoValue \
else PlatformDiagnosticPacket_Direction.UNKNOWN
elif "type" in infoType:
EncryptedPacket.Type = PlatformDiagnosticPacket_Type.JOIN_FIN_req if 'JOIN_FIN.req' in infoValue \
else PlatformDiagnosticPacket_Type.JOIN_FIN_rsp if 'JOIN_FIN.rsp' in infoValue \
else PlatformDiagnosticPacket_Type.JOIN_ENT_req if 'JOIN_ENT.ntf' in infoValue \
else PlatformDiagnosticPacket_Type.JOIN_ENT_rsp if 'JOIN_ENT.rsp' in infoValue \
else PlatformDiagnosticPacket_Type.UNKNOWN
elif "len" in infoType:
bytesInEachLine = 16
EncryptedPacket.TLVsLength = int(infoValue)
payloadLineCount = (int(infoValue) + bytesInEachLine - 1)/bytesInEachLine
while payloadLineCount > 0:
payloadLineCount = payloadLineCount - 1
payloadLine = rawLogs.get()
payloadSplit = payloadLine.split('|')
for block in range(1, 3):
payloadBlock = payloadSplit[block]
payloadValues = payloadBlock.split(' ')
for num in range(1, 9):
if ".." not in payloadValues[num]:
payload.append(int(payloadValues[num], 16))
EncryptedPacket.TLVs = PlatformPackets.read(EncryptedPacket.Type, payload) if payload != [] else []
ProcessedLogs.append(EncryptedPacket)
return ProcessedLogs
def MGMT_ED_SCAN(self, sAddr, xCommissionerSessionId, listChannelMask, xCount, xPeriod, xScanDuration):
"""send MGMT_ED_SCAN message to a given destinaition.
Args:
sAddr: IPv6 destination address for this message
xCommissionerSessionId: commissioner session id
listChannelMask: a channel array to indicate which channels to be scaned
xCount: number of IEEE 802.15.4 ED Scans (milliseconds)
xPeriod: Period between successive IEEE802.15.4 ED Scans (milliseconds)
xScanDuration: IEEE 802.15.4 ScanDuration to use when performing an IEEE 802.15.4 ED Scan (milliseconds)
Returns:
True: successful to send MGMT_ED_SCAN message.
False: fail to send MGMT_ED_SCAN message
"""
print '%s call MGMT_ED_SCAN' % self.port
channelMask = ''
channelMask = self.__ChannelMaskListToStr(listChannelMask)
try:
cmd = WPANCTL_CMD + 'commissioner energy-scan %s %s %s %s %s' % (channelMask, xCount, xPeriod, xScanDuration, sAddr)
print cmd
return self.__sendCommand(cmd) != 'Fail'
except Exception, e:
ModuleHelper.WriteIntoDebugLogger('MGMT_ED_SCAN() error: ' + str(e))
def MGMT_PANID_QUERY(self, sAddr, xCommissionerSessionId, listChannelMask, xPanId):
"""send MGMT_PANID_QUERY message to a given destination
Args:
xPanId: a given PAN ID to check the conflicts
Returns:
True: successful to send MGMT_PANID_QUERY message.
False: fail to send MGMT_PANID_QUERY message.
"""
print '%s call MGMT_PANID_QUERY' % self.port
panid = ''
channelMask = ''
channelMask = self.__ChannelMaskListToStr(listChannelMask)
if not isinstance(xPanId, str):
panid = str(hex(xPanId))
try:
cmd = WPANCTL_CMD + 'commissioner pan-id-query %s %s %s' % (panid, channelMask, sAddr)
print cmd
return self.__sendCommand(cmd) != 'Fail'
except Exception, e:
ModuleHelper.WriteIntoDebugLogger('MGMT_PANID_QUERY() error: ' + str(e))
def MGMT_ANNOUNCE_BEGIN(self, sAddr, xCommissionerSessionId, listChannelMask, xCount, xPeriod):
"""send MGMT_ANNOUNCE_BEGIN message to a given destination
Returns:
True: successful to send MGMT_ANNOUNCE_BEGIN message.
False: fail to send MGMT_ANNOUNCE_BEGIN message.
"""
print '%s call MGMT_ANNOUNCE_BEGIN' % self.port
channelMask = ''
channelMask = self.__ChannelMaskListToStr(listChannelMask)
try:
cmd = WPANCTL_CMD + 'commissioner announce-begin %s %s %s %s' % (channelMask, xCount, xPeriod, sAddr)
print cmd
return self.__sendCommand(cmd) != 'Fail'
except Exception, e:
ModuleHelper.WriteIntoDebugLogger('MGMT_ANNOUNCE_BEGIN() error: ' + str(e))
def MGMT_ACTIVE_GET(self, Addr='', TLVs=[]):
"""send MGMT_ACTIVE_GET command
Returns:
True: successful to send MGMT_ACTIVE_GET
False: fail to send MGMT_ACTIVE_GET
"""
print '%s call MGMT_ACTIVE_GET' % self.port
try:
cmd = WPANCTL_CMD + 'dataset mgmt-get-active'
if len(TLVs) != 0:
tlvs = "".join(hex(tlv).lstrip("0x").zfill(2) for tlv in TLVs)
setTLVCmd = WPANCTL_CMD + 'setprop Dataset:RawTlvs ' + tlvs
if self.__sendCommand(setTLVCmd)[0] == 'Fail':
return False
else:
if self.__sendCommand(WPANCTL_CMD + 'dataset erase')[0] == 'Fail':
return False
if Addr != '':
setAddressCmd = WPANCTL_CMD + 'setprop Dataset:DestIpAddress ' + Addr
if self.__sendCommand(setAddressCmd)[0] == 'Fail':
return False
print cmd
return self.__sendCommand(cmd)[0] != 'Fail'
except Exception, e:
ModuleHelper.WriteIntoDebugLogger('MGMT_ACTIVE_GET() Error: ' + str(e))
def MGMT_ACTIVE_SET(self, sAddr='', xCommissioningSessionId=None, listActiveTimestamp=None, listChannelMask=None, xExtendedPanId=None,
sNetworkName=None, sPSKc=None, listSecurityPolicy=None, xChannel=None, sMeshLocalPrefix=None, xMasterKey=None,
xPanId=None, xTmfPort=None, xSteeringData=None, xBorderRouterLocator=None, BogusTLV=None, xDelayTimer=None):
"""send MGMT_ACTIVE_SET command
Returns:
True: successful to send MGMT_ACTIVE_SET
False: fail to send MGMT_ACTIVE_SET
"""
print '%s call MGMT_ACTIVE_SET' % self.port
try:
cmd = WPANCTL_CMD + 'dataset mgmt-set-active'
if self.__sendCommand(WPANCTL_CMD + 'dataset erase')[0] == 'Fail':
return False
if listActiveTimestamp != None:
sActiveTimestamp = str(hex(listActiveTimestamp[0]))
if len(sActiveTimestamp) < 18:
sActiveTimestamp = sActiveTimestamp.lstrip('0x').zfill(16)
setActiveTimeCmd = WPANCTL_CMD + 'setprop Dataset:ActiveTimestamp ' + sActiveTimestamp
if self.__sendCommand(setActiveTimeCmd)[0] == 'Fail':
return False
if xExtendedPanId != None:
xpanid = self.__convertLongToString(xExtendedPanId)
if len(xpanid) < 16:
xpanid = xpanid.zfill(16)
setExtendedPanIdCmd = WPANCTL_CMD + 'setprop Dataset:ExtendedPanId ' + xpanid
if self.__sendCommand(setExtendedPanIdCmd)[0] == 'Fail':
return False
if sNetworkName != None:
setNetworkNameCmd = WPANCTL_CMD + 'setprop Dataset:NetworkName ' + str(sNetworkName)
if self.__sendCommand(setNetworkNameCmd)[0] == 'Fail':
return False
if xChannel != None:
setChannelCmd = WPANCTL_CMD + 'setprop Dataset:Channel ' + str(xChannel)
if self.__sendCommand(setChannelCmd)[0] == 'Fail':
return False
if sMeshLocalPrefix != None:
setMLPrefixCmd = WPANCTL_CMD + 'setprop Dataset:MeshLocalPrefix ' + str(sMeshLocalPrefix)
if self.__sendCommand(setMLPrefixCmd)[0] == 'Fail':
return False
if xMasterKey != None:
key = self.__convertLongToString(xMasterKey)
if len(key) < 32:
key = key.zfill(32)
setMasterKeyCmd = WPANCTL_CMD + 'setprop Dataset:MasterKey ' + key
if self.__sendCommand(setMasterKeyCmd)[0] == 'Fail':
return False
if xPanId != None:
setPanIdCmd = WPANCTL_CMD + 'setprop Dataset:PanId ' + str(xPanId)
if self.__sendCommand(setPanIdCmd)[0] == 'Fail':
return False
if listChannelMask != None:
setChannelMaskCmd = WPANCTL_CMD + 'setprop Dataset:ChannelMaskPage0 ' \
+ '0x' + self.__convertLongToString(self.__convertChannelMask(listChannelMask))
if self.__sendCommand(setChannelMaskCmd)[0] == 'Fail':
return False
if sPSKc != None or listSecurityPolicy != None or \
xCommissioningSessionId != None or xTmfPort != None or xSteeringData != None or xBorderRouterLocator != None or \
BogusTLV != None:
setRawTLVCmd = WPANCTL_CMD + 'setprop Dataset:RawTlvs '
if sPSKc != None:
setRawTLVCmd += '0410'
stretchedPskc = Thread_PBKDF2.get(sPSKc, ModuleHelper.Default_XpanId, ModuleHelper.Default_NwkName)
pskc = hex(stretchedPskc).rstrip('L').lstrip('0x')
if len(pskc) < 32:
pskc = pskc.zfill(32)
setRawTLVCmd += pskc
if listSecurityPolicy != None:
setRawTLVCmd += '0c03'
rotationTime = 0
policyBits = 0
# previous passing way listSecurityPolicy=[True, True, 3600, False, False, True]
if (len(listSecurityPolicy) == 6):
rotationTime = listSecurityPolicy[2]
# the last three reserved bits must be 1
policyBits = 0b00000111
if listSecurityPolicy[0]:
policyBits = policyBits | 0b10000000
if listSecurityPolicy[1]:
policyBits = policyBits | 0b01000000
if listSecurityPolicy[3]:
policyBits = policyBits | 0b00100000
if listSecurityPolicy[4]:
policyBits = policyBits | 0b00010000
if listSecurityPolicy[5]:
policyBits = policyBits | 0b00001000
else:
# new passing way listSecurityPolicy=[3600, 0b11001111]
rotationTime = listSecurityPolicy[0]
policyBits = listSecurityPolicy[1]
policy = str(hex(rotationTime))[2:]
if len(policy) < 4:
policy = policy.zfill(4)
setRawTLVCmd += policy
setRawTLVCmd += str(hex(policyBits))[2:]
if xCommissioningSessionId != None:
setRawTLVCmd += '0b02'
sessionid = str(hex(xCommissioningSessionId))[2:]
if len(sessionid) < 4:
sessionid = sessionid.zfill(4)
setRawTLVCmd += sessionid
if xBorderRouterLocator != None:
setRawTLVCmd += '0902'
locator = str(hex(xBorderRouterLocator))[2:]
if len(locator) < 4:
locator = locator.zfill(4)
setRawTLVCmd += locator
if xSteeringData != None:
steeringData = self.__convertLongToString(xSteeringData)
setRawTLVCmd += '08' + str(len(steeringData)/2).zfill(2)
setRawTLVCmd += steeringData
if BogusTLV != None:
setRawTLVCmd += "8202aa55"
print setRawTLVCmd
print cmd
if self.__sendCommand(setRawTLVCmd)[0] == 'Fail':
return False
return self.__sendCommand(cmd)[0] != 'Fail'
except Exception, e:
ModuleHelper.WriteIntoDebugLogger('MGMT_ACTIVE_SET() Error: ' + str(e))
def MGMT_PENDING_GET(self, Addr='', TLVs=[]):
"""send MGMT_PENDING_GET command
Returns:
True: successful to send MGMT_PENDING_GET
False: fail to send MGMT_PENDING_GET
"""
print '%s call MGMT_PENDING_GET' % self.port
try:
cmd = WPANCTL_CMD + 'dataset mgmt-get-pending'
if len(TLVs) != 0:
tlvs = "".join(hex(tlv).lstrip("0x").zfill(2) for tlv in TLVs)
setTLVCmd = WPANCTL_CMD + 'setprop Dataset:RawTlvs ' + tlvs
if self.__sendCommand(setTLVCmd)[0] == 'Fail':
return False
else:
if self.__sendCommand(WPANCTL_CMD + 'dataset erase')[0] == 'Fail':
return False
if Addr != '':
setAddressCmd = WPANCTL_CMD + 'setprop Dataset:DestIpAddress ' + Addr
if self.__sendCommand(setAddressCmd)[0] == 'Fail':
return False
print cmd
return self.__sendCommand(cmd)[0] != 'Fail'
except Exception, e:
ModuleHelper.WriteIntoDebugLogger('MGMT_PENDING_GET() Error: ' + str(e))
def MGMT_PENDING_SET(self, sAddr='', xCommissionerSessionId=None, listPendingTimestamp=None, listActiveTimestamp=None, xDelayTimer=None,
xChannel=None, xPanId=None, xMasterKey=None, sMeshLocalPrefix=None, sNetworkName=None):
"""send MGMT_PENDING_SET command
Returns:
True: successful to send MGMT_PENDING_SET
False: fail to send MGMT_PENDING_SET
"""
print '%s call MGMT_PENDING_SET' % self.port
try:
cmd = WPANCTL_CMD + 'dataset mgmt-set-pending'
if self.__sendCommand(WPANCTL_CMD + 'dataset erase')[0] == 'Fail':
return False
if listPendingTimestamp != None:
sActiveTimestamp = str(hex(listPendingTimestamp[0]))
if len(sActiveTimestamp) < 18:
sActiveTimestamp = sActiveTimestamp.lstrip('0x').zfill(16)
setPendingTimeCmd = WPANCTL_CMD + 'setprop Dataset:PendingTimestamp ' + sActiveTimestamp
if self.__sendCommand(setPendingTimeCmd)[0] == 'Fail':
return False
if listActiveTimestamp != None:
sActiveTimestamp = str(hex(listActiveTimestamp[0]))
if len(sActiveTimestamp) < 18:
sActiveTimestamp = sActiveTimestamp.lstrip('0x').zfill(16)
setActiveTimeCmd = WPANCTL_CMD + 'setprop Dataset:ActiveTimestamp ' + sActiveTimestamp
if self.__sendCommand(setActiveTimeCmd)[0] == 'Fail':
return False
if xDelayTimer != None:
setDelayTimerCmd = WPANCTL_CMD + 'setprop Dataset:Delay ' + str(xDelayTimer)
if self.__sendCommand(setDelayTimerCmd)[0] == 'Fail':
return False
if sNetworkName != None:
setNetworkNameCmd = WPANCTL_CMD + 'setprop Dataset:NetworkName ' + str(sNetworkName)
if self.__sendCommand(setNetworkNameCmd)[0] == 'Fail':
return False
if xChannel != None:
setChannelCmd = WPANCTL_CMD + 'setprop Dataset:Channel ' + str(xChannel)
if self.__sendCommand(setChannelCmd)[0] == 'Fail':
return False
if sMeshLocalPrefix != None:
setMLPrefixCmd = WPANCTL_CMD + 'setprop Dataset:MeshLocalPrefix ' + str(sMeshLocalPrefix)
if self.__sendCommand(setMLPrefixCmd)[0] == 'Fail':
return False
if xMasterKey != None:
key = self.__convertLongToString(xMasterKey)
if len(key) < 32:
key = key.zfill(32)
setMasterKeyCmd = WPANCTL_CMD + 'setprop Dataset:MasterKey ' + key
if self.__sendCommand(setMasterKeyCmd)[0] == 'Fail':
return False
if xPanId != None:
setPanIdCmd = WPANCTL_CMD + 'setprop Dataset:PanId ' + str(xPanId)
if self.__sendCommand(setPanIdCmd)[0] == 'Fail':
return False
if xCommissionerSessionId != None:
print 'not handle xCommissionerSessionId'
print cmd
return self.__sendCommand(cmd)[0] != 'Fail'
except Exception, e:
ModuleHelper.WriteIntoDebugLogger('MGMT_PENDING_SET() Error: ' + str(e))
def MGMT_COMM_GET(self, Addr='ff02::1', TLVs=[]):
"""send MGMT_COMM_GET command
Returns:
True: successful to send MGMT_COMM_GET
False: fail to send MGMT_COMM_GET
"""
print '%s call MGMT_COMM_GET' % self.port
try:
cmd = WPANCTL_CMD + 'commissioner mgmt-get '
print 'TLVs:'
print TLVs
if len(TLVs) != 0:
tlvs = "".join(hex(tlv).lstrip("0x").zfill(2) for tlv in TLVs)
cmd += tlvs
print cmd
return self.__sendCommand(cmd)[0] != 'Fail'
except Exception, e:
ModuleHelper.WriteIntoDebugLogger('MGMT_COMM_GET() Error: ' + str(e))
def MGMT_COMM_SET(self, Addr='ff02::1', xCommissionerSessionID=None, xSteeringData=None, xBorderRouterLocator=None,
xChannelTlv=None, ExceedMaxPayload=False):
"""send MGMT_COMM_SET command
Returns:
True: successful to send MGMT_COMM_SET
False: fail to send MGMT_COMM_SET
"""
print '%s call MGMT_COMM_SET' % self.port
try:
cmd = WPANCTL_CMD + 'commissioner mgmt-set '
print "-------------------------------"
print xCommissionerSessionID
print xSteeringData
print str(xSteeringData) + ' ' + str(hex(xSteeringData)[2:])
print xBorderRouterLocator
print xChannelTlv
print ExceedMaxPayload
print "-------------------------------"
if xCommissionerSessionID != None:
# use assigned session id
cmd += '0b02' + str(xCommissionerSessionID)
elif xCommissionerSessionID is None:
# use original session id
if self.isActiveCommissioner is True:
cmd += '0b02' + self.__getCommissionerSessionId().lstrip('0x')
else:
pass
if xSteeringData != None:
cmd += '08' + str(len(hex(xSteeringData)[2:])) + str(hex(xSteeringData)[2:])
if xBorderRouterLocator != None:
cmd += '0902' + str(hex(xBorderRouterLocator))
if xChannelTlv != None:
cmd += '000300' + hex(xChannelTlv).lstrip('0x').zfill(4)
print cmd
return self.__sendCommand(cmd)[0] != 'Fail'
except Exception, e:
ModuleHelper.WriteIntoDebugLogger('MGMT_COMM_SET() Error: ' + str(e))
def setActiveDataset(self, listActiveDataset=[]):
print '%s call setActiveDataset' % self.port
def setCommisionerMode(self):
print '%s call setCommissionerMode' % self.port
def setPSKc(self, strPSKc):
print '%s call setPSKc' % self.port
try:
cmd = WPANCTL_CMD + 'setprop Network:PSKc %s' % strPSKc
datasetCmd = WPANCTL_CMD + 'setprop Dataset:PSKc %s' % strPSKc
self.hasActiveDatasetToCommit = True
return self.__sendCommand(cmd)[0] != 'Fail' and self.__sendCommand(datasetCmd)[0] != 'Fail'
except Exception, e:
ModuleHelper.WriteIntoDebugLogger('setPSKc() Error: ' + str(e))
def setActiveTimestamp(self, xActiveTimestamp):
print '%s call setActiveTimestamp' % self.port
try:
sActiveTimestamp = str(xActiveTimestamp)
if len(sActiveTimestamp) < 16:
sActiveTimestamp = sActiveTimestamp.zfill(16)
self.activetimestamp = sActiveTimestamp
cmd = WPANCTL_CMD + 'setprop Dataset:ActiveTimestamp %s' % sActiveTimestamp
self.hasActiveDatasetToCommit = True
return self.__sendCommand(cmd)[0] != 'Fail'
except Exception, e:
ModuleHelper.WriteIntoDebugLogger('setActiveTimestamp() Error: ' + str(e))
def setUdpJoinerPort(self, portNumber):
"""set Joiner UDP Port
Args:
portNumber: Joiner UDP Port number
Returns:
True: successful to set Joiner UDP Port
False: fail to set Joiner UDP Port
@todo : required if as reference device
"""
pass
def commissionerUnregister(self):
"""stop commissioner
Returns:
True: successful to stop commissioner
False: fail to stop commissioner
"""
print '%s call commissionerUnregister' % self.port
cmd = WPANCTL_CMD + 'commissioner stop'
print cmd
if self.__sendCommand(cmd)[0] != 'Fail':
self.isActiveCommissioner = False
return True
else:
return False
def sendBeacons(self, sAddr, xCommissionerSessionId, listChannelMask, xPanId):
print '%s call sendBeacons' % self.port
self._sendline(WPANCTL_CMD + 'scan')
return True
def updateRouterStatus(self):
"""force update to router as if there is child id request
@todo : required if as reference device
"""
pass
def setRouterThresholdValues(self, upgradeThreshold, downgradeThreshold):
print '%s call setRouterThresholdValues' % self.port
self.__setRouterUpgradeThreshold(upgradeThreshold)
self.__setRouterDowngradeThreshold(downgradeThreshold)
def setMinDelayTimer(self, iSeconds):
pass
def ValidateDeviceFirmware(self):
print '%s call ValidateDeviceFirmware' % self.port
if "OPENTHREAD" in self.UIStatusMsg:
return True
else:
return False
| {
"content_hash": "586296cbb7322de170f6f15e213dfed1",
"timestamp": "",
"source": "github",
"line_count": 2618,
"max_line_length": 150,
"avg_line_length": 38.01107715813598,
"alnum_prop": 0.560861394993619,
"repo_name": "gandreello/openthread",
"id": "147185dd70eb557dfa67c815d6cad246dba99db3",
"size": "101092",
"binary": false,
"copies": "2",
"ref": "refs/heads/master",
"path": "tools/harness-thci/OpenThread_WpanCtl.py",
"mode": "33188",
"license": "bsd-3-clause",
"language": [
{
"name": "Batchfile",
"bytes": "15850"
},
{
"name": "C",
"bytes": "883159"
},
{
"name": "C#",
"bytes": "18077"
},
{
"name": "C++",
"bytes": "4189244"
},
{
"name": "Dockerfile",
"bytes": "4384"
},
{
"name": "M4",
"bytes": "58324"
},
{
"name": "Makefile",
"bytes": "127867"
},
{
"name": "Python",
"bytes": "1971753"
},
{
"name": "Ruby",
"bytes": "3397"
},
{
"name": "Shell",
"bytes": "62156"
}
],
"symlink_target": ""
} |
SYNONYM
#### According to
The Catalogue of Life, 3rd January 2011
#### Published in
null
#### Original name
null
### Remarks
null | {
"content_hash": "47cdd6727e931f9d9e871a53c3afccc7",
"timestamp": "",
"source": "github",
"line_count": 13,
"max_line_length": 39,
"avg_line_length": 10.23076923076923,
"alnum_prop": 0.6917293233082706,
"repo_name": "mdoering/backbone",
"id": "b4ef1cd9fd7b8b4b0d7bba991b36af455df7da1d",
"size": "192",
"binary": false,
"copies": "1",
"ref": "refs/heads/master",
"path": "life/Plantae/Magnoliophyta/Liliopsida/Poales/Poaceae/Helictotrichon/Helictotrichon sempervirens/ Syn. Avena sempervirens villarsiana/README.md",
"mode": "33188",
"license": "apache-2.0",
"language": [],
"symlink_target": ""
} |
__To insert `#` sign follow it by `\`__
## Installation
```
git clone https://github.com/lukasz17m/hashbook.git
cd hashbook
npm install
npm run build
```
Then configure your MongoDB connection in `modules/config.js` and run
```
npm start
```
# :unlock: MIT License
| {
"content_hash": "ccad42bcfa77c43ae0e859663d8227ce",
"timestamp": "",
"source": "github",
"line_count": 15,
"max_line_length": 69,
"avg_line_length": 17.8,
"alnum_prop": 0.704119850187266,
"repo_name": "lukasz17m/hashbook",
"id": "8357390556c82648b8e341617a1ff299fcaf2f69",
"size": "355",
"binary": false,
"copies": "1",
"ref": "refs/heads/master",
"path": "README.md",
"mode": "33188",
"license": "mit",
"language": [
{
"name": "CSS",
"bytes": "9514"
},
{
"name": "HTML",
"bytes": "24950"
},
{
"name": "JavaScript",
"bytes": "69586"
},
{
"name": "Vue",
"bytes": "27879"
}
],
"symlink_target": ""
} |
package com.zaxxer.hikari.pool;
import com.zaxxer.hikari.HikariConfig;
import org.junit.Test;
import com.zaxxer.hikari.HikariDataSource;
import java.sql.Connection;
import java.sql.PreparedStatement;
import java.util.ArrayList;
import java.util.List;
import java.util.concurrent.Callable;
import java.util.concurrent.ExecutorService;
import java.util.concurrent.Executors;
import java.util.concurrent.Future;
/**
* @author Matthew Tambara ([email protected])
*/
public class ConcurrentCloseConnectionTest
{
@Test
public void testConcurrentClose() throws Exception
{
HikariConfig config = new HikariConfig();
config.setDataSourceClassName("com.zaxxer.hikari.mocks.StubDataSource");
try (HikariDataSource ds = new HikariDataSource(config);
final Connection connection = ds.getConnection()) {
ExecutorService executorService = Executors.newFixedThreadPool(10);
List<Future> futures = new ArrayList<>();
for (int i = 0; i < 500; i++) {
final PreparedStatement preparedStatement =
connection.prepareStatement("");
futures.add(executorService.submit(new Callable<Void>() {
@Override
public Void call() throws Exception {
preparedStatement.close();
return null;
}
}));
}
executorService.shutdown();
for (Future future : futures) {
future.get();
}
}
}
}
| {
"content_hash": "b61ea1813a24b05ae8fb79ae6ec103c3",
"timestamp": "",
"source": "github",
"line_count": 59,
"max_line_length": 78,
"avg_line_length": 23.610169491525422,
"alnum_prop": 0.7106963388370423,
"repo_name": "ams2990/HikariCP",
"id": "ff0ad392bd4831aef0a6d6170ed93ce0c19ddd8d",
"size": "1997",
"binary": false,
"copies": "1",
"ref": "refs/heads/dev",
"path": "src/test/java/com/zaxxer/hikari/pool/ConcurrentCloseConnectionTest.java",
"mode": "33188",
"license": "apache-2.0",
"language": [
{
"name": "Java",
"bytes": "450762"
}
],
"symlink_target": ""
} |
package main.java.fr.mrc.ptichat.connection;
import main.java.fr.mrc.ptichat.appmanagement.ChatManager;
import java.io.*;
import java.net.*;
/**
* Creates two threads by socket : one to listen to incoming messages (RequestThread), the other to send messages
* (ResponseRequest)
*/
public class ChatRunnable implements Runnable {
private BufferedReader in = null;
private PrintWriter out = null;
private Socket socket = null;
private Thread requestThread, responseThread;
private Flag stopFlag = new Flag();
private ChatManager chatManager;
public ChatRunnable(Socket socket, ChatManager chatManager){
this.chatManager = chatManager;
this.socket = socket;
}
public void run(){
try {
this.in = new BufferedReader(new InputStreamReader(this.socket.getInputStream()));
this.out = new PrintWriter(this.socket.getOutputStream());
// Instantiate both request and response threads with the same Flag instance
this.requestThread = new Thread(new RequestRunnable(this.in, this.socket.getLocalAddress(), this.socket.getLocalPort(), this.stopFlag, this.chatManager)); //
this.requestThread.start();
this.responseThread = new Thread(new ResponseRunnable(this.out, this.socket.getLocalAddress(), this.socket.getLocalPort(), this.stopFlag, this.chatManager)); //
this.responseThread.start();
while(!this.stopFlag.getFlag()) {
//Wait
}
this.responseThread.interrupt();
} catch(IOException e){
e.printStackTrace();
}
}
public Thread getRequestThread(){
return this.requestThread;
}
public Thread getResponseThread(){
return this.responseThread;
}
}
| {
"content_hash": "ed4c752cb811739b1ca6910ce40c9a67",
"timestamp": "",
"source": "github",
"line_count": 51,
"max_line_length": 172,
"avg_line_length": 35.35294117647059,
"alnum_prop": 0.6661120354963949,
"repo_name": "CRollin/ptiChat",
"id": "9b1de9447ac57c0ca325da517f1214f787e170b9",
"size": "1803",
"binary": false,
"copies": "1",
"ref": "refs/heads/master",
"path": "src/main/java/fr/mrc/ptichat/connection/ChatRunnable.java",
"mode": "33188",
"license": "mit",
"language": [
{
"name": "Java",
"bytes": "45530"
}
],
"symlink_target": ""
} |
techanModule('scale/zoomable', function(specBuilder) {
'use strict';
var techan = require('../../../../src/techan');
var actualInit = function(module) {
return module;
};
specBuilder.require(require('../../../../src/scale/zoomable'), function(instanceBuilder) {
instanceBuilder.instance('actual', actualInit, function(scope) {
var zoomable,
linear;
describe('And initialised with a scale and callback', function() {
var zoomedCallback;
beforeEach(function() {
zoomedCallback = jasmine.createSpy('zoomedCallback');
linear = d3.scale.linear().domain([0,10]);
zoomable = scope.zoomable(linear, zoomedCallback);
});
it('Then throws an exception when reading the domain', function() {
expect(zoomable.domain).toThrow();
});
it('Then throws an exception when writing the range', function() {
expect(function() {
zoomable.range([]);
}).toThrow();
});
it('Then scale of first index should return scaled min range', function() {
expect(linear(0)).toEqual(0);
});
it('Then scale of last index should return max range', function() {
expect(linear(10)).toEqual(1);
});
it('Then the range should be default', function() {
expect(linear.range()).toEqual([0, 1]);
});
describe('And copied', function() {
var cloned;
beforeEach(function() {
cloned = zoomable.copy();
});
it('Then should not be equal to source', function() {
expect(cloned).not.toEqual(zoomable);
});
});
describe('And a zoom applied', function() {
var zoom = null;
beforeEach(function() {
zoom = d3.behavior.zoom();
zoom.x(zoomable);
});
describe('And translated to the left', function() {
beforeEach(function() {
zoom.translate([-11, 0]);
});
it('Then scale of first index should return scaled min range', function() {
expect(linear(0)).toEqual(1.1);
});
it('Then scale of last index should return max range', function() {
expect(linear(10)).toEqual(1);
});
it('Then the callback is invoked', function() {
expect(zoomedCallback).toHaveBeenCalled();
});
});
describe('And scaled by 2', function() {
beforeEach(function() {
zoom.scale(2).translate([-1,0]);
});
it('Then scale of first index should return min range', function() {
expect(linear(0)).toEqual(-1);
});
it('Then scale of last index should return 2 max range', function() {
expect(linear(10)).toEqual(1);
});
});
});
});
});
});
}); | {
"content_hash": "ab5e41705d8750a2137974917ba976b5",
"timestamp": "",
"source": "github",
"line_count": 101,
"max_line_length": 92,
"avg_line_length": 29.594059405940595,
"alnum_prop": 0.5212445633991302,
"repo_name": "dmitrykvochkin/techan.js",
"id": "325d13dd5c7248951feda16f4fe25c5d3c4f2717",
"size": "2989",
"binary": false,
"copies": "1",
"ref": "refs/heads/master",
"path": "test/spec/bundle/scale/zoomableSpec.js",
"mode": "33188",
"license": "mit",
"language": [],
"symlink_target": ""
} |
export default class Sample{
constructor(val){
// eslint-disable-next-line no-console
console.log('constructed');
this.val = val;
}
bow(){
return this.val;
}
}
| {
"content_hash": "c6cd1d55336a3fb8cb7e162a5c8f7262",
"timestamp": "",
"source": "github",
"line_count": 11,
"max_line_length": 42,
"avg_line_length": 16.818181818181817,
"alnum_prop": 0.6216216216216216,
"repo_name": "peccu/dot.pj",
"id": "604db699730193bf3c97b9388d7b347bed454c26",
"size": "185",
"binary": false,
"copies": "1",
"ref": "refs/heads/master",
"path": "parcel/src/js/lib/sample/index.js",
"mode": "33188",
"license": "mit",
"language": [
{
"name": "HTML",
"bytes": "605"
},
{
"name": "JavaScript",
"bytes": "15194"
},
{
"name": "Shell",
"bytes": "323"
}
],
"symlink_target": ""
} |
#import "MREAppDelegate.h"
#import "MREViewController.h"
#import "REKit.h"
@implementation MREAppDelegate
//--------------------------------------------------------------//
#pragma mark -- ApplicationDelegate --
//--------------------------------------------------------------//
- (void)applicationDidFinishLaunching:(NSNotification *)notification
{
// Show viewController
NSView *view;
self.viewController = [[MREViewController alloc] initWithNibName:nil bundle:nil];
view = self.viewController.view;
view.autoresizingMask = (NSViewWidthSizable | NSViewHeightSizable);
view.frame = self.view.bounds;
[self.view addSubview:view];
}
@end
| {
"content_hash": "b67d7f024d509bcb6be9c9e1bff280a1",
"timestamp": "",
"source": "github",
"line_count": 25,
"max_line_length": 82,
"avg_line_length": 26.04,
"alnum_prop": 0.6129032258064516,
"repo_name": "bounin/REKit",
"id": "2ef4abac72083ed00e7a9a76f061bd0079c9e608",
"size": "728",
"binary": false,
"copies": "2",
"ref": "refs/heads/master",
"path": "Mac_REKit/Mac_REKit/MREAppDelegate.m",
"mode": "33188",
"license": "mit",
"language": [
{
"name": "C",
"bytes": "3088"
},
{
"name": "Objective-C",
"bytes": "123519"
}
],
"symlink_target": ""
} |
/* -------------------------------------------------------------------------- */
/* Copyright 2002-2011, OpenNebula Project Leads (OpenNebula.org) */
/* */
/* Licensed under the Apache License, Version 2.0 (the "License"); you may */
/* not use this file except in compliance with the License. You may obtain */
/* a copy of the License at */
/* */
/* http://www.apache.org/licenses/LICENSE-2.0 */
/* */
/* Unless required by applicable law or agreed to in writing, software */
/* distributed under the License is distributed on an "AS IS" BASIS, */
/* WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. */
/* See the License for the specific language governing permissions and */
/* limitations under the License. */
/* -------------------------------------------------------------------------- */
var activeTab;
var outerLayout, innerLayout;
function hideDialog(){
innerLayout.close("south");
}
function popDialog(content){
$("#dialog").html(content);
innerLayout.open("south");
}
function popDialogLoading(){
var loading = '<div style="margin-top:'+Math.round($("#dialog").height()/6)+'px; text-align: center; width: 100%"><img src="/images/pbar.gif" alt="loading..."/></div>';
popDialog(loading);
}
function showTab(tabname){
activeTab = tabname;
//clean selected menu
$("#navigation li").removeClass("navigation-active-li");
$("#navigation li a").removeClass("navigation-active-li-a");
//select menu
var li = $("#navigation li:has(a[href='"+activeTab+"'])")
var li_a = $("#navigation li a[href='"+activeTab+"']")
li.addClass("navigation-active-li");
li_a.addClass("navigation-active-li-a");
//show tab
$(".tab").hide();
$(activeTab).show();
//~ if (activeTab == '#dashboard') {
//~ emptyDashboard();
//~ preloadTables();
//~ }
innerLayout.close("south");
}
$(document).ready(function () {
$(".tab").hide();
$(".outer-west ul li a").click(function(){
var tab = $(this).attr('href');
showTab(tab);
return false;
})
outerLayout = $('body').layout({
applyDefaultStyles: false
, center__paneSelector: ".outer-center"
, west__paneSelector: ".outer-west"
, west__size: 130
, north__size: 26
, south__size: 26
, spacing_open: 0 // ALL panes
, spacing_closed: 0 // ALL panes
//, north__spacing_open: 0
//, south__spacing_open: 0
, north__maxSize: 200
, south__maxSize: 200
, south__closable: false
, north__closable: false
, west__closable: false
, south__resizable: false
, north__resizable: false
, west__resizable: false
});
var factor = 0.6;
var dialog_height = Math.floor($(".outer-center").height()*factor);
innerLayout = $('div.outer-center').layout({
fxName: "slide"
, initClosed: true
, center__paneSelector: ".inner-center"
, south__paneSelector: ".inner-south"
, south__size: dialog_height
, spacing_open: 8 // ALL panes
, spacing_closed: 12 // ALL panes
});
showTab("#dashboard");
});
| {
"content_hash": "d29f1cf12ad899926cc015d867579dde",
"timestamp": "",
"source": "github",
"line_count": 102,
"max_line_length": 172,
"avg_line_length": 35.44117647058823,
"alnum_prop": 0.5004149377593361,
"repo_name": "larsks/opennebula-lks",
"id": "fd1da90ed4153a351b910dedd6d29d7304b5fa18",
"size": "3615",
"binary": false,
"copies": "1",
"ref": "refs/heads/arc",
"path": "src/sunstone/public/js/layout.js",
"mode": "33188",
"license": "apache-2.0",
"language": [
{
"name": "C",
"bytes": "601350"
},
{
"name": "C++",
"bytes": "1238778"
},
{
"name": "Java",
"bytes": "131084"
},
{
"name": "JavaScript",
"bytes": "210546"
},
{
"name": "Python",
"bytes": "6344"
},
{
"name": "Ruby",
"bytes": "473423"
},
{
"name": "Shell",
"bytes": "125192"
}
],
"symlink_target": ""
} |
This repository contains a template you can use to seed a repository for a
new open source project.
See go/releasing (available externally at
https://opensource.google.com/docs/releasing/) for more information about
releasing a new Google open source project.
This template uses the Apache license, as is Google's default. See the
documentation for instructions on using alternate license.
## How to use this template
1. Check it out from GitHub.
* There is no reason to fork it.
1. Create a new local repository and copy the files from this repo into it.
1. Modify README.md and CONTRIBUTING.md to represent your project, not the
template project.
1. Develop your new project!
``` shell
git clone https://github.com/google/new-project
mkdir my-new-thing
cd my-new-thing
git init
cp ../new-project/* .
git add *
git commit -a -m 'Boilerplate for new Google open source project'
```
## Source Code Headers
Every file containing source code must include copyright and license
information. This includes any JS/CSS files that you might be serving out to
browsers. (This is to help well-intentioned people avoid accidental copying that
doesn't comply with the license.)
Apache header:
Copyright 2019 Google LLC
Licensed under the Apache License, Version 2.0 (the "License");
you may not use this file except in compliance with the License.
You may obtain a copy of the License at
https://www.apache.org/licenses/LICENSE-2.0
Unless required by applicable law or agreed to in writing, software
distributed under the License is distributed on an "AS IS" BASIS,
WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
See the License for the specific language governing permissions and
limitations under the License.
| {
"content_hash": "cb00a1d4a88f17ee18b3e4fb5d7684dc",
"timestamp": "",
"source": "github",
"line_count": 51,
"max_line_length": 80,
"avg_line_length": 35.09803921568628,
"alnum_prop": 0.7636871508379889,
"repo_name": "google/fleetspeak-doc",
"id": "54033a33b9d2640843a272e933d53d031d1c2463",
"size": "1814",
"binary": false,
"copies": "1",
"ref": "refs/heads/master",
"path": "README.md",
"mode": "33188",
"license": "apache-2.0",
"language": [],
"symlink_target": ""
} |
using System;
using System.Collections.Generic;
using ServiceStack.Common.Extensions;
using ServiceStack.DesignPatterns.Translator;
using ServiceStack.Validation;
namespace ServiceStack.ServiceInterface.ServiceModel
{
/// <summary>
/// Translates a ValidationResult into a ResponseStatus DTO fragment.
/// </summary>
public class ResponseStatusTranslator
: ITranslator<ResponseStatus, ValidationResult>
{
public static readonly ResponseStatusTranslator Instance
= new ResponseStatusTranslator();
public ResponseStatus Parse(Exception exception)
{
var validationException = exception as ValidationException;
return validationException != null
? this.Parse(validationException)
: CreateErrorResponse(exception.GetType().Name, exception.Message);
}
public ResponseStatus Parse(ValidationException validationException)
{
return CreateErrorResponse(validationException.ErrorCode, validationException.Message, validationException.Violations);
}
public ResponseStatus Parse(ValidationResult validationResult)
{
return validationResult.IsValid
? CreateSuccessResponse(validationResult.SuccessMessage)
: CreateErrorResponse(validationResult.ErrorCode, validationResult.ErrorMessage, validationResult.Errors);
}
public static ResponseStatus CreateSuccessResponse(string message)
{
return new ResponseStatus { Message = message };
}
public static ResponseStatus CreateErrorResponse(string errorCode)
{
var errorMessage = errorCode.SplitCamelCase();
return CreateErrorResponse(errorCode, errorMessage, null);
}
public static ResponseStatus CreateErrorResponse(string errorCode, string errorMessage)
{
return CreateErrorResponse(errorCode, errorMessage, null);
}
/// <summary>
/// Creates the error response from the values provided.
///
/// If the errorCode is empty it will use the first validation error code,
/// if there is none it will throw an error.
/// </summary>
/// <param name="errorCode">The error code.</param>
/// <param name="errorMessage">The error message.</param>
/// <param name="validationErrors">The validation errors.</param>
/// <returns></returns>
public static ResponseStatus CreateErrorResponse(string errorCode, string errorMessage, IEnumerable<ValidationError> validationErrors)
{
var to = new ResponseStatus
{
ErrorCode = errorCode,
Message = errorMessage,
};
if (validationErrors != null)
{
foreach (var validationError in validationErrors)
{
var error = new ResponseError
{
ErrorCode = validationError.ErrorCode,
FieldName = validationError.FieldName,
Message = validationError.ErrorMessage,
};
to.Errors.Add(error);
if (string.IsNullOrEmpty(to.ErrorCode))
{
to.ErrorCode = validationError.ErrorCode;
}
if (string.IsNullOrEmpty(to.Message))
{
to.Message = validationError.ErrorMessage;
}
}
}
if (string.IsNullOrEmpty(errorCode))
{
if (string.IsNullOrEmpty(to.ErrorCode))
{
throw new ArgumentException("Cannot create a valid error response with a en empty errorCode and an empty validationError list");
}
}
return to;
}
}
} | {
"content_hash": "000f6906f0c5128be3c77e6c61451cbd",
"timestamp": "",
"source": "github",
"line_count": 105,
"max_line_length": 136,
"avg_line_length": 30.685714285714287,
"alnum_prop": 0.7374301675977654,
"repo_name": "firstsee/ServiceStack",
"id": "9e9ac4e43e1ac67fa2240c6f33e76fc7b25f0f10",
"size": "3519",
"binary": false,
"copies": "2",
"ref": "refs/heads/master",
"path": "src/ServiceStack.ServiceInterface/ServiceModel/ResponseStatusTranslator.cs",
"mode": "33188",
"license": "bsd-3-clause",
"language": [],
"symlink_target": ""
} |
package autoscaling
import (
"time"
"k8s.io/kubernetes/test/e2e/common"
"k8s.io/kubernetes/test/e2e/framework"
. "github.com/onsi/ginkgo"
)
// These tests don't seem to be running properly in parallel: issue: #20338.
//
var _ = framework.KubeDescribe("[HPA] Horizontal pod autoscaling (scale resource: CPU)", func() {
var rc *common.ResourceConsumer
f := framework.NewDefaultFramework("horizontal-pod-autoscaling")
titleUp := "Should scale from 1 pod to 3 pods and from 3 to 5"
titleDown := "Should scale from 5 pods to 3 pods and from 3 to 1"
framework.KubeDescribe("[Serial] [Slow] Deployment", func() {
// CPU tests via deployments
It(titleUp, func() {
scaleUp("test-deployment", common.KindDeployment, false, rc, f)
})
It(titleDown, func() {
scaleDown("test-deployment", common.KindDeployment, false, rc, f)
})
})
framework.KubeDescribe("[Serial] [Slow] ReplicaSet", func() {
// CPU tests via deployments
It(titleUp, func() {
scaleUp("rs", common.KindReplicaSet, false, rc, f)
})
It(titleDown, func() {
scaleDown("rs", common.KindReplicaSet, false, rc, f)
})
})
// These tests take ~20 minutes each.
framework.KubeDescribe("[Serial] [Slow] ReplicationController", func() {
// CPU tests via replication controllers
It(titleUp+" and verify decision stability", func() {
scaleUp("rc", common.KindRC, true, rc, f)
})
It(titleDown+" and verify decision stability", func() {
scaleDown("rc", common.KindRC, true, rc, f)
})
})
framework.KubeDescribe("ReplicationController light", func() {
It("Should scale from 1 pod to 2 pods", func() {
scaleTest := &HPAScaleTest{
initPods: 1,
totalInitialCPUUsage: 150,
perPodCPURequest: 200,
targetCPUUtilizationPercent: 50,
minPods: 1,
maxPods: 2,
firstScale: 2,
}
scaleTest.run("rc-light", common.KindRC, rc, f)
})
It("Should scale from 2 pods to 1 pod", func() {
scaleTest := &HPAScaleTest{
initPods: 2,
totalInitialCPUUsage: 50,
perPodCPURequest: 200,
targetCPUUtilizationPercent: 50,
minPods: 1,
maxPods: 2,
firstScale: 1,
}
scaleTest.run("rc-light", common.KindRC, rc, f)
})
})
})
// HPAScaleTest struct is used by the scale(...) function.
type HPAScaleTest struct {
initPods int32
totalInitialCPUUsage int32
perPodCPURequest int64
targetCPUUtilizationPercent int32
minPods int32
maxPods int32
firstScale int32
firstScaleStasis time.Duration
cpuBurst int
secondScale int32
secondScaleStasis time.Duration
}
// run is a method which runs an HPA lifecycle, from a starting state, to an expected
// The initial state is defined by the initPods parameter.
// The first state change is due to the CPU being consumed initially, which HPA responds to by changing pod counts.
// The second state change (optional) is due to the CPU burst parameter, which HPA again responds to.
// TODO The use of 3 states is arbitrary, we could eventually make this test handle "n" states once this test stabilizes.
func (scaleTest *HPAScaleTest) run(name, kind string, rc *common.ResourceConsumer, f *framework.Framework) {
rc = common.NewDynamicResourceConsumer(name, kind, int(scaleTest.initPods), int(scaleTest.totalInitialCPUUsage), 0, 0, scaleTest.perPodCPURequest, 200, f)
defer rc.CleanUp()
hpa := common.CreateCPUHorizontalPodAutoscaler(rc, scaleTest.targetCPUUtilizationPercent, scaleTest.minPods, scaleTest.maxPods)
defer common.DeleteHorizontalPodAutoscaler(rc, hpa.Name)
rc.WaitForReplicas(int(scaleTest.firstScale))
if scaleTest.firstScaleStasis > 0 {
rc.EnsureDesiredReplicas(int(scaleTest.firstScale), scaleTest.firstScaleStasis)
}
if scaleTest.cpuBurst > 0 && scaleTest.secondScale > 0 {
rc.ConsumeCPU(scaleTest.cpuBurst)
rc.WaitForReplicas(int(scaleTest.secondScale))
}
}
func scaleUp(name, kind string, checkStability bool, rc *common.ResourceConsumer, f *framework.Framework) {
stasis := 0 * time.Minute
if checkStability {
stasis = 10 * time.Minute
}
scaleTest := &HPAScaleTest{
initPods: 1,
totalInitialCPUUsage: 250,
perPodCPURequest: 500,
targetCPUUtilizationPercent: 20,
minPods: 1,
maxPods: 5,
firstScale: 3,
firstScaleStasis: stasis,
cpuBurst: 700,
secondScale: 5,
}
scaleTest.run(name, kind, rc, f)
}
func scaleDown(name, kind string, checkStability bool, rc *common.ResourceConsumer, f *framework.Framework) {
stasis := 0 * time.Minute
if checkStability {
stasis = 10 * time.Minute
}
scaleTest := &HPAScaleTest{
initPods: 5,
totalInitialCPUUsage: 375,
perPodCPURequest: 500,
targetCPUUtilizationPercent: 30,
minPods: 1,
maxPods: 5,
firstScale: 3,
firstScaleStasis: stasis,
cpuBurst: 10,
secondScale: 1,
}
scaleTest.run(name, kind, rc, f)
}
| {
"content_hash": "c03212025910c011594893b9a19974d6",
"timestamp": "",
"source": "github",
"line_count": 155,
"max_line_length": 155,
"avg_line_length": 34.49677419354839,
"alnum_prop": 0.6383018515055171,
"repo_name": "huangyuqi/kubernetes",
"id": "826215ca803ded3fe5e09ee93144f329224e403e",
"size": "5916",
"binary": false,
"copies": "2",
"ref": "refs/heads/master",
"path": "test/e2e/autoscaling/horizontal_pod_autoscaling.go",
"mode": "33188",
"license": "apache-2.0",
"language": [
{
"name": "C",
"bytes": "978"
},
{
"name": "Go",
"bytes": "27146888"
},
{
"name": "HTML",
"bytes": "1193990"
},
{
"name": "Makefile",
"bytes": "60182"
},
{
"name": "Nginx",
"bytes": "1013"
},
{
"name": "Protocol Buffer",
"bytes": "242489"
},
{
"name": "Python",
"bytes": "34470"
},
{
"name": "SaltStack",
"bytes": "55886"
},
{
"name": "Shell",
"bytes": "1411742"
}
],
"symlink_target": ""
} |
<!DOCTYPE html PUBLIC "-//W3C//DTD HTML 4.01//EN" "http://www.w3.org/TR/html4/strict.dtd">
<html lang="en">
<head>
<title>Debian -- Details of package apache2-doc in wheezy</title>
<link rev="made" href="mailto:[email protected]">
<meta http-equiv="Content-Type" content="text/html; charset=UTF-8">
<meta name="Author" content="Debian Webmaster, [email protected]">
<meta name="Description" content="Apache HTTP Server documentation">
<meta name="Keywords" content="Debian, wheezy, us, main, doc, 2.2.22-13+deb7u4">
<link href="/debpkg.css" rel="stylesheet" type="text/css" media="all">
<script src="/packages.js" type="text/javascript"></script>
</head>
<body>
<div id="header">
<div id="upperheader">
<div id="logo">
<!-- very Debian specific use of the logo stuff -->
<a href="http://www.debian.org/"><img src="/Pics/openlogo-50.png" alt="Debian" with="50" height="61"></a>
</div> <!-- end logo -->
<p class="hidecss"><a href="#inner">skip the navigation</a></p>
<p class="section"><a href="/">Packages</a></p>
</div> <!-- end upperheader -->
<!-- navbar -->
<div id="navbar">
<ul>
<li><a href="http://www.debian.org/intro/about">About Debian</a></li>
<li><a href="http://www.debian.org/distrib/">Getting Debian</a></li>
<li><a href="http://www.debian.org/support">Support</a></li>
<li><a href="http://www.debian.org/devel/">Developers' Corner</a></li>
</ul>
</div> <!-- end navbar -->
<div id="pnavbar">
/ <a href="/" title="Debian Packages Homepage">Packages</a>
/ <a href="/wheezy/" title="Overview over this suite">wheezy (stable)</a>
/ <a href="/wheezy/doc/" title="All packages in this section">doc</a>
/ apache2-doc
</div> <!-- end navbar -->
</div> <!-- end header -->
<div id="content">
<form method="GET" action="/search">
<div id="hpacketsearch">
<input type="submit" value="Search">
<select size="1" name="searchon">
<option value="names" selected="selected">
package names</option>
<option value="all" >descriptions</option>
<option value="sourcenames" >source package names</option>
<option value="contents" >package contents</option>
</select>
<input type="text" size="30" name="keywords" value="" id="kw">
<span style="font-size: 60%"><a href="/">all options</a></span>
</div> <!-- end hpacketsearch -->
</form>
<!-- show.tmpl -->
<div id="pothers"> [ <a href="/squeeze/apache2-doc">squeeze</a> ]
[ <a href="/squeeze-lts/apache2-doc">squeeze-lts</a> ]
[ <strong>wheezy</strong> ]
[ <a href="/jessie/apache2-doc">jessie</a> ]
[ <a href="/sid/apache2-doc">sid</a> ]</div>
<div id="psource">
[ Source: <a title="Source package building this package" href="/source/wheezy/apache2">apache2</a> ]
</div>
<!-- messages.tmpl -->
<h1>Package: apache2-doc (2.2.22-13+deb7u4)
</h1>
<div id="pmoreinfo">
<h2>Links for apache2-doc</h2>
<div class="screenshot">
<a id="screenshot" href="//screenshots.debian.net/package/apache2-doc"><img src="//screenshots.debian.net/thumbnail-with-version//apache2-doc/2.2.22-13+deb7u4" alt="Screenshot" border="0"/></a>
</div>
<h3>Debian Resources:</h3>
<ul>
<li><a href="http://bugs.debian.org/apache2-doc">Bug Reports</a></li>
<li><a href="http://packages.qa.debian.org/apache2">Developer Information (PTS)</a></li>
<li><a href="http://ftp-master.metadata.debian.org/changelogs//main/a/apache2/apache2_2.2.22-13+deb7u4_changelog">Debian Changelog</a></li>
<li><a href="http://ftp-master.metadata.debian.org/changelogs//main/a/apache2/apache2_2.2.22-13+deb7u4_copyright">Copyright File</a></li>
<li><a href="http://patch-tracker.debian.org/package/apache2/2.2.22-13+deb7u4">Debian Patch Tracker</a></li>
</ul>
<h3>Download Source Package <a href="/source/wheezy/apache2">apache2</a>:</h3>
<ul>
<li><a href="http://ftp.de.debian.org/debian/pool/main/a/apache2/apache2_2.2.22-13+deb7u4.dsc">[apache2_2.2.22-13+deb7u4.dsc]</a></li>
<li><a href="http://ftp.de.debian.org/debian/pool/main/a/apache2/apache2_2.2.22.orig.tar.gz">[apache2_2.2.22.orig.tar.gz]</a></li>
<li><a href="http://ftp.de.debian.org/debian/pool/main/a/apache2/apache2_2.2.22-13+deb7u4.debian.tar.gz">[apache2_2.2.22-13+deb7u4.debian.tar.gz]</a></li>
</ul>
<h3>Maintainers:</h3><ul> <li><a href="mailto:[email protected]">Debian Apache Maintainers</a>
(<a href="http://qa.debian.org/developer.php?login=debian-apache%40lists.debian.org" title="An overview over the maintainer's packages and uploads">QA Page</a>, <a href="http://lists.debian.org/debian-apache/" title="Archive of the Maintainer Mailinglist">Mail Archive</a>)
</li> <li><a href="mailto:[email protected]">Stefan Fritsch</a>
(<a href="http://qa.debian.org/developer.php?login=sf%40debian.org" title="An overview over the maintainer's packages and uploads">QA Page</a>)
</li> <li><a href="mailto:[email protected]">Steinar H. Gunderson</a>
(<a href="http://qa.debian.org/developer.php?login=sesse%40debian.org" title="An overview over the maintainer's packages and uploads">QA Page</a>)
</li> <li><a href="mailto:[email protected]">Arno Töll</a>
(<a href="http://qa.debian.org/developer.php?login=arno%40debian.org" title="An overview over the maintainer's packages and uploads">QA Page</a>)
</li></ul>
<h3>External Resources:</h3>
<ul>
<li><a href="http://httpd.apache.org/">Homepage</a> [httpd.apache.org]</li>
</ul>
<h3>Similar packages:</h3>
<ul>
<li><a href="/apache2-prefork-dev">apache2-prefork-dev</a></li>
<li><a href="/apache2-threaded-dev">apache2-threaded-dev</a></li>
<li><a href="/apache2">apache2</a></li>
<li><a href="/apache2-mpm-event">apache2-mpm-event</a></li>
<li><a href="/apache2-mpm-worker">apache2-mpm-worker</a></li>
<li><a href="/apache2.2-common">apache2.2-common</a></li>
<li><a href="/apache2-mpm-itk">apache2-mpm-itk</a></li>
<li><a href="/apache2-mpm-prefork">apache2-mpm-prefork</a></li>
<li><a href="/cherokee">cherokee</a></li>
<li><a href="/apache2-bin">apache2-bin</a></li>
<li><a href="/libapache2-svn">libapache2-svn</a></li>
</ul>
</div> <!-- end pmoreinfo -->
<div id="ptablist">
</div>
<div id="pdesctab">
<div id="pdesc" >
<h2>Apache HTTP Server documentation</h2>
<p>
This package provides the documentation for Apache 2. For more details
see the apache2 package description.
</div> <!-- end pdesc -->
<div id="ptags"><p>
<a href="http://debtags.alioth.debian.org/edit.html?pkg=apache2-doc">Tags</a>:
Made Of:
<a href="/about/debtags#made-of::html">HTML, Hypertext Markup Language</a>,
Networking:
<a href="/about/debtags#network::service">Service</a>,
Network Protocol:
<a href="/about/debtags#protocol::http">HTTP</a>,
protocol::ipv6,
role::documentation,
Application Suite:
<a href="/about/debtags#suite::apache">Apache</a>,
World Wide Web:
web::server,
works-with-format::html,
Works with:
<a href="/about/debtags#works-with::text">Text</a>
</p>
</div> <!-- end ptags -->
</div> <!-- pdesctab -->
<div id="pdownload">
<h2>Download apache2-doc</h2>
<table summary="The download table links to the download of the package and a file overview. In addition it gives information about the package size and the installed size.">
<caption class="hidecss">Download for all available architectures</caption>
<tr><th>Architecture</th>
<th>Package Size</th>
<th>Installed Size</th>
<th>Files</th>
</tr>
<tr>
<th><a href="/wheezy/all/apache2-doc/download">all</a></th>
<td class="size">1,733.4 kB</td><td class="size">12,467.0 kB</td>
<td>
[<a href="/wheezy/all/apache2-doc/filelist">list of files</a>]
</td>
</tr>
</table>
</div> <!-- end pdownload -->
</div> <!-- end inner -->
<div id="footer">
<hr class="hidecss">
<!--UdmComment-->
<div id="pageLang">
<div id="langSelector">
<p>This page is also available in the following languages (How to set <a href="http://www.debian.org/intro/cn">the default document language</a>):</p>
<div id="langContainer">
<a href="/bg/wheezy/apache2-doc" title="Bulgarian" hreflang="bg" lang="bg" rel="alternate">Български (Bəlgarski)</a>
<a href="/da/wheezy/apache2-doc" title="Danish" hreflang="da" lang="da" rel="alternate">dansk</a>
<a href="/de/wheezy/apache2-doc" title="German" hreflang="de" lang="de" rel="alternate">Deutsch</a>
<a href="/es/wheezy/apache2-doc" title="Spanish" hreflang="es" lang="es" rel="alternate">español</a>
<a href="/fi/wheezy/apache2-doc" title="Finnish" hreflang="fi" lang="fi" rel="alternate">suomi</a>
<a href="/fr/wheezy/apache2-doc" title="French" hreflang="fr" lang="fr" rel="alternate">français</a>
<a href="/ko/wheezy/apache2-doc" title="Korean" hreflang="ko" lang="ko" rel="alternate">한국어 (Hangul)</a>
<a href="/hu/wheezy/apache2-doc" title="Hungarian" hreflang="hu" lang="hu" rel="alternate">magyar</a>
<a href="/it/wheezy/apache2-doc" title="Italian" hreflang="it" lang="it" rel="alternate">Italiano</a>
<a href="/ja/wheezy/apache2-doc" title="Japanese" hreflang="ja" lang="ja" rel="alternate">日本語 (Nihongo)</a>
<a href="/nl/wheezy/apache2-doc" title="Dutch" hreflang="nl" lang="nl" rel="alternate">Nederlands</a>
<a href="/pl/wheezy/apache2-doc" title="Polish" hreflang="pl" lang="pl" rel="alternate">polski</a>
<a href="/pt/wheezy/apache2-doc" title="Portuguese" hreflang="pt" lang="pt" rel="alternate">Português (pt)</a>
<a href="/pt-br/wheezy/apache2-doc" title="Portuguese (Brasilia)" hreflang="pt-br" lang="pt-br" rel="alternate">Português (br)</a>
<a href="/ru/wheezy/apache2-doc" title="Russian" hreflang="ru" lang="ru" rel="alternate">Русский (Russkij)</a>
<a href="/sk/wheezy/apache2-doc" title="Slovak" hreflang="sk" lang="sk" rel="alternate">slovensky</a>
<a href="/sv/wheezy/apache2-doc" title="Swedish" hreflang="sv" lang="sv" rel="alternate">svenska</a>
<a href="/tr/wheezy/apache2-doc" title="Turkish" hreflang="tr" lang="tr" rel="alternate">Türkçe</a>
<a href="/uk/wheezy/apache2-doc" title="Ukrainian" hreflang="uk" lang="uk" rel="alternate">українська (ukrajins'ka)</a>
<a href="/zh-cn/wheezy/apache2-doc" title="Chinese (China)" hreflang="zh-cn" lang="zh-cn" rel="alternate">中文 (Zhongwen,简)</a>
<a href="/zh-tw/wheezy/apache2-doc" title="Chinese (Taiwan)" hreflang="zh-tw" lang="zh-tw" rel="alternate">中文 (Zhongwen,繁)</a>
</div>
</div>
</div>
<!--/UdmComment-->
<hr class="hidecss">
<div id="fineprint" class="bordertop">
<div id="impressum">
<p>To report a problem with the web site, e-mail <a href="mailto:[email protected]">[email protected]</a>. For other contact information, see the Debian <a href="http://www.debian.org/contact">contact page</a>.</p>
<p>
Content Copyright © 1997 - 2015 <a href="http://www.spi-inc.org/">SPI Inc.</a>; See <a href="http://www.debian.org/license">license terms</a>. Debian is a <a href="http://www.debian.org/trademark">trademark</a> of SPI Inc.
<a href="/about/">Learn more about this site</a>.</p>
</div> <!-- end impressum -->
<div id="sponsorfooter"><p>
This service is sponsored by <a href="http://www.hp.com/">Hewlett-Packard</a>.</p></div>
</div> <!-- end fineprint -->
</div> <!-- end footer -->
</body>
</html>
| {
"content_hash": "b3254b7d04280c05e6e9559f9cb6addd",
"timestamp": "",
"source": "github",
"line_count": 414,
"max_line_length": 284,
"avg_line_length": 28.632850241545892,
"alnum_prop": 0.6471233338957314,
"repo_name": "evelynmitchell/cii-census",
"id": "07be4138fd1d10cecdacdc1c8c0f84958f5bf9aa",
"size": "11858",
"binary": false,
"copies": "3",
"ref": "refs/heads/master",
"path": "original_cache/debian_role/apache2-doc.html",
"mode": "33188",
"license": "mit",
"language": [
{
"name": "HTML",
"bytes": "8746149"
},
{
"name": "Makefile",
"bytes": "700"
},
{
"name": "Python",
"bytes": "18182"
},
{
"name": "Shell",
"bytes": "1477"
}
],
"symlink_target": ""
} |
import numpy as np
import os
import sys
import tarfile
import random
from six.moves import cPickle as pickle
url = 'http://commondatastorage.googleapis.com/books1000/'
last_percent_reported = None
data_root = '.' # Change me to store data elsewhere
num_classes = 10
np.random.seed(133)
image_size = 28 # Pixel width and height.
def download_progress_hook(count, blockSize, totalSize):
"""A hook to report the progress of a download. This is mostly intended for users with
slow internet connections. Reports every 5% change in download progress.
"""
global last_percent_reported
percent = int(count * blockSize * 100 / totalSize)
if last_percent_reported != percent:
if percent % 5 == 0:
sys.stdout.write("%s%%" % percent)
sys.stdout.flush()
else:
sys.stdout.write(".")
sys.stdout.flush()
last_percent_reported = percent
def maybe_download(filename, expected_bytes, force=False):
"""Download a file if not present, and make sure it's the right size."""
dest_filename = os.path.join(data_root, filename)
if force or not os.path.exists(dest_filename):
print('Attempting to download:', filename)
filename, _ = urlretrieve(url + filename, dest_filename, reporthook=download_progress_hook)
print('\nDownload Complete!')
statinfo = os.stat(dest_filename)
if statinfo.st_size == expected_bytes:
print('Found and verified', dest_filename)
else:
raise Exception(
'Failed to verify ' + dest_filename + '. Can you get to it with a browser?')
return dest_filename
def maybe_extract(filename, force=False):
root = os.path.splitext(os.path.splitext(filename)[0])[0] # remove .tar.gz
if os.path.isdir(root) and not force:
# You may override by setting force=True.
print('%s already present - Skipping extraction of %s.' % (root, filename))
else:
print('Extracting data for %s. This may take a while. Please wait.' % root)
tar = tarfile.open(filename)
sys.stdout.flush()
tar.extractall(data_root)
tar.close()
data_folders = [
os.path.join(root, d) for d in sorted(os.listdir(root))
if os.path.isdir(os.path.join(root, d))]
if len(data_folders) != num_classes:
raise Exception(
'Expected %d folders, one per class. Found %d instead.' % (
num_classes, len(data_folders)))
print(data_folders)
return data_folders
def load_letter(folder, min_num_images):
"""Load the data for a single letter label."""
image_files = os.listdir(folder)
dataset = np.ndarray(shape=(len(image_files), image_size, image_size),
dtype=np.float32)
print(folder)
num_images = 0
for image in image_files:
image_file = os.path.join(folder, image)
try:
image_data = (ndimage.imread(image_file).astype(float) -
pixel_depth / 2) / pixel_depth
if image_data.shape != (image_size, image_size):
raise Exception('Unexpected image shape: %s' % str(image_data.shape))
dataset[num_images, :, :] = image_data
num_images = num_images + 1
except IOError as e:
print('Could not read:', image_file, ':', e, '- it\'s ok, skipping.')
dataset = dataset[0:num_images, :, :]
if num_images < min_num_images:
raise Exception('Many fewer images than expected: %d < %d' %
(num_images, min_num_images))
print('Full dataset tensor:', dataset.shape)
print('Mean:', np.mean(dataset))
print('Standard deviation:', np.std(dataset))
return dataset
def maybe_pickle(data_folders, min_num_images_per_class, force=False):
dataset_names = []
for folder in data_folders:
set_filename = folder + '.pickle'
dataset_names.append(set_filename)
if os.path.exists(set_filename) and not force:
# You may override by setting force=True.
print('%s already present - Skipping pickling.' % set_filename)
else:
print('Pickling %s.' % set_filename)
dataset = load_letter(folder, min_num_images_per_class)
try:
with open(set_filename, 'wb') as f:
pickle.dump(dataset, f, pickle.HIGHEST_PROTOCOL)
except Exception as e:
print('Unable to save data to', set_filename, ':', e)
return dataset_names
def make_arrays(nb_rows, img_size):
if nb_rows:
dataset = np.ndarray((nb_rows, img_size, img_size), dtype=np.float32)
labels = np.ndarray(nb_rows, dtype=np.int32)
else:
dataset, labels = None, None
return dataset, labels
def merge_datasets(pickle_files, train_size, valid_size=0):
num_classes = len(pickle_files)
valid_dataset, valid_labels = make_arrays(valid_size, image_size)
train_dataset, train_labels = make_arrays(train_size, image_size)
vsize_per_class = valid_size // num_classes
tsize_per_class = train_size // num_classes
start_v, start_t = 0, 0
end_v, end_t = vsize_per_class, tsize_per_class
end_l = vsize_per_class + tsize_per_class
for label, pickle_file in enumerate(pickle_files):
try:
with open(pickle_file, 'rb') as f:
letter_set = pickle.load(f)
# let's shuffle the letters to have random validation and training set
np.random.shuffle(letter_set)
if valid_dataset is not None:
valid_letter = letter_set[:vsize_per_class, :, :]
valid_dataset[start_v:end_v, :, :] = valid_letter
valid_labels[start_v:end_v] = label
start_v += vsize_per_class
end_v += vsize_per_class
train_letter = letter_set[vsize_per_class:end_l, :, :]
train_dataset[start_t:end_t, :, :] = train_letter
train_labels[start_t:end_t] = label
start_t += tsize_per_class
end_t += tsize_per_class
except Exception as e:
print('Unable to process data from', pickle_file, ':', e)
raise
return valid_dataset, valid_labels, train_dataset, train_labels
def randomize(dataset, labels):
permutation = np.random.permutation(labels.shape[0])
shuffled_dataset = dataset[permutation,:,:]
shuffled_labels = labels[permutation]
return shuffled_dataset, shuffled_labels | {
"content_hash": "b2feea636e6decddcd08e26611f3c77c",
"timestamp": "",
"source": "github",
"line_count": 168,
"max_line_length": 99,
"avg_line_length": 38.982142857142854,
"alnum_prop": 0.6095587112536265,
"repo_name": "FlorentSilve/Udacity_ML_nanodegree",
"id": "747190bafeee85db2669473468a38e9ed129796f",
"size": "6549",
"binary": false,
"copies": "1",
"ref": "refs/heads/master",
"path": "projects/digit_recognition/utils.py",
"mode": "33188",
"license": "mit",
"language": [
{
"name": "HTML",
"bytes": "6835810"
},
{
"name": "Jupyter Notebook",
"bytes": "6595475"
},
{
"name": "Python",
"bytes": "105781"
}
],
"symlink_target": ""
} |
docker-postgresql
=================
Docker trusted build for PostgreSQL database
# Version
PostgreSQL v9.3.3
# Build from repository
````bash
$ git clone [email protected]:jllopis/docker-postgresql.git
$ cd docker-postgresql
$ docker build --rm -t my_user/postgresql:latest
````
# Start
````bash
# docker run -d -p 5432:5432 \
-v {local_etc_fs}:/etc/postgresql \
-v {local_log_fs}:/var/log/postgresql \
-v {local_lib_fs}:/var/lib/postgresql \
-t -h {node_host_name} -name {image_name} my_user/postgresql:latest
````
where:
- **local_XXX_fs** is the local storage to keep data safe. If not specified it will use the container so the data will be lost upon restart.
- **node_hostname** is the name that will hold the HOSTNAME variable inside the container. This is accessible to CMD so etcd will use it as their node name. If not specified a default name wil be used.
- **image_name** is the name given to the image so you don't have to play with ids
You can also start postgresql image with command line options:
````bash
# docker run -d -p 7777:7777 \
-v {local_etc_fs}:/etc/postgresql \
-v {local_log_fs}:/var/log/postgresql \
-v {local_lib_fs}:/var/lib/postgresql \
-t -h {node_host_name} -name {image_name} \
my_user/postgresql:latest -c config_file=/etc/postgresql/other_postgresql.conf
````
# Ports
The ports used are:
- 5432
Remember that if you want access from outside the container you must explicitly tell docker to do so by setting -p at image launch.
# PostgreSQL use
By default, a postgres user is created and given a password (*default password*: secret). It is highly encouraged that you change this password for your own.
To change the password issue:
````bash
psql --command "ALTER USER postgres ENCRYPTED PASSWORD 'secret';"
````
Change *'secret'* for your highly secure password.
Usually you can modify the database (manage users, databases, etc) by executing **psql** commands from your host by way of the **postgres** user:
````bash
psql -Upostgres --command "SQL COMMAND;"
````
## Examples
### Create a user
````bash
psql -Upostgres --command "CREATE ROLE my_user WITH LOGIN ENCRYPTED PASSWORD 'very_secure_password';"
````
### Create a database
````bash
psql -Upostgres --command "CREATE DATABASE testdb OWNER my_user ENCODING 'UTF-8';"
````
### Drop a database
````bash
psql -Upostgres --command "DROP DATABASE testdb;"
````
## How to restore data from a pg_dump backup
````bash
$ psql -Upostgres < path_to_dump_file.sql
````
| {
"content_hash": "bc40066b18c664c12cb4932a001e26ed",
"timestamp": "",
"source": "github",
"line_count": 105,
"max_line_length": 201,
"avg_line_length": 24.80952380952381,
"alnum_prop": 0.6760076775431861,
"repo_name": "jllopis/docker-postgresql",
"id": "4c90ffe46280a3b234a4ba16ee8b054cc98b587d",
"size": "2605",
"binary": false,
"copies": "1",
"ref": "refs/heads/master",
"path": "README.md",
"mode": "33188",
"license": "apache-2.0",
"language": [],
"symlink_target": ""
} |
import getOrigin from '../../src/node/getOrigin';
describe('node getOrigin', () => {
test('Should return empty object for node without box', () => {
const result = getOrigin({});
expect(result).toEqual({});
});
test('Should return centered origin by default', () => {
const result = getOrigin({
box: { top: 50, left: 100, width: 300, height: 400 },
});
expect(result).toHaveProperty('left', 250);
expect(result).toHaveProperty('left', 250);
});
test('Should return origin adjusted by fixed values', () => {
const result = getOrigin({
box: { top: 50, left: 100, width: 300, height: 400 },
style: { transformOriginX: 100, transformOriginY: 50 },
});
expect(result).toHaveProperty('left', 200);
expect(result).toHaveProperty('top', 100);
});
test('Should return origin adjusted by percent values', () => {
const result = getOrigin({
box: { top: 50, left: 100, width: 300, height: 400 },
style: { transformOriginX: '20%', transformOriginY: '70%' },
});
expect(result).toHaveProperty('left', 160);
expect(result).toHaveProperty('top', 330);
});
});
| {
"content_hash": "e54b3f64a8b76af7612882efc80e6ad2",
"timestamp": "",
"source": "github",
"line_count": 38,
"max_line_length": 66,
"avg_line_length": 30.36842105263158,
"alnum_prop": 0.6074523396880416,
"repo_name": "diegomura/react-pdf",
"id": "0bfefa2eaecf767e39bf9037af1b19786abc3af0",
"size": "1154",
"binary": false,
"copies": "1",
"ref": "refs/heads/master",
"path": "packages/layout/tests/node/getOrigin.test.js",
"mode": "33188",
"license": "mit",
"language": [
{
"name": "JavaScript",
"bytes": "2239741"
},
{
"name": "Shell",
"bytes": "693"
}
],
"symlink_target": ""
} |
from CIM14.IEC61970.Core.IdentifiedObject import IdentifiedObject
class MetaBlockReference(IdentifiedObject):
"""References a control block at the internal meta dynamics model level. These references are contained in other blocks and reference the single instance of the meta model that defines a particular block definition. One would not expect to see bock references contained within a primitive block.
"""
def __init__(self, equationType='', blockInputReference0=None, MemberOf_MetaBlock=None, MetaBlock=None, blockOutputReference0=None, MetaBlockStateReference=None, MetaBlockInputReference=None, MetaBlockOutputReference=None, BlockParameter=None, MetaBlockParameterReference=None, *args, **kw_args):
"""Initialises a new 'MetaBlockReference' instance.
@param equationType: should be enum, initial conditions vs. simulation equations
@param blockInputReference0:
@param MemberOf_MetaBlock:
@param MetaBlock:
@param blockOutputReference0:
@param MetaBlockStateReference:
@param MetaBlockInputReference:
@param MetaBlockOutputReference:
@param BlockParameter:
@param MetaBlockParameterReference:
"""
#: should be enum, initial conditions vs. simulation equations
self.equationType = equationType
self._blockInputReference0 = []
self.blockInputReference0 = [] if blockInputReference0 is None else blockInputReference0
self._MemberOf_MetaBlock = None
self.MemberOf_MetaBlock = MemberOf_MetaBlock
self.MetaBlock = MetaBlock
self._blockOutputReference0 = []
self.blockOutputReference0 = [] if blockOutputReference0 is None else blockOutputReference0
self._MetaBlockStateReference = []
self.MetaBlockStateReference = [] if MetaBlockStateReference is None else MetaBlockStateReference
self._MetaBlockInputReference = []
self.MetaBlockInputReference = [] if MetaBlockInputReference is None else MetaBlockInputReference
self._MetaBlockOutputReference = []
self.MetaBlockOutputReference = [] if MetaBlockOutputReference is None else MetaBlockOutputReference
self._BlockParameter = []
self.BlockParameter = [] if BlockParameter is None else BlockParameter
self._MetaBlockParameterReference = []
self.MetaBlockParameterReference = [] if MetaBlockParameterReference is None else MetaBlockParameterReference
super(MetaBlockReference, self).__init__(*args, **kw_args)
_attrs = ["equationType"]
_attr_types = {"equationType": str}
_defaults = {"equationType": ''}
_enums = {}
_refs = ["blockInputReference0", "MemberOf_MetaBlock", "MetaBlock", "blockOutputReference0", "MetaBlockStateReference", "MetaBlockInputReference", "MetaBlockOutputReference", "BlockParameter", "MetaBlockParameterReference"]
_many_refs = ["blockInputReference0", "blockOutputReference0", "MetaBlockStateReference", "MetaBlockInputReference", "MetaBlockOutputReference", "BlockParameter", "MetaBlockParameterReference"]
def getblockInputReference0(self):
return self._blockInputReference0
def setblockInputReference0(self, value):
for x in self._blockInputReference0:
x.metaBlockReference0 = None
for y in value:
y._metaBlockReference0 = self
self._blockInputReference0 = value
blockInputReference0 = property(getblockInputReference0, setblockInputReference0)
def addblockInputReference0(self, *blockInputReference0):
for obj in blockInputReference0:
obj.metaBlockReference0 = self
def removeblockInputReference0(self, *blockInputReference0):
for obj in blockInputReference0:
obj.metaBlockReference0 = None
def getMemberOf_MetaBlock(self):
return self._MemberOf_MetaBlock
def setMemberOf_MetaBlock(self, value):
if self._MemberOf_MetaBlock is not None:
filtered = [x for x in self.MemberOf_MetaBlock.MetaBlockReference if x != self]
self._MemberOf_MetaBlock._MetaBlockReference = filtered
self._MemberOf_MetaBlock = value
if self._MemberOf_MetaBlock is not None:
if self not in self._MemberOf_MetaBlock._MetaBlockReference:
self._MemberOf_MetaBlock._MetaBlockReference.append(self)
MemberOf_MetaBlock = property(getMemberOf_MetaBlock, setMemberOf_MetaBlock)
MetaBlock = None
def getblockOutputReference0(self):
return self._blockOutputReference0
def setblockOutputReference0(self, value):
for p in self._blockOutputReference0:
filtered = [q for q in p.metaBlockReference0 if q != self]
self._blockOutputReference0._metaBlockReference0 = filtered
for r in value:
if self not in r._metaBlockReference0:
r._metaBlockReference0.append(self)
self._blockOutputReference0 = value
blockOutputReference0 = property(getblockOutputReference0, setblockOutputReference0)
def addblockOutputReference0(self, *blockOutputReference0):
for obj in blockOutputReference0:
if self not in obj._metaBlockReference0:
obj._metaBlockReference0.append(self)
self._blockOutputReference0.append(obj)
def removeblockOutputReference0(self, *blockOutputReference0):
for obj in blockOutputReference0:
if self in obj._metaBlockReference0:
obj._metaBlockReference0.remove(self)
self._blockOutputReference0.remove(obj)
def getMetaBlockStateReference(self):
return self._MetaBlockStateReference
def setMetaBlockStateReference(self, value):
for x in self._MetaBlockStateReference:
x.MemberOf_MetaBlockReference = None
for y in value:
y._MemberOf_MetaBlockReference = self
self._MetaBlockStateReference = value
MetaBlockStateReference = property(getMetaBlockStateReference, setMetaBlockStateReference)
def addMetaBlockStateReference(self, *MetaBlockStateReference):
for obj in MetaBlockStateReference:
obj.MemberOf_MetaBlockReference = self
def removeMetaBlockStateReference(self, *MetaBlockStateReference):
for obj in MetaBlockStateReference:
obj.MemberOf_MetaBlockReference = None
def getMetaBlockInputReference(self):
return self._MetaBlockInputReference
def setMetaBlockInputReference(self, value):
for x in self._MetaBlockInputReference:
x.MemberOf_MetaBlockReference = None
for y in value:
y._MemberOf_MetaBlockReference = self
self._MetaBlockInputReference = value
MetaBlockInputReference = property(getMetaBlockInputReference, setMetaBlockInputReference)
def addMetaBlockInputReference(self, *MetaBlockInputReference):
for obj in MetaBlockInputReference:
obj.MemberOf_MetaBlockReference = self
def removeMetaBlockInputReference(self, *MetaBlockInputReference):
for obj in MetaBlockInputReference:
obj.MemberOf_MetaBlockReference = None
def getMetaBlockOutputReference(self):
return self._MetaBlockOutputReference
def setMetaBlockOutputReference(self, value):
for x in self._MetaBlockOutputReference:
x.MemberOf_MetaBlockReference = None
for y in value:
y._MemberOf_MetaBlockReference = self
self._MetaBlockOutputReference = value
MetaBlockOutputReference = property(getMetaBlockOutputReference, setMetaBlockOutputReference)
def addMetaBlockOutputReference(self, *MetaBlockOutputReference):
for obj in MetaBlockOutputReference:
obj.MemberOf_MetaBlockReference = self
def removeMetaBlockOutputReference(self, *MetaBlockOutputReference):
for obj in MetaBlockOutputReference:
obj.MemberOf_MetaBlockReference = None
def getBlockParameter(self):
return self._BlockParameter
def setBlockParameter(self, value):
for x in self._BlockParameter:
x.MemberOf_MetaBlockReference = None
for y in value:
y._MemberOf_MetaBlockReference = self
self._BlockParameter = value
BlockParameter = property(getBlockParameter, setBlockParameter)
def addBlockParameter(self, *BlockParameter):
for obj in BlockParameter:
obj.MemberOf_MetaBlockReference = self
def removeBlockParameter(self, *BlockParameter):
for obj in BlockParameter:
obj.MemberOf_MetaBlockReference = None
def getMetaBlockParameterReference(self):
return self._MetaBlockParameterReference
def setMetaBlockParameterReference(self, value):
for x in self._MetaBlockParameterReference:
x.MemberOf_MetaBlockReference = None
for y in value:
y._MemberOf_MetaBlockReference = self
self._MetaBlockParameterReference = value
MetaBlockParameterReference = property(getMetaBlockParameterReference, setMetaBlockParameterReference)
def addMetaBlockParameterReference(self, *MetaBlockParameterReference):
for obj in MetaBlockParameterReference:
obj.MemberOf_MetaBlockReference = self
def removeMetaBlockParameterReference(self, *MetaBlockParameterReference):
for obj in MetaBlockParameterReference:
obj.MemberOf_MetaBlockReference = None
| {
"content_hash": "0f48b612fa9b553d9f7b1add1947a887",
"timestamp": "",
"source": "github",
"line_count": 229,
"max_line_length": 302,
"avg_line_length": 41.54585152838428,
"alnum_prop": 0.7131595543409712,
"repo_name": "rwl/PyCIM",
"id": "6480d25bc91373bfae46b7d5392de30b362d9be0",
"size": "10614",
"binary": false,
"copies": "1",
"ref": "refs/heads/master",
"path": "CIM14/IEC61970/Dynamics/MetaBlockReference.py",
"mode": "33188",
"license": "mit",
"language": [
{
"name": "Python",
"bytes": "7420564"
}
],
"symlink_target": ""
} |
<?php
// Do login
$msg = "";
$username = "demo";
$password = "demo";
if (isset($_REQUEST['submitBtn'])) {
// If password match, then set login
if ($_REQUEST['login'] == $username && $_REQUEST['password'] == $password) {
// Set session
session_start();
$_SESSION['isLoggedIn'] = true; // Set the session that MCFileManager verify access against
$_SESSION['user'] = $_REQUEST['login'];
// Redirect with params
header("location: frameset.php?" . $_SERVER['QUERY_STRING']);
die;
} else
$msg = "Wrong username/password";
}
?>
<html>
<head>
<title>Sample login page</title>
<link href="themes/default/css/general.css" rel="stylesheet" type="text/css" />
<link href="themes/default/css/filelist.css" rel="stylesheet" type="text/css" />
<script language="JavaScript" type="text/javascript">
<!--
// Remove frameset
if (top.location != location)
top.location.href = document.location.href;
-->
</script>
</head>
<body>
<table border="0" width="100%" height="100%">
<tr height="100%">
<td height="100%" valign="middle" width="100%" align="middle">
<table border="0">
<tr>
<td><form method="post">
<fieldset>
<legend align="left">File Manager Login</legend>
<table border="0">
<tr>
<td>Username: </td>
<td><input type="text" name="login" value="" class="inputText" /></td>
</tr>
<tr>
<td>Password: </td>
<td><input type="password" name="password" value="" class="inputText" /></td>
</tr>
</table>
<br />
<input type="submit" name="submitBtn" value="Login" class="button" />
</fieldset>
<br />
<?php
if ($msg != "")
echo $msg;
?>
</form>
</td>
</tr>
</table>
</td>
</tr>
</table>
</body>
</html>
| {
"content_hash": "96f3a94ce00e77c635cf5374a8474859",
"timestamp": "",
"source": "github",
"line_count": 74,
"max_line_length": 93,
"avg_line_length": 24.324324324324323,
"alnum_prop": 0.5683333333333334,
"repo_name": "bachcanhki/AngiProject",
"id": "a59d42ccd1bb1f74d53dab951a4852b713012c2a",
"size": "1991",
"binary": false,
"copies": "1",
"ref": "refs/heads/master",
"path": "resource/tiny_mce/plugins/filemanager/login.php",
"mode": "33188",
"license": "mit",
"language": [
{
"name": "ApacheConf",
"bytes": "784"
},
{
"name": "CSS",
"bytes": "135616"
},
{
"name": "HTML",
"bytes": "1005561"
},
{
"name": "JavaScript",
"bytes": "956799"
},
{
"name": "PHP",
"bytes": "2319572"
}
],
"symlink_target": ""
} |
package org.jgroups.protocols;
import org.jgroups.Event;
import org.jgroups.JChannel;
import org.jgroups.Message;
import org.jgroups.stack.Protocol;
/**
* A custom JGroups protocol that inspect messages and dumps their body content in the log.
*
* @author Ovidiu Feodorov <[email protected]>
* @since 6/5/16
*/
public class INSPECT extends Protocol {
// Constants -------------------------------------------------------------------------------------------------------
// Static ----------------------------------------------------------------------------------------------------------
// Attributes ------------------------------------------------------------------------------------------------------
private boolean displayUpMessages = false;
private boolean displayDownMessages = true;
// Constructors ----------------------------------------------------------------------------------------------------
// Protocol overrides ----------------------------------------------------------------------------------------------
@Override
public void init() {
log.info(this + " initialized");
}
@Override
public void start() {
log.info(this + " started");
}
@Override
public void stop() {
log.info(this + " stopped");
}
@Override
public void destroy() {
log.info(this + " destroyed");
}
@Override
public Object up(Event event) {
int type = event.getType();
if (displayUpMessages) {
if (type == Event.MSG) {
Message msg = (Message) event.getArg();
if (msg != null) {
byte[] buffer = msg.getBuffer();
if (buffer != null) {
log.info(">>>" + new String(buffer));
}
}
}
}
return up_prot.up(event);
}
@Override
public Object down(Event event) {
int type = event.getType();
if (displayDownMessages) {
if (type == Event.MSG) {
Message msg = (Message) event.getArg();
if (msg != null) {
byte[] buffer = msg.getBuffer();
if (buffer != null) {
log.info(">>>" + new String(buffer));
}
}
}
}
return down_prot.down(event);
}
// Public ----------------------------------------------------------------------------------------------------------
@Override
public String toString() {
String name = "N/A";
if (stack != null) {
JChannel c = stack.getChannel();
if (c != null) {
name = c.getName();
}
}
return "INSPECT[" + name + "]";
}
// Package protected -----------------------------------------------------------------------------------------------
// Protected -------------------------------------------------------------------------------------------------------
// Private ---------------------------------------------------------------------------------------------------------
// Inner classes ---------------------------------------------------------------------------------------------------
}
| {
"content_hash": "2d599e3311a01ccca8e82535b4952217",
"timestamp": "",
"source": "github",
"line_count": 129,
"max_line_length": 120,
"avg_line_length": 26.015503875968992,
"alnum_prop": 0.33790226460071515,
"repo_name": "NovaOrdis/playground",
"id": "d5ca53ec31b213be2f7b4a00677f70435436e2e9",
"size": "3956",
"binary": false,
"copies": "1",
"ref": "refs/heads/master",
"path": "jboss/jgroups/custom-protocol/src/main/java/org/jgroups/protocols/INSPECT.java",
"mode": "33188",
"license": "apache-2.0",
"language": [
{
"name": "ANTLR",
"bytes": "1580"
},
{
"name": "Batchfile",
"bytes": "315"
},
{
"name": "Dockerfile",
"bytes": "6302"
},
{
"name": "Go",
"bytes": "22677"
},
{
"name": "Groovy",
"bytes": "1952"
},
{
"name": "Java",
"bytes": "1485300"
},
{
"name": "Shell",
"bytes": "508745"
}
],
"symlink_target": ""
} |
package gov.nih.nci.cabig.caaers.dao;
import static gov.nih.nci.cabig.caaers.CaaersUseCase.CREATE_REPORT_FORMAT;
import gov.nih.nci.cabig.caaers.CaaersUseCases;
import gov.nih.nci.cabig.caaers.DaoTestCase;
import gov.nih.nci.cabig.caaers.dao.report.ReportDeliveryDefinitionDao;
import gov.nih.nci.cabig.caaers.domain.report.ReportDeliveryDefinition;
import gov.nih.nci.cabig.caaers.domain.report.ReportFormat;
/**
*
* @author <a href="mailto:[email protected]">Biju Joseph</a> Created-on : June 20, 2007
* @version %I%, %G%
* @since 1.0
*/
@CaaersUseCases( { CREATE_REPORT_FORMAT })
public class ReportDeliveryDefinitionDaoTest extends DaoTestCase<ReportDeliveryDefinitionDao> {
ReportDeliveryDefinitionDao rddDao;
/*
* (non-Javadoc)
*
* @see junit.framework.TestCase#setUp()
*/
protected void setUp() throws Exception {
super.setUp();
rddDao = getDao();
}
/*
* (non-Javadoc)
*
* @see junit.framework.TestCase#tearDown()
*/
protected void tearDown() throws Exception {
rddDao = null;
super.tearDown();
}
/**
*/
public void testDomainClass() {
log.debug("domainClass :" + rddDao.domainClass().getName());
assertEquals(ReportDeliveryDefinition.class.getName(), rddDao.domainClass().getName());
}
public void testGetByName() {
String name = "RDD-222";
ReportDeliveryDefinition rdd = rddDao.getByName(name);
assertEquals("The name is not matching", name, rdd.getEntityName());
assertEquals("The format dosent match", rdd.getFormat(), ReportFormat.XML);
}
public void testSave() {
ReportDeliveryDefinition rdd = new ReportDeliveryDefinition();
rdd.setEndPoint("www.biju.com/joel");
rdd.setEndPointType(ReportDeliveryDefinition.ENDPOINT_TYPE_URL);
rdd.setEntityDescription("Joel Biju Joseph");
rdd.setEntityName("Joel");
rdd.setFormat(ReportFormat.PDF);
rdd.setEntityType(rdd.ENTITY_TYPE_PERSON);
getDao().save(rdd); //fails on audit saying no id.
int id = rdd.getId();
interruptSession();
ReportDeliveryDefinition rdd2 = getDao().getById(id);
assertEquals("Name shouldbe equal", rdd.getEntityName(), rdd2.getEntityName());
assertEquals("Entity type should be equal", rdd.getEntityType(), rdd2.getEntityType());
assertEquals("ReportFormat should be equal", rdd.getFormat(), rdd2.getFormat());
}
}
| {
"content_hash": "f7d1ac36bcdc80c31deea27d3f283208",
"timestamp": "",
"source": "github",
"line_count": 74,
"max_line_length": 99,
"avg_line_length": 34.972972972972975,
"alnum_prop": 0.6537867078825348,
"repo_name": "CBIIT/caaers",
"id": "38f944eac1e5d6d57b64b68da72b06cc45c167b3",
"size": "2629",
"binary": false,
"copies": "1",
"ref": "refs/heads/master",
"path": "caAERS/software/core/src/test/java/gov/nih/nci/cabig/caaers/dao/ReportDeliveryDefinitionDaoTest.java",
"mode": "33188",
"license": "bsd-3-clause",
"language": [
{
"name": "AGS Script",
"bytes": "127"
},
{
"name": "AspectJ",
"bytes": "2052"
},
{
"name": "Batchfile",
"bytes": "778"
},
{
"name": "CSS",
"bytes": "150327"
},
{
"name": "Cucumber",
"bytes": "666"
},
{
"name": "Groovy",
"bytes": "19198183"
},
{
"name": "HTML",
"bytes": "78184618"
},
{
"name": "Java",
"bytes": "14455656"
},
{
"name": "JavaScript",
"bytes": "439130"
},
{
"name": "PLSQL",
"bytes": "75583"
},
{
"name": "PLpgSQL",
"bytes": "34461"
},
{
"name": "Ruby",
"bytes": "29724"
},
{
"name": "Shell",
"bytes": "14770"
},
{
"name": "XSLT",
"bytes": "1262163"
}
],
"symlink_target": ""
} |
<!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN" "http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd">
<html xmlns="http://www.w3.org/1999/xhtml">
<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.2.0 - v0.2.5: 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 style="padding-left: 0.5em;">
<div id="projectname">V8 API Reference Guide for node.js v0.2.0 - v0.2.5
</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 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 List</span></a></li>
<li><a href="classes.html"><span>Class Index</span></a></li>
<li><a href="hierarchy.html"><span>Class Hierarchy</span></a></li>
<li><a href="functions.html"><span>Class 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="MSearchResultsWindow">
<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="classv8_1_1_context.html">Context</a></li> </ul>
</div>
</div><!-- top -->
<div class="header">
<div class="headertitle">
<div class="title">v8::Context Member List</div> </div>
</div><!--header-->
<div class="contents">
<p>This is the complete list of members for <a class="el" href="classv8_1_1_context.html">v8::Context</a>, including all inherited members.</p>
<table class="directory">
<tr class="even"><td class="entry"><a class="el" href="classv8_1_1_context.html#a841c7dd92eb8c57df92a268a164dea97">DetachGlobal</a>()</td><td class="entry"><a class="el" href="classv8_1_1_context.html">v8::Context</a></td><td class="entry"></td></tr>
<tr><td class="entry"><a class="el" href="classv8_1_1_context.html#a6995c49d9897eb49053f07874b825133">Enter</a>()</td><td class="entry"><a class="el" href="classv8_1_1_context.html">v8::Context</a></td><td class="entry"></td></tr>
<tr class="even"><td class="entry"><a class="el" href="classv8_1_1_context.html#a2db09d4fefb26023a40d88972a4c1599">Exit</a>()</td><td class="entry"><a class="el" href="classv8_1_1_context.html">v8::Context</a></td><td class="entry"></td></tr>
<tr bgcolor="#f0f0f0"><td class="entry"><b>Function</b> (defined in <a class="el" href="classv8_1_1_context.html">v8::Context</a>)</td><td class="entry"><a class="el" href="classv8_1_1_context.html">v8::Context</a></td><td class="entry"><span class="mlabel">friend</span></td></tr>
<tr class="even"><td class="entry"><a class="el" href="classv8_1_1_context.html#ad795cbbb842307a57d656dd9690fadf2">GetCalling</a>()</td><td class="entry"><a class="el" href="classv8_1_1_context.html">v8::Context</a></td><td class="entry"><span class="mlabel">static</span></td></tr>
<tr><td class="entry"><a class="el" href="classv8_1_1_context.html#aca2df9d70e51f241d733f4ad0eb46401">GetCurrent</a>()</td><td class="entry"><a class="el" href="classv8_1_1_context.html">v8::Context</a></td><td class="entry"><span class="mlabel">static</span></td></tr>
<tr bgcolor="#f0f0f0" class="even"><td class="entry"><b>GetData</b>() (defined in <a class="el" href="classv8_1_1_context.html">v8::Context</a>)</td><td class="entry"><a class="el" href="classv8_1_1_context.html">v8::Context</a></td><td class="entry"></td></tr>
<tr><td class="entry"><a class="el" href="classv8_1_1_context.html#accfc7365efba8bce18cbf9df1c1fc79d">GetEntered</a>()</td><td class="entry"><a class="el" href="classv8_1_1_context.html">v8::Context</a></td><td class="entry"><span class="mlabel">static</span></td></tr>
<tr class="even"><td class="entry"><a class="el" href="classv8_1_1_context.html#a8e71e658633518ca7718c0f6e938c6a9">GetSecurityToken</a>()</td><td class="entry"><a class="el" href="classv8_1_1_context.html">v8::Context</a></td><td class="entry"></td></tr>
<tr><td class="entry"><a class="el" href="classv8_1_1_context.html#af5cd9f97ef6a3307c1c21f80f4b743eb">Global</a>()</td><td class="entry"><a class="el" href="classv8_1_1_context.html">v8::Context</a></td><td class="entry"></td></tr>
<tr class="even"><td class="entry"><a class="el" href="classv8_1_1_context.html#aadec400a5da1e79e58a8770fd706b9a0">HasOutOfMemoryException</a>()</td><td class="entry"><a class="el" href="classv8_1_1_context.html">v8::Context</a></td><td class="entry"></td></tr>
<tr><td class="entry"><a class="el" href="classv8_1_1_context.html#a5cf983417f9cfc6e1dd9228eccb78d31">InContext</a>()</td><td class="entry"><a class="el" href="classv8_1_1_context.html">v8::Context</a></td><td class="entry"><span class="mlabel">static</span></td></tr>
<tr class="even"><td class="entry"><a class="el" href="classv8_1_1_context.html#add11dd18ee8e7f03d383afa79e87d1e6">New</a>(ExtensionConfiguration *extensions=NULL, Handle< ObjectTemplate > global_template=Handle< ObjectTemplate >(), Handle< Value > global_object=Handle< Value >())</td><td class="entry"><a class="el" href="classv8_1_1_context.html">v8::Context</a></td><td class="entry"><span class="mlabel">static</span></td></tr>
<tr bgcolor="#f0f0f0"><td class="entry"><b>Object</b> (defined in <a class="el" href="classv8_1_1_context.html">v8::Context</a>)</td><td class="entry"><a class="el" href="classv8_1_1_context.html">v8::Context</a></td><td class="entry"><span class="mlabel">friend</span></td></tr>
<tr class="even"><td class="entry"><a class="el" href="classv8_1_1_context.html#a1db9a514d7bb1c055a26359727bd2f6b">ReattachGlobal</a>(Handle< Object > global_object)</td><td class="entry"><a class="el" href="classv8_1_1_context.html">v8::Context</a></td><td class="entry"></td></tr>
<tr bgcolor="#f0f0f0"><td class="entry"><b>Script</b> (defined in <a class="el" href="classv8_1_1_context.html">v8::Context</a>)</td><td class="entry"><a class="el" href="classv8_1_1_context.html">v8::Context</a></td><td class="entry"><span class="mlabel">friend</span></td></tr>
<tr class="even"><td class="entry"><a class="el" href="classv8_1_1_context.html#aaf39e5adc0ef4081d591952d17c6ada5">SetData</a>(Handle< String > data)</td><td class="entry"><a class="el" href="classv8_1_1_context.html">v8::Context</a></td><td class="entry"></td></tr>
<tr><td class="entry"><a class="el" href="classv8_1_1_context.html#a288d8549547f6bdf4312f5333f60f24d">SetSecurityToken</a>(Handle< Value > token)</td><td class="entry"><a class="el" href="classv8_1_1_context.html">v8::Context</a></td><td class="entry"></td></tr>
<tr class="even"><td class="entry"><a class="el" href="classv8_1_1_context.html#aa9e1a14982b64fd51ab87600a287bad2">UseDefaultSecurityToken</a>()</td><td class="entry"><a class="el" href="classv8_1_1_context.html">v8::Context</a></td><td class="entry"></td></tr>
<tr bgcolor="#f0f0f0"><td class="entry"><b>Value</b> (defined in <a class="el" href="classv8_1_1_context.html">v8::Context</a>)</td><td class="entry"><a class="el" href="classv8_1_1_context.html">v8::Context</a></td><td class="entry"><span class="mlabel">friend</span></td></tr>
</table></div><!-- contents -->
<!-- start footer part -->
<hr class="footer"/><address class="footer"><small>
Generated on Tue Aug 11 2015 23:46:37 for V8 API Reference Guide for node.js v0.2.0 - v0.2.5 by  <a href="http://www.doxygen.org/index.html">
<img class="footer" src="doxygen.png" alt="doxygen"/>
</a> 1.8.9.1
</small></address>
</body>
</html>
| {
"content_hash": "71d88b1da1c44fa1e0ca57e4baf759a1",
"timestamp": "",
"source": "github",
"line_count": 126,
"max_line_length": 458,
"avg_line_length": 79.36507936507937,
"alnum_prop": 0.6667,
"repo_name": "v8-dox/v8-dox.github.io",
"id": "7c88b4caf593447ab0c416cca7466505c7f9dfc9",
"size": "10000",
"binary": false,
"copies": "1",
"ref": "refs/heads/master",
"path": "0906f94/html/classv8_1_1_context-members.html",
"mode": "33188",
"license": "mit",
"language": [],
"symlink_target": ""
} |
namespace Microsoft.Azure.Management.ContainerRegistry.Fluent
{
using Microsoft.Azure.Management.ResourceManager.Fluent.Core;
using Microsoft.Rest;
using Microsoft.Rest.Azure;
using Microsoft.Rest.Serialization;
using Models;
using Newtonsoft.Json;
using System.Collections;
using System.Collections.Generic;
using System.Linq;
using System.Net;
using System.Net.Http;
public partial class ContainerRegistryManagementClient : FluentServiceClientBase<ContainerRegistryManagementClient>, IContainerRegistryManagementClient, IAzureClient
{
/// <summary>
/// The base URI of the service.
/// </summary>
public System.Uri BaseUri { get; set; }
/// <summary>
/// Gets or sets json serialization settings.
/// </summary>
public JsonSerializerSettings SerializationSettings { get; private set; }
/// <summary>
/// Gets or sets json deserialization settings.
/// </summary>
public JsonSerializerSettings DeserializationSettings { get; private set; }
/// <summary>
/// The Microsoft Azure subscription ID.
/// </summary>
public string SubscriptionId { get; set; }
/// <summary>
/// The preferred language for the response.
/// </summary>
public string AcceptLanguage { get; set; }
/// <summary>
/// The retry timeout in seconds for Long Running Operations. Default value is
/// 30.
/// </summary>
public int? LongRunningOperationRetryTimeout { get; set; }
/// <summary>
/// Whether a unique x-ms-client-request-id should be generated. When set to
/// true a unique x-ms-client-request-id value is generated and included in
/// each request. Default is true.
/// </summary>
public bool? GenerateClientRequestId { get; set; }
/// <summary>
/// Gets the IRegistriesOperations.
/// </summary>
public virtual IRegistriesOperations Registries { get; private set; }
/// <summary>
/// Gets the IOperations.
/// </summary>
public virtual IOperations Operations { get; private set; }
/// <summary>
/// Gets the IReplicationsOperations.
/// </summary>
public virtual IReplicationsOperations Replications { get; private set; }
/// <summary>
/// Gets the IWebhooksOperations.
/// </summary>
public virtual IWebhooksOperations Webhooks { get; private set; }
/// <summary>
/// Gets the IRunsOperations.
/// </summary>
public virtual IRunsOperations Runs { get; private set; }
/// <summary>
/// Gets the ITasksOperations.
/// </summary>
public virtual ITasksOperations Tasks { get; private set; }
/// <summary>
/// Initializes a new instance of the ContainerRegistryManagementClient class.
/// </summary>
/// <param name="restClient">RestClient to be used</param>
public ContainerRegistryManagementClient(RestClient restClient)
: base(restClient)
{
}
/// <summary>
/// An optional partial-method to perform custom initialization.
/// </summary>
partial void CustomInitialize();
/// <summary>
/// Initializes client properties.
/// </summary>
protected override void Initialize()
{
Registries = new RegistriesOperations(this);
Operations = new Operations(this);
Replications = new ReplicationsOperations(this);
Webhooks = new WebhooksOperations(this);
Runs = new RunsOperations(this);
Tasks = new TasksOperations(this);
BaseUri = new System.Uri("https://management.azure.com");
AcceptLanguage = "en-US";
LongRunningOperationRetryTimeout = 30;
GenerateClientRequestId = true;
SerializationSettings = new JsonSerializerSettings
{
Formatting = Newtonsoft.Json.Formatting.Indented,
DateFormatHandling = Newtonsoft.Json.DateFormatHandling.IsoDateFormat,
DateTimeZoneHandling = Newtonsoft.Json.DateTimeZoneHandling.Utc,
NullValueHandling = Newtonsoft.Json.NullValueHandling.Ignore,
ReferenceLoopHandling = Newtonsoft.Json.ReferenceLoopHandling.Serialize,
ContractResolver = new ReadOnlyJsonContractResolver(),
Converters = new List<JsonConverter>
{
new Iso8601TimeSpanConverter()
}
};
SerializationSettings.Converters.Add(new TransformationJsonConverter());
DeserializationSettings = new JsonSerializerSettings
{
DateFormatHandling = Newtonsoft.Json.DateFormatHandling.IsoDateFormat,
DateTimeZoneHandling = Newtonsoft.Json.DateTimeZoneHandling.Utc,
NullValueHandling = Newtonsoft.Json.NullValueHandling.Ignore,
ReferenceLoopHandling = Newtonsoft.Json.ReferenceLoopHandling.Serialize,
ContractResolver = new ReadOnlyJsonContractResolver(),
Converters = new List<JsonConverter>
{
new Iso8601TimeSpanConverter()
}
};
SerializationSettings.Converters.Add(new PolymorphicSerializeJsonConverter<RunRequestInner>("type"));
DeserializationSettings.Converters.Add(new PolymorphicDeserializeJsonConverter<RunRequestInner>("type"));
SerializationSettings.Converters.Add(new PolymorphicSerializeJsonConverter<TaskStepProperties>("type"));
DeserializationSettings.Converters.Add(new PolymorphicDeserializeJsonConverter<TaskStepProperties>("type"));
SerializationSettings.Converters.Add(new PolymorphicSerializeJsonConverter<TaskStepUpdateParameters>("type"));
DeserializationSettings.Converters.Add(new PolymorphicDeserializeJsonConverter<TaskStepUpdateParameters>("type"));
CustomInitialize();
DeserializationSettings.Converters.Add(new TransformationJsonConverter());
DeserializationSettings.Converters.Add(new CloudErrorJsonConverter());
}
}
}
| {
"content_hash": "261065938db2ecf9e164d32caa337288",
"timestamp": "",
"source": "github",
"line_count": 150,
"max_line_length": 169,
"avg_line_length": 42.72,
"alnum_prop": 0.630461922596754,
"repo_name": "hovsepm/azure-libraries-for-net",
"id": "136d93da91905b045e26e5c96d3886ae3e7b0bc9",
"size": "6673",
"binary": false,
"copies": "1",
"ref": "refs/heads/master",
"path": "src/ResourceManagement/ContainerRegistry/Generated/ContainerRegistryManagementClient.cs",
"mode": "33188",
"license": "mit",
"language": [
{
"name": "C#",
"bytes": "44919727"
},
{
"name": "Dockerfile",
"bytes": "1339"
},
{
"name": "JavaScript",
"bytes": "5392"
},
{
"name": "PowerShell",
"bytes": "10183"
},
{
"name": "Python",
"bytes": "1530"
},
{
"name": "Shell",
"bytes": "10552"
}
],
"symlink_target": ""
} |
package org.scijava.module.event;
import org.scijava.module.Module;
import org.scijava.module.process.ModulePostprocessor;
/**
* An event indicating a {@link ModulePostprocessor} has been invoked as part of
* a module execution.
*
* @author Curtis Rueden
*/
public class ModulePostprocessEvent extends ModuleProcessEvent {
private final ModulePostprocessor processor;
public ModulePostprocessEvent(final Module module,
final ModulePostprocessor processor)
{
super(module, processor);
this.processor = processor;
}
@Override
public ModulePostprocessor getProcessor() {
return processor;
}
}
| {
"content_hash": "b6a6840c4f28982e95c8a6b5fdf577d3",
"timestamp": "",
"source": "github",
"line_count": 30,
"max_line_length": 80,
"avg_line_length": 20.633333333333333,
"alnum_prop": 0.7738287560581584,
"repo_name": "scijava/scijava-common",
"id": "6402c8e1a485daf632c740e2ef6e071fe463e49b",
"size": "2060",
"binary": false,
"copies": "1",
"ref": "refs/heads/master",
"path": "src/main/java/org/scijava/module/event/ModulePostprocessEvent.java",
"mode": "33188",
"license": "bsd-2-clause",
"language": [
{
"name": "Java",
"bytes": "3336521"
}
],
"symlink_target": ""
} |
@protocol MJPhotoBrowserDelegate;
@interface MJPhotoBrowser : NSObject <UIScrollViewDelegate>
// 所有的图片对象
@property (nonatomic, strong) NSArray *photos;
// 当前展示的图片索引
@property (nonatomic, assign) NSInteger currentPhotoIndex;
// 保存按钮
@property (nonatomic, assign) NSUInteger showSaveBtn;
// 显示
- (void)show;
@end | {
"content_hash": "7d0df7c557939bace328af7bdf880ced",
"timestamp": "",
"source": "github",
"line_count": 14,
"max_line_length": 59,
"avg_line_length": 22.357142857142858,
"alnum_prop": 0.7763578274760383,
"repo_name": "BrisyIOS/zhangxuWeiBo",
"id": "daea85287571d6354a82569a66070d106c3f390c",
"size": "490",
"binary": false,
"copies": "1",
"ref": "refs/heads/master",
"path": "zhangxuWeiBo/Pods/MJPhotoBrowser/MJPhotoBrowser/MJPhotoBrowser/MJPhotoBrowser.h",
"mode": "33261",
"license": "apache-2.0",
"language": [
{
"name": "Objective-C",
"bytes": "917842"
},
{
"name": "Ruby",
"bytes": "167"
},
{
"name": "Shell",
"bytes": "7619"
},
{
"name": "Swift",
"bytes": "151950"
}
],
"symlink_target": ""
} |
ACCEPTED
#### According to
International Plant Names Index
#### Published in
null
#### Original name
null
### Remarks
null | {
"content_hash": "64fdeb5b1bb7aa3ed4ac7cf2926dcf54",
"timestamp": "",
"source": "github",
"line_count": 13,
"max_line_length": 31,
"avg_line_length": 9.692307692307692,
"alnum_prop": 0.7063492063492064,
"repo_name": "mdoering/backbone",
"id": "235e2e7451bd4dbfb31ffc035a786d09654bfe21",
"size": "171",
"binary": false,
"copies": "1",
"ref": "refs/heads/master",
"path": "life/Plantae/Magnoliophyta/Magnoliopsida/Lamiales/Lamiaceae/Vitex/Vitex sampsonii/README.md",
"mode": "33188",
"license": "apache-2.0",
"language": [],
"symlink_target": ""
} |
/**
* @author André König <[email protected]>
*
*/
'use strict';
var cheerio = require('cheerio');
var mandatory = require('mandatory');
/**
* Extracts all repository information from a GitHub trending
* repository HTML snippet.
*
* @param {string} html
* The GitHub HTML snippet with trending repository information.
*
* @returns {array}
* An array with the extracted repository objects, whereas one repository
* object will have the following structure:
*
* {
* title: 'The repository title (e.g. akoenig/angular-deckgrid),
* owner: 'The repository owner (e.g. akoenig),
* description: 'The repository description.',
* url: 'The full URL to the repository (e.g. http://github.com/akoenig/angular-deckgrid)'
* }
*
*/
exports.repositories = function repositories (html) {
var repos = [];
var $;
mandatory(html).is('string');
$ = cheerio.load(html, {
normalizeWhitespace: true
});
$('li.repo-list-item').each(function onEach() {
var repository = {};
var $elem = $(this);
var language = $elem.find('.repo-list-meta').text().split('•');
repository.title = $elem.find('.repo-list-name a').attr('href');
// Remove the owner name and all slashes
repository.title = repository.title.split('/')[2];
repository.owner = $elem.find('span.prefix').text();
repository.description = $elem.find('p.repo-list-description').text().replace(/^\s\s*/, '').replace(/\s\s*$/, '');
repository.url = 'https://github.com/' + repository.owner + '/' + repository.title;
repository.language = language[0].trim();
repository.stars = {
count: parseInt(language[1].trim()),
text: language[1].trim()
};
repos.push(repository);
});
return repos;
};
/**
* Will extract the available languages out of a GitHub trending
* repository page. The information will be scraped out of the menu
* in the page.
*
* @param {string} html
* The GitHub HTML snippet.
*
* @returns {array}
* The available language information.
*
*/
exports.languages = function languages (html) {
var langs = [];
var $;
mandatory(html).is('string');
$ = cheerio.load(html, {
normalizeWhitespace: true
});
$('.select-menu-item-text.js-select-button-text.js-navigation-open').each(function onEach (index, elem) {
elem = $(elem);
langs.push(elem.text().trim());
});
return langs;
};
| {
"content_hash": "4eab803206b9e3cda39e2dc89fe0140b",
"timestamp": "",
"source": "github",
"line_count": 97,
"max_line_length": 122,
"avg_line_length": 26.123711340206185,
"alnum_prop": 0.6093133385951065,
"repo_name": "akoenig/github-trending",
"id": "8456da47503adef7869c3ebec8e8f2154448edf5",
"size": "2645",
"binary": false,
"copies": "1",
"ref": "refs/heads/master",
"path": "lib/scraper.js",
"mode": "33188",
"license": "mit",
"language": [
{
"name": "JavaScript",
"bytes": "10285"
}
],
"symlink_target": ""
} |
/* */
module.exports = require('./loose/index');
| {
"content_hash": "5f8660b1b2b6a2aaa9b40365627dc1ed",
"timestamp": "",
"source": "github",
"line_count": 2,
"max_line_length": 42,
"avg_line_length": 25,
"alnum_prop": 0.6,
"repo_name": "taylorzane/aurelia-firebase",
"id": "fb5ca957b947fe6a7158424c77563aaa73fd231a",
"size": "50",
"binary": false,
"copies": "5",
"ref": "refs/heads/gh-pages",
"path": "jspm_packages/npm/[email protected]/src/loose.js",
"mode": "33188",
"license": "mit",
"language": [
{
"name": "CSS",
"bytes": "120212"
},
{
"name": "CoffeeScript",
"bytes": "2294"
},
{
"name": "HTML",
"bytes": "168070"
},
{
"name": "JavaScript",
"bytes": "7349137"
},
{
"name": "LiveScript",
"bytes": "219393"
},
{
"name": "Makefile",
"bytes": "1872"
},
{
"name": "Shell",
"bytes": "1270"
}
],
"symlink_target": ""
} |
CREATE TABLE core._messages_queue
(
CONSTRAINT _messages_queue_msg_status_check CHECK (msg_status IN ('NEW', 'ROUTED', 'SENT', 'UNKNOWN','FAILED')),
CONSTRAINT _messages_queue_prio_check CHECK (prio IN (0, 1))
)
INHERITS (core.messages)
WITH (OIDS=TRUE);
COMMENT ON TABLE core._messages_queue IS 'Active messages queue';
CREATE INDEX _archive_queue_idx ON core._messages_queue (msg_type);
CREATE INDEX _messages_queue_id_idx ON core._messages_queue (id);
CREATE INDEX _messages_queue_status_idx ON core._messages_queue (msg_status);
CREATE INDEX _messages_recv_idx ON core._messages_queue (date_received);
CREATE INDEX _queue_typ_rcv_idx ON core._messages_queue (msg_type, date_received);
CREATE TRIGGER update_dst_route BEFORE INSERT ON core._messages_queue FOR EACH ROW EXECUTE PROCEDURE core.route_message();
| {
"content_hash": "8ce7c9b5d00499e45e128665cc9464ce",
"timestamp": "",
"source": "github",
"line_count": 17,
"max_line_length": 122,
"avg_line_length": 48.1764705882353,
"alnum_prop": 0.7557997557997558,
"repo_name": "blinohod/nibelite",
"id": "bd81511469bbe6856a5878c6f319f7cd53fd8e9e",
"size": "819",
"binary": false,
"copies": "1",
"ref": "refs/heads/master",
"path": "nibelite/share/sql/core/table-core._messages_queue.sql",
"mode": "33188",
"license": "mit",
"language": [
{
"name": "CSS",
"bytes": "16722"
},
{
"name": "JavaScript",
"bytes": "51066"
},
{
"name": "PHP",
"bytes": "293661"
},
{
"name": "Perl",
"bytes": "182089"
},
{
"name": "SQL",
"bytes": "126451"
},
{
"name": "Shell",
"bytes": "5460"
}
],
"symlink_target": ""
} |
(function($) {
'use strict';
$.jcarousel.fn.scrollIntoView = function(target, animate, callback) {
var parsed = $.jCarousel.parseTarget(target),
first = this.index(this._fullyvisible.first()),
last = this.index(this._fullyvisible.last()),
index;
if (parsed.relative) {
index = parsed.target < 0 ? Math.max(0, first + parsed.target) : last + parsed.target;
} else {
index = typeof parsed.target !== 'object' ? parsed.target : this.index(parsed.target);
}
if (index < first) {
return this.scroll(index, animate, callback);
}
if (index >= first && index <= last) {
if ($.isFunction(callback)) {
callback.call(this, false);
}
return this;
}
var items = this.items(),
clip = this.clipping(),
lrb = this.vertical ? 'bottom' : (this.rtl ? 'left' : 'right'),
wh = 0,
curr;
while (true) {
curr = items.eq(index);
if (curr.length === 0) {
break;
}
wh += this.dimension(curr);
if (wh >= clip) {
var margin = parseFloat(curr.css('margin-' + lrb)) || 0;
if ((wh - margin) !== clip) {
index++;
}
break;
}
if (index <= 0) {
break;
}
index--;
}
return this.scroll(index, animate, callback);
};
}(jQuery));
| {
"content_hash": "da0c28b10a3f26eee9ca874a8c99d622",
"timestamp": "",
"source": "github",
"line_count": 61,
"max_line_length": 98,
"avg_line_length": 26.475409836065573,
"alnum_prop": 0.43777089783281736,
"repo_name": "jennifermorganroth/jennifermorganroth.github.io",
"id": "a4682b4b05ce14ed57e42d5e32c5d43ed95bbec4",
"size": "1733",
"binary": false,
"copies": "1",
"ref": "refs/heads/master",
"path": "dist/jquery.jcarousel-scrollintoview.js",
"mode": "33188",
"license": "mit",
"language": [
{
"name": "CSS",
"bytes": "40186"
},
{
"name": "JavaScript",
"bytes": "245519"
}
],
"symlink_target": ""
} |
var URI = 'http://www.chimet.co.uk/csg/chi.html'
var http = require('http');
var chiData = [];
var chiDataTime = 0;
console.time('http-request');
http.get(URI, function (res) {
var chiResponseString = '';
console.log('HTTP response for Status Code: '+res.statusCode+', for: '+URI);
// if for some reason we did not get a HTTP 200 OK
if (res.statusCode != 200) {
forecastResponseCallback(new Error("Non 200 Response for: "+URI));
console.timeEnd('http-request');
}
// got some more data to append
res.on('data', function (data) {
chiResponseString += data;
});
// in theory finished!
res.on('end', function () {
// should have a sensible result
chiDataTime = new Date().getTime();
chiData = chiResponseString.split(',');
console.log("res.on done");
console.timeEnd('http-request');
alexaResponse();
});
}).on('error', function (e) {
console.timeEnd('http-request');
console.log("Communications error: " + e.message);
forecastResponseCallback(new Error(e.message));
});
function alexaResponse() {
var response = 'Chimet. '+chiData[1]+'. '+chiData[0]+'. '
+'Wind mean '+chiData[2]+', gusting '+chiData[3]+', direction '+chiData[4]+'. '
+'Tide height '+chiData[5]+'. '
+'Air temp '+chiData[9]+' degrees.'
console.log('response is: '+response);
}
//var chimetString = "22 January,6:50 am,6.4,7.4,051,3.90, 0.59,0.68,15,1.6,,1026,";
//chidata = chimetString.split(',');
| {
"content_hash": "f1ae477df634b0e2c940828526db78e5",
"timestamp": "",
"source": "github",
"line_count": 51,
"max_line_length": 84,
"avg_line_length": 28.45098039215686,
"alnum_prop": 0.6354238456237078,
"repo_name": "gregcope/chimetAlexaSkill",
"id": "88b3495ccbf66bc96810301f10f7e27fcad24eaf",
"size": "1701",
"binary": false,
"copies": "1",
"ref": "refs/heads/master",
"path": "chimetCLI.js",
"mode": "33188",
"license": "apache-2.0",
"language": [
{
"name": "JavaScript",
"bytes": "14668"
},
{
"name": "Shell",
"bytes": "528"
}
],
"symlink_target": ""
} |
<!--
Copyright (C) Red Gate Software Ltd 2010-2022
Licensed under the Apache License, Version 2.0 (the "License");
you may not use this file except in compliance with the License.
You may obtain a copy of the License at
http://www.apache.org/licenses/LICENSE-2.0
Unless required by applicable law or agreed to in writing, software
distributed under the License is distributed on an "AS IS" BASIS,
WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
See the License for the specific language governing permissions and
limitations under the License.
-->
<footer class="background-color--grey--1">
<div class="band__inner-container grid">
<div class="grid__row flex flex-wrap">
<div class="grid__col grid__col--span-2-of-12 grid__col--span-3-of-12--medium">
<div class="padded-bottom--tight padded-right--tight">
<h4>
<a href="https://twitter.com/FlywayDb">
<img class="twitter-logo" src="https://cdn.rd.gt/assets/includes/footer/images/Twitter.svg" alt="">
Follow Flyway
</a>
</h4>
</div>
</div>
<div class="grid__col grid__col--span-2-of-12 grid__col--span-3-of-12--medium">
<div class="padded-bottom--tight padded-right--tight">
<h4>
<a href="/blog">Latest from the Blog</a>
</h4>
</div>
</div>
<div class="grid__col grid__col--span-2-of-12 grid__col--span-3-of-12--medium">
<div class="padded-bottom--tight padded-right--tight">
<h4>
<a href="https://flywaydb.org/Getting Started/How Flyway works">How does Flyway work?</a>
</h4>
<ul class="list--bare">
<li>
<a href="https://flywaydb.org/documentation/getstarted/why">Why database migrations?</a>
</li>
<li>
<a href="https://flywaydb.org/download">Download Flyway</a>
</li>
<li>
<a href="https://www.red-gate.com/products/dba/flyway/pricing">Pricing</a>
</li>
</ul>
</div>
</div>
<div class="grid__col grid__col--span-2-of-12 grid__col--span-3-of-12--medium">
<div class="padded-bottom--tight padded-right--tight">
<h4>
<a href="/documentation">Documentation</a>
</h4>
<ul class="list--bare">
<li>
<a href="https://flywaydb.org/documentation/getstarted/">Getting started</a>
</li>
<li>
<a href="https://documentation.red-gate.com/fd/release-notes-for-flyway-engine-179732572.html">Release notes</a>
</li>
</ul>
</div>
</div>
<div class="grid__col grid__col--span-2-of-12 grid__col--span-3-of-12--medium">
<div class="padded-bottom--tight padded-right--tight">
<h4>
<a href="/community">Community</a>
</h4>
<ul class="list--bare">
<li>
<a href="https://stackoverflow.com/questions/tagged/flyway">Stack Overflow</a>
</li>
<li>
<a href="https://github.com/flyway/flyway/">GitHub</a>
</li>
<li>
<a href="https://flywaydb.org/documentation/https://flywaydb.org/documentation/contribute/hallOfFame">The Many Contributors</a>
</li>
<li>
<a href="/licenses/flyway-community-edition-license">Apache License v2</a>
</li>
</ul>
</div>
</div>
<div class="grid__col grid__col--span-2-of-12 grid__col--span-3-of-12--medium">
<div class="padded-bottom--tight padded-right--tight">
<h4>
<a href="https://www.red-gate.com/website/legal">Privacy & Compliance</a>
</h4>
<ul class="list--bare">
<li>
<a href="https://www.red-gate.com/website/legal">Legal information & privacy</a>
</li>
<li>
<a href="https://www.red-gate.com/support/security">Report a security issue</a>
</li>
<li>
<a href="https://www.red-gate.com/website/modern-slavery">Modern slavery</a>
</li>
<li>
<a href="https://www.red-gate.com/website/ccpa">CCPA - Do not sell my data</a>
</li>
</ul>
</div>
</div>
</div>
<div class="grid__row padded-top">
<div class="grid__col grid__col--span-6-of-12">
<a href="https://www.red-gate.com/" class="link-image">
<img src="https://cdn.rd.gt/assets/company/images/redgate-logo.svg" title="Redgate" class="padded-bottom--tight" width="250" />
</a>
<ul class="list--bare list--horizontal">
<li class="text--body-small">
Copyright 1999 - 2022
<span class="color--red text--medium">Red Gate Software Ltd</span>
</li>
</ul>
</div>
</div>
</div>
</footer> | {
"content_hash": "2517bb15279689684e70c840d50f6e55",
"timestamp": "",
"source": "github",
"line_count": 136,
"max_line_length": 155,
"avg_line_length": 45.286764705882355,
"alnum_prop": 0.4434161389836012,
"repo_name": "flyway/flyway",
"id": "c74bec0e1d38e8b90f622685e38d7dd09f04f6ae",
"size": "6159",
"binary": false,
"copies": "1",
"ref": "refs/heads/main",
"path": "documentation/_includes/footer-honeycomb.html",
"mode": "33188",
"license": "apache-2.0",
"language": [
{
"name": "Batchfile",
"bytes": "1369"
},
{
"name": "Java",
"bytes": "1909816"
},
{
"name": "Shell",
"bytes": "1723"
}
],
"symlink_target": ""
} |
package org.shapelogic.sc.polygon
import org.scalatest._
import scala.reflect.ClassTag
import scala.specialized
import spire.math.Numeric
class Calculator2DSpec extends FunSuite with BeforeAndAfterEach {
import Calculator2D._
val origin = new CPointInt(0, 0)
val xAxis1 = new CPointInt(1, 0)
val xAxis2 = new CPointInt(2, 0)
val yAxis1 = new CPointInt(0, 1)
val diagonal1 = new CPointInt(1, 1)
val xAxis1Line = new CLine(origin, xAxis1)
val xAxis1Double = new CPointDouble(1, 0)
test(" void testHatPoint()") {
assertResult(yAxis1) { hatPoint(xAxis1) }
}
test("testDotProduct") {
assertResult(0.0) { dotProduct(xAxis1, yAxis1) }
assertResult(1.0) { dotProduct(xAxis1, xAxis1) }
}
test("testCrossProduct(") {
assertResult(1.0) { crossProduct(xAxis1, yAxis1) }
assertResult(0.0) { crossProduct(xAxis1, xAxis1) }
}
/** This is signed */
test("testDistanceOfPointToLine(") {
assertResult(0.0) { distanceOfPointToLine(xAxis1, xAxis1Line) }
assertResult(1.0) { distanceOfPointToLine(yAxis1, xAxis1Line) }
}
test("testScaleLineFromStartPoint(") {
assertResult(pointToLine(xAxis2)) { scaleLineFromStartPoint(xAxis1Line, 2.0) }
}
test("testPointToLine(") {
assertResult(xAxis1Line) { pointToLine(xAxis1) }
}
test("testProjectionOfPointOnLine(") {
assertResult(origin) { projectionOfPointOnLine(yAxis1, xAxis1Line) }
}
test("testInverseLine(") {
assertResult(xAxis1Line) { inverseLine(new CLine(xAxis1, origin)) }
}
test("testAddLines(") {
val addedLines = addLines(xAxis1Line, pointToLine(yAxis1))
assertResult(pointToLine(diagonal1)) { addedLines }
}
//XXX linear algebra is not enabled put back in
test("testIntersectionOfLines") {
assertResult(origin) { intersectionOfLines(xAxis1Line, new CLine(yAxis1, origin)) }
assertResult(xAxis1) { intersectionOfLines(xAxis1Line, new CLine(diagonal1, xAxis1)) }
val activeLine = new CLine(new CPointInt(3, 2), new CPointInt(2, 1))
val expectedPoint = new CPointInt(1, 0)
assertResult(expectedPoint) { intersectionOfLines(xAxis1Line, activeLine) }
}
test("testIntersectionOfLinesDouble") {
val activeLine = new CLine(new CPointDouble(3, 2), new CPointDouble(2, 1))
val expectedPoint = new CPointDouble(1, 0)
assertResult(expectedPoint) { intersectionOfLines(xAxis1Line, activeLine) }
}
test("intersectionOfLinesBreeze") {
val activeLine = new CLine(new CPointDouble(3, 2), new CPointDouble(2, 1))
val expectedPoint = new CPointDouble(1, 0)
assertResult(expectedPoint) { intersectionOfLinesBreeze(xAxis1Line, activeLine) }
}
test("testToCPointDouble") {
assertResult(xAxis1Double) { toCPointDouble(xAxis1) }
}
test("testToCPointInt(") {
assertResult(xAxis1) { toCPointInt(xAxis1Double) }
}
test("testToCPointIntIfPossible(") {
val badIntPoint = new CPointDouble(0.0, 0.8)
assert(toCPointIntIfPossible(xAxis1).isInstanceOf[CPointInt])
assert(toCPointIntIfPossible(xAxis1Double).isInstanceOf[CPointInt])
assertResult(false) { toCPointIntIfPossible(badIntPoint).isInstanceOf[CPointInt] }
}
test("testLinesParallel(CLine line1, CLine line2") {
assert(linesParallel(xAxis1Line, pointToLine(xAxis1)))
}
test("testIntersectionOfLinesInt") {
val topPoint = new CPointInt(1, 1)
val bottomPoint1 = new CPointInt(1, 27)
val bottomPoint2 = new CPointInt(2, 28)
val bottomPoint3 = new CPointInt(28, 28)
val activeLine = new CLine(topPoint, bottomPoint1)
val projectionLine = new CLine(bottomPoint2, bottomPoint3)
val expectedPoint = new CPointDouble(1, 28)
assertResult(expectedPoint) { intersectionOfLines(activeLine, projectionLine) }
}
test("testDirectionBetweenNeighborPoints(") {
assertResult(0) { directionBetweenNeighborPoints(origin, xAxis1) }
assertResult(1) { directionBetweenNeighborPoints(origin, diagonal1) }
assertResult(2) { directionBetweenNeighborPoints(origin, yAxis1) }
assertResult(3) { directionBetweenNeighborPoints(origin, new CPointInt(-1, 1)) }
assertResult(4) { directionBetweenNeighborPoints(origin, new CPointInt(-1, 0)) }
assertResult(5) { directionBetweenNeighborPoints(origin, new CPointInt(-1, -1)) }
assertResult(6) { directionBetweenNeighborPoints(origin, new CPointInt(0, -1)) }
assertResult(7) { directionBetweenNeighborPoints(origin, new CPointInt(1, -1)) }
}
} | {
"content_hash": "14b6bded02c7afe72cb164b79953f35b",
"timestamp": "",
"source": "github",
"line_count": 123,
"max_line_length": 90,
"avg_line_length": 35.926829268292686,
"alnum_prop": 0.7264086897488119,
"repo_name": "sami-badawi/shapelogic-scala",
"id": "bb353dd668695d3359eadf971129f64af8fcf52c",
"size": "4419",
"binary": false,
"copies": "1",
"ref": "refs/heads/master",
"path": "src/test/scala/org/shapelogic/sc/polygon/Calculator2DSpec.scala",
"mode": "33188",
"license": "mit",
"language": [
{
"name": "Scala",
"bytes": "465631"
}
],
"symlink_target": ""
} |
namespace switches {
GFX_SWITCHES_EXPORT extern const char kAnimationDurationScale[];
GFX_SWITCHES_EXPORT extern const char kDisableFontSubpixelPositioning[];
GFX_SWITCHES_EXPORT extern const char kEnableNativeGpuMemoryBuffers[];
GFX_SWITCHES_EXPORT extern const char kForcePrefersReducedMotion[];
GFX_SWITCHES_EXPORT extern const char kHeadless[];
#if BUILDFLAG(IS_LINUX) || BUILDFLAG(IS_CHROMEOS)
GFX_SWITCHES_EXPORT extern const char kX11Display[];
GFX_SWITCHES_EXPORT extern const char kNoXshm[];
#endif
} // namespace switches
namespace features {
GFX_SWITCHES_EXPORT extern const base::Feature kOddHeightMultiPlanarBuffers;
GFX_SWITCHES_EXPORT extern const base::Feature kOddWidthMultiPlanarBuffers;
} // namespace features
#endif // UI_GFX_SWITCHES_H_
| {
"content_hash": "53b0fe74607a942a4344364adbe9b9f8",
"timestamp": "",
"source": "github",
"line_count": 21,
"max_line_length": 76,
"avg_line_length": 36.523809523809526,
"alnum_prop": 0.8109517601043025,
"repo_name": "scheib/chromium",
"id": "e8e5d44e246364dd45594efb442c129676c14270",
"size": "1088",
"binary": false,
"copies": "1",
"ref": "refs/heads/main",
"path": "ui/gfx/switches.h",
"mode": "33188",
"license": "bsd-3-clause",
"language": [],
"symlink_target": ""
} |
<?xml version="1.0" encoding="utf-8"?>
<!--
Copyright (C) 2014 The Android Open Source Project
Licensed under the Apache License, Version 2.0 (the "License");
you may not use this file except in compliance with the License.
You may obtain a copy of the License at
http://www.apache.org/licenses/LICENSE-2.0
Unless required by applicable law or agreed to in writing, software
distributed under the License is distributed on an "AS IS" BASIS,
WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
See the License for the specific language governing permissions and
limitations under the License.
-->
<LinearLayout xmlns:android="http://schemas.android.com/apk/res/android"
xmlns:tools="http://schemas.android.com/tools"
android:layout_width="match_parent"
android:layout_height="match_parent"
android:orientation="vertical">
<fragment
android:id="@+id/main_browse_fragment"
android:name="org.samd.ng.player.ui.tv.TvBrowseFragment"
android:layout_width="match_parent" android:layout_height="match_parent"
tools:context=".MusicPlayerActivity" tools:deviceIds="tv"
tools:ignore="MergeRootFrame"/>
</LinearLayout> | {
"content_hash": "2caaf018bfcd797bc0ab57f811c0fec8",
"timestamp": "",
"source": "github",
"line_count": 29,
"max_line_length": 80,
"avg_line_length": 42.10344827586207,
"alnum_prop": 0.7256347256347256,
"repo_name": "samdahal/NepaliGeet",
"id": "0dad17b22f09bd977141293312d353665d7d09e1",
"size": "1221",
"binary": false,
"copies": "1",
"ref": "refs/heads/master",
"path": "mobile/src/main/res/layout/tv_activity_player.xml",
"mode": "33188",
"license": "apache-2.0",
"language": [
{
"name": "Java",
"bytes": "288802"
}
],
"symlink_target": ""
} |
package io.trane.ndbc;
import java.util.Map;
import io.trane.ndbc.value.Value;
public class MysqlRow extends Row {
public static MysqlRow create(final Row row) {
return create(row.positions, row.columns);
}
public static MysqlRow create(final Map<String, Integer> positions, final Value<?>[] columns) {
return new MysqlRow(positions, columns);
}
protected MysqlRow(final Map<String, Integer> positions, final Value<?>[] columns) {
super(positions, columns);
}
}
| {
"content_hash": "54e45c040c4ecf110634b28adfd942ad",
"timestamp": "",
"source": "github",
"line_count": 20,
"max_line_length": 97,
"avg_line_length": 24.6,
"alnum_prop": 0.717479674796748,
"repo_name": "traneio/ndbc",
"id": "eb2682375f2a761b4655e679746257c3c2189eaa",
"size": "492",
"binary": false,
"copies": "1",
"ref": "refs/heads/master",
"path": "ndbc-mysql/src/main/java/io/trane/ndbc/MysqlRow.java",
"mode": "33188",
"license": "apache-2.0",
"language": [
{
"name": "Java",
"bytes": "655840"
},
{
"name": "Shell",
"bytes": "1894"
}
],
"symlink_target": ""
} |
//
// SPMainViewController.m
// Scroker
//
// Created by boolean93 on 15/9/16.
// Copyright (c) 2015年 boolean93. All rights reserved.
//
#import "SPMainViewController.h"
#import "SPMainViewCell.h"
#import "SPCollectionViewLayout.h"
#import "SPPokerDetailController.h"
@interface SPMainViewController ()
@property (assign, nonatomic) NSString *pokerNumber;
@end
@implementation SPMainViewController
static NSString * const reuseIdentifier = @"MyPokerCell";
static CGFloat kItemHeight = 150.f;
//static CGFloat kItemWidth = kItemHeight * 0.618;
- (void)viewWillAppear:(BOOL)animated {
[super viewWillAppear:animated];
SPCollectionViewLayout *layout = (SPCollectionViewLayout *)self.collectionViewLayout;
layout.itemSize = CGSizeMake(kItemHeight * 0.618, kItemHeight);
layout.headerReferenceSize = CGSizeMake(0, 30);
}
- (void)viewDidLoad {
[super viewDidLoad];
[self registerForPreviewingWithDelegate:self sourceView:self.view];
}
- (BOOL)prefersStatusBarHidden {
return YES;
}
- (void)didReceiveMemoryWarning {
[super didReceiveMemoryWarning];
// Dispose of any resources that can be recreated.
}
#pragma mark - Navigation
- (void)prepareForSegue:(UIStoryboardSegue *)segue sender:(id)sender {
((SPPokerDetailController *)[segue destinationViewController]).pokerNumber = self.pokerNumber;
}
#pragma mark <UICollectionViewDataSource>
- (NSInteger)numberOfSectionsInCollectionView:(UICollectionView *)collectionView {
return 1;
}
- (NSInteger)collectionView:(UICollectionView *)collectionView numberOfItemsInSection:(NSInteger)section {
return [self.class pokerNumbers].count;
}
- (UICollectionViewCell *)collectionView:(UICollectionView *)collectionView cellForItemAtIndexPath:(NSIndexPath *)indexPath {
SPMainViewCell *cell = [collectionView dequeueReusableCellWithReuseIdentifier:reuseIdentifier forIndexPath:indexPath];
cell.number.text = [self.class pokerNumbers][indexPath.row];
return cell;
}
#pragma mark <UICollectionViewDelegate>
/*
// Uncomment this method to specify if the specified item should be highlighted during tracking
- (BOOL)collectionView:(UICollectionView *)collectionView shouldHighlightItemAtIndexPath:(NSIndexPath *)indexPath {
return YES;
}
*/
// Uncomment this method to specify if the specified item should be selected
- (BOOL)collectionView:(UICollectionView *)collectionView shouldSelectItemAtIndexPath:(NSIndexPath *)indexPath {
SPMainViewCell *cell = (SPMainViewCell *)[self collectionView:collectionView cellForItemAtIndexPath:indexPath];
self.pokerNumber = cell.number.text;
return YES;
}
- (void)collectionView:(UICollectionView *)collectionView didSelectItemAtIndexPath:(nonnull NSIndexPath *)indexPath {
}
/*
// Uncomment these methods to specify if an action menu should be displayed for the specified item, and react to actions performed on the item
- (BOOL)collectionView:(UICollectionView *)collectionView shouldShowMenuForItemAtIndexPath:(NSIndexPath *)indexPath {
return NO;
}
- (BOOL)collectionView:(UICollectionView *)collectionView canPerformAction:(SEL)action forItemAtIndexPath:(NSIndexPath *)indexPath withSender:(id)sender {
return NO;
}
- (void)collectionView:(UICollectionView *)collectionView performAction:(SEL)action forItemAtIndexPath:(NSIndexPath *)indexPath withSender:(id)sender {
}
*/
#pragma mark static things
+ (NSArray *)pokerNumbers {
// return @[@"0", @"1/2", @"1", @"2", @"3", @"5", @"8", @"13", @"20", @"40", @"100", @"∞", @"?", @"!"];
return @[@"0", @"1", @"2", @"3", @"4", @"5", @"6", @"7", @"8", @"9", @"10", @"11", @"12", @"13", @"14", @"15", @"16", @"17", @"18", @"19", @"20", @"21", @"22", @"23", @"24", @"25", @"26", @"27", @"28", @"29", @"30"];
}
#pragma mark - peek and pop
// for peek
- (UIViewController *)previewingContext:(id<UIViewControllerPreviewing>)previewingContext viewControllerForLocation:(CGPoint)location {
// 为获取真正的cell, 必须手动调整偏移
location.y += self.collectionView.contentOffset.y;
NSIndexPath *indexPath = [self.collectionView indexPathForItemAtPoint:location];
if (!indexPath) {
return nil;
}
SPMainViewCell *cell = (SPMainViewCell *)[self.collectionView cellForItemAtIndexPath:indexPath];
CGRect sourceRect = cell.frame;
// 计算cell在当前屏幕中的位置
sourceRect.origin.y -= self.collectionView.contentOffset.y;
previewingContext.sourceRect = sourceRect;
SPPokerDetailController *detailController = [self.storyboard instantiateViewControllerWithIdentifier:@"SPPokerDetailController"];
detailController.pokerNumber = cell.number.text;
detailController.preferredContentSize = CGSizeMake(0.0, 400);
NSLog(@"peek action");
return detailController;
}
// for pop
- (void)previewingContext:(id<UIViewControllerPreviewing>)previewingContext commitViewController:(UIViewController *)viewControllerToCommit {
[self showViewController:viewControllerToCommit sender:self];
NSLog(@"%@ pop action", previewingContext);
}
@end
| {
"content_hash": "95e1d4a45bf505dbb69c58c58f71e333",
"timestamp": "",
"source": "github",
"line_count": 137,
"max_line_length": 220,
"avg_line_length": 36.394160583941606,
"alnum_prop": 0.7414761331728841,
"repo_name": "boolean93/Scroker",
"id": "393f14d079558a2517ea824e0b520a3801d4d29c",
"size": "5040",
"binary": false,
"copies": "1",
"ref": "refs/heads/master",
"path": "Scroker/SPMainViewController.m",
"mode": "33188",
"license": "mit",
"language": [
{
"name": "Objective-C",
"bytes": "12787"
},
{
"name": "Ruby",
"bytes": "56"
}
],
"symlink_target": ""
} |
Quine-Mccluskey algorithm C++ implementation.
## How to use
```c++
#include "QM.hpp"
auto reducer = QM::Reducer<uT>{inputSize, minTerms, dontCareTerms};
auto result = reducer.getBooleanfunction();
```
QM::Reducer offers initialization by std::vector, std::initializer_list
the result is type is std::vector<std::vector<int>>.
uT is an unsigned integer type,
Because this implementation uses bit masking/shifting.
* Each term in the boolean function are std::vector<int>.
* Each variable in a boolean term is represented as an integer.
* The integer is the input number.
* Negative integer values are negative inputs.
```
A B C is represented as 1 2 3
A'B'C is represented as -1 -2 -3
B C D' is represented as 2 3 -4
```
## Dependency
* boost libraries
This library currently uses boost::dynamic_bitset.
No boost static library dependencies.
Thus only boost headers are required.
Because of boost cross-dependency, I recommend providing all of boost.
## TODO
* further optimization
| {
"content_hash": "11026d8572fe708dee85172dd831d701",
"timestamp": "",
"source": "github",
"line_count": 41,
"max_line_length": 71,
"avg_line_length": 24.51219512195122,
"alnum_prop": 0.7402985074626866,
"repo_name": "Red-Portal/Quine-Mccluskey",
"id": "5a50f9adbcae7006c8e4083221096e31ca34f1cd",
"size": "1123",
"binary": false,
"copies": "1",
"ref": "refs/heads/master",
"path": "README.md",
"mode": "33188",
"license": "apache-2.0",
"language": [
{
"name": "C++",
"bytes": "17163"
},
{
"name": "CMake",
"bytes": "904"
}
],
"symlink_target": ""
} |
#include "matcha/math/matrix.hpp"
#include "matcha/math/linear_algebra.hpp"
#include "matcha/core/exception.hpp"
#include "utilities_i.hpp"
#include <cassert>
namespace matcha { namespace math { namespace easy_expression {
} // end of namespace easy_expression
} // end of namespace math
} // end of namespace matcha
| {
"content_hash": "2e68a883e925f8fe3d9dabcef8b25422",
"timestamp": "",
"source": "github",
"line_count": 16,
"max_line_length": 63,
"avg_line_length": 20.25,
"alnum_prop": 0.7376543209876543,
"repo_name": "YusukeSuzuki/matcha",
"id": "45f2fd9d66685fa276696364015b63b12305d49b",
"size": "996",
"binary": false,
"copies": "1",
"ref": "refs/heads/master",
"path": "modules/math/source/standard/easy_expression.cpp",
"mode": "33188",
"license": "apache-2.0",
"language": [
{
"name": "C",
"bytes": "1885"
},
{
"name": "C++",
"bytes": "252311"
}
],
"symlink_target": ""
} |
<?php
class Login extends CI_Controller {
public function __construct()
{
date_default_timezone_set("Asia/Bangkok");
parent::__construct();
$this->load->model('E_passModel');
$this->load->model('Uoc_stdModel');
$this->load->model('RefModel');
$this->load->model('RadAccountModel');
$this->load->model('RadOnlineProfileModel');
$this->load->model('RadSKOModel');
$this->load->model('LogModel');
}
public function index()
{
$this->load->view('login');
}
public function adminLogin(){
// var_dump($this->session);
if($this->session->userdata('status')=='admin' || $this->session->userdata('status')=='staff'){
@header('Location:'.base_url().'admin/manage');
}else{
$this->load->view('admin/admin_login');
}
}
public function AdminCheck(){
$res = $this->E_passModel->AdminCheckLogin($_POST['e_pass'],$_POST['pass']);
if(empty($res)){
echo 'wrong';
$this->session->set_flashdata('alert','ชื่อผู้ใช้หรือรหัสผิด');
@header('Location:'.base_url().'admin/login');
}else{
// var_dump($res);
$this->session->set_userdata('login',true);
$this->session->set_userdata('username',$res[0]->username);
$this->session->set_userdata('status',$res[0]->status);
$this->session->set_userdata('location_id',$res[0]->location_id);
@header('Location:'.base_url().'admin/manage');
}
}
public function LoginCheck()
{
// @header("Location: student");
$res = $this->E_passModel->CheckLogin($_POST['e_pass'],$_POST['pass']);
// var_dump($res);
// $status = $res
if(empty($res))
{
echo 'wrong';
}
else
{
if (strpos($res[0]->usre, ".") == false) {
//var_dump($res);
//echo $res[0]->usre."<br>";
//echo $res[0]->pass."<br>";
//echo explode("s",$res[0]->usre)[1];
$std_data = $this->RadOnlineProfileModel->getDataByUsername($_POST['e_pass']);
//var_dump($std_data);
if(!empty($std_data))
{
foreach($std_data as $sd)
{
$this->session->set_userdata('login',true);
$this->session->set_userdata('detail_exists',true);
$this->session->set_userdata('id',$sd->idcard);
$this->session->set_userdata('username',$sd->username);
$this->session->set_userdata('prefix_name_id',$sd->pname);
$this->session->set_userdata('firstname',$sd->firstname);
$this->session->set_userdata('lastname',$sd->lastname);
$this->session->set_userdata('email',$sd->mailaddr);
$this->session->set_userdata('status',$sd->status);
$this->session->set_userdata('location',$this->RadSKOModel->getLocationDataByLocationID($sd->location_id)[0]->location_name);
$this->session->set_userdata('location_id',$sd->location_id);
$this->session->set_userdata('discipline',$sd->discipline);
$this->session->set_userdata('department',$this->RadSKOModel->getFacDataByFacID($sd->department)[0]->FAC_NAME);
$this->session->set_userdata('branch',$this->RadSKOModel->getProgramDataByProgramID($sd->prof_branch)[0]->PRO_NAME);
}
//เพิ่มใหม่
// $this->session->set_userdata('username',$res[0]->usre);
// $this->session->set_userdata('status',$res[0]->status);
// $this->session->set_userdata('location_id',$res[0]->location_id);
}
else{
$this->session->set_userdata('login',true);
$this->session->set_userdata('username',$_POST['e_pass']);
$this->session->set_userdata('detail_exists',false);
// add log data
$this->LogModel->AddEventLog(array(
'USERNAME'=>$this->session->userdata('username'),
'STATUS'=>'user',
'LOCATION'=>'-',
'EVENT' => 'เข้าสู่ระบบ (ไม่ได้ยืนยันข้อมูล)',
'DATE'=>date('Y-m-d'),
'TIME'=>date('H:i:s')
));
}
AddLog( $this->session->userdata('id')." is logging in" );
@header("Location: student");
}
else if($res['status'] == 'admin'){
$ad_data = $this->Admin_dataModel->Login($_POST['e_pass'],$_POST['pass']);
}
else
{
$stf_data = $this->RadOnlineProfileModel->getDataByUsername($_POST['e_pass']);
if(!empty($stf_data))
{
foreach($stf_data as $sd)
{
$this->session->set_userdata('login',true);
$this->session->set_userdata('detail_exists',true);
$this->session->set_userdata('id',$sd->idcard);
$this->session->set_userdata('username',$sd->username);
$this->session->set_userdata('prefix_name_id',$sd->pname);
$this->session->set_userdata('firstname',$sd->firstname);
$this->session->set_userdata('lastname',$sd->lastname);
$this->session->set_userdata('email',$sd->mailaddr);
$this->session->set_userdata('status',$sd->status);
$this->session->set_userdata('location',$this->RadSKOModel->getLocationDataByLocationID($sd->location_id)[0]->location_name);
$this->session->set_userdata('location_id',$sd->location_id);
$this->session->set_userdata('discipline',$sd->discipline);
$this->session->set_userdata('department',$this->RadSKOModel->getFacDataByFacID($sd->department)[0]->FAC_NAME);
$this->session->set_userdata('branch',$this->RadSKOModel->getProgramDataByProgramID($sd->prof_branch)[0]->PRO_NAME);
}
// add log data
$this->LogModel->AddEventLog(array(
'USERNAME'=>$this->session->userdata('username'),
'STATUS'=>'user',
'LOCATION'=> $this->session->userdata('location_id'),
'EVENT' => 'เข้าสู่ระบบ',
'DATE'=>date('Y-m-d'),
'TIME'=>date('H:i:s')
));
}
else
{
$this->session->set_userdata('login',true);
$this->session->set_userdata('username',$_POST['e_pass']);
$this->session->set_userdata('detail_exists',false);
// add log data
$this->LogModel->AddEventLog(array(
'USERNAME'=>$this->session->userdata('username'),
'STATUS'=>'user',
'LOCATION'=>'-',
'EVENT' => 'เข้าสู่ระบบ (ไม่ได้ยืนยันข้อมูล)',
'DATE'=>date('Y-m-d'),
'TIME'=>date('H:i:s')
));
}
AddLog( $this->session->userdata('username')." is logging in" );
@header("Location: professor");
}
}
}
}
| {
"content_hash": "2385dc8fa61bae22a755ffc4671f5ff4",
"timestamp": "",
"source": "github",
"line_count": 186,
"max_line_length": 133,
"avg_line_length": 34.08064516129032,
"alnum_prop": 0.5713834989746017,
"repo_name": "sorapan/tidti",
"id": "79000d95d40edba87ffd5560937e6c545fbe2662",
"size": "6537",
"binary": false,
"copies": "1",
"ref": "refs/heads/master",
"path": "application/controllers/Login.php",
"mode": "33188",
"license": "mit",
"language": [
{
"name": "ApacheConf",
"bytes": "420"
},
{
"name": "CSS",
"bytes": "184862"
},
{
"name": "HTML",
"bytes": "5633"
},
{
"name": "JavaScript",
"bytes": "350"
},
{
"name": "PHP",
"bytes": "1917828"
}
],
"symlink_target": ""
} |
<div ng-controller="GeneralCtrl as general">
<div class="select-menu">
<select
ng-model="general.select"
ng-change="general.currentPage(general.select)">
<option value="#!/general">General</option>
<option value="#!/science">Science/Tech</option>
<option value="#!/entertainment">Entertainment</option>
<option value="#!/sports">Sports</option>
<option value="#!/business">Business</option>
</select>
<select
ng-model="general.initial"
ng-options="source.source as source.name for source in general.sources"
ng-change="general.changeSource(general.initial)"
></select>
</div>
<div class="content">
<div class="news-list">
<h2>Top Headlines From <span>{{general.currentSource}}</span></h2>
<ul ng-repeat="article in general.headlines">
<li>
<h3><a ng-href="{{article.url}}" target="_blank">{{article.title}}</a></h3></li>
<li><img ng-src="{{article.urlToImage}}"></li>
<li class="description">{{article.description}}</li>
</ul>
</div>
<div class="sources">
<h2>News Providers:</h2>
<ul ng-repeat="source in general.sources">
<li ng-click="general.changeSource(source.source, source.name)"
ng-class="general.check==='{{source.name}}' ? 'active-side' : 'none'">{{source.name}}</li>
</ul>
</div>
</div>
</div>
| {
"content_hash": "aab0eaeed2a83fde0d03867c763f0ab6",
"timestamp": "",
"source": "github",
"line_count": 36,
"max_line_length": 106,
"avg_line_length": 44.44444444444444,
"alnum_prop": 0.528125,
"repo_name": "ericluna92/news",
"id": "6141346412e887fa028aa3014b490a704b1cf614",
"size": "1600",
"binary": false,
"copies": "1",
"ref": "refs/heads/master",
"path": "app/general/general.html",
"mode": "33188",
"license": "mit",
"language": [
{
"name": "CSS",
"bytes": "7839"
},
{
"name": "HTML",
"bytes": "14113"
},
{
"name": "JavaScript",
"bytes": "12971"
}
],
"symlink_target": ""
} |
using System;
namespace WinFormsMvp.Binder
{
/// <summary>
/// Defines the methods of a factory class capable of creating presenters.
/// </summary>
public interface IPresenterFactory
{
/// <summary>
/// Creates a new instance of the specific presenter type, for the specified
/// view type and instance.
/// </summary>
/// <param name="presenterType">The type of presenter to create.</param>
/// <param name="viewType">The type of the view as defined by the binding that matched.</param>
/// <param name="viewInstance">The view instance to bind this presenter to.</param>
/// <returns>An instantitated presenter.</returns>
IPresenter Create(Type presenterType, Type viewType, IView viewInstance);
/// <summary>
/// Releases the specified presenter from any of its lifestyle demands.
/// This method's activities are implementation specific - for example,
/// an IoC based factory would return the presenter to the container.
/// </summary>
/// <param name="presenter">The presenter to release.</param>
void Release(IPresenter presenter);
}
} | {
"content_hash": "3c0682b57db60fdcf611620c20736d32",
"timestamp": "",
"source": "github",
"line_count": 28,
"max_line_length": 103,
"avg_line_length": 42.75,
"alnum_prop": 0.647451963241437,
"repo_name": "zesus19/c5.v1",
"id": "707f195deb2f05dd7ec38db0f2ea1d32b3c54405",
"size": "1199",
"binary": false,
"copies": "1",
"ref": "refs/heads/master",
"path": "Dependency/WinFormsMvp/Binder/IPresenterFactory.cs",
"mode": "33188",
"license": "apache-2.0",
"language": [
{
"name": "ASP",
"bytes": "206"
},
{
"name": "Batchfile",
"bytes": "3260"
},
{
"name": "C#",
"bytes": "3091504"
},
{
"name": "CSS",
"bytes": "447741"
},
{
"name": "HTML",
"bytes": "773938"
},
{
"name": "JavaScript",
"bytes": "1635572"
},
{
"name": "Python",
"bytes": "672"
},
{
"name": "Shell",
"bytes": "55"
},
{
"name": "XSLT",
"bytes": "1348"
}
],
"symlink_target": ""
} |
<!DOCTYPE html>
<html lang="en">
<head>
<meta charset="UTF-8" />
<title>The Consul — The French Revolution</title>
<!-- Behavioral Metadata -->
<meta name="viewport" content="width=device-width, initial-scale=1.0">
<!-- Core Metadata -->
<meta name="title" content="Stage 02, The French Revolution">
<meta name="description" content="">
<meta name="keywords" content="french, revolution">
<!-- Open Graph Metadata -->
<meta property="og:site_name" content="The French Revolution">
<meta property="og:title" content="Stage 02, The French Revolution">
<meta property="og:author" content="Sam Olaogun, Adam Papenhausen">
<meta property="og:description" content="">
<meta property="og:url" content="">
<!-- Styles -->
<link href="/article-styles.css" type='text/css' rel="stylesheet">
<link href="/normalize.css" type="text/css" rel="stylesheet">
<!-- Scipts -->
<script src="https://ajax.googleapis.com/ajax/libs/jquery/2.2.2/jquery.min.js"></script>
<script src="https://ajax.googleapis.com/ajax/libs/jqueryui/1.11.4/jquery-ui.min.js"></script>
<script src="vendors/jquery.easings.min.js"></script>
<script type="text/javascript" src="vendors/scrolloverflow.min.js"></script>
<script type="text/javascript" src="jquery.fullPage.js"></script>
</head>
<body>
<script>
$(document).ready(function () {
''
$('#fullpage').fullpage();
});
</script>
<div class="section">
<div class='prelude'>
<div class='title'>
<h3>NAPOLEON BONAPARTE</h3>
<svg height="60" width="2">
<line x1="0" y1="0" x2="0" y2="60" style="stroke: #FFFFFF; stroke-width: 1"></line>
</svg>
<a>THE CONSULATE</a>
<svg height="60" width="2">
<line x1="0" y1="0" x2="0" y2="60" style="stroke: #FFFFFF; stroke-width: 1"></line>
</svg>
<p>Structure; goal; significance in the context of the Revolution.</p>
</div>
</div>
</div>
<div class="section">
<div class="one">
<div class="text-left" id="first">
<p id="num">01</p>
<p id="title">INTRO</p>
<p id="pap">Napoleon dissolved the Directory through a coup alongside Abbe Sieyes and took power over France. France returned to a monarchy through the consulate. At the time of the coup Napoleon was already a famed general who had won many battles for France versus the many nations attempting to take advantage of the weakened France.
</p>
</div>
<div class="text-left">
<p id="num">02</p>
<p id="title">STRUCTURE</p>
<p id="pap">The structure of The Consul was more centralized than the democratically styled governments of the past. This was done in order to bring rapid change and also order, something Napoleon valued to France.</p>
</div>
<div class="text-left">
<p id="num">03</p>
<p id="title">NAPOLEON TAKES POWER</p>
<p id="pap">Originally, The Consul was supposed to be a temporary role for people elected, however eventually Napoleon declared himself consul for life, and the people did not object. He was autocratic and authoritarian, and provided less political freedoms in exchange for a more centralized, singular power.
</p>
</div>
<div class="text-left">
<p id="num">04</p>
<p id="title">SIGNIFICANCE</p>
<p id="pap">The significance of this was that France had sort of gone in a circle in that they had lost all they aimed to do in the pursuit of stability. Democracy had failed because it either took too long, or, was too violent to implement. France returns to a monarchy.
</p>
</div>
<a class="footer" href="/index.html">Go Back</a>
</div>
</div>
</body>
</html> | {
"content_hash": "977c021077f1ed3cf08bcb205cc47724",
"timestamp": "",
"source": "github",
"line_count": 100,
"max_line_length": 340,
"avg_line_length": 35.92,
"alnum_prop": 0.6717706013363028,
"repo_name": "french-rev/french-rev.github.io",
"id": "d5d8450c3cb7291740e2f2447111665d4e4557ab",
"size": "3592",
"binary": false,
"copies": "1",
"ref": "refs/heads/master",
"path": "pages/consulate.html",
"mode": "33261",
"license": "mit",
"language": [
{
"name": "CSS",
"bytes": "16677"
},
{
"name": "HTML",
"bytes": "18076"
},
{
"name": "JavaScript",
"bytes": "111483"
}
],
"symlink_target": ""
} |
ACCEPTED
#### According to
International Plant Names Index
#### Published in
Sp. pl. 1:15. 1753
#### Original name
null
### Remarks
null | {
"content_hash": "2af59da713b767d612efed9abf1d0190",
"timestamp": "",
"source": "github",
"line_count": 13,
"max_line_length": 31,
"avg_line_length": 10.76923076923077,
"alnum_prop": 0.6857142857142857,
"repo_name": "mdoering/backbone",
"id": "b476221bcf6b16b76c63497e59f63b16f85d9c43",
"size": "186",
"binary": false,
"copies": "1",
"ref": "refs/heads/master",
"path": "life/Plantae/Magnoliophyta/Magnoliopsida/Lamiales/Acanthaceae/Justicia/Justicia procumbens/README.md",
"mode": "33188",
"license": "apache-2.0",
"language": [],
"symlink_target": ""
} |
window.ENV = {
'ember-testing-routing-helpers': true
};
| {
"content_hash": "2fdcabca6e1eb7c0303b5227f84fd0f9",
"timestamp": "",
"source": "github",
"line_count": 3,
"max_line_length": 39,
"avg_line_length": 19.333333333333332,
"alnum_prop": 0.6724137931034483,
"repo_name": "lucaspottersky/ember-lab-eak",
"id": "c9a2197f0df6fd2a241e2b6878867f9c181cb3cf",
"size": "222",
"binary": false,
"copies": "1",
"ref": "refs/heads/master",
"path": "config/environments/test.js",
"mode": "33188",
"license": "mit",
"language": [
{
"name": "CSS",
"bytes": "847"
},
{
"name": "JavaScript",
"bytes": "82904"
},
{
"name": "Shell",
"bytes": "297"
}
],
"symlink_target": ""
} |
@interface MBNetworkActivityIndicatorManager ()
@property (nonatomic, assign) NSInteger networkActivityCounter;
@end
@implementation MBNetworkActivityIndicatorManager
#pragma mark - Object Lifecycle
- (id)init
{
self = [super init];
if (self)
{
_enabled = YES;
#if !defined(APPLICATION_EXTENSION_API_ONLY)
_sharedApplication = [UIApplication sharedApplication];
#endif
}
return self;
}
+ (MBNetworkActivityIndicatorManager *)sharedManager
{
static dispatch_once_t pred;
static MBNetworkActivityIndicatorManager *singleton = nil;
dispatch_once(&pred, ^{ singleton = [[self alloc] init]; });
return singleton;
}
#pragma mark - Public Methods
- (void)networkActivityStarted
{
#if defined(__IPHONE_OS_VERSION_MIN_REQUIRED)
if ([self isEnabled])
{
dispatch_async(dispatch_get_main_queue(), ^{
if (self.networkActivityCounter == 0)
{
[[self sharedApplication] setNetworkActivityIndicatorVisible:YES];
}
self.networkActivityCounter = self.networkActivityCounter + 1;
});
}
#endif
}
- (void)networkActivityStopped
{
#if defined(__IPHONE_OS_VERSION_MIN_REQUIRED)
if ([self isEnabled])
{
dispatch_async(dispatch_get_main_queue(), ^{
if (self.networkActivityCounter == 1)
{
[[self sharedApplication] setNetworkActivityIndicatorVisible:NO];
}
self.networkActivityCounter = self.networkActivityCounter - 1;
});
}
#endif
}
@end
| {
"content_hash": "6aed63d1a552df3bd7269ca7aa3aaaaa",
"timestamp": "",
"source": "github",
"line_count": 67,
"max_line_length": 82,
"avg_line_length": 23.47761194029851,
"alnum_prop": 0.642085187539733,
"repo_name": "gaurav1981/MBRequest",
"id": "13371c896c16217fba1449c7c8256e88e1613a68",
"size": "1785",
"binary": false,
"copies": "2",
"ref": "refs/heads/master",
"path": "Classes/MBNetworkActivityIndicatorManager.m",
"mode": "33188",
"license": "bsd-3-clause",
"language": [
{
"name": "C",
"bytes": "476"
},
{
"name": "Objective-C",
"bytes": "83835"
}
],
"symlink_target": ""
} |
<?xml version="1.0" encoding="utf-8"?>
<appwidget-provider xmlns:android="http://schemas.android.com/apk/res/android"
android:initialLayout="@layout/widget_2x1"
android:minWidth="146dip"
android:minHeight="72dip"
android:label="@string/widget2"
android:updatePeriodMillis="300000"
/> | {
"content_hash": "2231751c03ce57adc3aa90c39adcf843",
"timestamp": "",
"source": "github",
"line_count": 8,
"max_line_length": 78,
"avg_line_length": 37.875,
"alnum_prop": 0.7260726072607261,
"repo_name": "albertogcatalan/abebattery-android",
"id": "28a92c79280cd34454e79bff8d46f31ef7870170",
"size": "303",
"binary": false,
"copies": "1",
"ref": "refs/heads/master",
"path": "res/xml/widget_2x1.xml",
"mode": "33261",
"license": "apache-2.0",
"language": [
{
"name": "Java",
"bytes": "237955"
}
],
"symlink_target": ""
} |
package com.depop.json
import spray.json.JsonWriter
import scala.language.experimental.macros
import scala.reflect.macros.blackbox._
trait ADTJsonMacros {
def jsonWriterFromSubTypesMacro[T: c.WeakTypeTag](c: Context): c.Expr[JsonWriter[T]] = {
import c.universe._
// the type representation of T
val baseType = weakTypeOf[T]
// all subclasses for the type T which are "known", ie: extending a sealed trait
val subclasses = baseType.typeSymbol.asClass.knownDirectSubclasses
// the writers for all of the subclasses
val writers = subclasses.map { subclass =>
// function taking an instance of the subclass and returning that instance as json
val q"{ case $writer }" =
q""" {
case item: $subclass =>
val jsonWriter = implicitly[spray.json.JsonWriter[$subclass]]
jsonWriter.write(item)
}
"""
writer
}
val jsonWriterType = weakTypeOf[JsonWriter[T]]
// the JsonWriter for the parent type which matches against each of the subclass writers
val jsonWriterFound =
q"""
new $jsonWriterType {
def write(item: $baseType): spray.json.JsValue = {
item match { case ..$writers }
}
}
"""
c.Expr[JsonWriter[T]](jsonWriterFound)
}
}
| {
"content_hash": "548a358b092e3af1bef08c6c607b3226",
"timestamp": "",
"source": "github",
"line_count": 49,
"max_line_length": 92,
"avg_line_length": 26.693877551020407,
"alnum_prop": 0.6467889908256881,
"repo_name": "depop/json-macros",
"id": "0b0efccf488541f21780b27b8f601bccc2872d82",
"size": "1896",
"binary": false,
"copies": "1",
"ref": "refs/heads/master",
"path": "src/main/scala/com/depop/json/ADTJsonMacros.scala",
"mode": "33188",
"license": "apache-2.0",
"language": [
{
"name": "Scala",
"bytes": "11036"
}
],
"symlink_target": ""
} |
<?xml version='1.0' encoding='UTF-8'?>
<!--
Copyright 2004-2014 The Kuali Foundation
Licensed under the Educational Community License, Version 2.0 (the "License");
you may not use this file except in compliance with the License.
You may obtain a copy of the License at
http://www.opensource.org/licenses/ecl2.php
Unless required by applicable law or agreed to in writing, software
distributed under the License is distributed on an "AS IS" BASIS,
WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
See the License for the specific language governing permissions and
limitations under the License.
-->
<data xmlns="ns:workflow"
xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance"
xsi:schemaLocation="ns:workflow resource:WorkflowData">
<documentTypes xmlns="ns:workflow/DocumentType"
xsi:schemaLocation="ns:workflow/DocumentType resource:DocumentType">
<documentType>
<name>PayGradeMaintenanceDocumentType</name>
<parent>KpmeEffectiveDateMaintenanceDocumentType</parent>
<label>Pay Grade Document</label>
</documentType>
</documentTypes>
</data> | {
"content_hash": "5afc75746aa730059538fd98dd872261",
"timestamp": "",
"source": "github",
"line_count": 30,
"max_line_length": 82,
"avg_line_length": 38.233333333333334,
"alnum_prop": 0.7454228421970357,
"repo_name": "kuali/kpme",
"id": "cfb4850d3a57394017353321c98896b8f4479196",
"size": "1147",
"binary": false,
"copies": "1",
"ref": "refs/heads/master",
"path": "db/src/main/resources/org/kuali/kpme/kpme-db/workflow/003/PayGradeMaintenanceDocumentType.xml",
"mode": "33188",
"license": "apache-2.0",
"language": [
{
"name": "ActionScript",
"bytes": "15982"
},
{
"name": "CSS",
"bytes": "203547"
},
{
"name": "Cucumber",
"bytes": "597"
},
{
"name": "Groovy",
"bytes": "22637"
},
{
"name": "HTML",
"bytes": "166124"
},
{
"name": "Java",
"bytes": "9817071"
},
{
"name": "JavaScript",
"bytes": "1205339"
},
{
"name": "PLSQL",
"bytes": "2723986"
},
{
"name": "XSLT",
"bytes": "5439"
}
],
"symlink_target": ""
} |
//@var required in one of the imports
var maxParameterLength = 999999999;
Ext.Loader.setConfig({
enabled: true, // Turn on Ext.Loader
paths: {
'Shopware' : 'http://' + window.location.host + 'base/tests/vendors/Shopware/base/application',
'Enlight': 'http://' + window.location.host + 'base/tests/vendors/ExtJs/components',
'Shopware.apps.CoolPlugin.model': 'http://' + window.location.host + 'base/Views/backend/cool_plugin/model',
'Shopware.apps.CoolPlugin.controller': 'http://' + window.location.host + 'base/Views/backend/cool_plugin/controller',
'Shopware.apps.CoolPlugin.store': 'http://' + window.location.host + 'base/Views/backend/cool_plugin/store',
'Shopware.apps.CoolPlugin.view': 'http://' + window.location.host + 'base/Views/backend/cool_plugin/view',
'Shopware.apps.CoolPlugin': 'http://' + window.location.host + 'base/Views/backend/cool_plugin'
},
suffixes: {
'Shopware': '',
'Shopware.apps.CoolPlugin': '.js'
},
disableCaching: true // Turn OFF cache BUSTING
});
Ext.Loader.getPath = function(className) {
var tempClass = className;
var path = '',
paths = this.config.paths,
prefix = this.getPrefix(className);
suffix = this.config.suffixes[prefix] !== undefined ? this.config.suffixes[prefix] : '';
if (prefix.length > 0) {
if (prefix === className) {
return paths[prefix];
}
path = paths[prefix];
className = className.substring(prefix.length + 1);
}
if (path.length > 0) {
path += '?file=';
}
var classExtension = className.replace(/\./g, "/");
return path.replace(/\/\.\//g, '/') + classExtension + suffix;
}; | {
"content_hash": "9396499c3385ba59110f34eb4e0d0f71",
"timestamp": "",
"source": "github",
"line_count": 46,
"max_line_length": 126,
"avg_line_length": 38.43478260869565,
"alnum_prop": 0.6108597285067874,
"repo_name": "edwint88/CoolPlugin",
"id": "c252a4b8d81b3e44e4ad18cc6600ccca46afc650",
"size": "1797",
"binary": false,
"copies": "1",
"ref": "refs/heads/master",
"path": "Resources/views/tests/appSetupBefore.js",
"mode": "33188",
"license": "mit",
"language": [
{
"name": "HTML",
"bytes": "703"
},
{
"name": "JavaScript",
"bytes": "131882"
},
{
"name": "PHP",
"bytes": "3730"
}
],
"symlink_target": ""
} |
<?php
/*
Safe sample
input : execute a ls command using the function system, and put the last result in $tainted
sanitize : check if there is only numbers
construction : concatenation
*/
/*Copyright 2015 Bertrand STIVALET
Permission is hereby granted, without written agreement or royalty fee, to
use, copy, modify, and distribute this software and its documentation for
any purpose, provided that the above copyright notice and the following
three paragraphs appear in all copies of this software.
IN NO EVENT SHALL AUTHORS BE LIABLE TO ANY PARTY FOR DIRECT,
INDIRECT, SPECIAL, INCIDENTAL, OR CONSEQUENTIAL DAMAGES ARISING OUT OF THE
USE OF THIS SOFTWARE AND ITS DOCUMENTATION, EVEN IF AUTHORS HAVE
BEEN ADVISED OF THE POSSIBILITY OF SUCH DAMAGE.
AUTHORS SPECIFICALLY DISCLAIM ANY WARRANTIES INCLUDING, BUT NOT
LIMITED TO THE IMPLIED WARRANTIES OF MERCHANTABILITY, FITNESS FOR A
PARTICULAR PURPOSE, AND NON-INFRINGEMENT.
THE SOFTWARE IS PROVIDED ON AN "AS-IS" BASIS AND AUTHORS HAVE NO
OBLIGATION TO PROVIDE MAINTENANCE, SUPPORT, UPDATES, ENHANCEMENTS, OR
MODIFICATIONS.*/
$tainted = system('ls', $retval);
$re = "/^[0-9]*$/";
if(preg_match($re, $tainted) == 1){
$tainted = $tainted;
}
else{
$tainted = "";
}
$query = "SELECT Trim(a.FirstName) & ' ' & Trim(a.LastName) AS employee_name, a.city, a.street & (' ' +a.housenum) AS address FROM Employees AS a WHERE a.supervisor=". $tainted . "";
$conn = mysql_connect('localhost', 'mysql_user', 'mysql_password'); // Connection to the database (address, user, password)
mysql_select_db('dbname') ;
echo "query : ". $query ."<br /><br />" ;
$res = mysql_query($query); //execution
while($data =mysql_fetch_array($res)){
print_r($data) ;
echo "<br />" ;
}
mysql_close($conn);
?> | {
"content_hash": "24176dac85629e7808f18fd8f90abe62",
"timestamp": "",
"source": "github",
"line_count": 69,
"max_line_length": 183,
"avg_line_length": 25.507246376811594,
"alnum_prop": 0.7227272727272728,
"repo_name": "stivalet/PHP-Vulnerability-test-suite",
"id": "b70762de90e2f7138c5698fe1a62629b9d2ddc1d",
"size": "1760",
"binary": false,
"copies": "1",
"ref": "refs/heads/master",
"path": "Injection/CWE_89/safe/CWE_89__system__func_preg_match-only_numbers__multiple_AS-concatenation.php",
"mode": "33188",
"license": "mit",
"language": [
{
"name": "PHP",
"bytes": "64184004"
}
],
"symlink_target": ""
} |
namespace Dapper.FastCrud.Benchmarks
{
using System.Linq;
using Dapper.FastCrud.Tests;
using Dapper.FastCrud.Tests.Models;
using NUnit.Framework;
using TechTalk.SpecFlow;
using DapperExtensions = global::DapperExtensions.DapperExtensions;
[Binding]
public class DapperExtensionsSteps : EntityGenerationSteps
{
private DatabaseTestContext _testContext;
public DapperExtensionsSteps(DatabaseTestContext testContext)
{
_testContext = testContext;
}
[BeforeScenario()]
public void SetupPluralTableMapping()
{
DapperExtensions.DefaultMapper = typeof(global::DapperExtensions.Mapper.PluralizedAutoClassMapper<>);
}
[When(@"I insert (.*) benchmark entities using Dapper Extensions")]
public void WhenIInsertSingleIntKeyEntitiesUsingDapperExtensions(int entitiesCount)
{
var dbConnection = _testContext.DatabaseConnection;
for (var entityIndex = 1; entityIndex <= entitiesCount; entityIndex++)
{
var generatedEntity = this.GenerateSimpleBenchmarkEntity(entityIndex);
generatedEntity.Id = DapperExtensions.Insert(dbConnection, generatedEntity);
Assert.Greater(generatedEntity.Id, 1); // the seed starts from 2 in the db to avoid confusion with the number of rows modified
_testContext.InsertedEntities.Add(generatedEntity);
}
}
[When(@"I select all the benchmark entities using Dapper Extensions")]
public void WhenISelectAllTheSingleIntKeyEntitiesUsingDapperExtensions()
{
var dbConnection = _testContext.DatabaseConnection;
_testContext.QueriedEntities.AddRange(DapperExtensions.GetList<SimpleBenchmarkEntity>(dbConnection));
}
[When(@"I select all the benchmark entities that I previously inserted using Dapper Extensions")]
public void WhenISelectAllTheSingleIntKeyEntitiesThatIPreviouslyInsertedUsingDapperExtensions()
{
var dbConnection = _testContext.DatabaseConnection;
foreach (var entity in _testContext.InsertedEntities.OfType<SimpleBenchmarkEntity>())
{
_testContext.QueriedEntities.Add(DapperExtensions.Get<SimpleBenchmarkEntity>(dbConnection, entity.Id));
}
}
[When(@"I update all the benchmark entities that I previously inserted using Dapper Extensions")]
public void WhenIUpdateAllTheSingleIntKeyEntitiesThatIPreviouslyInsertedUsingDapperExtensions()
{
var dbConnection = _testContext.DatabaseConnection;
var entityIndex = _testContext.InsertedEntities.Count;
foreach (var entity in _testContext.InsertedEntities.OfType<SimpleBenchmarkEntity>())
{
var newEntity = this.GenerateSimpleBenchmarkEntity(entityIndex++);
newEntity.Id = entity.Id;
DapperExtensions.Update(dbConnection, newEntity);
_testContext.UpdatedEntities.Add(newEntity);
}
}
[When(@"I delete all the inserted benchmark entities using Dapper Extensions")]
public void WhenIDeleteAllTheInsertedSingleIntKeyEntitiesUsingDapperExtensions()
{
var dbConnection = _testContext.DatabaseConnection;
foreach (var entity in _testContext.InsertedEntities.OfType<SimpleBenchmarkEntity>())
{
DapperExtensions.Delete(dbConnection, entity);
}
}
}
}
| {
"content_hash": "14285acefc9f123a25f23a86c0d6241a",
"timestamp": "",
"source": "github",
"line_count": 86,
"max_line_length": 142,
"avg_line_length": 41.825581395348834,
"alnum_prop": 0.6730608840700584,
"repo_name": "kimx/Dapper.FastCRUD",
"id": "6a2ac8f22ae21316d9a5b681e9a472ea951c01c3",
"size": "3599",
"binary": false,
"copies": "1",
"ref": "refs/heads/master",
"path": "Dapper.FastCRUD.Benchmarks/DapperExtensionsSteps.cs",
"mode": "33188",
"license": "mit",
"language": [
{
"name": "C#",
"bytes": "202743"
},
{
"name": "Cucumber",
"bytes": "14856"
},
{
"name": "PowerShell",
"bytes": "866"
}
],
"symlink_target": ""
} |
% This file is part of the Attempto Parsing Engine (APE).
% Copyright 2008-2013, Attempto Group, University of Zurich (see http://attempto.ifi.uzh.ch).
%
% The Attempto Parsing Engine (APE) is free software: you can redistribute it and/or modify it
% under the terms of the GNU Lesser General Public License as published by the Free Software
% Foundation, either version 3 of the License, or (at your option) any later version.
%
% The Attempto Parsing Engine (APE) is distributed in the hope that it will be useful, but WITHOUT
% ANY WARRANTY; without even the implied warranty of MERCHANTABILITY or FITNESS FOR A PARTICULAR
% PURPOSE. See the GNU Lesser General Public License for more details.
%
% You should have received a copy of the GNU Lesser General Public License along with the Attempto
% Parsing Engine (APE). If not, see http://www.gnu.org/licenses/.
%:- module(functionwords, [
% functionword/1,
% variable/1,
% rawnumber_number/2,
% propername_prefix/2,
% noun_prefix/2,
% verb_prefix/1,
% modif_prefix/1
% ]).
/** <module> Function Words
This module stores the different kinds of function words.
@author Kaarel Kaljurand
@author Tobias Kuhn
@version 2008-06-26
*/
%% functionword(?FunctionWord) is det.
%
functionword(whose).
functionword(for).
functionword('There').
functionword(there).
functionword(and).
functionword(or).
functionword(not).
functionword(that).
functionword(than).
functionword(of).
functionword(s).
%modification
functionword('''').
functionword('"').
functionword('/').
functionword('\\').
functionword('-').
functionword('+').
functionword('&').
functionword('*').
functionword('(').
functionword(')').
functionword('[').
functionword(']').
functionword('}').
functionword('{').
functionword('<').
functionword('=').
functionword('>').
functionword('.').
functionword('?').
functionword('!').
functionword(',').
functionword(':').
functionword('If').
functionword(if).
functionword(then).
functionword('such').
functionword('be').
functionword('isn').
functionword('aren').
functionword('doesn').
functionword('don').
functionword('provably').
functionword(more).
functionword(most).
functionword(least).
functionword(less).
functionword(but).
functionword(true).
functionword(false).
functionword(possible).
functionword(necessary).
functionword(recommended).
functionword(admissible).
functionword('-thing').
functionword('-body').
functionword('-one').
functionword('something').
functionword('somebody').
functionword('someone').
functionword('nothing').
functionword('nobody').
functionword('noone').
functionword('everything').
functionword('everybody').
functionword('everyone').
functionword('one').
functionword('A').
functionword('All').
functionword('An').
functionword('Are').
functionword('Can').
functionword('Do').
functionword('Does').
functionword('Each').
functionword('Every').
functionword('Exactly').
functionword('He').
functionword('Her').
functionword('His').
functionword('How').
functionword('Is').
functionword('It').
functionword('Its').
functionword('May').
functionword('Must').
functionword('No').
functionword('She').
functionword('Should').
functionword('Some').
functionword('The').
functionword('Their').
functionword('They').
functionword('What').
functionword('When').
functionword('Where').
functionword('Which').
functionword('Who').
functionword('Whose').
functionword(a).
functionword(all).
functionword(an).
functionword(are).
functionword(can).
functionword(do).
functionword(does).
functionword(each).
functionword(every).
functionword(exactly).
functionword(he).
functionword(her).
functionword(herself).
functionword(him).
functionword(himself).
functionword(his).
functionword(how).
functionword(is).
functionword(it).
functionword(its).
functionword(itself).
functionword(may).
functionword(must).
functionword(no).
functionword(she).
functionword(should).
functionword(some).
functionword(the).
functionword(their).
functionword(them).
functionword(themselves).
functionword(they).
functionword(what).
functionword(when).
functionword(where).
functionword(which).
functionword(who).
functionword(at).
functionword(by).
functionword(^). % used interally to mark the beginning of a sentence
functionword('For').
functionword('At').
functionword('Less').
functionword('More').
functionword(you).
functionword('You').
functionword(your).
functionword('Your').
functionword(yourself).
functionword(yourselves).
functionword(to). % e.g. "wants to"
functionword(own). % e.g. "his own"
functionword(many). % e.g. "how many"
functionword(much). % e.g. "how much"
%% variable(+Word) is det.
%
variable(Word) :-
atom(Word),
atom_codes(Word, [First|Rest]),
65 =< First,
First =< 90,
digits(Rest).
%% digits(+String) is det.
%
digits([]).
digits([D|Rest]) :-
48 =< D,
D =< 57,
digits(Rest).
%% rawnumber_number(+RawNumber:term, -Number:integer) is det.
%
% @param RawNumber is either an integer or an English word denoting a small positive integer
% @param Number is an integer
%
% Only integers 0-12 are supported as words.
rawnumber_number(RawNumber, RawNumber) :-
number(RawNumber).
rawnumber_number(null, 0).
rawnumber_number(zero, 0).
rawnumber_number(one, 1).
rawnumber_number(two, 2).
rawnumber_number(three, 3).
rawnumber_number(four, 4).
rawnumber_number(five, 5).
rawnumber_number(six, 6).
rawnumber_number(seven, 7).
rawnumber_number(eight, 8).
rawnumber_number(nine, 9).
rawnumber_number(ten, 10).
rawnumber_number(eleven, 11).
rawnumber_number(twelve, 12).
rawnumber_number(dozen, 12).
% Capitalized versions of the number words
% as numbers can also be used at the beginning of
% the sentences, e.g. 'Four men wait.'
rawnumber_number('Null', 0).
rawnumber_number('Zero', 0).
rawnumber_number('One', 1).
rawnumber_number('Two', 2).
rawnumber_number('Three', 3).
rawnumber_number('Four', 4).
rawnumber_number('Five', 5).
rawnumber_number('Six', 6).
rawnumber_number('Seven', 7).
rawnumber_number('Eight', 8).
rawnumber_number('Nine', 9).
rawnumber_number('Ten', 10).
rawnumber_number('Eleven', 11).
rawnumber_number('Twelve', 12).
rawnumber_number('Dozen', 12).
%% propername_prefix(+Prefix:atom, +Gender:atom, +Type:atom) is det.
%% noun_prefix(+Prefix:atom, +Gender:atom, +Type:atom) is det.
%% verb_prefix(+Prefix:atom, +Type:atom) is det.
%% modif_prefix(+Prefix:atom) is det.
%
% Definition of prefixes.
% Support for words which are not in the lexicon.
% Undefined words have to start with a prefix (e.g. `n' or `v'), e.g.
% ==
% A man v:backs-up the n:web-page of the n:pizza-delivery-service.
% ==
%
% Notes:
% * syntax disambiguates (and not morphology):
% the n:blah runs. AND the n:blah run. get different readings (singular vs plural respectively)
% the n:blah v:qwerty. (gets only singular reading, since this is arrived at first)
%
propername_prefix(pn, neutr).
propername_prefix(human, human).
propername_prefix(masc, masc).
propername_prefix(fem, fem).
propername_prefix(p, neutr).
propername_prefix(h, human).
propername_prefix(m, masc).
propername_prefix(f, fem).
propername_prefix(unknowncat, neutr).
propername_prefix(unknowncat, human).
propername_prefix(unknowncat, masc).
propername_prefix(unknowncat, fem).
noun_prefix(noun, neutr).
noun_prefix(human, human).
noun_prefix(masc, masc).
noun_prefix(fem, fem).
noun_prefix(n, neutr).
noun_prefix(h, human).
noun_prefix(m, masc).
noun_prefix(f, fem).
noun_prefix(unknowncat, neutr).
noun_prefix(unknowncat, human).
noun_prefix(unknowncat, masc).
noun_prefix(unknowncat, fem).
verb_prefix(verb).
verb_prefix(v).
verb_prefix(unknowncat).
modif_prefix(a).
modif_prefix(unknowncat).
| {
"content_hash": "b2d14ad53d3c2cb5e99c805270e88c68",
"timestamp": "",
"source": "github",
"line_count": 311,
"max_line_length": 98,
"avg_line_length": 24.366559485530548,
"alnum_prop": 0.7325151755080496,
"repo_name": "tiantiangao7/kalm",
"id": "2e380179b9ba8628bc0ca221b6886d9c047cfd1c",
"size": "7578",
"binary": false,
"copies": "1",
"ref": "refs/heads/master",
"path": "scripts/prolog/ape/lexicon/functionwords.pl",
"mode": "33188",
"license": "bsd-3-clause",
"language": [
{
"name": "CSS",
"bytes": "405"
},
{
"name": "Java",
"bytes": "118557"
},
{
"name": "Perl",
"bytes": "2107"
},
{
"name": "Perl 6",
"bytes": "5911"
},
{
"name": "Prolog",
"bytes": "6767485"
},
{
"name": "Shell",
"bytes": "1660"
}
],
"symlink_target": ""
} |
package aurelienribon.gdxsetupui;
import aurelienribon.utils.ParseUtils;
import java.util.List;
/**
* Skeleton for all the parameters related to a library definition.
* @author Aurelien Ribon | http://www.aurelienribon.com/
*/
public class LibraryDef {
public final String name;
public final String author;
public final String authorWebsite;
public final String description;
public final String homepage;
public final String logo;
public final String gwtModuleName;
public final String stableVersion;
public final String stableUrl;
public final String latestUrl;
public final List<String> libsCommon;
public final List<String> libsDesktop;
public final List<String> libsAndroid;
public final List<String> libsHtml;
public final List<String> libsIos;
public final List<String> data;
/**
* Creates a library definition by parsing the given text. If a parameter
* block is not found, it is replaced by a standard content.
*/
public LibraryDef(String content) {
this.name = ParseUtils.parseBlock(content, "name", "<unknown>");
this.author = ParseUtils.parseBlock(content, "author", "<unknown>");
this.authorWebsite = ParseUtils.parseBlock(content, "author-website", null);
this.description = ParseUtils.parseBlock(content, "description", "").replaceAll("\\s+", " ");
this.homepage = ParseUtils.parseBlock(content, "homepage", null);
this.logo = ParseUtils.parseBlock(content, "logo", null);
this.gwtModuleName = ParseUtils.parseBlock(content, "gwt", null);
this.stableVersion = ParseUtils.parseBlock(content, "stable-version", "<unknown>");
this.stableUrl = ParseUtils.parseBlock(content, "stable-url", null);
this.latestUrl = ParseUtils.parseBlock(content, "latest-url", null);
this.libsCommon = ParseUtils.parseBlockAsList(content, "libs-common");
this.libsDesktop = ParseUtils.parseBlockAsList(content, "libs-desktop");
this.libsAndroid = ParseUtils.parseBlockAsList(content, "libs-android");
this.libsHtml = ParseUtils.parseBlockAsList(content, "libs-html");
this.libsIos = ParseUtils.parseBlockAsList(content, "libs-ios");
this.data = ParseUtils.parseBlockAsList(content, "data");
}
} | {
"content_hash": "e7fe50d7d0c1ce6fdcb348757d12d0f6",
"timestamp": "",
"source": "github",
"line_count": 51,
"max_line_length": 95,
"avg_line_length": 42.13725490196079,
"alnum_prop": 0.7575616565844578,
"repo_name": "MathieuDuponchelle/gdx",
"id": "219807270e848d04569709f6a86fee3a8b8e924a",
"size": "2905",
"binary": false,
"copies": "1",
"ref": "refs/heads/master",
"path": "extensions/gdx-setup-ui/src/aurelienribon/gdxsetupui/LibraryDef.java",
"mode": "33188",
"license": "apache-2.0",
"language": [
{
"name": "Assembly",
"bytes": "299963"
},
{
"name": "Awk",
"bytes": "3965"
},
{
"name": "C",
"bytes": "11019832"
},
{
"name": "C#",
"bytes": "5046"
},
{
"name": "C++",
"bytes": "8682960"
},
{
"name": "Delphi",
"bytes": "17677"
},
{
"name": "Java",
"bytes": "11089892"
},
{
"name": "JavaScript",
"bytes": "265"
},
{
"name": "Lua",
"bytes": "63243"
},
{
"name": "Objective-C",
"bytes": "279124"
},
{
"name": "OpenEdge ABL",
"bytes": "8244"
},
{
"name": "PHP",
"bytes": "726"
},
{
"name": "Perl",
"bytes": "4054"
},
{
"name": "Python",
"bytes": "172284"
},
{
"name": "Racket",
"bytes": "577"
},
{
"name": "Ragel in Ruby Host",
"bytes": "26543"
},
{
"name": "Shell",
"bytes": "574836"
},
{
"name": "Smalltalk",
"bytes": "10092"
}
],
"symlink_target": ""
} |
Are there any images that look unusual? List the file name of any unusual images for this night here, with description:
+ `crazy-object-001R.fit` -- not sure what this is an image of
+ `another-crazy-object-003B.fit` -- this looks more like a flat than a science image.
+ `full-moon-005B.fit` -- nice satellite or plane track in here.
Delete this list if there are no unusual images.
## Missing information?
Check these off if they are true:
- [ ] No images are missing filter information (except BIAS and DARK, which need no filter).
- [ ] No images are missing pointing information (RA/Dec and WCS)
- [ ] No images are missing object names (only applies to science images)
- [x] EXAMPLE checked-off box, please delete.
If any images are missing information and you have been unable to fix them please list
them below with a short description of the problem.
+ `m34-002R.fit` -- no WCS, looks like there were maybe clouds.
+ `m404-001B.fit` -- Not sure what object this, and googling `m404` got me a 404.
+ `sa113-099V.fit` -- No filter in the FITS header, not sure what it should be.
## What, if anything, did you have to do to fix images on this night?
Remember, you should do your changes with scripts that you number and place in the
directory along with the data so the procedure could be repeated if needed or
desired.
Here, explain in English (not code) what you fixed, if anything.
| {
"content_hash": "fd784a2745ae9afa5eedf91147a421cf",
"timestamp": "",
"source": "github",
"line_count": 31,
"max_line_length": 119,
"avg_line_length": 45.193548387096776,
"alnum_prop": 0.7451820128479657,
"repo_name": "feder-observatory/processed_images",
"id": "d416f0ade8833dda34335f6bd8194ae22bfd9709",
"size": "1544",
"binary": false,
"copies": "1",
"ref": "refs/heads/main",
"path": "nights/2017-04-21-README.md",
"mode": "33188",
"license": "bsd-3-clause",
"language": [],
"symlink_target": ""
} |
package me.oriley.homage.recyclerview;
import android.animation.Animator;
abstract class SimpleAnimatorListener implements Animator.AnimatorListener {
@Override
public void onAnimationStart(Animator animation) {}
@Override
public void onAnimationEnd(Animator animation) {}
@Override
public void onAnimationCancel(Animator animation) {}
@Override
public void onAnimationRepeat(Animator animation) {}
}
| {
"content_hash": "61ed2c00ebadb13bd42ee42e1939f3d1",
"timestamp": "",
"source": "github",
"line_count": 20,
"max_line_length": 76,
"avg_line_length": 22.05,
"alnum_prop": 0.7619047619047619,
"repo_name": "oriley-me/homage",
"id": "608c69b0181bf2760d60f634e8d3ec31b7f79fa8",
"size": "1038",
"binary": false,
"copies": "1",
"ref": "refs/heads/master",
"path": "homage-recyclerview/src/main/java/me/oriley/homage/recyclerview/SimpleAnimatorListener.java",
"mode": "33188",
"license": "apache-2.0",
"language": [
{
"name": "Java",
"bytes": "68224"
}
],
"symlink_target": ""
} |
package org.jspare.jsdbc;
import static org.junit.Assert.fail;
import java.math.BigDecimal;
import java.util.ArrayList;
import java.util.List;
import org.apache.commons.lang.builder.ReflectionToStringBuilder;
import org.jspare.core.container.Environment;
import org.jspare.core.container.Inject;
import org.jspare.core.container.MySupport;
import org.jspare.jsdbc.entity.Car;
import org.jspare.jsdbc.exception.CommandFailException;
import org.jspare.jsdbc.exception.JsdbcException;
import org.jspare.jsdbc.model.Condition;
import org.jspare.jsdbc.model.ConditionType;
import org.jspare.jsdbc.model.CountResult;
import org.jspare.jsdbc.model.DataSource;
import org.jspare.jsdbc.model.Domain;
import org.jspare.jsdbc.model.Instance;
import org.jspare.jsdbc.model.ListDomainsResult;
import org.jspare.jsdbc.model.ListInstancesResult;
import org.jspare.jsdbc.model.Query;
import org.jspare.jsdbc.model.QueryResult;
import org.jspare.jsdbc.model.Result;
import org.jspare.jsdbc.model.Status;
import org.jspare.jsdbc.model.StatusResult;
import org.jspare.jsdbc.model.User;
import org.junit.Assert;
import org.junit.Before;
import org.junit.BeforeClass;
import org.junit.Test;
import io.github.lukehutch.fastclasspathscanner.utils.Log;
/**
* The Class JsdbcTest.
*
* @author pflima
* @since 04/05/2016
*/
public class JsdbcTest extends MySupport {
/** The jsdbc. */
@Inject
private Jsdbc jsdbc;
/**
* Pre setup.
*/
@BeforeClass
public static void preSetup() {
Environment.registryComponent(JsdbcMockedImpl.class);
}
/**
* Setup.
*/
@Before
public void setup() {
jsdbc.dataSource(new DataSource("teste", "http://127.0.0.1", 5732));
}
/**
* Test status.
*
* @throws CommandFailException
* the command fail exception
* @throws JsdbcException
* the jsdbc exception
*/
@Test
public void testStatus() throws CommandFailException, JsdbcException {
StatusResult result = jsdbc.status();
Assert.assertEquals(Status.SUCCESS, result.getStatus());
}
/**
* Test add user.
*
* @throws CommandFailException
* the command fail exception
* @throws JsdbcException
* the jsdbc exception
*/
@Test
public void testAddUser() throws CommandFailException, JsdbcException {
User user = new User().name("dev.user").key("dev.user");
user.roles().add("status");
user.roles().add("grantMngInstance");
user.roles().add("grantMngSecurity");
user.roles().add("grantMngDomain");
Result result = jsdbc.createUser(user);
Assert.assertEquals(Status.SUCCESS, result.getStatus());
}
/**
* Test get user.
*
* @throws CommandFailException
* the command fail exception
* @throws JsdbcException
* the jsdbc exception
*/
@Test
public void testGetUser() throws CommandFailException, JsdbcException {
User user = new User().name("Test User").key("test.user").mail("[email protected]");
jsdbc.createUser(user);
User result = jsdbc.getUser("test.user");
Log.log(ReflectionToStringBuilder.toString(result));
Assert.assertNotNull(result);
}
/**
* Test list user.
*
* @throws CommandFailException
* the command fail exception
* @throws JsdbcException
* the jsdbc exception
*/
@Test
public void testListUser() throws CommandFailException, JsdbcException {
List<User> users = jsdbc.listUsers();
Log.log(ReflectionToStringBuilder.toString(users));
Assert.assertNotNull(users);
}
/**
* Test remove user.
*
* @throws CommandFailException
* the command fail exception
* @throws JsdbcException
* the jsdbc exception
*/
@Test
public void testRemoveUser() throws CommandFailException, JsdbcException {
Result result = jsdbc.removeUser("test.user");
Assert.assertEquals(Status.SUCCESS, result.getStatus());
}
/**
* Test create instance.
*
* @throws CommandFailException
* the command fail exception
* @throws JsdbcException
* the jsdbc exception
*/
@Test
public void testCreateInstance() throws CommandFailException, JsdbcException {
Result result = jsdbc.createInstance(Instance.of("test-instance"));
Assert.assertEquals(Status.SUCCESS, result.getStatus());
}
/**
* Test remove instance.
*
* @throws CommandFailException
* the command fail exception
* @throws JsdbcException
* the jsdbc exception
*/
@Test
public void testRemoveInstance() throws CommandFailException, JsdbcException {
jsdbc.createInstance(Instance.of("test-instance"));
Result result = jsdbc.removeInstance(Instance.of("test-instance"));
Assert.assertEquals(Status.SUCCESS, result.getStatus());
}
/**
* Test remove wrong instance.
*
* @throws CommandFailException
* the command fail exception
* @throws JsdbcException
* the jsdbc exception
*/
@Test(expected = CommandFailException.class)
public void testRemoveWrongInstance() throws CommandFailException, JsdbcException {
jsdbc.removeInstance(Instance.of("test-wrong-instance"));
fail();
}
/**
* Test list instances.
*
* @throws CommandFailException
* the command fail exception
* @throws JsdbcException
* the jsdbc exception
*/
@Test
public void testListInstances() throws CommandFailException, JsdbcException {
ListInstancesResult instances = jsdbc.listInstances();
Assert.assertNotNull(instances);
}
/**
* Test create domain.
*
* @throws CommandFailException
* the command fail exception
* @throws JsdbcException
* the jsdbc exception
*/
@Test
public void testCreateDomain() throws CommandFailException, JsdbcException {
Result result = jsdbc.createDomain(Domain.of("jiraApiConfigs"));
Assert.assertEquals(Status.SUCCESS, result.getStatus());
}
/**
* Test remove domain.
*
* @throws CommandFailException
* the command fail exception
* @throws JsdbcException
* the jsdbc exception
*/
@Test
public void testRemoveDomain() throws CommandFailException, JsdbcException {
jsdbc.createDomain(Domain.of("cars"));
Result result = jsdbc.removeDomain(Domain.of("cars"));
Assert.assertEquals(Status.SUCCESS, result.getStatus());
}
/**
* Test list domains.
*
* @throws CommandFailException
* the command fail exception
* @throws JsdbcException
* the jsdbc exception
*/
@Test
public void testListDomains() throws CommandFailException, JsdbcException {
jsdbc.createDomain(Domain.of("cars"));
ListDomainsResult listDomains = jsdbc.listDomains();
Assert.assertTrue(listDomains.getResult().getDomains().size() > 0);
}
/**
* Test persist.
*
* @throws CommandFailException
* the command fail exception
* @throws JsdbcException
* the jsdbc exception
*/
@Test
public void testPersist() throws CommandFailException, JsdbcException {
jsdbc.createDomain(Domain.of("cars"));
Car car = new Car("bbb4869", "Punto", 2011, new BigDecimal(25000));
Result result = jsdbc.persist(car);
Assert.assertEquals(Status.SUCCESS, result.getStatus());
}
/**
* Test persist batch.
*
* @throws CommandFailException
* the command fail exception
* @throws JsdbcException
* the jsdbc exception
*/
@Test
public void testPersistBatch() throws CommandFailException, JsdbcException {
jsdbc.createDomain(Domain.of("cars"));
List<Car> cars = new ArrayList<>();
cars.add(new Car("aaa123", "500", 2014, new BigDecimal(75000)));
cars.add(new Car("bbb222", "BMW X5", 2016, new BigDecimal(85000)));
Result result = jsdbc.persist(Domain.of("cars"), cars);
Assert.assertEquals(Status.SUCCESS, result.getStatus());
}
/**
* Test remove.
*
* @throws CommandFailException
* the command fail exception
* @throws JsdbcException
* the jsdbc exception
*/
@Test
public void testRemove() throws CommandFailException, JsdbcException {
jsdbc.createDomain(Domain.of("cars"));
Car car = new Car("bbb4869", "Punto", 2011, new BigDecimal(25000));
jsdbc.persist(car);
Result result = jsdbc.remove(car);
Assert.assertEquals(Status.SUCCESS, result.getStatus());
}
/**
* Test count.
*
* @throws CommandFailException
* the command fail exception
* @throws JsdbcException
* the jsdbc exception
*/
@Test
public void testCount() throws CommandFailException, JsdbcException {
Query query = new Query().forDomain(Domain.of("cars"), Car.class);
CountResult result = jsdbc.count(query);
Assert.assertNotNull(result);
Assert.assertEquals(Integer.valueOf(1), result.getCount());
}
/**
* Test query for.
*
* @throws CommandFailException
* the command fail exception
* @throws JsdbcException
* the jsdbc exception
*/
@Test
public void testQueryFor() throws CommandFailException, JsdbcException {
Query query = new Query().forDomain(Domain.of("car"), Car.class);
QueryResult<Car> result = jsdbc.queryFor(query);
Assert.assertNotNull(result);
}
/**
* Test query for with sort by.
*
* @throws CommandFailException
* the command fail exception
* @throws JsdbcException
* the jsdbc exception
*/
@Test
public void testQueryForWithSortBy() throws CommandFailException, JsdbcException {
Query query = new Query().forDomain(Domain.of("cars"), Car.class);
QueryResult<Car> result = jsdbc.queryFor(query);
Assert.assertNotNull(result);
}
/**
* Test query for with condition.
*
* @throws CommandFailException
* the command fail exception
* @throws JsdbcException
* the jsdbc exception
*/
@Test
public void testQueryForWithCondition() throws CommandFailException, JsdbcException {
Query query = new Query().forDomain(Domain.of("cars"), Car.class)
.where(Condition.of("name", ConditionType.CONTAINS, "X5"));
QueryResult<Car> result = jsdbc.queryFor(query);
Assert.assertNotNull(result);
}
/**
* Test query for where.
*
* @throws CommandFailException
* the command fail exception
* @throws JsdbcException
* the jsdbc exception
*/
@Test
public void testQueryForWhere() throws CommandFailException, JsdbcException {
Query query = new Query().forDomain(Domain.of("cars"), Car.class).where("name", "Cruze");
QueryResult<Car> result = jsdbc.queryFor(query);
Assert.assertNotNull(result);
}
/**
* Test query for key.
*
* @throws CommandFailException
* the command fail exception
* @throws JsdbcException
* the jsdbc exception
*/
@Test
public void testQueryForKey() throws CommandFailException, JsdbcException {
Query query = new Query().forDomain(Domain.of("cars"), Car.class).byKey("Cruze");
QueryResult<Car> result = jsdbc.queryFor(query);
Assert.assertNotNull(result);
}
}
| {
"content_hash": "071a1dd9129495eb534d79ccadc22153",
"timestamp": "",
"source": "github",
"line_count": 444,
"max_line_length": 91,
"avg_line_length": 24.68918918918919,
"alnum_prop": 0.6891990512680168,
"repo_name": "jspare-framework/jsdb",
"id": "38a600a74e99de9e416e27fe53bc752c45b5c463",
"size": "11557",
"binary": false,
"copies": "1",
"ref": "refs/heads/master",
"path": "jsdbc/src/test/java/org/jspare/jsdbc/JsdbcTest.java",
"mode": "33188",
"license": "apache-2.0",
"language": [
{
"name": "CSS",
"bytes": "9963"
},
{
"name": "HTML",
"bytes": "6766"
},
{
"name": "Java",
"bytes": "139389"
},
{
"name": "JavaScript",
"bytes": "151854"
}
],
"symlink_target": ""
} |
// @flow
import React, { PropTypes } from 'react'
import { View, ScrollView, Text, TouchableOpacity, Image } from 'react-native'
import { connect } from 'react-redux'
import LoginActions, { isLoggedIn } from '../Redux/LoginRedux'
import TemperatureActions from '../Redux/TemperatureRedux'
import { Actions as NavigationActions } from 'react-native-router-flux'
import { Colors, Images, Metrics } from '../Themes'
import RoundedButton from '../Components/RoundedButton'
// external libs
import Icon from 'react-native-vector-icons/FontAwesome'
import * as Animatable from 'react-native-animatable'
// Enable when you have configured Xcode
// import PushNotification from 'react-native-push-notification'
import I18n from 'react-native-i18n'
// Styles
import styles from './Styles/UsageExamplesScreenStyle'
class UsageExamplesScreen extends React.Component {
componentWillReceiveProps (nextProps) {
// Request push premissions only if the user has logged in.
const { loggedIn } = nextProps;
if (loggedIn) {
/*
* If you have turned on Push in Xcode, http://i.imgur.com/qFDRhQr.png
* uncomment this code below and import at top
*/
// if (__DEV__) console.log('Requesting push notification permissions.')
// PushNotification.requestPermissions()
}
}
// fires when we tap the rocket!
handlePressRocket = () => {
this.props.requestTemperature('Boise')
};
// fires when tap send
handlePressSend = () => {
this.props.requestTemperature('Toronto')
};
// fires when tap star
handlePressStar = () => {
this.props.requestTemperature('New Orleans')
};
renderLoginButton () {
return (
<RoundedButton onPress={NavigationActions.login}>
{I18n.t('signIn')}
</RoundedButton>
)
}
renderLogoutButton () {
return (
<RoundedButton onPress={this.props.logout}>
{I18n.t('logOut')}
</RoundedButton>
)
}
renderHeader (title) {
return (
<View style={styles.componentLabelContainer}>
<Text style={styles.componentLabel}>{title}</Text>
</View>
)
}
renderUsageExamples () {
const { loggedIn, temperature, city } = this.props;
return (
<View>
{this.renderHeader(I18n.t('loginLogoutExampleTitle'))}
{loggedIn ? this.renderLogoutButton() : this.renderLoginButton()}
{this.renderHeader('I18n Locale')}
<View style={styles.groupContainer}>
<Text style={styles.locale}>{I18n.locale}</Text>
</View>
{this.renderHeader(I18n.t('api') + `: ${city}`)}
<View style={[styles.groupContainer, {height: 50}]}>
<Text style={styles.temperature}>{temperature && `${temperature} ${I18n.t('tempIndicator')}`}</Text>
</View>
{this.renderHeader(I18n.t('rnVectorIcons'))}
<View style={styles.groupContainer}>
<TouchableOpacity onPress={this.handlePressRocket}>
<Icon name='rocket' size={Metrics.icons.medium} color={Colors.ember} />
</TouchableOpacity>
<TouchableOpacity onPress={this.handlePressSend}>
<Icon name='send' size={Metrics.icons.medium} color={Colors.error} />
</TouchableOpacity>
<TouchableOpacity onPress={this.handlePressStar}>
<Icon name='star' size={Metrics.icons.medium} color={Colors.snow} />
</TouchableOpacity>
<Icon name='trophy' size={Metrics.icons.medium} color={Colors.error} />
<Icon name='warning' size={Metrics.icons.medium} color={Colors.ember} />
</View>
<View style={styles.groupContainer}>
<Icon.Button name='facebook' style={styles.facebookButton} backgroundColor={Colors.facebook} onPress={() => window.alert('Facebook')}>
{I18n.t('loginWithFacebook')}
</Icon.Button>
</View>
{this.renderHeader(I18n.t('rnAnimatable'))}
<View style={styles.groupContainer}>
<Animatable.Text animation='fadeIn' iterationCount='infinite' direction='alternate' style={styles.subtitle}>{I18n.t('rnAnimatable')}</Animatable.Text>
<Animatable.Image animation='pulse' iterationCount='infinite' source={Images.logo} />
<Animatable.View animation='jello' iterationCount='infinite' >
<Icon name='cab' size={Metrics.icons.medium} color={Colors.snow} />
</Animatable.View>
</View>
{this.renderHeader(I18n.t('igniteGenerated'))}
<View>
<RoundedButton text='Listview' onPress={NavigationActions.listviewExample} />
</View>
<View>
<RoundedButton text='Listview Grid' onPress={NavigationActions.listviewGridExample} />
</View>
<View>
<RoundedButton text='Listview Sections' onPress={NavigationActions.listviewSectionsExample} />
</View>
<View>
<RoundedButton text='Mapview' onPress={NavigationActions.mapviewExample} />
</View>
</View>
)
}
render () {
return (
<View style={styles.mainContainer}>
<Image source={Images.background} style={styles.backgroundImage} resizeMode='stretch' />
<ScrollView style={styles.container}>
<View style={styles.section}>
<Text style={styles.sectionText} >
The Usage Examples screen is a playground for 3rd party libs and logic proofs.
Items on this screen can be composed of multiple components working in concert. Functionality demos of libs and practices
</Text>
</View>
{this.renderUsageExamples()}
</ScrollView>
</View>
)
}
}
UsageExamplesScreen.propTypes = {
loggedIn: PropTypes.bool,
temperature: PropTypes.number,
city: PropTypes.string,
logout: PropTypes.func,
requestTemperature: PropTypes.func
};
const mapStateToProps = (state) => {
return {
loggedIn: isLoggedIn(state.login),
temperature: state.temperature.temperature,
city: state.temperature.city
}
};
const mapDispatchToProps = (dispatch) => {
return {
logout: () => dispatch(LoginActions.logout()),
requestTemperature: (city) => dispatch(TemperatureActions.temperatureRequest(city))
}
};
export default connect(mapStateToProps, mapDispatchToProps)(UsageExamplesScreen)
| {
"content_hash": "52202ba71385d7eb347cda5a80d482a4",
"timestamp": "",
"source": "github",
"line_count": 174,
"max_line_length": 170,
"avg_line_length": 40.86206896551724,
"alnum_prop": 0.5739803094233474,
"repo_name": "HyphenateInc/hyphenate-react-native",
"id": "510986d2aef25bfffd0761be04ce40b2b9d7d5c6",
"size": "7110",
"binary": false,
"copies": "1",
"ref": "refs/heads/master",
"path": "App/Containers/UsageExamplesScreen.js",
"mode": "33188",
"license": "mit",
"language": [
{
"name": "Java",
"bytes": "1737"
},
{
"name": "JavaScript",
"bytes": "461665"
},
{
"name": "Objective-C",
"bytes": "4383"
},
{
"name": "Python",
"bytes": "1631"
},
{
"name": "Ruby",
"bytes": "4972"
}
],
"symlink_target": ""
} |
.. _admin.server_diag:
=====================================
Getting information about your server
=====================================
This is just a cheat sheet for quick reference. No warranty whatsoever.
.. contents::
:local:
:depth: 1
.. highlight:: console
What operating system is running on this machine::
$ uname -a
$ hostnamectl
For how long has this server been running since book::
$ uptime
Show a list of other system users (only those who can open a shell)::
$ grep sh$ /etc/passwd
List of users who are working on this server at the moment::
$ who -Hu
What type of hardware this server is running on::
$ cat /sys/class/dmi/id/sys_vendor
$ cat /sys/class/dmi/id/product_name
What processes are running on this server::
$ pstree -pa 1
See the main system logs::
$ sudo dmesg
$ sudo journalctl
External links:
- https://opensource.com/article/20/12/linux-server
| {
"content_hash": "2f54bb2d0daf05d5998a9cb22efccaae",
"timestamp": "",
"source": "github",
"line_count": 49,
"max_line_length": 71,
"avg_line_length": 18.73469387755102,
"alnum_prop": 0.6514161220043573,
"repo_name": "lino-framework/book",
"id": "843c9267b21f0e4fb6374ab8a04ccb76ba989436",
"size": "918",
"binary": false,
"copies": "2",
"ref": "refs/heads/master",
"path": "docs/admin/server_diag.rst",
"mode": "33188",
"license": "bsd-2-clause",
"language": [
{
"name": "HTML",
"bytes": "3668"
},
{
"name": "JavaScript",
"bytes": "7140"
},
{
"name": "Python",
"bytes": "991438"
},
{
"name": "Shell",
"bytes": "989"
}
],
"symlink_target": ""
} |
var gulp = require('gulp');
var concat = require('gulp-concat');
var connect = require('gulp-connect');
var eslint = require('gulp-eslint');
var file = require('gulp-file');
var insert = require('gulp-insert');
var replace = require('gulp-replace');
var size = require('gulp-size');
var streamify = require('gulp-streamify');
var uglify = require('gulp-uglify');
var util = require('gulp-util');
var zip = require('gulp-zip');
var exec = require('child-process-promise').exec;
var karma = require('karma');
var browserify = require('browserify');
var source = require('vinyl-source-stream');
var merge = require('merge-stream');
var collapse = require('bundle-collapser/plugin');
var yargs = require('yargs');
var path = require('path');
var fs = require('fs');
var htmllint = require('gulp-htmllint');
var pkg = require('./package.json');
var argv = yargs
.option('force-output', {default: false})
.option('silent-errors', {default: false})
.option('verbose', {default: false})
.argv
var srcDir = './src/';
var outDir = './dist/';
var header = "\n";
if (argv.verbose) {
util.log("Gulp running with options: " + JSON.stringify(argv, null, 2));
}
gulp.task('bower', bowerTask);
gulp.task('build', buildTask);
gulp.task('package', packageTask);
gulp.task('watch', watchTask);
gulp.task('lint', ['lint-html', 'lint-js']);
gulp.task('lint-html', lintHtmlTask);
gulp.task('lint-js', lintJsTask);
gulp.task('docs', docsTask);
gulp.task('test', ['lint', 'unittest']);
gulp.task('size', ['library-size', 'module-sizes']);
gulp.task('server', serverTask);
gulp.task('unittest', unittestTask);
gulp.task('library-size', librarySizeTask);
gulp.task('module-sizes', moduleSizesTask);
gulp.task('_open', _openTask);
gulp.task('dev', ['server', 'default']);
gulp.task('default', ['build', 'watch']);
/**
* Generates the bower.json manifest file which will be pushed along release tags.
* Specs: https://github.com/bower/spec/blob/master/json.md
*/
function bowerTask() {
var json = JSON.stringify({
name: pkg.name,
description: pkg.description,
homepage: pkg.homepage,
license: pkg.license,
version: pkg.version,
main: outDir + "Chart.js",
ignore: [
'.github',
'.codeclimate.yml',
'.gitignore',
'.npmignore',
'.travis.yml',
'scripts'
]
}, null, 2);
return file('bower.json', json, { src: true })
.pipe(gulp.dest('./'));
}
function buildTask() {
var errorHandler = function (err) {
if(argv.forceOutput) {
var browserError = 'console.error("Gulp: ' + err.toString() + '")';
['Chart', 'Chart.min', 'Chart.bundle', 'Chart.bundle.min'].forEach(function(fileName) {
fs.writeFileSync(outDir+fileName+'.js', browserError);
});
}
if(argv.silentErrors) {
util.log(util.colors.red('[Error]'), err.toString());
this.emit('end');
} else {
throw err;
}
}
var bundled = browserify('./src/chart.js', { standalone: 'Chart' })
.plugin(collapse)
.bundle()
.on('error', errorHandler)
.pipe(source('Chart.bundle.js'))
.pipe(insert.prepend(header))
.pipe(streamify(replace('{{ version }}', pkg.version)))
.pipe(gulp.dest(outDir))
.pipe(streamify(uglify()))
.pipe(insert.prepend(header))
.pipe(streamify(replace('{{ version }}', pkg.version)))
.pipe(streamify(concat('Chart.bundle.min.js')))
.pipe(gulp.dest(outDir));
var nonBundled = browserify('./src/chart.js', { standalone: 'Chart' })
.ignore('moment')
.plugin(collapse)
.bundle()
.on('error', errorHandler)
.pipe(source('Chart.js'))
.pipe(insert.prepend(header))
.pipe(streamify(replace('{{ version }}', pkg.version)))
.pipe(gulp.dest(outDir))
.pipe(streamify(uglify()))
.pipe(insert.prepend(header))
.pipe(streamify(replace('{{ version }}', pkg.version)))
.pipe(streamify(concat('Chart.min.js')))
.pipe(gulp.dest(outDir));
return merge(bundled, nonBundled);
}
function packageTask() {
return merge(
// gather "regular" files landing in the package root
gulp.src([outDir + '*.js', 'LICENSE.md']),
// since we moved the dist files one folder up (package root), we need to rewrite
// samples src="../dist/ to src="../ and then copy them in the /samples directory.
gulp.src('./samples/**/*', { base: '.' })
.pipe(streamify(replace(/src="((?:\.\.\/)+)dist\//g, 'src="$1')))
)
// finally, create the zip archive
.pipe(zip('Chart.js.zip'))
.pipe(gulp.dest(outDir));
}
function lintJsTask() {
var files = [
'samples/**/*.html',
'samples/**/*.js',
'src/**/*.js',
'test/**/*.js'
];
// NOTE(SB) codeclimate has 'complexity' and 'max-statements' eslint rules way too strict
// compare to what the current codebase can support, and since it's not straightforward
// to fix, let's turn them as warnings and rewrite code later progressively.
var options = {
rules: {
'complexity': [1, 10],
'max-statements': [1, 30]
}
};
return gulp.src(files)
.pipe(eslint(options))
.pipe(eslint.format())
.pipe(eslint.failAfterError());
}
function lintHtmlTask() {
return gulp.src('samples/**/*.html')
.pipe(htmllint({
failOnError: true,
}));
}
function docsTask(done) {
const script = require.resolve('gitbook-cli/bin/gitbook.js');
const cmd = process.execPath;
exec([cmd, script, 'install', './'].join(' ')).then(() => {
return exec([cmd, script, argv.watch ? 'serve' : 'build', './', './dist/docs'].join(' '));
}).catch((err) => {
console.error(err.stdout);
}).then(() => {
done();
});
}
function unittestTask(done) {
new karma.Server({
configFile: path.join(__dirname, 'karma.conf.js'),
singleRun: !argv.watch,
args: {
coverage: !!argv.coverage,
inputs: argv.inputs
? argv.inputs.split(';')
: ['./test/specs/**/*.js']
}
},
// https://github.com/karma-runner/gulp-karma/issues/18
function(error) {
error = error ? new Error('Karma returned with the error code: ' + error) : undefined;
done(error);
}).start();
}
function librarySizeTask() {
return gulp.src('dist/Chart.bundle.min.js')
.pipe(size({
gzip: true
}));
}
function moduleSizesTask() {
return gulp.src(srcDir + '**/*.js')
.pipe(uglify())
.pipe(size({
showFiles: true,
gzip: true
}));
}
function watchTask() {
if (util.env.test) {
return gulp.watch('./src/**', ['build', 'unittest', 'unittestWatch']);
}
return gulp.watch('./src/**', ['build']);
}
function serverTask() {
connect.server({
port: 8000
});
}
// Convenience task for opening the project straight from the command line
function _openTask() {
exec('open http://localhost:8000');
exec('subl .');
}
| {
"content_hash": "faed5925a5e1094f2fc3db8e914670d8",
"timestamp": "",
"source": "github",
"line_count": 245,
"max_line_length": 94,
"avg_line_length": 27.791836734693877,
"alnum_prop": 0.6156557497429872,
"repo_name": "simonbrunel/Chart.js",
"id": "daba620f0f55c9bc84386814911e88dfbd2000d8",
"size": "7110",
"binary": false,
"copies": "1",
"ref": "refs/heads/master",
"path": "gulpfile.js",
"mode": "33188",
"license": "mit",
"language": [
{
"name": "JavaScript",
"bytes": "863369"
},
{
"name": "Shell",
"bytes": "2877"
}
],
"symlink_target": ""
} |
<?php
namespace Viagogo\Clients;
use Viagogo\Core\ViagogoRequestParams;
use Viagogo\Resources\Resources;
/**
*
*/
class WebhookClient extends Client {
public function getAllWebhooks(ViagogoRequestParams $params = null) {
return $this->getAllResources('webhooks', $params, Resources::Webhook);
}
public function createWebhook($webhook, ViagogoRequestParams $params = null) {
return $this->post('webhooks', $webhook, $params, Resources::Webhook);
}
public function deleteWebhook($webhookId, ViagogoRequestParams $params = null) {
return $this->delete('webhooks/'. $webhookId, $params, Resources::Webhook);
}
} | {
"content_hash": "5a31cb3cbc67e03a499d73e71b915188",
"timestamp": "",
"source": "github",
"line_count": 24,
"max_line_length": 81,
"avg_line_length": 26.125,
"alnum_prop": 0.7464114832535885,
"repo_name": "viagogo/gogokit.php",
"id": "1c87090c0f59d71c013dbc1815969ad432c25a9b",
"size": "627",
"binary": false,
"copies": "1",
"ref": "refs/heads/master",
"path": "src/clients/WebhookClient.php",
"mode": "33188",
"license": "mit",
"language": [
{
"name": "PHP",
"bytes": "48090"
}
],
"symlink_target": ""
} |
<?php
namespace AudioManager\Adapter\Polly;
use AudioManager\Exception\RuntimeException;
/**
* @package Adapter\Polly
*/
class CredentialsOptions
{
protected $key;
protected $secret;
/**
* CredentialsOptions constructor.
* @param array $options
*/
public function __construct(array $options = [])
{
if (!empty($options)) {
if (isset($options['key']) && isset($options['secret'])) {
$this->key = $options['key'];
$this->secret = $options['secret'];
} else {
throw new RuntimeException('Need to setup array[\'key\'=>\'\',\'secret\'=>\'\']');
}
}
}
/**
* @return string
*/
public function getKey()
{
if (!$this->key) {
throw new RuntimeException('Need setup `key` to credentials');
}
return $this->key;
}
/**
* @param string $key
* @return CredentialsOptions
*/
public function setKey($key)
{
$this->key = $key;
return $this;
}
/**
* @return string
*/
public function getSecret()
{
if (!$this->key) {
throw new RuntimeException('Need setup `secret` to credentials');
}
return $this->secret;
}
/**
* @param string $secret
* @return CredentialsOptions
*/
public function setSecret($secret)
{
$this->secret = $secret;
return $this;
}
}
| {
"content_hash": "7db822eb7a6e54e94216f2ba803bd6c3",
"timestamp": "",
"source": "github",
"line_count": 72,
"max_line_length": 98,
"avg_line_length": 20.791666666666668,
"alnum_prop": 0.5076820307281229,
"repo_name": "newage/AudioManager",
"id": "7765ad9b29148f18ded20876ac7ff21c0791bc33",
"size": "1497",
"binary": false,
"copies": "1",
"ref": "refs/heads/master",
"path": "src/Adapter/Polly/CredentialsOptions.php",
"mode": "33188",
"license": "mit",
"language": [
{
"name": "PHP",
"bytes": "52059"
}
],
"symlink_target": ""
} |
def good_guess?(guess)
if guess == 42
return true
else
return false
end
end | {
"content_hash": "117b53a93d2213a4059b4cd717164743",
"timestamp": "",
"source": "github",
"line_count": 7,
"max_line_length": 22,
"avg_line_length": 12.714285714285714,
"alnum_prop": 0.6404494382022472,
"repo_name": "Jlesse/phase-0",
"id": "ec281083a9b4617fce575fcd025170a8b4fe8fb1",
"size": "168",
"binary": false,
"copies": "1",
"ref": "refs/heads/master",
"path": "week-4/good-guess/my_solution.rb",
"mode": "33188",
"license": "mit",
"language": [
{
"name": "CSS",
"bytes": "5434"
},
{
"name": "HTML",
"bytes": "22981"
},
{
"name": "JavaScript",
"bytes": "50932"
},
{
"name": "Ruby",
"bytes": "128959"
}
],
"symlink_target": ""
} |
namespace Mpdn.PlayerExtensions
{
partial class RemoteControlConfig
{
/// <summary>
/// Required designer variable.
/// </summary>
private System.ComponentModel.IContainer components = null;
/// <summary>
/// Clean up any resources being used.
/// </summary>
/// <param name="disposing">true if managed resources should be disposed; otherwise, false.</param>
protected override void Dispose(bool disposing)
{
if (disposing && (components != null))
{
components.Dispose();
}
base.Dispose(disposing);
}
#region Windows Form Designer generated code
/// <summary>
/// Required method for Designer support - do not modify
/// the contents of this method with the code editor.
/// </summary>
private void InitializeComponent()
{
this.btnOK = new System.Windows.Forms.Button();
this.btnCancel = new System.Windows.Forms.Button();
this.label1 = new System.Windows.Forms.Label();
this.txbPort = new System.Windows.Forms.TextBox();
this.SuspendLayout();
//
// btnOK
//
this.btnOK.DialogResult = System.Windows.Forms.DialogResult.OK;
this.btnOK.Location = new System.Drawing.Point(47, 48);
this.btnOK.Name = "btnOK";
this.btnOK.Size = new System.Drawing.Size(75, 23);
this.btnOK.TabIndex = 0;
this.btnOK.Text = "OK";
this.btnOK.UseVisualStyleBackColor = true;
//
// btnCancel
//
this.btnCancel.DialogResult = System.Windows.Forms.DialogResult.Cancel;
this.btnCancel.Location = new System.Drawing.Point(128, 48);
this.btnCancel.Name = "btnCancel";
this.btnCancel.Size = new System.Drawing.Size(75, 23);
this.btnCancel.TabIndex = 1;
this.btnCancel.Text = "Cancel";
this.btnCancel.UseVisualStyleBackColor = true;
//
// label1
//
this.label1.AutoSize = true;
this.label1.Location = new System.Drawing.Point(12, 9);
this.label1.Name = "label1";
this.label1.Size = new System.Drawing.Size(66, 13);
this.label1.TabIndex = 2;
this.label1.Text = "Remote Port";
//
// txbPort
//
this.txbPort.Location = new System.Drawing.Point(84, 6);
this.txbPort.Name = "txbPort";
this.txbPort.Size = new System.Drawing.Size(119, 20);
this.txbPort.TabIndex = 3;
this.txbPort.KeyUp += new System.Windows.Forms.KeyEventHandler(this.txbPort_KeyUp);
//
// RemoteControlConfig
//
this.AcceptButton = this.btnOK;
this.AutoScaleDimensions = new System.Drawing.SizeF(6F, 13F);
this.AutoScaleMode = System.Windows.Forms.AutoScaleMode.Font;
this.CancelButton = this.btnCancel;
this.ClientSize = new System.Drawing.Size(215, 83);
this.Controls.Add(this.txbPort);
this.Controls.Add(this.label1);
this.Controls.Add(this.btnCancel);
this.Controls.Add(this.btnOK);
this.FormBorderStyle = System.Windows.Forms.FormBorderStyle.FixedDialog;
this.MaximizeBox = false;
this.MinimizeBox = false;
this.Name = "RemoteControlConfig";
this.ShowIcon = false;
this.StartPosition = System.Windows.Forms.FormStartPosition.CenterParent;
this.Text = "RemoteControl Config";
this.ResumeLayout(false);
this.PerformLayout();
}
#endregion
private System.Windows.Forms.Button btnOK;
private System.Windows.Forms.Button btnCancel;
private System.Windows.Forms.Label label1;
private System.Windows.Forms.TextBox txbPort;
}
} | {
"content_hash": "82767873389e6f4f2e94b0b1d11da036",
"timestamp": "",
"source": "github",
"line_count": 104,
"max_line_length": 107,
"avg_line_length": 39.34615384615385,
"alnum_prop": 0.5664711632453568,
"repo_name": "zachsaw/PlayerExtensions",
"id": "b3c984eaee59ab85c99c547557f69df8adffd52d",
"size": "4094",
"binary": false,
"copies": "1",
"ref": "refs/heads/master",
"path": "PlayerExtensions/RemoteControlConfig.Designer.cs",
"mode": "33188",
"license": "mit",
"language": [
{
"name": "C#",
"bytes": "137345"
}
],
"symlink_target": ""
} |
FINAL
| {
"content_hash": "3cba06a08ab7f1cd21c0bd2d64199190",
"timestamp": "",
"source": "github",
"line_count": 1,
"max_line_length": 5,
"avg_line_length": 6,
"alnum_prop": 0.8333333333333334,
"repo_name": "nkouvelas/FINAL",
"id": "53a770db6d878520cd04427460f39b510f7fd970",
"size": "14",
"binary": false,
"copies": "1",
"ref": "refs/heads/master",
"path": "README.md",
"mode": "33188",
"license": "mit",
"language": [
{
"name": "C",
"bytes": "807"
},
{
"name": "C++",
"bytes": "17182"
}
],
"symlink_target": ""
} |
package com.doist.jobschedulercompat.job;
import com.doist.jobschedulercompat.JobInfo;
import com.doist.jobschedulercompat.PersistableBundle;
import com.doist.jobschedulercompat.util.BundleUtils;
import com.doist.jobschedulercompat.util.JobCreator;
import org.junit.After;
import org.junit.Before;
import org.junit.Test;
import org.junit.runner.RunWith;
import org.robolectric.RobolectricTestRunner;
import android.app.Application;
import android.net.Uri;
import android.os.Bundle;
import android.os.SystemClock;
import java.util.Collections;
import java.util.Iterator;
import java.util.concurrent.Semaphore;
import java.util.concurrent.TimeUnit;
import androidx.test.core.app.ApplicationProvider;
import static org.junit.Assert.assertEquals;
import static org.junit.Assert.assertTrue;
@RunWith(RobolectricTestRunner.class)
public class JobStoreTest {
private Application application;
private JobStore jobStore;
@Before
public void setup() {
application = ApplicationProvider.getApplicationContext();
jobStore = JobStore.get(application);
}
@After
public void teardown() {
synchronized (JobStore.LOCK) {
jobStore.clear();
}
}
@Test
public void testMaybeWriteStatusToDisk() {
JobInfo job = JobCreator.create(application)
.setRequiresCharging(true)
.setRequiredNetworkType(JobInfo.NETWORK_TYPE_ANY)
.setBackoffCriteria(10000L, JobInfo.BACKOFF_POLICY_EXPONENTIAL)
.setOverrideDeadline(20000L)
.setMinimumLatency(2000L)
.setPersisted(true)
.build();
JobStatus jobStatus = JobStatus.createFromJobInfo(job, "noop");
jobStore.add(jobStatus);
waitForJobStoreWrite();
// Manually load tasks from xml file.
JobStore.JobSet jobStatusSet = new JobStore.JobSet();
jobStore.readJobMapFromDisk(jobStatusSet);
assertEquals("Incorrect # of persisted tasks", 1, jobStatusSet.size());
JobStatus loaded = jobStatusSet.getJobs().get(0);
assertJobInfoEquals(job, loaded.getJob());
assertTrue("JobStore#containsJob invalid", jobStore.containsJob(jobStatus));
compareTimestampsSubjectToIoLatency(
"Early run-times not the same after read",
jobStatus.getEarliestRunTimeElapsed(),
loaded.getEarliestRunTimeElapsed());
compareTimestampsSubjectToIoLatency(
"Late run-times not the same after read",
jobStatus.getLatestRunTimeElapsed(),
loaded.getLatestRunTimeElapsed());
}
@Test
public void testWritingTwoFilesToDisk() {
JobInfo job1 = JobCreator.create(application)
.setRequiresDeviceIdle(true)
.setPeriodic(10000L)
.setRequiresCharging(true)
.setPersisted(true)
.build();
JobInfo job2 = JobCreator.create(application)
.setMinimumLatency(5000L)
.setBackoffCriteria(15000L, JobInfo.BACKOFF_POLICY_LINEAR)
.setOverrideDeadline(30000L)
.setRequiredNetworkType(JobInfo.NETWORK_TYPE_UNMETERED)
.setPersisted(true)
.build();
JobStatus jobStatus1 = JobStatus.createFromJobInfo(job1, "noop");
JobStatus jobStatus2 = JobStatus.createFromJobInfo(job2, "noop");
jobStore.add(jobStatus1);
jobStore.add(jobStatus2);
waitForJobStoreWrite();
JobStore.JobSet jobStatusSet = new JobStore.JobSet();
jobStore.readJobMapFromDisk(jobStatusSet);
assertEquals("Incorrect # of persisted tasks.", 2, jobStatusSet.size());
Iterator<JobStatus> it = jobStatusSet.getJobs().iterator();
JobStatus loaded1 = it.next();
JobStatus loaded2 = it.next();
// Reverse them so we know which comparison to make.
if (loaded1.getJobId() != job1.getId()) {
JobStatus tmp = loaded1;
loaded1 = loaded2;
loaded2 = tmp;
}
assertJobInfoEquals(job1, loaded1.getJob());
assertJobInfoEquals(job2, loaded2.getJob());
assertTrue("JobStore#containsJob invalid.", jobStore.containsJob(jobStatus1));
assertTrue("JobStore#containsJob invalid.", jobStore.containsJob(jobStatus2));
// Check that the loaded task has the correct runtimes.
compareTimestampsSubjectToIoLatency(
"Early run-times not the same after read.",
jobStatus1.getEarliestRunTimeElapsed(),
loaded1.getEarliestRunTimeElapsed());
compareTimestampsSubjectToIoLatency(
"Late run-times not the same after read.",
jobStatus1.getLatestRunTimeElapsed(),
loaded1.getLatestRunTimeElapsed());
compareTimestampsSubjectToIoLatency(
"Early run-times not the same after read.",
jobStatus2.getEarliestRunTimeElapsed(),
loaded2.getEarliestRunTimeElapsed());
compareTimestampsSubjectToIoLatency(
"Late run-times not the same after read.",
jobStatus2.getLatestRunTimeElapsed(),
loaded2.getLatestRunTimeElapsed());
}
@Test
public void testWritingTaskWithExtras() {
JobInfo.Builder builder =
JobCreator.create(application)
.setRequiresDeviceIdle(true)
.setPeriodic(10000L)
.setRequiresCharging(true)
.setPersisted(true);
PersistableBundle extras = new PersistableBundle();
extras.putDouble("hello", 3.2);
extras.putString("hi", "there");
extras.putInt("into", 3);
builder.setExtras(extras);
JobInfo job = builder.build();
JobStatus jobStatus = JobStatus.createFromJobInfo(job, "noop");
jobStore.add(jobStatus);
waitForJobStoreWrite();
JobStore.JobSet jobStatusSet = new JobStore.JobSet();
jobStore.readJobMapFromDisk(jobStatusSet);
assertEquals("Incorrect # of persisted tasks.", 1, jobStatusSet.size());
JobStatus loaded = jobStatusSet.getJobs().iterator().next();
assertJobInfoEquals(job, loaded.getJob());
}
public void testWritingTaskWithFlex() {
JobInfo.Builder builder =
JobCreator.create(application)
.setRequiresDeviceIdle(true)
.setPeriodic(TimeUnit.HOURS.toMillis(5), TimeUnit.HOURS.toMillis(1))
.setRequiresCharging(true)
.setPersisted(true);
JobStatus taskStatus = JobStatus.createFromJobInfo(builder.build(), "noop");
waitForJobStoreWrite();
JobStore.JobSet jobStatusSet = new JobStore.JobSet();
jobStore.readJobMapFromDisk(jobStatusSet);
assertEquals("Incorrect # of persisted tasks.", 1, jobStatusSet.size());
JobStatus loaded = jobStatusSet.getJobs().iterator().next();
assertEquals("Period not equal", loaded.getJob().getIntervalMillis(), taskStatus.getJob().getIntervalMillis());
assertEquals("Flex not equal", loaded.getJob().getFlexMillis(), taskStatus.getJob().getFlexMillis());
}
@Test
public void testMassivePeriodClampedOnRead() {
long period = TimeUnit.HOURS.toMillis(2);
JobInfo job = JobCreator.create(application).setPeriodic(period).setPersisted(true).build();
long invalidLateRuntimeElapsedMillis = SystemClock.elapsedRealtime() + (period) + period; // > period.
long invalidEarlyRuntimeElapsedMillis = invalidLateRuntimeElapsedMillis - period; // Early = (late - period).
JobStatus jobStatus =
new JobStatus(job, "noop", invalidEarlyRuntimeElapsedMillis, invalidLateRuntimeElapsedMillis);
jobStore.add(jobStatus);
waitForJobStoreWrite();
JobStore.JobSet jobStatusSet = new JobStore.JobSet();
jobStore.readJobMapFromDisk(jobStatusSet);
assertEquals("Incorrect # of persisted tasks.", 1, jobStatusSet.size());
JobStatus loaded = jobStatusSet.getJobs().iterator().next();
// Assert early runtime was clamped to be under now + period. We can do <= here b/c we'll
// call SystemClock.elapsedRealtime after doing the disk i/o.
long newNowElapsed = SystemClock.elapsedRealtime();
assertTrue("Early runtime wasn't correctly clamped.",
loaded.getEarliestRunTimeElapsed() <= newNowElapsed + period);
// Assert late runtime was clamped to be now + period + flex.
assertTrue("Early runtime wasn't correctly clamped.",
loaded.getEarliestRunTimeElapsed() <= newNowElapsed + period);
}
@Test
public void testSchedulerPersisted() {
JobInfo job = JobCreator.create(application)
.setOverrideDeadline(5000)
.setRequiredNetworkType(JobInfo.NETWORK_TYPE_NOT_ROAMING)
.setRequiresBatteryNotLow(true)
.setPersisted(true)
.build();
JobStatus jobStatus = JobStatus.createFromJobInfo(job, "noop");
jobStore.add(jobStatus);
waitForJobStoreWrite();
JobStore.JobSet jobStatusSet = new JobStore.JobSet();
jobStore.readJobMapFromDisk(jobStatusSet);
Iterator<JobStatus> it = jobStatusSet.getJobs().iterator();
assertTrue(it.hasNext());
assertEquals("Scheduler not correctly persisted.", "noop", it.next().getSchedulerTag());
}
@SuppressWarnings("unchecked")
@Test
public void testCompat() {
Uri uri = Uri.parse("doist.com");
String authority = "com.doist";
JobInfo.Builder builder =
JobCreator.create(application)
.addTriggerContentUri(new JobInfo.TriggerContentUri(uri, 0))
.setTriggerContentUpdateDelay(TimeUnit.SECONDS.toMillis(5))
.setTriggerContentMaxDelay(TimeUnit.SECONDS.toMillis(30));
Bundle transientExtras = new Bundle();
transientExtras.putBoolean("test", true);
builder.setTransientExtras(transientExtras);
JobInfo job = builder.build();
JobStatus jobStatus = JobStatus.createFromJobInfo(job, "noop");
jobStatus.changedUris = Collections.singleton(uri);
jobStatus.changedAuthorities = Collections.singleton(authority);
jobStore.add(jobStatus);
waitForJobStoreWrite();
JobStore.JobSet jobStatusSet = new JobStore.JobSet();
jobStore.readJobMapFromDisk(jobStatusSet);
assertEquals("Incorrect # of persisted tasks.", 1, jobStatusSet.size());
JobStatus loaded = jobStatusSet.getJobs().iterator().next();
assertEquals(jobStatus.changedUris, loaded.changedUris);
assertEquals(jobStatus.changedAuthorities, loaded.changedAuthorities);
assertJobInfoEquals(job, loaded.getJob());
}
private void waitForJobStoreWrite() {
try {
final Semaphore semaphore = new Semaphore(1);
semaphore.acquire();
jobStore.queue.offer(new Runnable() {
@Override
public void run() {
semaphore.release();
}
}, 1, TimeUnit.SECONDS);
semaphore.acquire();
} catch (InterruptedException e) {
e.printStackTrace();
}
}
/**
* Helper function to assert that two {@link JobInfo} are equal.
*/
private void assertJobInfoEquals(JobInfo first, JobInfo second) {
assertEquals("Different task ids", first.getId(), second.getId());
assertEquals("Different components", first.getService(), second.getService());
assertEquals("Different periodic status", first.isPeriodic(), second.isPeriodic());
assertEquals("Different period", first.getIntervalMillis(), second.getIntervalMillis());
assertEquals("Different initial backoff", first.getInitialBackoffMillis(), second.getInitialBackoffMillis());
assertEquals("Different backoff policy", first.getBackoffPolicy(), second.getBackoffPolicy());
assertEquals("Invalid charging constraint", first.isRequireCharging(), second.isRequireCharging());
assertEquals("Invalid battery not low constraint",
first.isRequireBatteryNotLow(), second.isRequireBatteryNotLow());
assertEquals("Invalid idle constraint", first.isRequireDeviceIdle(), second.isRequireDeviceIdle());
assertEquals("Invalid connectivity constraint", first.getNetworkType(), second.getNetworkType());
assertEquals("Invalid deadline constraint", first.hasLateConstraint(), second.hasLateConstraint());
assertEquals("Invalid delay constraint", first.hasEarlyConstraint(), second.hasEarlyConstraint());
assertEquals("Extras don't match", first.getExtras().toMap(10), second.getExtras().toMap(10));
assertEquals("Transient extras don't match",
BundleUtils.toMap(first.getTransientExtras(), 10),
BundleUtils.toMap(second.getTransientExtras(), 10));
}
/**
* Comparing timestamps before and after IO read/writes involves some latency.
*/
private void compareTimestampsSubjectToIoLatency(String error, long ts1, long ts2) {
assertTrue(error, Math.abs(ts1 - ts2) < TimeUnit.SECONDS.toMillis(1000));
}
}
| {
"content_hash": "8eb43673ded1389bce298b2560e2e83c",
"timestamp": "",
"source": "github",
"line_count": 313,
"max_line_length": 119,
"avg_line_length": 44.543130990415335,
"alnum_prop": 0.6334098407688997,
"repo_name": "Doist/JobSchedulerCompat",
"id": "541dbc486efdbfebd2feecefc247d03141502b08",
"size": "13942",
"binary": false,
"copies": "1",
"ref": "refs/heads/master",
"path": "library/src/test/java/com/doist/jobschedulercompat/job/JobStoreTest.java",
"mode": "33188",
"license": "mit",
"language": [
{
"name": "Java",
"bytes": "350306"
}
],
"symlink_target": ""
} |
#pragma once
#include <aws/events/CloudWatchEvents_EXPORTS.h>
#include <aws/core/utils/memory/stl/AWSString.h>
#include <utility>
namespace Aws
{
namespace Utils
{
namespace Json
{
class JsonValue;
class JsonView;
} // namespace Json
} // namespace Utils
namespace CloudWatchEvents
{
namespace Model
{
/**
* <p>Contains the client response parameters for the connection when OAuth is
* specified as the authorization type.</p><p><h3>See Also:</h3> <a
* href="http://docs.aws.amazon.com/goto/WebAPI/events-2015-10-07/ConnectionOAuthClientResponseParameters">AWS
* API Reference</a></p>
*/
class AWS_CLOUDWATCHEVENTS_API ConnectionOAuthClientResponseParameters
{
public:
ConnectionOAuthClientResponseParameters();
ConnectionOAuthClientResponseParameters(Aws::Utils::Json::JsonView jsonValue);
ConnectionOAuthClientResponseParameters& operator=(Aws::Utils::Json::JsonView jsonValue);
Aws::Utils::Json::JsonValue Jsonize() const;
/**
* <p>The client ID associated with the response to the connection request.</p>
*/
inline const Aws::String& GetClientID() const{ return m_clientID; }
/**
* <p>The client ID associated with the response to the connection request.</p>
*/
inline bool ClientIDHasBeenSet() const { return m_clientIDHasBeenSet; }
/**
* <p>The client ID associated with the response to the connection request.</p>
*/
inline void SetClientID(const Aws::String& value) { m_clientIDHasBeenSet = true; m_clientID = value; }
/**
* <p>The client ID associated with the response to the connection request.</p>
*/
inline void SetClientID(Aws::String&& value) { m_clientIDHasBeenSet = true; m_clientID = std::move(value); }
/**
* <p>The client ID associated with the response to the connection request.</p>
*/
inline void SetClientID(const char* value) { m_clientIDHasBeenSet = true; m_clientID.assign(value); }
/**
* <p>The client ID associated with the response to the connection request.</p>
*/
inline ConnectionOAuthClientResponseParameters& WithClientID(const Aws::String& value) { SetClientID(value); return *this;}
/**
* <p>The client ID associated with the response to the connection request.</p>
*/
inline ConnectionOAuthClientResponseParameters& WithClientID(Aws::String&& value) { SetClientID(std::move(value)); return *this;}
/**
* <p>The client ID associated with the response to the connection request.</p>
*/
inline ConnectionOAuthClientResponseParameters& WithClientID(const char* value) { SetClientID(value); return *this;}
private:
Aws::String m_clientID;
bool m_clientIDHasBeenSet;
};
} // namespace Model
} // namespace CloudWatchEvents
} // namespace Aws
| {
"content_hash": "98162d949050d96d31a17f5b35eca6d9",
"timestamp": "",
"source": "github",
"line_count": 86,
"max_line_length": 133,
"avg_line_length": 32.46511627906977,
"alnum_prop": 0.701647564469914,
"repo_name": "awslabs/aws-sdk-cpp",
"id": "131d30eaf79a48a08b53caf62c417e4f566c0db0",
"size": "2911",
"binary": false,
"copies": "2",
"ref": "refs/heads/master",
"path": "aws-cpp-sdk-events/include/aws/events/model/ConnectionOAuthClientResponseParameters.h",
"mode": "33188",
"license": "apache-2.0",
"language": [
{
"name": "C",
"bytes": "7596"
},
{
"name": "C++",
"bytes": "61740540"
},
{
"name": "CMake",
"bytes": "337520"
},
{
"name": "Java",
"bytes": "223122"
},
{
"name": "Python",
"bytes": "47357"
}
],
"symlink_target": ""
} |
package fr.openwide.core.commons.util.functional.builder.function;
public interface LongFunctionBuildState
<
TBuildResult,
TBooleanState extends BooleanFunctionBuildState<?, TBooleanState, TDateState, TIntegerState, TLongState, TDoubleState, TBigDecimalState, TStringState>,
TDateState extends DateFunctionBuildState<?, TBooleanState, TDateState, TIntegerState, TLongState, TDoubleState, TBigDecimalState, TStringState>,
TIntegerState extends IntegerFunctionBuildState<?, TBooleanState, TDateState, TIntegerState, TLongState, TDoubleState, TBigDecimalState, TStringState>,
TLongState extends LongFunctionBuildState<?, TBooleanState, TDateState, TIntegerState, TLongState, TDoubleState, TBigDecimalState, TStringState>,
TDoubleState extends DoubleFunctionBuildState<?, TBooleanState, TDateState, TIntegerState, TLongState, TDoubleState, TBigDecimalState, TStringState>,
TBigDecimalState extends BigDecimalFunctionBuildState<?, TBooleanState, TDateState, TIntegerState, TLongState, TDoubleState, TBigDecimalState, TStringState>,
TStringState extends StringFunctionBuildState<?, TBooleanState, TDateState, TIntegerState, TLongState, TDoubleState, TBigDecimalState, TStringState>
>
extends NumberFunctionBuildState<TBuildResult, Long, TBooleanState, TDateState, TIntegerState, TLongState, TDoubleState, TBigDecimalState, TStringState> {
}
| {
"content_hash": "4716838390bba8569ad3d7bda4fb2add",
"timestamp": "",
"source": "github",
"line_count": 16,
"max_line_length": 159,
"avg_line_length": 85.0625,
"alnum_prop": 0.8420279206465834,
"repo_name": "openwide-java/owsi-core-parent",
"id": "03ac9785846d1e3250dd5e677a4c452636256791",
"size": "1361",
"binary": false,
"copies": "1",
"ref": "refs/heads/master",
"path": "owsi-core/owsi-core-components/owsi-core-component-commons/src/main/java/fr/openwide/core/commons/util/functional/builder/function/LongFunctionBuildState.java",
"mode": "33188",
"license": "apache-2.0",
"language": [
{
"name": "CSS",
"bytes": "81112"
},
{
"name": "FreeMarker",
"bytes": "629"
},
{
"name": "HTML",
"bytes": "180345"
},
{
"name": "Java",
"bytes": "5044329"
},
{
"name": "JavaScript",
"bytes": "454470"
},
{
"name": "Shell",
"bytes": "3932"
}
],
"symlink_target": ""
} |
package com.microsoft.azure.management.dns.v2016_04_01;
import com.fasterxml.jackson.annotation.JsonProperty;
/**
* An MX record.
*/
public class MxRecord {
/**
* The preference value for this MX record.
*/
@JsonProperty(value = "preference")
private Integer preference;
/**
* The domain name of the mail host for this MX record.
*/
@JsonProperty(value = "exchange")
private String exchange;
/**
* Get the preference value.
*
* @return the preference value
*/
public Integer preference() {
return this.preference;
}
/**
* Set the preference value.
*
* @param preference the preference value to set
* @return the MxRecord object itself.
*/
public MxRecord withPreference(Integer preference) {
this.preference = preference;
return this;
}
/**
* Get the exchange value.
*
* @return the exchange value
*/
public String exchange() {
return this.exchange;
}
/**
* Set the exchange value.
*
* @param exchange the exchange value to set
* @return the MxRecord object itself.
*/
public MxRecord withExchange(String exchange) {
this.exchange = exchange;
return this;
}
}
| {
"content_hash": "4fd9cb7b8a386963583ccc4471999a80",
"timestamp": "",
"source": "github",
"line_count": 63,
"max_line_length": 59,
"avg_line_length": 20.666666666666668,
"alnum_prop": 0.598310291858679,
"repo_name": "navalev/azure-sdk-for-java",
"id": "98a820ce568840003e5ec692d477b3c8f9e1d006",
"size": "1532",
"binary": false,
"copies": "3",
"ref": "refs/heads/master",
"path": "sdk/dns/mgmt-v2016_04_01/src/main/java/com/microsoft/azure/management/dns/v2016_04_01/MxRecord.java",
"mode": "33188",
"license": "mit",
"language": [
{
"name": "Batchfile",
"bytes": "7230"
},
{
"name": "CSS",
"bytes": "5411"
},
{
"name": "Groovy",
"bytes": "1570436"
},
{
"name": "HTML",
"bytes": "29221"
},
{
"name": "Java",
"bytes": "250218562"
},
{
"name": "JavaScript",
"bytes": "15605"
},
{
"name": "PowerShell",
"bytes": "30924"
},
{
"name": "Python",
"bytes": "42119"
},
{
"name": "Shell",
"bytes": "1408"
}
],
"symlink_target": ""
} |
<?php
class Mirasvit_MstCore_Helper_Logger extends Mage_Core_Helper_Abstract
{
public function __construct()
{
Mage::getSingleton('mstcore/logger')->clean();
}
public function log($object, $message, $content = null, $level = null, $trace = false, $force = false)
{
if (!$force) {
if (!Mage::getStoreConfig('mstcore/logger/enabled')) {
return $this;
}
}
$logger = $this->_getLoggerObject();
$logger->setData(array());
$className = is_string($object) ? $object : get_class($object);
if (preg_match("/Mirasvit_([a-z]+)+/i", $className, $matches)) {
if (isset($matches[1])) {
$logger->setModule($matches[1]);
}
}
$logger->setMessage($message)
->setContent($content)
->setClass($className)
->setLevel($level);
if ($level >= Mirasvit_MstCore_Model_Logger::LOG_LEVEL_WARNING || $trace) {
$logger->setTrace(Varien_Debug::backtrace(true, false));
}
$logger->save();
return $logger;
}
public function logException($object, $message, $content = null, $trace = false)
{
return $this->log($object, $message, $content, Mirasvit_MstCore_Model_Logger::LOG_LEVEL_EXCEPTION, $trace, true);
}
public function logPerformance($object, $message, $time = null, $trace = false)
{
return $this->log($object, $message, $time, Mirasvit_MstCore_Model_Logger::LOG_LEVEL_PERFORMANCE);
}
protected function _getLoggerObject()
{
return Mage::getSingleton('mstcore/logger');
}
} | {
"content_hash": "1002f2d7820dc20581c46cb8af752567",
"timestamp": "",
"source": "github",
"line_count": 58,
"max_line_length": 121,
"avg_line_length": 28.862068965517242,
"alnum_prop": 0.5639187574671446,
"repo_name": "mikrotikAhmet/mbe-cpdev",
"id": "3cae012b6078b858419913bff7db8adc0ff8ea17",
"size": "2201",
"binary": false,
"copies": "1",
"ref": "refs/heads/master",
"path": "app/code/local/Mirasvit/MstCore/Helper/Logger.php",
"mode": "33261",
"license": "mit",
"language": [
{
"name": "ActionScript",
"bytes": "19946"
},
{
"name": "ApacheConf",
"bytes": "1148"
},
{
"name": "Batchfile",
"bytes": "1036"
},
{
"name": "C",
"bytes": "653"
},
{
"name": "CSS",
"bytes": "2469504"
},
{
"name": "HTML",
"bytes": "6706314"
},
{
"name": "JavaScript",
"bytes": "1271689"
},
{
"name": "PHP",
"bytes": "50903014"
},
{
"name": "Perl",
"bytes": "30260"
},
{
"name": "PowerShell",
"bytes": "1028"
},
{
"name": "Ruby",
"bytes": "288"
},
{
"name": "Shell",
"bytes": "11651"
},
{
"name": "XSLT",
"bytes": "2135"
}
],
"symlink_target": ""
} |
## Problem and solution
For a few years the only option was to run the Android emulator by emulating the ARM instruction set on a x86 host machine. While this is still possible, it has two problems
* it is very, very slow
* GPU support and OpenGL ES 2.0 is not well supported
So cocos2d-x does not run correctly.
The fix is to use virtualization with the x86 version of Android and enable GPU acceleration. With these options enabled, you can successfully use the emulator to develop with cocos2d-x!
## How-to
1. Download and create an Android emulator using the x86 system image
2. Enable virtualization (with CPU's that support VT-X) on Windows/Linux/OSX
3. Build cocos2d-x libraries for the x86 architecture too
4. Run the emulator with the correct library path and options
5. Success!
### Download and create an Android emulator using the x86 system image
* Run the android emulator manager :
`
<android-sdk>/tools/android
`
Ensure that "Intel x86 Atom System Image" is selected, downloaded and installed for the Android version you are using.
* Open the menu item
"Tools"->"Manage AVDs"
* Create a new Android Virtual Device
* Make sure to select the "x86" option in the CPU/ABI dropdown
* Make sure to select the "Use Host GPU" checkbox
### Enable virtualization (with CPU's that support VT-X) on Windows/Linux/OSX
Please follow intel's instructions here on downloading/enabling virtualization for the Android emulator
http://software.intel.com/en-us/articles/intel-hardware-accelerated-execution-manager/
### Build cocos2d-x libraries for the x86 architecture too
In your app's Application.mk, add x86 to the supported ABI's by adding/editing this line
`
APP_ABI := armeabi x86
`
### Run the emulator with the correct library path and options
Make sure to
* Set the library path to the directory containing the Open GL library for the emulator (LD_LIBRARY_PATH=...)
* Run the x86 version of the emulator (run <android-sdk>/tools/emulator-x86)
* Enable GPU use (Use the option "-gpu on")
* Also, you need to specify the name of the Android Virtual Device to use (Use the option "-avd <android virtual device name>")
On OS X the command line looks like this
`
LD_LIBRARY_PATH=~/bin/android-sdk/tools/lib ~/bin/android-sdk/tools/emulator-x86 -verbose -avd android17x86 -gpu on
`
| {
"content_hash": "b01ec76744f35958a5b1dc6c94b997fc",
"timestamp": "",
"source": "github",
"line_count": 63,
"max_line_length": 186,
"avg_line_length": 37.95238095238095,
"alnum_prop": 0.740276035131744,
"repo_name": "wenhulove333/ScutServer",
"id": "62a526844cb88fa96eefaf80f44fbff151ab98c9",
"size": "2445",
"binary": false,
"copies": "1",
"ref": "refs/heads/master",
"path": "Sample/ClientSource/tools/android-emulator-README.md",
"mode": "33188",
"license": "mit",
"language": [
{
"name": "ASP",
"bytes": "150472"
},
{
"name": "ActionScript",
"bytes": "339184"
},
{
"name": "Batchfile",
"bytes": "60466"
},
{
"name": "C",
"bytes": "3976261"
},
{
"name": "C#",
"bytes": "9481083"
},
{
"name": "C++",
"bytes": "11640198"
},
{
"name": "CMake",
"bytes": "489"
},
{
"name": "CSS",
"bytes": "13478"
},
{
"name": "Groff",
"bytes": "16179"
},
{
"name": "HTML",
"bytes": "283997"
},
{
"name": "Inno Setup",
"bytes": "28931"
},
{
"name": "Java",
"bytes": "214263"
},
{
"name": "JavaScript",
"bytes": "2809"
},
{
"name": "Lua",
"bytes": "4667522"
},
{
"name": "Makefile",
"bytes": "166623"
},
{
"name": "Objective-C",
"bytes": "401654"
},
{
"name": "Objective-C++",
"bytes": "355347"
},
{
"name": "Python",
"bytes": "1633926"
},
{
"name": "Shell",
"bytes": "101770"
},
{
"name": "Visual Basic",
"bytes": "18764"
}
],
"symlink_target": ""
} |
<?php
/**
* The struct contains tokens that make up a search query
*
* @package Search
* @version //autogentag//
*/
class ezcSearchQueryToken
{
const STRING = 1;
const SPACE = 2;
const QUOTE = 3;
const PLUS = 4;
const MINUS = 5;
const BRACE_OPEN = 6;
const BRACE_CLOSE = 7;
const LOGICAL_AND = 8;
const LOGICAL_OR = 9;
const COLON = 10;
/**
* Token type
*
* @var int
*/
public $type;
/**
* Token contents
*
* @var string
*/
public $token;
/**
* Contructs a new ezcSearchResult.
*
* @param int $type
* @param string $token
*/
public function __construct( $type, $token )
{
$this->type = $type;
$this->token = $token;
}
/**
* Returns a new instance of this class with the data specified by $array.
*
* $array contains all the data members of this class in the form:
* array('member_name'=>value).
*
* __set_state makes this class exportable with var_export.
* var_export() generates code, that calls this method when it
* is parsed with PHP.
*
* @param array(string=>mixed) $array
* @return ezcSearchResult
*/
static public function __set_state( array $array )
{
return new ezcSearchResult( $array['type'], $array['token'] );
}
}
?>
| {
"content_hash": "d47c34eb8ef5e87d1f95f7ad0fd60bc9",
"timestamp": "",
"source": "github",
"line_count": 67,
"max_line_length": 78,
"avg_line_length": 20.70149253731343,
"alnum_prop": 0.55155010814708,
"repo_name": "ezpublishlegacy/Search",
"id": "59aef25b874058da62134d13ee242b9136b9137b",
"size": "2382",
"binary": false,
"copies": "3",
"ref": "refs/heads/master",
"path": "src/structs/query_token.php",
"mode": "33188",
"license": "apache-2.0",
"language": [
{
"name": "PHP",
"bytes": "358282"
}
],
"symlink_target": ""
} |
#ifndef BT_BASIC_GEOMETRY_OPERATIONS_H_INCLUDED
#define BT_BASIC_GEOMETRY_OPERATIONS_H_INCLUDED
/*! \file btGeometryOperations.h
*\author Francisco Leon Najera
*/
/*
This source file is part of GIMPACT Library.
For the latest info, see http://gimpact.sourceforge.net/
Copyright (c) 2007 Francisco Leon Najera. C.C. 80087371.
email: [email protected]
This software is provided 'as-is', without any express or implied warranty.
In no event will the authors be held liable for any damages arising from the use of this software.
Permission is granted to anyone to use this software for any purpose,
including commercial applications, and to alter it and redistribute it freely,
subject to the following restrictions:
1. The origin of this software must not be misrepresented; you must not claim that you wrote the original software. If you use this software in a product, an acknowledgment in the product documentation would be appreciated but is not required.
2. Altered source versions must be plainly marked as such, and must not be misrepresented as being the original software.
3. This notice may not be removed or altered from any source distribution.
*/
#include "btBoxCollision.h"
#define PLANEDIREPSILON 0.0000001f
#define PARALELENORMALS 0.000001f
#define BT_CLAMP(number, minval, maxval) (number < minval ? minval : (number > maxval ? maxval : number))
/// Calc a plane from a triangle edge an a normal. plane is a vec4f
SIMD_FORCE_INLINE void bt_edge_plane(const btVector3& e1, const btVector3& e2, const btVector3& normal, btVector4& plane)
{
btVector3 planenormal = (e2 - e1).cross(normal);
planenormal.normalize();
plane.setValue(planenormal[0], planenormal[1], planenormal[2], e2.dot(planenormal));
}
//***************** SEGMENT and LINE FUNCTIONS **********************************///
/*! Finds the closest point(cp) to (v) on a segment (e1,e2)
*/
SIMD_FORCE_INLINE void bt_closest_point_on_segment(
btVector3& cp, const btVector3& v,
const btVector3& e1, const btVector3& e2)
{
btVector3 n = e2 - e1;
cp = v - e1;
btScalar _scalar = cp.dot(n) / n.dot(n);
if (_scalar < 0.0f)
{
cp = e1;
}
else if (_scalar > 1.0f)
{
cp = e2;
}
else
{
cp = _scalar * n + e1;
}
}
//! line plane collision
/*!
*\return
-0 if the ray never intersects
-1 if the ray collides in front
-2 if the ray collides in back
*/
SIMD_FORCE_INLINE int bt_line_plane_collision(
const btVector4& plane,
const btVector3& vDir,
const btVector3& vPoint,
btVector3& pout,
btScalar& tparam,
btScalar tmin, btScalar tmax)
{
btScalar _dotdir = vDir.dot(plane);
if (btFabs(_dotdir) < PLANEDIREPSILON)
{
tparam = tmax;
return 0;
}
btScalar _dis = bt_distance_point_plane(plane, vPoint);
char returnvalue = _dis < 0.0f ? 2 : 1;
tparam = -_dis / _dotdir;
if (tparam < tmin)
{
returnvalue = 0;
tparam = tmin;
}
else if (tparam > tmax)
{
returnvalue = 0;
tparam = tmax;
}
pout = tparam * vDir + vPoint;
return returnvalue;
}
//! Find closest points on segments
SIMD_FORCE_INLINE void bt_segment_collision(
const btVector3& vA1,
const btVector3& vA2,
const btVector3& vB1,
const btVector3& vB2,
btVector3& vPointA,
btVector3& vPointB)
{
btVector3 AD = vA2 - vA1;
btVector3 BD = vB2 - vB1;
btVector3 N = AD.cross(BD);
btScalar tp = N.length2();
btVector4 _M; //plane
if (tp < SIMD_EPSILON) //ARE PARALELE
{
//project B over A
bool invert_b_order = false;
_M[0] = vB1.dot(AD);
_M[1] = vB2.dot(AD);
if (_M[0] > _M[1])
{
invert_b_order = true;
BT_SWAP_NUMBERS(_M[0], _M[1]);
}
_M[2] = vA1.dot(AD);
_M[3] = vA2.dot(AD);
//mid points
N[0] = (_M[0] + _M[1]) * 0.5f;
N[1] = (_M[2] + _M[3]) * 0.5f;
if (N[0] < N[1])
{
if (_M[1] < _M[2])
{
vPointB = invert_b_order ? vB1 : vB2;
vPointA = vA1;
}
else if (_M[1] < _M[3])
{
vPointB = invert_b_order ? vB1 : vB2;
bt_closest_point_on_segment(vPointA, vPointB, vA1, vA2);
}
else
{
vPointA = vA2;
bt_closest_point_on_segment(vPointB, vPointA, vB1, vB2);
}
}
else
{
if (_M[3] < _M[0])
{
vPointB = invert_b_order ? vB2 : vB1;
vPointA = vA2;
}
else if (_M[3] < _M[1])
{
vPointA = vA2;
bt_closest_point_on_segment(vPointB, vPointA, vB1, vB2);
}
else
{
vPointB = invert_b_order ? vB1 : vB2;
bt_closest_point_on_segment(vPointA, vPointB, vA1, vA2);
}
}
return;
}
N = N.cross(BD);
_M.setValue(N[0], N[1], N[2], vB1.dot(N));
// get point A as the plane collision point
bt_line_plane_collision(_M, AD, vA1, vPointA, tp, btScalar(0), btScalar(1));
/*Closest point on segment*/
vPointB = vPointA - vB1;
tp = vPointB.dot(BD);
tp /= BD.dot(BD);
tp = BT_CLAMP(tp, 0.0f, 1.0f);
vPointB = tp * BD + vB1;
}
#endif // GIM_VECTOR_H_INCLUDED
| {
"content_hash": "47a399d3a0804b38d4afe088b65f051e",
"timestamp": "",
"source": "github",
"line_count": 210,
"max_line_length": 243,
"avg_line_length": 25.795238095238094,
"alnum_prop": 0.5765183681004246,
"repo_name": "dava/dava.engine",
"id": "6ffe3a125411bd1d3ebca11e5dfc48a652ee7785",
"size": "7118",
"binary": false,
"copies": "1",
"ref": "refs/heads/development",
"path": "Libs/bullet/BulletCollision/Gimpact/btGeometryOperations.h",
"mode": "33188",
"license": "bsd-3-clause",
"language": [
{
"name": "Ada",
"bytes": "89080"
},
{
"name": "Assembly",
"bytes": "166572"
},
{
"name": "Batchfile",
"bytes": "18562"
},
{
"name": "C",
"bytes": "61621347"
},
{
"name": "C#",
"bytes": "574524"
},
{
"name": "C++",
"bytes": "50229645"
},
{
"name": "CLIPS",
"bytes": "5291"
},
{
"name": "CMake",
"bytes": "11439187"
},
{
"name": "CSS",
"bytes": "32773"
},
{
"name": "Cuda",
"bytes": "37073"
},
{
"name": "DIGITAL Command Language",
"bytes": "27303"
},
{
"name": "Emacs Lisp",
"bytes": "44259"
},
{
"name": "Fortran",
"bytes": "8835"
},
{
"name": "GLSL",
"bytes": "3726"
},
{
"name": "Go",
"bytes": "1235"
},
{
"name": "HTML",
"bytes": "8621333"
},
{
"name": "Java",
"bytes": "232072"
},
{
"name": "JavaScript",
"bytes": "2560"
},
{
"name": "Lua",
"bytes": "43080"
},
{
"name": "M4",
"bytes": "165145"
},
{
"name": "Makefile",
"bytes": "1349214"
},
{
"name": "Mathematica",
"bytes": "4633"
},
{
"name": "Module Management System",
"bytes": "15224"
},
{
"name": "Objective-C",
"bytes": "1909821"
},
{
"name": "Objective-C++",
"bytes": "498191"
},
{
"name": "Pascal",
"bytes": "99390"
},
{
"name": "Perl",
"bytes": "396608"
},
{
"name": "Python",
"bytes": "782784"
},
{
"name": "QML",
"bytes": "43105"
},
{
"name": "QMake",
"bytes": "156"
},
{
"name": "Roff",
"bytes": "71083"
},
{
"name": "Ruby",
"bytes": "22742"
},
{
"name": "SAS",
"bytes": "16030"
},
{
"name": "Shell",
"bytes": "2482394"
},
{
"name": "Slash",
"bytes": "117430"
},
{
"name": "Smalltalk",
"bytes": "5908"
},
{
"name": "TeX",
"bytes": "428489"
},
{
"name": "Vim script",
"bytes": "133255"
},
{
"name": "Visual Basic",
"bytes": "54056"
},
{
"name": "WebAssembly",
"bytes": "13987"
}
],
"symlink_target": ""
} |
require 'obstore/version'
describe 'ObStore::VERSION' do
it 'returns a version string' do
expect(ObStore::VERSION.class).to eq(String)
end
end | {
"content_hash": "34dc92bd1744ed73e030ad77a735e4c7",
"timestamp": "",
"source": "github",
"line_count": 7,
"max_line_length": 48,
"avg_line_length": 21.571428571428573,
"alnum_prop": 0.7350993377483444,
"repo_name": "parabuzzle/obstore",
"id": "c749ed6afd3c6a9b61edc7ae4dcbfc6cc0711949",
"size": "151",
"binary": false,
"copies": "1",
"ref": "refs/heads/master",
"path": "spec/lib/version_spec.rb",
"mode": "33188",
"license": "mit",
"language": [
{
"name": "Ruby",
"bytes": "17963"
}
],
"symlink_target": ""
} |
* Renamed `many1` → `some` as well as other parsers that had `many1` part in
their names.
* The following functions are now re-exported from `Control.Applicative`:
`(<|>)`, `many`, `some`, `optional`. See #9.
* Introduced type class `MonadParsec` in the style of MTL monad
transformers. Eliminated built-in user state since it was not flexible
enough and can be emulated via stack of monads. Now all tools in
Megaparsec work with any instance of `MonadParsec`, not only with
`ParsecT`.
* Added new function `parse'` for lightweight parsing where error messages
(and thus file name) are not important and entire input should be
parsed. For example it can be used when parsing of single number according
to specification of its format is desired.
* Fixed bug with `notFollowedBy` always succeeded with parsers that don't
consume input, see #6.
* Flipped order of arguments in the primitive combinator `label`, see #21.
* Renamed `tokenPrim` → `token`, removed old `token`, because `tokenPrim` is
more general and original `token` is little used.
* Made `token` parser more powerful, now its second argument can return
`Either [Message] a` instead of `Maybe a`, so it can influence error
message when parsing of token fails. See #29.
* Added new primitive combinator `hidden p` which hides “expected” tokens in
error message when parser `p` fails.
* Tab width is not hard-coded anymore. It can be manipulated via
`getTabWidth` and `setTabWidth`. Default tab-width is `defaultTabWidth`,
which is 8.
### Error messages
* Introduced type class `ShowToken` and improved representation of
characters and stings in error messages, see #12.
* Greatly improved quality of error messages. Fixed entire
`Text.Megaparsec.Error` module, see #14 for more information. Made
possible normal analysis of error messages without “render and re-parse”
approach that previous maintainers had to practice to write even simplest
tests, see module `Utils.hs` in `old-tests` for example.
* Reduced number of `Message` constructors (now there are only `Unexpected`,
`Expected`, and `Message`). Empty “magic” message strings are ignored now,
all the library now uses explicit error messages.
* Introduced hint system that greatly improves quality of error messages and
made code of `Text.Megaparsec.Prim` a lot clearer.
### Built-in combinators
* All built-in combinators in `Text.Megaparsec.Combinator` now work with any
instance of `Alternative` (some of them even with `Applicaitve`).
* Added more powerful `count'` parser. This parser can be told to parse from
`m` to `n` occurrences of some thing. `count` is defined in terms of
`count'`.
* Removed `optionMaybe` parser, because `optional` from
`Control.Applicative` does the same thing.
* Added combinator `someTill`.
* These combinators are considered deprecated and will be removed in future:
* `chainl`
* `chainl1`
* `chainr`
* `chainr1`
* `sepEndBy`
* `sepEndBy1`
### Character parsing
* Renamed some parsers:
* `alphaNum` → `alphaNumChar`
* `digit` → `digitChar`
* `endOfLine` → `eol`
* `hexDigit` → `hexDigitChar`
* `letter` → `letterChar`
* `lower` → `lowerChar`
* `octDigit` → `octDigitChar`
* `space` → `spaceChar`
* `spaces` → `space`
* `upper` → `upperChar`
* Added new character parsers in `Text.Megaparsec.Char`:
* `asciiChar`
* `charCategory`
* `controlChar`
* `latin1Char`
* `markChar`
* `numberChar`
* `printChar`
* `punctuationChar`
* `separatorChar`
* `symbolChar`
* Descriptions of old parsers have been updated to accent some
Unicode-specific moments. For example, old description of `letter` stated
that it parses letters from “a” to “z” and from “A” to “Z”. This is wrong,
since it used `Data.Char.isAlpha` predicate internally and thus parsed
many more characters (letters of non-Latin languages, for example).
* Added combinators `char'`, `oneOf'`, `noneOf'`, and `string'` which are
case-insensitive variants of `char`, `oneOf`, `noneOf`, and `string`
respectively.
### Lexer
* Rewritten parsing of numbers, fixed #2 and #3 (in old Parsec project these
are number 35 and 39 respectively), added per bug tests.
* Since Haskell report doesn't say anything about sign, `integer` and
`float` now parse numbers without sign.
* Removed `natural` parser, it's equal to new `integer` now.
* Renamed `naturalOrFloat` → `number` — this doesn't parse sign too.
* Added new combinator `signed` to parse all sorts of signed numbers.
* Transformed `Text.Parsec.Token` into `Text.Megaparsec.Lexer`. Little of
Parsec's code remains in the new lexer module. New module doesn't impose
any assumptions on user and should be vastly more useful and
general. Hairy stuff from original Parsec didn't get here, for example
built-in Haskell functions are used to parse escape sequences and the like
instead of trying to re-implement the whole thing.
### Other
* Renamed the following functions:
* `permute` → `makePermParser`
* `buildExpressionParser` → `makeExprParser`
* Added comprehensive QuickCheck test suite.
* Added benchmarks.
## Parsec 3.1.9
* Many and various updates to documentation and package description
(including the homepage links).
* Add an `Eq` instance for `ParseError`.
* Fixed a regression from 3.1.6: `runP` is again exported from module
`Text.Parsec`.
## Parsec 3.1.8
* Fix a regression from 3.1.6 related to exports from the main module.
## Parsec 3.1.7
* Fix a regression from 3.1.6 related to the reported position of error
messages. See bug #9 for details.
* Reset the current error position on success of `lookAhead`.
## Parsec 3.1.6
* Export `Text` instances from `Text.Parsec`.
* Make `Text.Parsec` exports more visible.
* Re-arrange `Text.Parsec` exports.
* Add functions `crlf` and `endOfLine` to `Text.Parsec.Char` for handling
input streams that do not have normalized line terminators.
* Fix off-by-one error in `Token.charControl`.
## Parsec 3.1.4 & 3.1.5
* Bump dependency on `text`.
## Parsec 3.1.3
* Fix a regression introduced in 3.1.2 related to positions reported by
error messages.
| {
"content_hash": "1131a7330427a59fda8810feddc94139",
"timestamp": "",
"source": "github",
"line_count": 189,
"max_line_length": 76,
"avg_line_length": 33.00529100529101,
"alnum_prop": 0.7170567489579993,
"repo_name": "neongreen/megaparsec",
"id": "0188b50adcfb62c42a69cbef3e82a2031bb2f554",
"size": "6340",
"binary": false,
"copies": "1",
"ref": "refs/heads/master",
"path": "CHANGELOG.md",
"mode": "33188",
"license": "bsd-2-clause",
"language": [
{
"name": "Haskell",
"bytes": "178292"
}
],
"symlink_target": ""
} |
using System;
using System.Collections.Generic;
namespace DataAccessLayer
{
/// <summary>Interface definition for storage key independent of underlying data store provider.</summary>
public interface IStorageKey
{
/// <summary>Gets StorageAccountName (e.g. - account).</summary>
string StorageAccountName { get; }
/// <summary>Gets Version Timestamp.</summary>
DateTime? VersionTimestamp { get; }
/// <summary>Gets or sets LocalVersion.</summary>
int LocalVersion { get; set; }
/// <summary>Gets a map of key field name/value pairs.</summary>
IDictionary<string, string> KeyFields { get; }
/// <summary>Interface method to determine equality of keys.</summary>
/// <param name="otherKey">The key to compare with this key.</param>
/// <returns>True if the keys refer to the same storage entity.</returns>
bool IsEqual(IStorageKey otherKey);
}
}
| {
"content_hash": "9f3ca5d549585f15b1973fc394b016d8",
"timestamp": "",
"source": "github",
"line_count": 26,
"max_line_length": 110,
"avg_line_length": 36.96153846153846,
"alnum_prop": 0.6586888657648283,
"repo_name": "chinnurtb/OpenAdStack",
"id": "9557a26eff8def2756b1dc8289cc4c9a2a0dfb1b",
"size": "1808",
"binary": false,
"copies": "1",
"ref": "refs/heads/master",
"path": "DataAccessCommon/DataAccessLayer/IStorageKey.cs",
"mode": "33188",
"license": "apache-2.0",
"language": [],
"symlink_target": ""
} |
A starter kit to form the cornerstones of your React, Redux, universal app
## Install
```
yarn add react-cornerstone
```
## Tech Stack
- [**React**](https://github.com/facebook/react) - Component-based UI library
- [**Redux**](https://github.com/reactjs/redux) - State management and data flow
- [**Redux-First Router**](https://github.com/faceyspacey/redux-first-router) - Redux-oriented routing
- [**Express**](https://github.com/expressjs/express) - Server-side framework
- [**React Hot Loader**](https://github.com/gaearon/react-hot-loader) - Hot module replacement that works with react+redux
## Usage
### Client
In your client entry point, call the `render` function from `react-cornerstone` passing in a
function to `configureStore`, a function to `createRoutes`, a DOM element designating the
mount point of the app, and any helpers to be made available to the redux-connect [`asyncConnect`](https://github.com/makeomatic/redux-connect/blob/master/docs/API.MD#asyncconnect-decorator)
decorator. The created store will be returned if you need to use it further in your
client setup (for example, you may want your incoming web socket events to dispatch actions).
```javascript
import {render} from 'react-cornerstone';
const {store} = render(configureStore, createRoutesConfig, Component, document.getElementById('app'), helpers)
```
`configureStore` and `createRoutesConfig` are expected to be
[universal](https://medium.com/@mjackson/universal-javascript-4761051b7ae9) functions returning
both the redux store and the routes config, respectively. More information on these can be found
under the [common section](#common) below.
The `Component` is the main bootstrap/app component rendered which will need to, amongst other
app-specific things, render the correct component when a new location is reduced.
#### Hot Module Replacement
`render` also returns a function called `reload` which can be used to swap out the top level `Component` passed to it when the file has changed. See the [react-hot-loader docs](https://github.com/gaearon/react-hot-loader/tree/master/docs#migration-to-30) for more information on how to set this up correctly.
```javascript
import Component from './path/to/Component';
const {reload} = render(configureStore, createRoutesConfig, Component, document.getElementById('app'))
if (module.hot) module.hot.accept('./path/to/Component', reload);
```
### Server
In your server entry point, call the `configureMiddleware` function from `react-cornerstone` passing in the
same `configureStore` and `createRoutes` functions as used in the client configuration, a `template`
function for displaying the HTML including the mount point DOM element, and, optionally an object
with the following configuration functions:
- `getInitialState(req)` - Receives the Express request object and should return the initial
state to be passed to the `configureStore` function. Useful if you need to, for example, add the
authenticated user to the initial state.
- `getHelpers(req)` - Also receives the Express request object and should return an object containing
any helpers to be made available to the redux-connect [`asyncConnect`](https://github.com/makeomatic/redux-connect/blob/master/docs/API.MD#asyncconnect-decorator)
decorator.
The server-side `configureMiddleware` function will return an Express middleware that uses react-route's `match`
function to work out the active `<Route/>` and, with the corresponding components, redux-connect's
`loadOnServer` is used to load any asynchronous data to initiate the redux store with.
```javascript
import {configureMiddleware} from 'react-cornerstone';
const middleware = configureMiddleware(configureStore, createRoutesConfig, Component, template, {getInitialState, getHelpers})
```
The `template` function will be passed the output of `react-dom/server`'s `renderToString`
as the first parameter and the initial state as second. It is expected to at least return
the page HTML including the mount point and the initial state javascript in a variable called
`window.__INITIAL_STATE__` along with the client-side code bundle. For example:
```javascript
function template(componentHtml, initialState) {
return `
<!doctype html>
<html>
<body>
<div id="mount">${componentHtml}</div>
<script>
window.__INITIAL_STATE__ = ${JSON.stringify(initialState)};
</script>
<script src="/client.js"></script>
</body>
</html>
`
}
```
### Common
#### `configureStore(forClient, {map, ...options}, history, initialState = {})`
- `forClient` - a boolean to distinguish between client and server contexts. Obviously on the
client-side this will be `true` and on the server, `false`.
- `{map, [...options]}` - the route config to be passed to `redux-first-router`. The `map`
will be the routes supplied to `connectRoutes` and any further properties will be passed along as
the `options` parameter (see [`connectRoutes` documentation](https://github.com/faceyspacey/redux-first-router/blob/master/docs/connectRoutes.md#options)).
- `history` - the history strategy used by react-router. On the client-side this will be
`browserHistory` and on the server, `memoryHistory`.
- `initialState` - the initial state to seed the redux store with. On the client-side this will
be the contents of `window.__INITIAL_STATE__` and on the server, either an empty object or the
result of calling `getInitialState` if passed to the server-side `configureMiddleware` function.
It is expected to return the store created by a call to redux's `createStore`.
An opinionated implementation can be created by using the `configureStoreCreator(reducers, [middleware])`
function from `react-cornerstone`. Simply pass in your reducers and, optionally, an array of
middleware:
```javascript
import {configureStoreCreator} from 'react-cornerstone';
const configureStore = configureStoreCreator(reducers);
```
The configured store will include a reducer and middleware from `react-router-redux` to keep
react-router and redux in sync, along with a reducer from `redux-connect` to track asynchronous
data loading. [Dev Tools Extension](https://chrome.google.com/webstore/detail/redux-devtools/lmhkpmbekcpmknklioeibfkpmmfibljd)
support will also be included if `forClient` is `true`.
**Note: if a custom middleware stack is not provided via the optional `middleware` parameter,
[`redux-thunk`](https://github.com/gaearon/redux-thunk) is included by default to handle
asynchronous actions.**
#### `createRoutes(store)`
- `store` - the redux store. On both the client and server, this will be the store created by
calling `configureStore` as defined above. This can be useful if you need to check some store
property and react to it in a route's `onEnter` event handler.
The return value should be the `<Route/>` configuration to be utilised by `react-router`.
## Useful Links
- [Octopush](https://github.com/andy-shea/octopush) - an app built upon React Cornerstone
## Licence
[MIT](./LICENSE)
| {
"content_hash": "e73f1470372a4fa5dd31aa10cb85ace7",
"timestamp": "",
"source": "github",
"line_count": 149,
"max_line_length": 308,
"avg_line_length": 47.214765100671144,
"alnum_prop": 0.76090973702914,
"repo_name": "andy-shea/react-cornerstone",
"id": "349c4c8f5dd604169289ec47431c2f4b583199b4",
"size": "7056",
"binary": false,
"copies": "1",
"ref": "refs/heads/master",
"path": "README.md",
"mode": "33188",
"license": "mit",
"language": [
{
"name": "JavaScript",
"bytes": "4214"
}
],
"symlink_target": ""
} |
Subsets and Splits