text
stringlengths 2
1.04M
| meta
dict |
---|---|
<?php
use utilities\Stopwatch as Stopwatch;
/**
* Class Database
* Creates a PDO database connection. This connection will be passed into the models (so we use
* the same connection for all models and prevent to open multiple connections at once)
*/
class Database extends PDO
{
const CONTENTA_DB_VERSION = 1;
private static $instances = array();
protected function __clone() {}
final public static function instance()
{
$cls = get_called_class();
if (isset(self::$instances[$cls]) === false) {
self::$instances[$cls] = new static;
}
return self::$instances[$cls];
}
final public static function ResetConnection()
{
$cls = get_called_class();
if (isset(self::$instances[$cls]) === true) {
unset(self::$instances[$cls]);
}
}
/*
* Verification is 2 quick tests. First, that the database has a meta version number == CONTENTA_DB_VERSION, and
* second that the version and patch tables are up to date
*/
public static function VerifyDatabase() {
$dbversion = static::DBVersion();
if ( $dbversion == Database::CONTENTA_DB_VERSION ) {
$versionNum = currentVersionNumber();
$maxPatchApplied = static::DBPatchLevel();
return (version_compare( $versionNum, $maxPatchApplied, "<=" ) == true);
}
return false;
}
public static function DBVersion($newVersion = null)
{
$type = Config::Get("Database/type", "sqlite");
$dbConnection = new static;
switch ( $type ) {
case 'mysql':
$dbversion = -1;
break;
case 'sqlite':
if ( is_null($newVersion) == false && is_integer($newVersion) ) {
$dbConnection->execute_sql( 'PRAGMA user_version=' . $newVersion );
}
$rows = $dbConnection->execute_sql( 'PRAGMA user_version' );
$key = key($rows[0]);
$dbversion = $rows[0]->{$key};
break;
default:
die('Unable to verify database connection for ' . $type);
break;
}
unset($dbConnection);
return $dbversion;
}
public static function DBPatchLevel()
{
$dbConnection = new static;
try {
$rows = $dbConnection->execute_sql( "select max(code) as MAX_CODE from version");
$key = key($rows[0]);
$dbpatch = $rows[0]->{$key};
}
catch ( \Exception $e ) {
$dbpatch = "0.0.0";
}
finally {
unset($dbConnection);
}
return $dbpatch;
}
public function __construct()
{
$type = Config::Get("Database/type", "sqlite");
if ( $type === 'mysql')
{
parent::__construct($type . ':host=' . DB_HOST . ';dbname=' . DB_NAME . ';charset=utf8', DB_USER, DB_PASS, $options);
}
else if ( $type === 'sqlite')
{
$db_path = Config::GetPath("Database/path", null);
if ( strlen($db_path) == 0 ) {
throw new \Exception('No path set in configuration for sqlite database');
}
makeRequiredDirectory($db_path, 'Database directory');
parent::__construct($type . ':' . appendPath($db_path, "contenta.sqlite" ));
$this->exec( 'PRAGMA foreign_keys = ON;' );
$this->exec( 'PRAGMA busy_timeout = 10000;' );
$this->exec( 'PRAGMA journal_mode=WAL;' );
}
else
{
die('Failed to create database connection for ' . $type);
}
if ( (is_null($this->errorCode()) == false) && ($this->errorCode() != PDO::ERR_NONE)){
echo 'PDO error code ' . $this->errorCode() . PHP_EOL;
echo 'PDO error info ' . var_export( $this->errorInfo(), true) . PHP_EOL;
die('Failed to create database connection for ' . var_export(Config::Get("Database", ""), true));
}
$this->setAttribute(PDO::ATTR_DEFAULT_FETCH_MODE, PDO::FETCH_OBJ);
$this->setAttribute(PDO::ATTR_TIMEOUT, 10000);
$this->setAttribute(PDO::ATTR_ERRMODE, PDO::ERRMODE_EXCEPTION);
$this->setAttribute(PDO::ATTR_STATEMENT_CLASS, array('TraceStatement', array($this)));
}
public function execute_sql( $sql = null, $params = array() )
{
if ( empty($sql) ) {
throw new Exception("Unable to execute SQL for -null- statement");
}
$statement = $this->prepare($sql);
try {
if ($statement == false || $statement->execute($params) == false) {
$errPoint = ($statement ? $statement : $this);
throw new Exception( 'PDO Error(' . $errPoint->errorCode() . ') ' . $errPoint->errorInfo()[1] . ':' . $errPoint->errorInfo()[2]
. ' for [' . $sql . '] ' . (isset($params) ? var_export($params, true) : 'No Parameters')
);
}
}
catch ( \PDOException $pdoe ) {
$errPoint = ($statement ? $statement : $this);
throw new Exception( 'PDO Error(' . $errPoint->errorCode() . ') ' . $errPoint->errorInfo()[1] . ':' . $errPoint->errorInfo()[2]
. ' for [' . $sql . '] ' . (isset($params) ? var_export($params, true) : 'No Parameters')
);
}
return $statement->fetchAll();
}
public function dbOptimize()
{
$type = Config::Get("Database/type", "sqlite");
$tableNames = array();
switch ( $type ) {
case 'mysql':
$sql = null;
break;
case 'sqlite':
$sql = "vacuum";
break;
default:
die('Unable to query tables from database connection for ' . $type);
break;
}
try {
$result = $this->execute_sql( $sql );
}
catch ( \Exception $e ) {
Logger::logToFile( $e->__toString() );
}
return true;
}
public function dbTableNames()
{
$type = Config::Get("Database/type", "sqlite");
$tableNames = array();
switch ( $type ) {
case 'mysql':
$sql = null;
break;
case 'sqlite':
$sql = "SELECT name FROM sqlite_master WHERE type='table'";
break;
default:
die('Unable to query tables from database connection for ' . $type);
break;
}
try {
$result = $this->execute_sql( $sql );
if ( is_array( $result ) ) {
foreach( $result as $row ) {
$tableNames[] = (isset($row->name) ? $row->name : 'error');
}
return $tableNames;
}
}
catch ( \Exception $e ) {
Logger::logToFile( $e->__toString() );
}
return false;
}
public function dbTableInfo($tablename)
{
$type = Config::Get("Database/type", "sqlite");
switch ( $type ) {
case 'mysql':
$sql = "";
break;
case 'sqlite':
$sql = "PRAGMA table_info(" . $tablename . ")";
break;
default:
die('Unable to query tables from database connection for ' . $type);
break;
}
try {
$tableDetails = $this->execute_sql($sql);
if ($tableDetails != false) {
$table_fields = array();
foreach($tableDetails as $key => $value) {
$table_fields[ $value->name ] = $value;
}
return $table_fields;
}
}
catch( \Exception $e ) {
Logger::logToFile( $e->__toString() );
}
return false;
}
public function dbPKForTable($tablename)
{
$rows = $this->dbTableInfo($tablename);
if ( is_array($rows) ) {
$results = array();
foreach( $rows as $row ) {
if ( isset($row->pk) && $row->pk != 0 ) {
$results[] = (isset($row->name) ? $row->name : 'error');
}
}
return $results;
}
return false;
}
public function dbTableRename( $oldName = null, $newName = null)
{
$type = Config::Get("Database/type", "sqlite");
$tableNames = array();
switch ( $type ) {
case 'mysql':
$sql[] = "RENAME TABLE $oldName TO $newName";
break;
case 'sqlite':
$sql[] = 'PRAGMA foreign_keys = OFF;';
$sql[] = "ALTER TABLE $oldName RENAME TO $newName";
break;
default:
die('Unable to query tables from database connection for ' . $type);
break;
}
try {
foreach( $sql as $s ) {
$result = $this->execute_sql( $s );
}
return true;
}
catch( \Exception $e ) {
Logger::logToFile( $e->__toString() );
}
return false;
}
public function dbFetchRawCountForSQL($sql, $params = null)
{
$rows = $this->execute_sql($sql, $params);
if ( is_array($rows) && count($rows) === 1 ) {
$key = key($rows[0]);
return intval($rows[0]->{$key});
}
return false;
}
public function dbFetchRawCount($table, $restrictKey = null, $restrictOp = "=", $restrictValue = null )
{
$sql = "select count(*) from " . $table;
$params = array();
if ( is_null( $restrictKey ) == false ) {
$sql .= " where " . $restrictKey . " " . $restrictOp . " :" . $restrictKey;
$params[":".$restrictKey] = $restrictValue;
}
return $this->dbFetchRawCountForSQL($sql, $params);
}
public function dbFetchRawBatch($table, $page = 0, $page_size = 500 )
{
$pk = $this->dbPKForTable( $table );
$sql = "select * from " . $table
. " order by " . implode(",", $pk)
. " limit " . $page_size
. " offset " . ($page * $page_size);
return $this->execute_sql($sql);
}
}
class TraceStatement extends PDOStatement {
protected $pdo;
protected function __construct($pdo)
{
$this->pdo = $pdo;
}
public function execute($input_parameters = null)
{
Stopwatch::start( $this->queryString );
$count = 0;
$keepTrying = true;
$success = false;
while ($keepTrying && $count < 5) {
try {
$success = parent::execute( $input_parameters );
$keepTrying = false;
}
catch ( \Exception $exception ) {
$count++;
list($message, $file, $line) = Logger::exceptionMessage( $exception );
Logger::logToFile( "Try $count : " . $message, $file, $line );
usleep(500);
}
}
if ( $count >= 5 && false == $success) {
Logger::logToFile( "Failed after $count tries" );
}
else {
$elapsed = Stopwatch::end( $this->queryString );
if ( $elapsed > 0.5 ) {
$msg = $this->queryString . ' ' . (isset($input_parameters) ? var_export($input_parameters, true) : 'No Parameters');
Logger::logToFile( $msg, "Slow SQL", $elapsed . " seconds" );
}
}
return $success;
}
}
| {
"content_hash": "6764e1840206b56513fd604530bf05b7",
"timestamp": "",
"source": "github",
"line_count": 358,
"max_line_length": 131,
"avg_line_length": 26.594972067039105,
"alnum_prop": 0.5914294716941497,
"repo_name": "vitolibrarius/contenta",
"id": "2e9eab05fa73e7e75696443524fb29d70b9efabd",
"size": "9521",
"binary": false,
"copies": "1",
"ref": "refs/heads/master",
"path": "application/libs/Database.php",
"mode": "33188",
"license": "apache-2.0",
"language": [
{
"name": "CSS",
"bytes": "24256"
},
{
"name": "HTML",
"bytes": "1133"
},
{
"name": "Hack",
"bytes": "330"
},
{
"name": "JavaScript",
"bytes": "1426472"
},
{
"name": "PHP",
"bytes": "2548687"
},
{
"name": "Shell",
"bytes": "9670"
},
{
"name": "Smarty",
"bytes": "979"
}
],
"symlink_target": ""
} |
simplenavi
==============
Template for a simple Vaadin application that only requires a Servlet 3.0 container to run.
Workflow
========
To compile the entire project, run "mvn install".
To run the application, run "mvn jetty:run" and open http://localhost:8080/ .
To develop the theme, simply update the relevant theme files and reload the application.
Pre-compiling a theme eliminates automatic theme updates at runtime - see below for more information.
Debugging client side code
- run "mvn vaadin:run-codeserver" on a separate console while the application is running
- activate Super Dev Mode in the debug window of the application
To produce a deployable production mode WAR:
- change productionMode to true in the servlet class configuration (nested in the UI class)
- run "mvn clean vaadin:compile-theme package"
- See below for more information. Running "mvn clean" removes the pre-compiled theme.
- test with "mvn jetty:run-war
Using a precompiled theme
-------------------------
When developing the application, Vaadin can compile the theme on the fly when needed,
or the theme can be precompiled to speed up page loads.
To precompile the theme run "mvn vaadin:compile-theme". Note, though, that once
the theme has been precompiled, any theme changes will not be visible until the
next theme compilation or running the "mvn clean" target.
When developing the theme, running the application in the "run" mode (rather than
in "debug") in the IDE can speed up consecutive on-the-fly theme compilations
significantly.
| {
"content_hash": "0a484ec3eb92a1c177b77bc2fbd3905e",
"timestamp": "",
"source": "github",
"line_count": 38,
"max_line_length": 101,
"avg_line_length": 40.55263157894737,
"alnum_prop": 0.7624918883841661,
"repo_name": "johannesh2/designer-tutorials",
"id": "8f1cf950c0e382ee402137015fc9c579c94c8e95",
"size": "1541",
"binary": false,
"copies": "1",
"ref": "refs/heads/master",
"path": "simplenavi/README.md",
"mode": "33188",
"license": "apache-2.0",
"language": [
{
"name": "CSS",
"bytes": "319382"
},
{
"name": "HTML",
"bytes": "26486"
},
{
"name": "Java",
"bytes": "17916"
}
],
"symlink_target": ""
} |
ACCEPTED
#### According to
International Plant Names Index
#### Published in
null
#### Original name
null
### Remarks
null | {
"content_hash": "ea85fb4cc45a0ba87f56a4e026123380",
"timestamp": "",
"source": "github",
"line_count": 13,
"max_line_length": 31,
"avg_line_length": 9.692307692307692,
"alnum_prop": 0.7063492063492064,
"repo_name": "mdoering/backbone",
"id": "838570d0328605c13674cb0a7c235b332a970183",
"size": "196",
"binary": false,
"copies": "1",
"ref": "refs/heads/master",
"path": "life/Plantae/Magnoliophyta/Magnoliopsida/Malvales/Malvaceae/Heliocarpus/Heliocarpus americanus/Heliocarpus popayanensis purdiei/README.md",
"mode": "33188",
"license": "apache-2.0",
"language": [],
"symlink_target": ""
} |
require 'helper'
class FakedModel
attr_reader :id
def self.slug_scope_key; "faked_models"; end
def initialize(id); @id = id; end
end
class SlugHistoryTest < Test::Unit::TestCase
with_tables :slugs, :users do
context 'for arbitrary models' do
setup do
@record_a = FakedModel.new(12)
@record_b = FakedModel.new(4)
Slugged.record_slug(@record_a, "awesome")
Slugged.record_slug(@record_b, "awesome-1")
Slugged.record_slug(@record_a, "ninjas")
end
should 'let you lookup a given record id easily' do
assert Slugged.last_known_slug_id(FakedModel, "felafel").blank?
assert Slugged.last_known_slug_id(FakedModel, "ninjas-2").blank?
assert_equal 12, Slugged.last_known_slug_id(FakedModel, "awesome")
assert_equal 4, Slugged.last_known_slug_id(FakedModel, "awesome-1")
assert_equal 12, Slugged.last_known_slug_id(FakedModel, "ninjas")
end
should 'let you return slug history for a given record'
end
context 'on a specific record' do
should 'by default record slug history' do
setup_slugs!
user = User.create :name => "Bob"
assert_equal [], user.previous_slugs
user.update_attributes! :name => "Sal"
user.update_attributes! :name => "Red"
user.update_attributes! :name => "Jim"
assert_same_as_slug user, "red"
assert_same_as_slug user, "sal"
assert_same_as_slug user, "bob"
assert_same_as_slug user, "jim"
end
should 'let you reset history for a slug' do
setup_slugs!
user = User.create :name => "Bob"
user.update_attributes! :name => "Sal"
user.update_attributes! :name => "Red"
user.update_attributes! :name => "Jim"
assert_equal ["red", "sal", "bob"], user.previous_slugs
user.remove_slug_history!
assert_equal [], user.previous_slugs
assert_none_for_slug "red"
assert_none_for_slug "sal"
assert_none_for_slug "bob"
end
should 'let you disable recording of slug history' do
setup_slugs! :history => false
user = User.create(:name => "Bob")
assert !user.respond_to?(:previous_slugs)
user.update_attributes! :name => "Red"
assert_same_as_slug user, "red"
assert_different_to_slug user, "bob"
assert_none_for_slug "bob"
end
should 'remove slug history for a record by default on destroy' do
setup_slugs!
user = User.create :name => "Bob"
user.update_attributes! :name => "Sal"
user.update_attributes! :name => "Red"
user.update_attributes! :name => "Jim"
assert_equal ["red", "sal", "bob"], user.previous_slugs
user.destroy
assert_equal [], user.previous_slugs
end
end
end
end | {
"content_hash": "464f2d22b3279b749b61420319286596",
"timestamp": "",
"source": "github",
"line_count": 86,
"max_line_length": 76,
"avg_line_length": 33.81395348837209,
"alnum_prop": 0.5969738651994498,
"repo_name": "Sutto/slugged",
"id": "068685ba2853ecc282a2b922d28f467b867bb650",
"size": "2908",
"binary": false,
"copies": "2",
"ref": "refs/heads/master",
"path": "test/slug_history_test.rb",
"mode": "33188",
"license": "mit",
"language": [
{
"name": "Ruby",
"bytes": "31395"
}
],
"symlink_target": ""
} |
package org.apache.ignite.testsuites;
import java.util.ArrayList;
import java.util.Collection;
import java.util.List;
import org.apache.ignite.internal.metric.CacheMetricsAddRemoveTest;
import org.apache.ignite.internal.metric.IoStatisticsCachePersistenceSelfTest;
import org.apache.ignite.internal.metric.IoStatisticsCacheSelfTest;
import org.apache.ignite.internal.metric.IoStatisticsMetricsLocalMXBeanImplSelfTest;
import org.apache.ignite.internal.metric.IoStatisticsSelfTest;
import org.apache.ignite.internal.metric.JmxExporterSpiTest;
import org.apache.ignite.internal.metric.LogExporterSpiTest;
import org.apache.ignite.internal.metric.MetricsConfigurationTest;
import org.apache.ignite.internal.metric.MetricsSelfTest;
import org.apache.ignite.internal.metric.ReadMetricsOnNodeStartupTest;
import org.apache.ignite.internal.metric.SystemViewComputeJobTest;
import org.apache.ignite.internal.metric.SystemViewSelfTest;
import org.apache.ignite.internal.processors.cache.CachePutIfAbsentTest;
import org.apache.ignite.internal.processors.cache.GridCacheDataTypesCoverageTest;
import org.apache.ignite.internal.processors.cache.GridCacheLongRunningTransactionDiagnosticsTest;
import org.apache.ignite.internal.processors.cache.GridCacheVersionGenerationWithCacheStorageTest;
import org.apache.ignite.internal.processors.cache.IgniteCacheGetCustomCollectionsSelfTest;
import org.apache.ignite.internal.processors.cache.IgniteCacheLoadRebalanceEvictionSelfTest;
import org.apache.ignite.internal.processors.cache.distributed.CacheAtomicPrimarySyncBackPressureTest;
import org.apache.ignite.internal.processors.cache.distributed.CacheOperationsInterruptTest;
import org.apache.ignite.internal.processors.cache.distributed.FailBackupOnAtomicOperationTest;
import org.apache.ignite.internal.processors.cache.distributed.IgniteCachePrimarySyncTest;
import org.apache.ignite.internal.processors.cache.distributed.IgniteTxCachePrimarySyncTest;
import org.apache.ignite.internal.processors.cache.distributed.IgniteTxCacheWriteSynchronizationModesMultithreadedTest;
import org.apache.ignite.internal.processors.cache.distributed.IgniteTxConcurrentRemoveObjectsTest;
import org.apache.ignite.internal.processors.cache.distributed.rebalancing.RebalanceStatisticsTest;
import org.apache.ignite.internal.processors.cache.transactions.PartitionUpdateCounterTest;
import org.apache.ignite.internal.processors.cache.transactions.TxCrossCachePartitionConsistencyTest;
import org.apache.ignite.internal.processors.cache.transactions.TxDataConsistencyOnCommitFailureTest;
import org.apache.ignite.internal.processors.cache.transactions.TxPartitionCounterStateConsistencyHistoryRebalanceTest;
import org.apache.ignite.internal.processors.cache.transactions.TxPartitionCounterStateConsistencyTest;
import org.apache.ignite.internal.processors.cache.transactions.TxPartitionCounterStateConsistencyVolatileRebalanceTest;
import org.apache.ignite.internal.processors.cache.transactions.TxPartitionCounterStateOnePrimaryOneBackupHistoryRebalanceTest;
import org.apache.ignite.internal.processors.cache.transactions.TxPartitionCounterStateOnePrimaryOneBackupTest;
import org.apache.ignite.internal.processors.cache.transactions.TxPartitionCounterStateOnePrimaryTwoBackupsFailAllHistoryRebalanceTest;
import org.apache.ignite.internal.processors.cache.transactions.TxPartitionCounterStateOnePrimaryTwoBackupsFailAllTest;
import org.apache.ignite.internal.processors.cache.transactions.TxPartitionCounterStateOnePrimaryTwoBackupsHistoryRebalanceTest;
import org.apache.ignite.internal.processors.cache.transactions.TxPartitionCounterStateOnePrimaryTwoBackupsTest;
import org.apache.ignite.internal.processors.cache.transactions.TxPartitionCounterStatePutTest;
import org.apache.ignite.internal.processors.cache.transactions.TxPartitionCounterStateTwoPrimaryTwoBackupsTest;
import org.apache.ignite.internal.processors.cache.transactions.TxPartitionCounterStateWithFilterTest;
import org.apache.ignite.testframework.GridTestUtils;
import org.apache.ignite.testframework.junits.DynamicSuite;
import org.junit.runner.RunWith;
/**
* Test suite.
*/
@RunWith(DynamicSuite.class)
public class IgniteCacheTestSuite9 {
/**
* @return IgniteCache test suite.
*/
public static List<Class<?>> suite() {
return suite(null);
}
/**
* @param ignoredTests Tests to ignore.
* @return Test suite.
*/
public static List<Class<?>> suite(Collection<Class> ignoredTests) {
List<Class<?>> suite = new ArrayList<>();
GridTestUtils.addTestIfNeeded(suite, IgniteCacheGetCustomCollectionsSelfTest.class, ignoredTests);
GridTestUtils.addTestIfNeeded(suite, IgniteCacheLoadRebalanceEvictionSelfTest.class, ignoredTests);
GridTestUtils.addTestIfNeeded(suite, IgniteCachePrimarySyncTest.class, ignoredTests);
GridTestUtils.addTestIfNeeded(suite, IgniteTxCachePrimarySyncTest.class, ignoredTests);
GridTestUtils.addTestIfNeeded(suite, IgniteTxCacheWriteSynchronizationModesMultithreadedTest.class, ignoredTests);
GridTestUtils.addTestIfNeeded(suite, CachePutIfAbsentTest.class, ignoredTests);
GridTestUtils.addTestIfNeeded(suite, CacheAtomicPrimarySyncBackPressureTest.class, ignoredTests);
GridTestUtils.addTestIfNeeded(suite, IgniteTxConcurrentRemoveObjectsTest.class, ignoredTests);
GridTestUtils.addTestIfNeeded(suite, TxDataConsistencyOnCommitFailureTest.class, ignoredTests);
GridTestUtils.addTestIfNeeded(suite, CacheOperationsInterruptTest.class, ignoredTests);
// Update counters and historical rebalance.
GridTestUtils.addTestIfNeeded(suite, TxPartitionCounterStateOnePrimaryOneBackupHistoryRebalanceTest.class, ignoredTests);
GridTestUtils.addTestIfNeeded(suite, TxPartitionCounterStateOnePrimaryOneBackupTest.class, ignoredTests);
GridTestUtils.addTestIfNeeded(suite, TxPartitionCounterStateOnePrimaryTwoBackupsFailAllHistoryRebalanceTest.class, ignoredTests);
GridTestUtils.addTestIfNeeded(suite, TxPartitionCounterStateOnePrimaryTwoBackupsFailAllTest.class, ignoredTests);
GridTestUtils.addTestIfNeeded(suite, TxPartitionCounterStateOnePrimaryTwoBackupsHistoryRebalanceTest.class, ignoredTests);
GridTestUtils.addTestIfNeeded(suite, TxPartitionCounterStateOnePrimaryTwoBackupsTest.class, ignoredTests);
GridTestUtils.addTestIfNeeded(suite, TxPartitionCounterStatePutTest.class, ignoredTests);
GridTestUtils.addTestIfNeeded(suite, TxPartitionCounterStateTwoPrimaryTwoBackupsTest.class, ignoredTests);
GridTestUtils.addTestIfNeeded(suite, TxPartitionCounterStateWithFilterTest.class, ignoredTests);
GridTestUtils.addTestIfNeeded(suite, PartitionUpdateCounterTest.class, ignoredTests);
GridTestUtils.addTestIfNeeded(suite, TxPartitionCounterStateConsistencyTest.class, ignoredTests);
GridTestUtils.addTestIfNeeded(suite, TxPartitionCounterStateConsistencyHistoryRebalanceTest.class, ignoredTests);
GridTestUtils.addTestIfNeeded(suite, TxPartitionCounterStateConsistencyVolatileRebalanceTest.class, ignoredTests);
GridTestUtils.addTestIfNeeded(suite, TxCrossCachePartitionConsistencyTest.class, ignoredTests);
// IO statistics.
GridTestUtils.addTestIfNeeded(suite, IoStatisticsCachePersistenceSelfTest.class, ignoredTests);
GridTestUtils.addTestIfNeeded(suite, IoStatisticsCacheSelfTest.class, ignoredTests);
GridTestUtils.addTestIfNeeded(suite, IoStatisticsSelfTest.class, ignoredTests);
GridTestUtils.addTestIfNeeded(suite, IoStatisticsMetricsLocalMXBeanImplSelfTest.class, ignoredTests);
GridTestUtils.addTestIfNeeded(suite, MetricsSelfTest.class, ignoredTests);
GridTestUtils.addTestIfNeeded(suite, MetricsConfigurationTest.class, ignoredTests);
GridTestUtils.addTestIfNeeded(suite, SystemViewSelfTest.class, ignoredTests);
GridTestUtils.addTestIfNeeded(suite, SystemViewComputeJobTest.class, ignoredTests);
GridTestUtils.addTestIfNeeded(suite, CacheMetricsAddRemoveTest.class, ignoredTests);
GridTestUtils.addTestIfNeeded(suite, JmxExporterSpiTest.class, ignoredTests);
GridTestUtils.addTestIfNeeded(suite, LogExporterSpiTest.class, ignoredTests);
GridTestUtils.addTestIfNeeded(suite, ReadMetricsOnNodeStartupTest.class, ignoredTests);
GridTestUtils.addTestIfNeeded(suite, GridCacheLongRunningTransactionDiagnosticsTest.class, ignoredTests);
GridTestUtils.addTestIfNeeded(suite, FailBackupOnAtomicOperationTest.class, ignoredTests);
// Grid Cache Version generation coverage.
GridTestUtils.addTestIfNeeded(suite, GridCacheVersionGenerationWithCacheStorageTest.class, ignoredTests);
// Data Types coverage
GridTestUtils.addTestIfNeeded(suite, GridCacheDataTypesCoverageTest.class, ignoredTests);
GridTestUtils.addTestIfNeeded(suite, RebalanceStatisticsTest.class, ignoredTests);
return suite;
}
}
| {
"content_hash": "1d43cc3cfda4de4fb57dc13044776d6d",
"timestamp": "",
"source": "github",
"line_count": 131,
"max_line_length": 137,
"avg_line_length": 68.7557251908397,
"alnum_prop": 0.8406794715221494,
"repo_name": "nizhikov/ignite",
"id": "3a7dc5b6b259c03dae145136b36239d106c3c9cb",
"size": "9809",
"binary": false,
"copies": "3",
"ref": "refs/heads/master",
"path": "modules/core/src/test/java/org/apache/ignite/testsuites/IgniteCacheTestSuite9.java",
"mode": "33188",
"license": "apache-2.0",
"language": [
{
"name": "Batchfile",
"bytes": "50575"
},
{
"name": "C",
"bytes": "5348"
},
{
"name": "C#",
"bytes": "7128023"
},
{
"name": "C++",
"bytes": "3942185"
},
{
"name": "CMake",
"bytes": "47191"
},
{
"name": "Dockerfile",
"bytes": "4728"
},
{
"name": "Groovy",
"bytes": "15081"
},
{
"name": "HTML",
"bytes": "14341"
},
{
"name": "Java",
"bytes": "41322217"
},
{
"name": "JavaScript",
"bytes": "332718"
},
{
"name": "M4",
"bytes": "623"
},
{
"name": "Makefile",
"bytes": "64072"
},
{
"name": "PHP",
"bytes": "486991"
},
{
"name": "PowerShell",
"bytes": "12213"
},
{
"name": "Python",
"bytes": "344307"
},
{
"name": "Scala",
"bytes": "1385574"
},
{
"name": "Shell",
"bytes": "609568"
}
],
"symlink_target": ""
} |
<!DOCTYPE html>
<html lang="en">
<head>
<meta charset="utf-8">
<meta name="viewport" content="width=device-width, initial-scale=1">
<title>extensible-records: Not compatible 👼</title>
<link rel="shortcut icon" type="image/png" href="../../../../../favicon.png" />
<link href="../../../../../bootstrap.min.css" rel="stylesheet">
<link href="../../../../../bootstrap-custom.css" rel="stylesheet">
<link href="//maxcdn.bootstrapcdn.com/font-awesome/4.2.0/css/font-awesome.min.css" rel="stylesheet">
<script src="../../../../../moment.min.js"></script>
<!-- HTML5 Shim and Respond.js IE8 support of HTML5 elements and media queries -->
<!-- WARNING: Respond.js doesn't work if you view the page via file:// -->
<!--[if lt IE 9]>
<script src="https://oss.maxcdn.com/html5shiv/3.7.2/html5shiv.min.js"></script>
<script src="https://oss.maxcdn.com/respond/1.4.2/respond.min.js"></script>
<![endif]-->
</head>
<body>
<div class="container">
<div class="navbar navbar-default" role="navigation">
<div class="container-fluid">
<div class="navbar-header">
<a class="navbar-brand" href="../../../../.."><i class="fa fa-lg fa-flag-checkered"></i> Coq bench</a>
</div>
<div id="navbar" class="collapse navbar-collapse">
<ul class="nav navbar-nav">
<li><a href="../..">clean / released</a></li>
<li class="active"><a href="">8.12.2 / extensible-records - 1.2.0</a></li>
</ul>
</div>
</div>
</div>
<div class="article">
<div class="row">
<div class="col-md-12">
<a href="../..">« Up</a>
<h1>
extensible-records
<small>
1.2.0
<span class="label label-info">Not compatible 👼</span>
</small>
</h1>
<p>📅 <em><script>document.write(moment("2022-03-15 20:09:31 +0000", "YYYY-MM-DD HH:mm:ss Z").fromNow());</script> (2022-03-15 20:09:31 UTC)</em><p>
<h2>Context</h2>
<pre># Packages matching: installed
# Name # Installed # Synopsis
base-bigarray base
base-threads base
base-unix base
conf-findutils 1 Virtual package relying on findutils
coq 8.12.2 Formal proof management system
num 1.4 The legacy Num library for arbitrary-precision integer and rational arithmetic
ocaml 4.09.1 The OCaml compiler (virtual package)
ocaml-base-compiler 4.09.1 Official release 4.09.1
ocaml-config 1 OCaml Switch Configuration
ocamlfind 1.9.3 A library manager for OCaml
# opam file:
opam-version: "2.0"
maintainer: "[email protected]"
homepage: "https://github.com/gmalecha/coq-extensible-records"
dev-repo: "git+https://github.com/gmalecha/coq-extensible-records.git"
bug-reports: "https://github.com/gmalecha/coq-extensible-records/issues"
authors: ["Gregory Malecha"]
license: "MIT"
build: [
[make "-j%{jobs}%"]
]
install: [
[make "install"]
]
depends: [
"ocaml"
"coq" {>= "8.5.0" & < "8.9"}
]
synopsis: "Definitional (canonical) extensible records in Coq with string keys and arbitrary (non-dependent) types"
url {
src:
"https://github.com/gmalecha/coq-extensible-records/archive/1.2.0.tar.gz"
checksum: "md5=3794e13edcfde118d1cc61bc0858ac6d"
}
</pre>
<h2>Lint</h2>
<dl class="dl-horizontal">
<dt>Command</dt>
<dd><code>true</code></dd>
<dt>Return code</dt>
<dd>0</dd>
</dl>
<h2>Dry install 🏜️</h2>
<p>Dry install with the current Coq version:</p>
<dl class="dl-horizontal">
<dt>Command</dt>
<dd><code>opam install -y --show-action coq-extensible-records.1.2.0 coq.8.12.2</code></dd>
<dt>Return code</dt>
<dd>5120</dd>
<dt>Output</dt>
<dd><pre>[NOTE] Package coq is already installed (current version is 8.12.2).
The following dependencies couldn't be met:
- coq-extensible-records -> coq < 8.9 -> ocaml < 4.06.0
base of this switch (use `--unlock-base' to force)
Your request can't be satisfied:
- No available version of coq satisfies the constraints
No solution found, exiting
</pre></dd>
</dl>
<p>Dry install without Coq/switch base, to test if the problem was incompatibility with the current Coq/OCaml version:</p>
<dl class="dl-horizontal">
<dt>Command</dt>
<dd><code>opam remove -y coq; opam install -y --show-action --unlock-base coq-extensible-records.1.2.0</code></dd>
<dt>Return code</dt>
<dd>0</dd>
</dl>
<h2>Install dependencies</h2>
<dl class="dl-horizontal">
<dt>Command</dt>
<dd><code>true</code></dd>
<dt>Return code</dt>
<dd>0</dd>
<dt>Duration</dt>
<dd>0 s</dd>
</dl>
<h2>Install 🚀</h2>
<dl class="dl-horizontal">
<dt>Command</dt>
<dd><code>true</code></dd>
<dt>Return code</dt>
<dd>0</dd>
<dt>Duration</dt>
<dd>0 s</dd>
</dl>
<h2>Installation size</h2>
<p>No files were installed.</p>
<h2>Uninstall 🧹</h2>
<dl class="dl-horizontal">
<dt>Command</dt>
<dd><code>true</code></dd>
<dt>Return code</dt>
<dd>0</dd>
<dt>Missing removes</dt>
<dd>
none
</dd>
<dt>Wrong removes</dt>
<dd>
none
</dd>
</dl>
</div>
</div>
</div>
<hr/>
<div class="footer">
<p class="text-center">
Sources are on <a href="https://github.com/coq-bench">GitHub</a> © Guillaume Claret 🐣
</p>
</div>
</div>
<script src="https://ajax.googleapis.com/ajax/libs/jquery/1.11.1/jquery.min.js"></script>
<script src="../../../../../bootstrap.min.js"></script>
</body>
</html>
| {
"content_hash": "40f93d612c5b177b03cbcd691297344f",
"timestamp": "",
"source": "github",
"line_count": 163,
"max_line_length": 159,
"avg_line_length": 40.104294478527606,
"alnum_prop": 0.5343429707817041,
"repo_name": "coq-bench/coq-bench.github.io",
"id": "b0ebde0b6acb7d15c9e7080116de00c04a123250",
"size": "6562",
"binary": false,
"copies": "1",
"ref": "refs/heads/master",
"path": "clean/Linux-x86_64-4.09.1-2.0.6/released/8.12.2/extensible-records/1.2.0.html",
"mode": "33188",
"license": "mit",
"language": [],
"symlink_target": ""
} |
/**
* Discard over TCP and UDP
*/
package org.apache.commons.net.discard; | {
"content_hash": "5957f3f2ae876abd13740821484e99a1",
"timestamp": "",
"source": "github",
"line_count": 6,
"max_line_length": 39,
"avg_line_length": 12.833333333333334,
"alnum_prop": 0.6883116883116883,
"repo_name": "codolutions/commons-net",
"id": "52c115265a1817b5bcc9c8092233d0baccdc138b",
"size": "879",
"binary": false,
"copies": "5",
"ref": "refs/heads/trunk",
"path": "src/main/java/org/apache/commons/net/discard/package-info.java",
"mode": "33188",
"license": "apache-2.0",
"language": [
{
"name": "Java",
"bytes": "2102078"
},
{
"name": "Shell",
"bytes": "157"
}
],
"symlink_target": ""
} |
"use strict";
var fs = require('fs'),
path = require('path'),
shell = require('shelljs/global'),
util = require('util'),
git = require('simple-git');
module.exports = class NunjucksPublisher {
constructor(version) {
this.gitUrl = util.format("https://%[email protected]/lccgov/lcc_templates_nunjucks.git", process.env.GITHUBKEY);
this.version = version;
this.repoRoot = path.normalize(path.join(__filename, '../../..'));
this.sourceDir = path.join(this.repoRoot, 'pkg', util.format("nunjucks_lcc_templates-%s", this.version));
}
publish() {
var self = this;
console.log("Publishing new version of lcc_templates_nunjucks to npm")
fs.mkdtemp(path.join(this.repoRoot, "lcc_templates_nunjucks"), (err, folder) => {
git().clone(self.gitUrl, folder, function() {
process.chdir(folder);
exec("ls -1 | grep -v 'readme.md' | xargs -I {} rm -rf {}");
cp('-r', util.format('%s/*', self.sourceDir), folder);
exec('git config --global user.email "[email protected]"');
exec('git config --global user.name "Travis CI"');
exec("git add -A .");
exec(util.format('git commit -q -m "Publishing LCC nunjucks templates version %s"', self.version));
exec(util.format("git tag v%s", self.version));
exec("git push -q --tags origin master");
exec(util.format("echo '//registry.npmjs.org/:_authToken=\%s' > .npmrc", process.env.NPMAUTH));
exec(util.format("echo '//registry.npmjs.org/:_password=\%s' >> .npmrc", process.env.NPMTOKEN));
exec("echo '//registry.npmjs.org/:username=lccgov' >> .npmrc");
exec("echo '//registry.npmjs.org/:[email protected]' >> .npmrc");
exec("npm publish ./");
})
});
}
hasVersionUpdated(cb) {
var version = util.format("v%s", this.version);
var regex = new RegExp(version);
git().listRemote(['--tags', util.format(this.gitUrl)], function(err, data) {
if(err) return cb(err);
if(data === undefined) return cb(null, true);
return cb(null, !regex.test(data));
});
}
} | {
"content_hash": "4a7a7c491d49e1bf03d5f907aed5ce33",
"timestamp": "",
"source": "github",
"line_count": 50,
"max_line_length": 116,
"avg_line_length": 46.42,
"alnum_prop": 0.5540715208961654,
"repo_name": "lccgov/lcc_templates",
"id": "d42a7e022023a26071380011a70659c2529d04ce",
"size": "2321",
"binary": false,
"copies": "1",
"ref": "refs/heads/master",
"path": "build/publisher/nunjucks_publisher.js",
"mode": "33188",
"license": "mit",
"language": [
{
"name": "CSS",
"bytes": "251"
},
{
"name": "HTML",
"bytes": "56457"
},
{
"name": "JavaScript",
"bytes": "163012"
}
],
"symlink_target": ""
} |
var Promise = require('bluebird');
var bcrypt = require('bcrypt');
var db = require('../../db');
var contract = require('../../utils/contract');
var utils = require('../../utils/utils');
function findAll(params, limit, offset){
// get list of tasks as per limit, offset and params
var ref = {
id: 'tasks.id',
pickupname: 'tasks.pickupname',
pickupcontact: 'tasks.pickupcontact',
pickuplocation: 'tasks.pickuplocation',
pickuptime: 'tasks.pickuptime',
pickupgps: 'tasks.pickupgps',
dropname: 'tasks.dropname',
dropcontact: 'tasks.dropcontact',
droplocation: 'tasks.droplocation',
droptime: 'tasks.droptime',
dropgps: 'tasks.dropgps',
runnerid: 'taskstracker.runnerid',
isconfirmed: 'taskstracker.isconfirmed',
confirmedon: 'taskstracker.confirmedon',
confirmedby: 'taskstracker.confirmedby',
isrunnerassigned: 'taskstracker.isrunnerassigned',
runnerassignedon: 'taskstracker.runnerassignedon',
runnerassignedby: 'taskstracker.runnerassignedby',
isatpickup: 'taskstracker.isatpickup',
pickupreachtime: 'taskstracker.pickupreachtime',
pickupreachupdatedby: 'taskstracker.pickupreachupdatedby',
pickupgps: 'taskstracker.pickupgps',
isshipped: 'taskstracker.isshipped',
shipstarttime: 'taskstracker.shipstarttime',
shipstartupdatedby: 'taskstracker.shipstartupdatedby',
shipstartgps: 'taskstracker.shipstartgps',
isdelivered: 'taskstracker.isdelivered',
deliverytime: 'taskstracker.deliverytime',
deliveryupdatedby: 'taskstracker.deliveryupdatedby',
deliverygps: 'taskstracker.deliverygps',
iscanceled: 'taskstracker.iscanceled'
};
params = utils.aliases(params, ref);
params['tasks.id'] = '$taskstracker.taskid$';
var columns = utils.getValues(ref);
return db.execute({
type: 'select',
table: ['tasks', 'taskstracker'],
columns: columns,
where: params,
limit: limit,
offset: offset
});
};
function get(id){
// get details of a single task
var params = {
'tasks.id': '$taskstracker.taskid$',
'tasks.id': id
}
return db.execute({
type: 'select',
table: ['tasks', 'taskstracker'],
columns: ['tasks.id', 'tasks.orderid', 'tasks.pickuplocation', 'tasks.pickuptime', 'tasks.pickupgps', 'tasks.droplocation', 'tasks.droptime', 'tasks.dropgps', 'tasks.specialinstruction', 'tasks.pickupname', 'tasks.pickupcontact', 'tasks.dropname', 'tasks.dropcontact', 'taskstracker.runnerid', 'taskstracker.isconfirmed', 'taskstracker.confirmedon', 'taskstracker.confirmedby', 'taskstracker.isrunnerassigned', 'taskstracker.runnerassignedon', 'taskstracker.runnerassignedby', 'taskstracker.isatpickup', 'taskstracker.pickupreachtime', 'taskstracker.pickupreachupdatedby', 'taskstracker.pickupgps', 'taskstracker.isshipped', 'taskstracker.shipstarttime', 'taskstracker.shipstartupdatedby', 'taskstracker.shipstartgps', 'taskstracker.isdelivered', 'taskstracker.deliverytime', 'taskstracker.deliveryupdatedby', 'taskstracker.deliverygps', 'taskstracker.remark', 'taskstracker.iscanceled'],
where: params
});
};
function post(params, createdby){
// create new task
var ref = {
orderid: 'orderid',
pickupname: 'pickupname',
pickupcontact: 'pickupcontact',
pickuplocation: 'pickuplocation',
pickuptime: 'pickuptime',
pickupgps: 'pickupgps',
dropname: 'dropname',
dropcontact: 'dropcontact',
droplocation: 'droplocation',
droptime: 'droptime',
dropgps: 'dropgps',
specialinstruction: 'specialinstruction'
};
params = utils.aliases(params, ref);
params.createdby = createdby;
params.createdon = 'now()';
return Promise.using(db.getTranscation('db'), function(dbTx) {
return db.execute({
type: 'insert',
table: 'tasks',
values: params,
returning: ['id']
}, dbTx)
.then(function(result) {
var taskid = result.rows[0].id;
return db.execute({
type: 'insert',
table: 'taskstracker',
values: {
'taskid': taskid,
'createdby': createdby,
'createdon': 'now()'
}
}, dbTx);
});
});
};
function patch(params){
// update task info
return true;
};
function remove(id, updatedby){
return db.execute({
type: 'update',
table: 'taskstracker',
values: {
'iscanceled': 'TRUE',
'updatedby': updatedby,
'updatedon': 'now()'
},
where: {
'taskid': id
}
});
}
module.exports = {
fetchAll: findAll,
create: post,
fetchOne: get,
update: patch,
remove: remove
}; | {
"content_hash": "aebe87931a3d5f98a6e5120ac3e9cf52",
"timestamp": "",
"source": "github",
"line_count": 141,
"max_line_length": 892,
"avg_line_length": 32.361702127659576,
"alnum_prop": 0.6789392943239098,
"repo_name": "sgaurav/runner",
"id": "2cf410198b12b88e3036183bdeaed49be2fe7663",
"size": "4563",
"binary": false,
"copies": "1",
"ref": "refs/heads/master",
"path": "resources/tasks/tasks.js",
"mode": "33188",
"license": "mit",
"language": [
{
"name": "JavaScript",
"bytes": "28900"
}
],
"symlink_target": ""
} |
"""
Module for performing checks on a Kibana logging deployment
"""
import json
import ssl
try:
from urllib2 import HTTPError, URLError
import urllib2
except ImportError:
from urllib.error import HTTPError, URLError
import urllib.request as urllib2
from openshift_checks.logging.logging import LoggingCheck
class Kibana(LoggingCheck):
"""Module that checks an integrated logging Kibana deployment"""
name = "kibana"
tags = ["health", "logging"]
def run(self):
"""Check various things and gather errors. Returns: result as hash"""
self.logging_namespace = self.get_var("openshift_logging_namespace", default="logging")
kibana_pods, error = self.get_pods_for_component(
self.logging_namespace,
"kibana",
)
if error:
return {"failed": True, "changed": False, "msg": error}
check_error = self.check_kibana(kibana_pods)
if not check_error:
check_error = self._check_kibana_route()
if check_error:
msg = ("The following Kibana deployment issue was found:"
"{}".format(check_error))
return {"failed": True, "changed": False, "msg": msg}
# TODO(lmeyer): run it all again for the ops cluster
return {"failed": False, "changed": False, "msg": 'No problems found with Kibana deployment.'}
def _verify_url_internal(self, url):
"""
Try to reach a URL from the host.
Returns: success (bool), reason (for failure)
"""
args = dict(
url=url,
follow_redirects='none',
validate_certs='no', # likely to be signed with internal CA
# TODO(lmeyer): give users option to validate certs
status_code=302,
)
result = self.execute_module('uri', args)
if result.get('failed'):
return result['msg']
return None
@staticmethod
def _verify_url_external(url):
"""
Try to reach a URL from ansible control host.
Returns: success (bool), reason (for failure)
"""
# This actually checks from the ansible control host, which may or may not
# really be "external" to the cluster.
# Disable SSL cert validation to work around internally signed certs
ctx = ssl.create_default_context()
ctx.check_hostname = False # or setting CERT_NONE is refused
ctx.verify_mode = ssl.CERT_NONE
# Verify that the url is returning a valid response
try:
# We only care if the url connects and responds
return_code = urllib2.urlopen(url, context=ctx).getcode()
except HTTPError as httperr:
return httperr.reason
except URLError as urlerr:
return str(urlerr)
# there appears to be no way to prevent urlopen from following redirects
if return_code != 200:
return 'Expected success (200) but got return code {}'.format(int(return_code))
return None
def check_kibana(self, pods):
"""Check to see if Kibana is up and working. Returns: error string."""
if not pods:
return "There are no Kibana pods deployed, so no access to the logging UI."
not_running = self.not_running_pods(pods)
if len(not_running) == len(pods):
return "No Kibana pod is in a running state, so there is no access to the logging UI."
elif not_running:
return (
"The following Kibana pods are not currently in a running state:\n"
"{pods}"
"However at least one is, so service may not be impacted."
).format(pods="".join(" " + pod['metadata']['name'] + "\n" for pod in not_running))
return None
def _get_kibana_url(self):
"""
Get kibana route or report error.
Returns: url (or empty), reason for failure
"""
# Get logging url
get_route = self.exec_oc(
self.logging_namespace,
"get route logging-kibana -o json",
[],
)
if not get_route:
return None, 'no_route_exists'
route = json.loads(get_route)
# check that the route has been accepted by a router
ingress = route["status"]["ingress"]
# ingress can be null if there is no router, or empty if not routed
if not ingress or not ingress[0]:
return None, 'route_not_accepted'
host = route.get("spec", {}).get("host")
if not host:
return None, 'route_missing_host'
return 'https://{}/'.format(host), None
def _check_kibana_route(self):
"""
Check to see if kibana route is up and working.
Returns: error string
"""
known_errors = dict(
no_route_exists=(
'No route is defined for Kibana in the logging namespace,\n'
'so the logging stack is not accessible. Is logging deployed?\n'
'Did something remove the logging-kibana route?'
),
route_not_accepted=(
'The logging-kibana route is not being routed by any router.\n'
'Is the router deployed and working?'
),
route_missing_host=(
'The logging-kibana route has no hostname defined,\n'
'which should never happen. Did something alter its definition?'
),
)
kibana_url, error = self._get_kibana_url()
if not kibana_url:
return known_errors.get(error, error)
# first, check that kibana is reachable from the master.
error = self._verify_url_internal(kibana_url)
if error:
if 'urlopen error [Errno 111] Connection refused' in error:
error = (
'Failed to connect from this master to Kibana URL {url}\n'
'Is kibana running, and is at least one router routing to it?'
).format(url=kibana_url)
elif 'urlopen error [Errno -2] Name or service not known' in error:
error = (
'Failed to connect from this master to Kibana URL {url}\n'
'because the hostname does not resolve.\n'
'Is DNS configured for the Kibana hostname?'
).format(url=kibana_url)
elif 'Status code was not' in error:
error = (
'A request from this master to the Kibana URL {url}\n'
'did not return the correct status code (302).\n'
'This could mean that Kibana is malfunctioning, the hostname is\n'
'resolving incorrectly, or other network issues. The output was:\n'
' {error}'
).format(url=kibana_url, error=error)
return 'Error validating the logging Kibana route:\n' + error
# in production we would like the kibana route to work from outside the
# cluster too; but that may not be the case, so allow disabling just this part.
if not self.get_var("openshift_check_efk_kibana_external", default=True):
return None
error = self._verify_url_external(kibana_url)
if error:
if 'urlopen error [Errno 111] Connection refused' in error:
error = (
'Failed to connect from the Ansible control host to Kibana URL {url}\n'
'Is the router for the Kibana hostname exposed externally?'
).format(url=kibana_url)
elif 'urlopen error [Errno -2] Name or service not known' in error:
error = (
'Failed to resolve the Kibana hostname in {url}\n'
'from the Ansible control host.\n'
'Is DNS configured to resolve this Kibana hostname externally?'
).format(url=kibana_url)
elif 'Expected success (200)' in error:
error = (
'A request to Kibana at {url}\n'
'returned the wrong error code:\n'
' {error}\n'
'This could mean that Kibana is malfunctioning, the hostname is\n'
'resolving incorrectly, or other network issues.'
).format(url=kibana_url, error=error)
error = (
'Error validating the logging Kibana route:\n{error}\n'
'To disable external Kibana route validation, set in your inventory:\n'
' openshift_check_efk_kibana_external=False'
).format(error=error)
return error
return None
| {
"content_hash": "68cf8b728a550d5292238d1af3b18ad2",
"timestamp": "",
"source": "github",
"line_count": 220,
"max_line_length": 102,
"avg_line_length": 39.86363636363637,
"alnum_prop": 0.5689851767388826,
"repo_name": "rhdedgar/openshift-tools",
"id": "efb14ab423dafc431ce546d0a75525817e2b45af",
"size": "8770",
"binary": false,
"copies": "1",
"ref": "refs/heads/stg",
"path": "openshift/installer/vendored/openshift-ansible-3.6.173.0.27/roles/openshift_health_checker/openshift_checks/logging/kibana.py",
"mode": "33188",
"license": "apache-2.0",
"language": [
{
"name": "CSS",
"bytes": "588"
},
{
"name": "Groovy",
"bytes": "6322"
},
{
"name": "HTML",
"bytes": "73250"
},
{
"name": "JavaScript",
"bytes": "960"
},
{
"name": "PHP",
"bytes": "35793"
},
{
"name": "Python",
"bytes": "20646861"
},
{
"name": "Shell",
"bytes": "903453"
},
{
"name": "Vim script",
"bytes": "1836"
}
],
"symlink_target": ""
} |
<?php
class A_tags extends CI_Model {
function __construct() {
parent::__construct();
$this->load->database();
}
// show list tagss where
function show_list_tags_where($where = array(), $limit, $offset, $lang = 'vn', $page = 1) {
$this->db->select("tagsdetail.tags_name as name,tags.id,tags.type,tagsdetail.tags_link");
$this->db->where("country.name", $lang);
$this->db->where($where);
if ($page == 1) {
$this->db->limit($limit, $offset);
}
$this->db->where(array("tags.status"=>'1','country.name'=>$lang));
$this->db->order_by('tags.weight', "ASC");
$this->db->group_by('tags.id');
$this->db->from('tags');
$this->db->join('tagsdetail', 'tagsdetail.tags_id=tags.id');
$this->db->join('country', 'tagsdetail.country_id=country.id');
return $this->db->get()->result();
}
// show detail
function show_detail_tags_where($where=array(), $lang = 'vn') {
$this->db->select("tagsdetail.tags_name as name,tags.id,tagsdetail.tags_link,tags.type");
$this->db->where("country.name", $lang);
$this->db->where($where);
$this->db->order_by('tags.weight', "ASC");
$this->db->from('tags');
$this->db->join('tagsdetail', 'tagsdetail.tags_id=tags.id');
$this->db->join('country', 'tagsdetail.country_id=country.id');
return $this->db->get()->row();
}
// show detail with article_id
function show_detail_tags_with_article($id, $lang = 'vn') {
$this->db->select("tagsdetail.tags_name as name,tags.id,tagsdetail.tags_link,tags.type");
$this->db->where("country.name", $lang);
$this->db->where("articletags.article_id",$id);
$this->db->order_by('tags.weight', "ASC");
$this->db->from('tags');
$this->db->join('tagsdetail', 'tagsdetail.tags_id=tags.id');
$this->db->join('country', 'tagsdetail.country_id=country.id');
$this->db->join('articletags','articletags.tags_id=tags.id');
return $this->db->get()->row();
}
}
| {
"content_hash": "ea7bf86502caafe0c693265368c0cc74",
"timestamp": "",
"source": "github",
"line_count": 51,
"max_line_length": 97,
"avg_line_length": 41.254901960784316,
"alnum_prop": 0.5636882129277566,
"repo_name": "itphamphong/viettoc",
"id": "9afb9c473bc218c7c848fee4907913054cf636a7",
"size": "2104",
"binary": false,
"copies": "1",
"ref": "refs/heads/master",
"path": "application/modules/tags/models/A_tags.php",
"mode": "33188",
"license": "mit",
"language": [
{
"name": "ApacheConf",
"bytes": "814"
},
{
"name": "CSS",
"bytes": "2310448"
},
{
"name": "Go",
"bytes": "6808"
},
{
"name": "HTML",
"bytes": "6686446"
},
{
"name": "Java",
"bytes": "14870"
},
{
"name": "JavaScript",
"bytes": "3790401"
},
{
"name": "Makefile",
"bytes": "2678"
},
{
"name": "PHP",
"bytes": "4400940"
},
{
"name": "Python",
"bytes": "37920"
},
{
"name": "Ruby",
"bytes": "6561"
},
{
"name": "Shell",
"bytes": "2063"
}
],
"symlink_target": ""
} |
require 'active_record'
module Delayed
module Backend
module ActiveRecord
# A job object that is persisted to the database.
# Contains the work object as a YAML field.
class Job < ::ActiveRecord::Base
include Delayed::Backend::Base
set_table_name :delayed_jobs
before_save :set_default_run_at
def self.before_fork
::ActiveRecord::Base.clear_all_connections!
end
def self.after_fork
::ActiveRecord::Base.establish_connection
end
# Find a few candidate jobs to run (in case some immediately get locked by others).
def self.next_available_batch(priority, batch_size)
jobs = self.where(["priority = ? AND failed_at is null AND run_at < ?", priority, Time.now]).limit(batch_size).order("run_at asc").all
jobs
end
# Get the current time (GMT or local depending on DB)
# Note: This does not ping the DB to get the time, so all your clients
# must have syncronized clocks.
def self.db_time_now
if Time.zone
Time.zone.now
elsif ::ActiveRecord::Base.default_timezone == :utc
Time.now.utc
else
Time.now
end
end
end
end
end
end
| {
"content_hash": "8f6956bc249c957e209efd185ae2c649",
"timestamp": "",
"source": "github",
"line_count": 44,
"max_line_length": 144,
"avg_line_length": 29.431818181818183,
"alnum_prop": 0.5992277992277992,
"repo_name": "medhelpintl/delayed_job_mh",
"id": "bb760986c9dad7a3ee4224d3fc7fd7398b0b6b5d",
"size": "1295",
"binary": false,
"copies": "1",
"ref": "refs/heads/master",
"path": "lib/delayed/backend/active_record.rb",
"mode": "33188",
"license": "mit",
"language": [],
"symlink_target": ""
} |
<?php
namespace N98\Magento\Command\Indexer;
use N98\Magento\Command\AbstractMagentoCommand;
use N98\Util\DateTime as DateTimeUtils;
class AbstractIndexerCommand extends AbstractMagentoCommand
{
/**
* @return array
*/
protected function getIndexerList()
{
$list = array();
$indexCollection = $this->getObjectManager()->get('Magento\Indexer\Model\Indexer\Collection');
foreach ($indexCollection as $indexer) {
/* @var $indexer \Magento\Indexer\Model\Indexer */
$lastReadbleRuntime = $this->getRuntime($indexer);
$runtimeInSeconds = $this->getRuntimeInSeconds($indexer);
$list[] = array(
'code' => $indexer->getId(),
'title' => $indexer->getTitle(),
'status' => $indexer->getStatus(),
'last_runtime' => $lastReadbleRuntime, // @TODO Check if this exists in Magento 2
'runtime_seconds' => $runtimeInSeconds, // @TODO Check if this exists in Magento 2
);
}
return $list;
}
/**
* Returns a readable runtime
*
* @param $indexer
* @return mixed
*/
protected function getRuntime($indexer)
{
$dateTimeUtils = new DateTimeUtils();
$startTime = new \DateTime($indexer->getStartedAt());
$endTime = new \DateTime($indexer->getEndedAt());
if ($startTime > $endTime) {
return 'index not finished';
}
$lastRuntime = $dateTimeUtils->getDifferenceAsString($startTime, $endTime);
return $lastRuntime;
}
/**
* Returns the runtime in total seconds
*
* @param $indexer
* @return int
*/
protected function getRuntimeInSeconds($indexer)
{
$startTimestamp = strtotime($indexer->getStartedAt());
$endTimestamp = strtotime($indexer->getEndedAt());
return $endTimestamp - $startTimestamp;
}
}
| {
"content_hash": "9284c52fbf0d138825fca5938e09ee98",
"timestamp": "",
"source": "github",
"line_count": 64,
"max_line_length": 102,
"avg_line_length": 31.015625,
"alnum_prop": 0.5793450881612091,
"repo_name": "p-makowski/n98-magerun2",
"id": "7d8c5a793300eae703c977c4ddee37eb5335b9b2",
"size": "1985",
"binary": false,
"copies": "1",
"ref": "refs/heads/master",
"path": "src/N98/Magento/Command/Indexer/AbstractIndexerCommand.php",
"mode": "33188",
"license": "mit",
"language": [
{
"name": "HTML",
"bytes": "5078"
},
{
"name": "PHP",
"bytes": "612463"
},
{
"name": "Shell",
"bytes": "22628"
}
],
"symlink_target": ""
} |
using System.Windows;
namespace EraFileCreator
{
/// <summary>
/// Interaction logic for App.xaml
/// </summary>
public partial class App : Application
{
}
} | {
"content_hash": "792bb983dfcf78b2e1cbff9c621c3d27",
"timestamp": "",
"source": "github",
"line_count": 11,
"max_line_length": 42,
"avg_line_length": 17,
"alnum_prop": 0.6042780748663101,
"repo_name": "kball66816/ERAFileCreator2",
"id": "5a70e126344565d13d4f0e16488aa394847c389d",
"size": "189",
"binary": false,
"copies": "1",
"ref": "refs/heads/master",
"path": "EFCView/App.xaml.cs",
"mode": "33188",
"license": "mit",
"language": [
{
"name": "C#",
"bytes": "246527"
}
],
"symlink_target": ""
} |
require 'sanitize_attributes'
SanitizeAttributes.hook!
| {
"content_hash": "10f47669eaf8bbe29005486a4665dd30",
"timestamp": "",
"source": "github",
"line_count": 2,
"max_line_length": 29,
"avg_line_length": 27.5,
"alnum_prop": 0.8545454545454545,
"repo_name": "devp/sanitize_attributes",
"id": "a4460fdcf920045f2c6cdc1c455fa9c9d611bfe5",
"size": "55",
"binary": false,
"copies": "1",
"ref": "refs/heads/master",
"path": "init.rb",
"mode": "33188",
"license": "mit",
"language": [
{
"name": "Ruby",
"bytes": "7978"
}
],
"symlink_target": ""
} |
package java.nio;
import libcore.io.SizeOf;
/**
* This class wraps a byte buffer to be a short buffer.
* <p>
* Implementation notice:
* <ul>
* <li>After a byte buffer instance is wrapped, it becomes privately owned by
* the adapter. It must NOT be accessed outside the adapter any more.</li>
* <li>The byte buffer's position and limit are NOT linked with the adapter.
* The adapter extends Buffer, thus has its own position and limit.</li>
* </ul>
* </p>
*/
final class ByteBufferAsShortBuffer extends ShortBuffer {
private final ByteBuffer byteBuffer;
static ShortBuffer asShortBuffer(ByteBuffer byteBuffer) {
ByteBuffer slice = byteBuffer.slice();
slice.order(byteBuffer.order());
return new ByteBufferAsShortBuffer(slice);
}
private ByteBufferAsShortBuffer(ByteBuffer byteBuffer) {
super(byteBuffer.capacity() / SizeOf.SHORT);
this.byteBuffer = byteBuffer;
this.byteBuffer.clear();
this.effectiveDirectAddress = byteBuffer.effectiveDirectAddress;
}
@Override
public ShortBuffer asReadOnlyBuffer() {
ByteBufferAsShortBuffer buf = new ByteBufferAsShortBuffer(byteBuffer.asReadOnlyBuffer());
buf.limit = limit;
buf.position = position;
buf.mark = mark;
buf.byteBuffer.order = byteBuffer.order;
return buf;
}
@Override
public ShortBuffer compact() {
if (byteBuffer.isReadOnly()) {
throw new ReadOnlyBufferException();
}
byteBuffer.limit(limit * SizeOf.SHORT);
byteBuffer.position(position * SizeOf.SHORT);
byteBuffer.compact();
byteBuffer.clear();
position = limit - position;
limit = capacity;
mark = UNSET_MARK;
return this;
}
@Override
public ShortBuffer duplicate() {
ByteBuffer bb = byteBuffer.duplicate().order(byteBuffer.order());
ByteBufferAsShortBuffer buf = new ByteBufferAsShortBuffer(bb);
buf.limit = limit;
buf.position = position;
buf.mark = mark;
return buf;
}
@Override
public short get() {
if (position == limit) {
throw new BufferUnderflowException();
}
return byteBuffer.getShort(position++ * SizeOf.SHORT);
}
@Override
public short get(int index) {
checkIndex(index);
return byteBuffer.getShort(index * SizeOf.SHORT);
}
@Override
public ShortBuffer get(short[] dst, int dstOffset, int shortCount) {
byteBuffer.limit(limit * SizeOf.SHORT);
byteBuffer.position(position * SizeOf.SHORT);
if (byteBuffer instanceof DirectByteBuffer) {
((DirectByteBuffer) byteBuffer).get(dst, dstOffset, shortCount);
} else {
((ByteArrayBuffer) byteBuffer).get(dst, dstOffset, shortCount);
}
this.position += shortCount;
return this;
}
@Override
public boolean isDirect() {
return byteBuffer.isDirect();
}
@Override
public boolean isReadOnly() {
return byteBuffer.isReadOnly();
}
@Override
public ByteOrder order() {
return byteBuffer.order();
}
@Override short[] protectedArray() {
throw new UnsupportedOperationException();
}
@Override int protectedArrayOffset() {
throw new UnsupportedOperationException();
}
@Override boolean protectedHasArray() {
return false;
}
@Override
public ShortBuffer put(short c) {
if (position == limit) {
throw new BufferOverflowException();
}
byteBuffer.putShort(position++ * SizeOf.SHORT, c);
return this;
}
@Override
public ShortBuffer put(int index, short c) {
checkIndex(index);
byteBuffer.putShort(index * SizeOf.SHORT, c);
return this;
}
@Override
public ShortBuffer put(short[] src, int srcOffset, int shortCount) {
byteBuffer.limit(limit * SizeOf.SHORT);
byteBuffer.position(position * SizeOf.SHORT);
if (byteBuffer instanceof DirectByteBuffer) {
((DirectByteBuffer) byteBuffer).put(src, srcOffset, shortCount);
} else {
((ByteArrayBuffer) byteBuffer).put(src, srcOffset, shortCount);
}
this.position += shortCount;
return this;
}
@Override
public ShortBuffer slice() {
byteBuffer.limit(limit * SizeOf.SHORT);
byteBuffer.position(position * SizeOf.SHORT);
ByteBuffer bb = byteBuffer.slice().order(byteBuffer.order());
ShortBuffer result = new ByteBufferAsShortBuffer(bb);
byteBuffer.clear();
return result;
}
}
| {
"content_hash": "3b188074f28f18a7d52b589ef8d19efb",
"timestamp": "",
"source": "github",
"line_count": 164,
"max_line_length": 97,
"avg_line_length": 28.6890243902439,
"alnum_prop": 0.6295430393198724,
"repo_name": "indashnet/InDashNet.Open.UN2000",
"id": "ff81409608be72b614ce19930cbd13b9203a4466",
"size": "5503",
"binary": false,
"copies": "1",
"ref": "refs/heads/master",
"path": "android/libcore/luni/src/main/java/java/nio/ByteBufferAsShortBuffer.java",
"mode": "33188",
"license": "apache-2.0",
"language": [],
"symlink_target": ""
} |
ACCEPTED
#### According to
Index Fungorum
#### Published in
Annls mycol. 25: 453 (1927)
#### Original name
Meliola solanicola Gaillard
### Remarks
null | {
"content_hash": "8f946cd5dfbbab2e62d1b031fc8565b0",
"timestamp": "",
"source": "github",
"line_count": 13,
"max_line_length": 27,
"avg_line_length": 11.923076923076923,
"alnum_prop": 0.7096774193548387,
"repo_name": "mdoering/backbone",
"id": "92512c1f4402773c0babc0a873cf4ecf2ff8af70",
"size": "216",
"binary": false,
"copies": "1",
"ref": "refs/heads/master",
"path": "life/Fungi/Ascomycota/Dothideomycetes/Meliolales/Meliolaceae/Irenina/Irenina solanicola/README.md",
"mode": "33188",
"license": "apache-2.0",
"language": [],
"symlink_target": ""
} |
RELEASE HISTORY
===============
0.0.50 (9/25/2015)
------------------
Release Notes
~~~~~~~~~~~~~
This release removes the 'global' jvm compile strategy in favor of the 'isolated' strategy and
switches the default java incremental compilation frontend from jmake to zinc. If you were using
'global' and/or jmake you'll have some pants.ini cleanup to do. You can run the migration tool
from the `pantsbuild/pants repository <https://github.com/pantsbuild/pants>`_ by cloning the repo
and running the following command from there against your own repo's pants.ini::
pantsbuild/pants $ ./pants run migrations/options/src/python:migrate_config -- [path to your repo's pants.ini]
There have been several additional deprecated APIs removed in this release, please review the
API Changes section below.
API Changes
~~~~~~~~~~~
* Remove artifacts from JarDependency; Kill IvyArtifact.
`RB #2858 <https://rbcommons.com/s/twitter/r/2858>`_
* Kill deprecated `BuildFileAliases.create` method.
`RB #2888 <https://rbcommons.com/s/twitter/r/2888>`_
* Remove the deprecated `SyntheticAddress` class.
`RB #2886 <https://rbcommons.com/s/twitter/r/2886>`_
* Slim down the API of the Config class and move it to options/.
`RB #2865 <https://rbcommons.com/s/twitter/r/2865>`_
* Remove the JVM global compile strategy, switch default java compiler to zinc
`RB #2852 <https://rbcommons.com/s/twitter/r/2852>`_
* Support arbitrary expressions in option values.
`RB #2860 <https://rbcommons.com/s/twitter/r/2860>`_
Bugfixes
~~~~~~~~
* Change jar-tool to use CONCAT_TEXT by default for handling duplicates under META-INF/services
`RB #2881 <https://rbcommons.com/s/twitter/r/2881>`_
* Upgrade to jarjar 1.6.0.
`RB #2880 <https://rbcommons.com/s/twitter/r/2880>`_
* Improve error handling for nailgun client connection attempts
`RB #2869 <https://rbcommons.com/s/twitter/r/2869>`_
* Fix Go targets to glob more than '.go' files.
`RB #2873 <https://rbcommons.com/s/twitter/r/2873>`_
* Defend against concurrent bootstrap of the zinc compiler interface
`RB #2872 <https://rbcommons.com/s/twitter/r/2872>`_
`RB #2867 <https://rbcommons.com/s/twitter/r/2867>`_
`RB #2866 <https://rbcommons.com/s/twitter/r/2866>`_
* Fix missing underscore, add simple unit test
`RB #2805 <https://rbcommons.com/s/twitter/r/2805>`_
`RB #2862 <https://rbcommons.com/s/twitter/r/2862>`_
* Fix a protocol bug in `GopkgInFetcher` for v0's.
`RB #2857 <https://rbcommons.com/s/twitter/r/2857>`_
New Features
~~~~~~~~~~~~
* Allow resolving buildcache hosts via a REST service
`RB #2815 <https://rbcommons.com/s/twitter/r/2815>`_
* Implement profiling inside pants.
`RB #2885 <https://rbcommons.com/s/twitter/r/2885>`_
* Adds a new CONCAT_TEXT rule to jar tool to handle text files that might be missing the last newline.
`RB #2875 <https://rbcommons.com/s/twitter/r/2875>`_
Small improvements, Refactoring and Tooling
~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
* Enable Future compatibility style checks
`RB #2884 <https://rbcommons.com/s/twitter/r/2884>`_
* Fix another scoped option issue in the test harnesses
`RB #2850 <https://rbcommons.com/s/twitter/r/2850>`_
`RB #2870 <https://rbcommons.com/s/twitter/r/2870>`_
* Fix go_local_source_test_base.py for OSX.
`RB #2882 <https://rbcommons.com/s/twitter/r/2882>`_
* Fix javadocs and add jvm doc gen to CI.
`Issue #65 <https://github.com/pantsbuild/pants/issues/65>`_
`RB #2877 <https://rbcommons.com/s/twitter/r/2877>`_
* Fixup release dry runs; use isolated plugin cache.
`RB #2874 <https://rbcommons.com/s/twitter/r/2874>`_
* Fix scoped options initialization in test
`RB #2815 <https://rbcommons.com/s/twitter/r/2815>`_
`RB #2850 <https://rbcommons.com/s/twitter/r/2850>`_
0.0.49 (9/21/2015)
------------------
Release Notes
~~~~~~~~~~~~~
This is a hotfix release that includes a fix for resolving remote go libraries
that use relative imports.
Bugfixes
~~~~~~~~
* Include resolved jar versions in compile fingerprints; ensure coordinates match artifacts.
`RB #2853 <https://rbcommons.com/s/twitter/r/2853>`_
* Fixup GoFetch to handle relative imports.
`RB #2854 <https://rbcommons.com/s/twitter/r/2854>`_
New Features
~~~~~~~~~~~~
* Enhancements to the dep-usage goal
`RB #2851 <https://rbcommons.com/s/twitter/r/2851>`_
0.0.48 (9/18/2015)
------------------
Release Notes
~~~~~~~~~~~~~
There is a new UI in the `./pants server` web interface that shows 'Timing Stats' graphs. These
graphs show where time is spent on a daily-aggregation basis in various tasks. You can drill down
into a task to see which sub-steps are most expensive. Try it out!
We also have a few new metadata goals to help figure out what's going on with file ownership and
options.
If you want to find out where options are coming from, the `options` goal can help you out::
$ ./pants -q options --only-overridden --scope=compile
compile.apt.jvm_options = ['-Xmx1g', '-XX:MaxPermSize=256m'] (from CONFIG in pants.ini)
compile.java.jvm_options = ['-Xmx2G'] (from CONFIG in pants.ini)
compile.java.partition_size_hint = 1000000000 (from CONFIG in pants.ini)
compile.zinc.jvm_options = ['-Xmx2g', '-XX:MaxPermSize=256m', '-Dzinc.analysis.cache.limit=0'] (from CONFIG in pants.ini)
If you're not sure which target(s) own a given file::
$ ./pants -q list-owners -- src/python/pants/base/target.py
src/python/pants/build_graph
The latter comes from new contributor Tansy Arron-Walker.
API Changes
~~~~~~~~~~~
* Kill 'ivy_jar_products'.
`RB #2823 <https://rbcommons.com/s/twitter/r/2823>`_
* Kill 'ivy_resolve_symlink_map' and 'ivy_cache_dir' products.
`RB #2819 <https://rbcommons.com/s/twitter/r/2819>`_
Bugfixes
~~~~~~~~
* Upgrade to jarjar 1.5.2.
`RB #2847 <https://rbcommons.com/s/twitter/r/2847>`_
* Don't modify globs excludes argument value.
`RB #2841 <https://rbcommons.com/s/twitter/r/2841>`_
* Whitelist the appropriate filter option name for zinc
`RB #2839 <https://rbcommons.com/s/twitter/r/2839>`_
* Ensure stale classes are removed during isolated compile by cleaning classes directory prior to handling invalid targets
`RB #2805 <https://rbcommons.com/s/twitter/r/2805>`_
* Fix `linecount` estimator for `dep-usage` goal
`RB #2828 <https://rbcommons.com/s/twitter/r/2828>`_
* Fix resource handling for the python backend.
`RB #2817 <https://rbcommons.com/s/twitter/r/2817>`_
* Fix coordinates of resolved jars in IvyInfo.
`RB #2818 <https://rbcommons.com/s/twitter/r/2818>`_
* Fix `NailgunExecutor` to support more than one connect attempt
`RB #2822 <https://rbcommons.com/s/twitter/r/2822>`_
* Fixup AndroidIntegrationTest broken by Distribution refactor.
`RB #2811 <https://rbcommons.com/s/twitter/r/2811>`_
* Backport sbt java output fixes into zinc
`RB #2810 <https://rbcommons.com/s/twitter/r/2810>`_
* Align ivy excludes and ClasspathProducts excludes.
`RB #2807 <https://rbcommons.com/s/twitter/r/2807>`_
New Features
~~~~~~~~~~~~
* A nice timing stats report.
`RB #2825 <https://rbcommons.com/s/twitter/r/2825>`_
* Add new console task ListOwners to determine the targets that own a source
`RB #2755 <https://rbcommons.com/s/twitter/r/2755>`_
* Adding a console task to explain where options came from.
`RB #2816 <https://rbcommons.com/s/twitter/r/2816>`_
Small improvements, Refactoring and Tooling
~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
* Deprecate 'Repository' alias in favor of 'repo'.
`RB #2845 <https://rbcommons.com/s/twitter/r/2845>`_
* Fix indents (checkstyle)
`RB #2844 <https://rbcommons.com/s/twitter/r/2844>`_
* Use list comprehension in jvm_compile to calculate valid targets
`RB #2843 <https://rbcommons.com/s/twitter/r/2843>`_
* Transition `IvyImports` to 'compile_classpath'.
`RB #2840 <https://rbcommons.com/s/twitter/r/2840>`_
* Migrate `JvmBinaryTask` to 'compile_classpath'.
`RB #2832 <https://rbcommons.com/s/twitter/r/2832>`_
* Add support for snapshotting `ClasspathProducts`.
`RB #2837 <https://rbcommons.com/s/twitter/r/2837>`_
* Bump to zinc 1.0.11
`RB #2827 <https://rbcommons.com/s/twitter/r/2827>`_
`RB #2836 <https://rbcommons.com/s/twitter/r/2836>`_
`RB #2812 <https://rbcommons.com/s/twitter/r/2812>`_
* Lazily load zinc analysis
`RB #2827 <https://rbcommons.com/s/twitter/r/2827>`_
* Add support for whitelisting of zinc options
`RB #2835 <https://rbcommons.com/s/twitter/r/2835>`_
* Kill the unused `JvmTarget.configurations` field.
`RB #2834 <https://rbcommons.com/s/twitter/r/2834>`_
* Kill 'jvm_build_tools_classpath_callbacks' deps.
`RB #2831 <https://rbcommons.com/s/twitter/r/2831>`_
* Add `:scalastyle_integration` test to `:integration` test target
`RB #2830 <https://rbcommons.com/s/twitter/r/2830>`_
* Use fast_relpath in JvmCompileIsolatedStrategy.compute_classes_by_source
`RB #2826 <https://rbcommons.com/s/twitter/r/2826>`_
* Enable New Style class check
`RB #2820 <https://rbcommons.com/s/twitter/r/2820>`_
* Remove `--quiet` flag from `pip`
`RB #2809 <https://rbcommons.com/s/twitter/r/2809>`_
* Move AptCompile to zinc
`RB #2806 <https://rbcommons.com/s/twitter/r/2806>`_
* Add a just-in-time check of the artifact cache to the isolated compile strategy
`RB #2690 <https://rbcommons.com/s/twitter/r/2690>`_
0.0.47 (9/11/2015)
------------------
Release Notes
~~~~~~~~~~~~~
By defaulting the versions of most built-in tools, this release makes pants significantly easier to configure! Tools like antlr, jmake, nailgun, etc, will use default classpaths unless override targets are provided.
Additionally, this release adds native support for shading JVM binaries, which helps to isolate them from their deployment environment.
Thanks to all contributors!
API Changes
~~~~~~~~~~~
* Add JVM distributions and platforms to the export format.
`RB #2784 <https://rbcommons.com/s/twitter/r/2784>`_
* Added Python setup to export goal to consume in the Pants Plugin for IntelliJ.
`RB #2785 <https://rbcommons.com/s/twitter/r/2785>`_
`RB #2786 <https://rbcommons.com/s/twitter/r/2786>`_
* Introduce anonymous targets built by macros.
`RB #2759 <https://rbcommons.com/s/twitter/r/2759>`_
* Upgrade to the re-merged Node.js/io.js as the default.
`RB #2800 <https://rbcommons.com/s/twitter/r/2800>`_
Bugfixes
~~~~~~~~
* Don't create directory entries in the isolated compile context jar
`RB #2775 <https://rbcommons.com/s/twitter/r/2775>`_
* Bump jar-tool release version to 0.0.7 to pick up double-slashed directory fixes
`RB #2763 <https://rbcommons.com/s/twitter/r/2763>`_
`RB #2779 <https://rbcommons.com/s/twitter/r/2779>`_
* junit_run now parses errors (in addition to failures) to correctly set failing target
`RB #2782 <https://rbcommons.com/s/twitter/r/2782>`_
* Fix the zinc name-hashing flag for unicode symbols
`RB #2776 <https://rbcommons.com/s/twitter/r/2776>`_
New Features
~~~~~~~~~~~~
* Support for shading rules for jvm_binary.
`RB #2754 <https://rbcommons.com/s/twitter/r/2754>`_
* Add support for @fromfile option values.
`RB #2783 <https://rbcommons.com/s/twitter/r/2783>`_
`RB #2794 <https://rbcommons.com/s/twitter/r/2794>`_
* --config-override made appendable, to support multiple pants.ini files.
`RB #2774 <https://rbcommons.com/s/twitter/r/2774>`_
* JVM tools can now carry their own classpath, meaning that most don't need to be configured
`RB #2778 <https://rbcommons.com/s/twitter/r/2778>`_
`RB #2795 <https://rbcommons.com/s/twitter/r/2795>`_
Small improvements, Refactoring and Tooling
~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
* Added migration of --jvm-jdk-paths to --jvm-distributions-paths
`RB #2677 <https://rbcommons.com/s/twitter/r/2677>`_
`RB #2781 <https://rbcommons.com/s/twitter/r/2781>`_
* Example of problem with annotation processors that reference external dependencies.
`RB #2777 <https://rbcommons.com/s/twitter/r/2777>`_
* Replace eval use with a parse_literal util.
`RB #2787 <https://rbcommons.com/s/twitter/r/2787>`_
* Move Shader from pants.java to the jvm backend.
`RB #2788 <https://rbcommons.com/s/twitter/r/2788>`_
* Move BuildFileAliases validation to BuildFileAliases.
`RB #2790 <https://rbcommons.com/s/twitter/r/2790>`_
* Centralize finding target types for an alias.
`RB #2796 <https://rbcommons.com/s/twitter/r/2796>`_
* Store timing stats in a structured way, instead of as json.
`RB #2797 <https://rbcommons.com/s/twitter/r/2797>`_
Documentation
~~~~~~~~~~~~~
* Added a step to publish RELEASE HISTORY back to the public website [DOC]
`RB #2780 <https://rbcommons.com/s/twitter/r/2780>`_
* Fix buildcache doc typos, use err param rather than ignoring it in UnreadableArtifact
`RB #2801 <https://rbcommons.com/s/twitter/r/2801>`_
0.0.46 (9/4/2015)
-----------------
Release Notes
~~~~~~~~~~~~~
This release includes more support for Node.js!
Support for the environment variables `PANTS_VERBOSE` and `PANTS_BUILD_ROOT` have been removed in
this release. Instead, use `--level` to turn on debugging in pants. Pants recursively searches from
the current directory to the root directory until it finds the `pants.ini` file in order to find
the build root.
The `pants()` syntax in BUILD files has been removed (deprecated since 0.0.29).
API Changes
~~~~~~~~~~~
* Kill PANTS_VERBOSE and PANTS_BUILD_ROOT.
`RB #2760 <https://rbcommons.com/s/twitter/r/2760>`_
* [classpath products] introduce ResolvedJar and M2Coordinate and use them for improved exclude handling
`RB #2654 <https://rbcommons.com/s/twitter/r/2654>`_
* Kill the `pants()` pointer, per discussion in Slack: https://pantsbuild.slack.com/archives/general/p1440451305004760
`RB #2650 <https://rbcommons.com/s/twitter/r/2650>`_
* Make Globs classes and Bundle stand on their own.
`RB #2740 <https://rbcommons.com/s/twitter/r/2740>`_
* Rid all targets of sources_rel_path parameters.
`RB #2738 <https://rbcommons.com/s/twitter/r/2738>`_
* Collapse SyntheticAddress up into Address. [API]
`RB #2730 <https://rbcommons.com/s/twitter/r/2730>`_
Bugfixes
~~~~~~~~
* Fix + test 3rd party missing dep for zinc
`RB #2764 <https://rbcommons.com/s/twitter/r/2764>`_
* Implement a synthetic jar that sets Class-Path to bypass ARG_MAX limit
`RB #2672 <https://rbcommons.com/s/twitter/r/2672>`_
* Fixed changed goal for BUILD files in build root
`RB #2749 <https://rbcommons.com/s/twitter/r/2749>`_
* Refactor / bug-fix for checking jars during dep check
`RB #2739 <https://rbcommons.com/s/twitter/r/2739>`_
* PytestRun test failures parsing is broken for tests in a class
`RB #2714 <https://rbcommons.com/s/twitter/r/2714>`_
* Make nailgun_client error when the client socket is closed.
`RB #2727 <https://rbcommons.com/s/twitter/r/2727>`_
New Features
~~~~~~~~~~~~
* Initial support for `resolve.npm`.
`RB #2723 <https://rbcommons.com/s/twitter/r/2723>`_
* Add support for `repl.node`.
`RB #2766 <https://rbcommons.com/s/twitter/r/2766>`_
* Setup the node contrib for release.
`RB #2768 <https://rbcommons.com/s/twitter/r/2768>`_
* Add annotation processor settings to goal idea
`RB #2753 <https://rbcommons.com/s/twitter/r/2753>`_
* Introduce job prioritization to ExecutionGraph
`RB #2601 <https://rbcommons.com/s/twitter/r/2601>`_
* Provide include paths to thrift-linter to allow for more complex checks
`RB #2712 <https://rbcommons.com/s/twitter/r/2712>`_
* JVM dependency usage task
`RB #2757 <https://rbcommons.com/s/twitter/r/2757>`_
Small improvements, Refactoring and Tooling
~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
* Re-work REPL mutual exclusion.
`RB #2765 <https://rbcommons.com/s/twitter/r/2765>`_
* Return cached_chroots instead of yielding them.
`RB #2762 <https://rbcommons.com/s/twitter/r/2762>`_
* Normalize and decompose GoalRunner initialization and setup
`RB #2715 <https://rbcommons.com/s/twitter/r/2715>`_
* Fixed pre-commit hook for CI
`RB #2758 <https://rbcommons.com/s/twitter/r/2758>`_
* Code added check valid arguments for glob, test added as well
`RB #2750 <https://rbcommons.com/s/twitter/r/2750>`_
* Fix newline style nits and enable newline check in pants.ini
`RB #2756 <https://rbcommons.com/s/twitter/r/2756>`_
* Add the class name and scope name to the uninitialized subsystem error message
`RB #2698 <https://rbcommons.com/s/twitter/r/2698>`_
* Make nailgun killing faster.
`RB #2685 <https://rbcommons.com/s/twitter/r/2685>`_
* Switch JVM missing dep detection to use compile_classpath
`RB #2729 <https://rbcommons.com/s/twitter/r/2729>`_
* Add transitive flag to ClasspathProduct.get_for_target[s]
`RB #2744 <https://rbcommons.com/s/twitter/r/2744>`_
* Add transitive parameter to UnionProducts.get_for_target[s]
`RB #2741 <https://rbcommons.com/s/twitter/r/2741>`_
* Tighten up the node target hierarchy.
`RB #2736 <https://rbcommons.com/s/twitter/r/2736>`_
* Ensure pipeline failuires fail CI.
`RB #2731 <https://rbcommons.com/s/twitter/r/2731>`_
* Record the BUILD target alias in BuildFileAddress.
`RB #2726 <https://rbcommons.com/s/twitter/r/2726>`_
* Use BaseCompileIT to double-check missing dep failure and whitelist success.
`RB #2732 <https://rbcommons.com/s/twitter/r/2732>`_
* Use Target.subsystems to expose UnknownArguments.
`RB #2725 <https://rbcommons.com/s/twitter/r/2725>`_
* Populate classes_by_target using the context jar for the isolated strategy
`RB #2720 <https://rbcommons.com/s/twitter/r/2720>`_
* Push OSX CI's over to pantsbuild-osx.
`RB #2724 <https://rbcommons.com/s/twitter/r/2724>`_
Documentation
~~~~~~~~~~~~~
* Update a few references to options moved to the jvm subsystem in docs and comments
`RB #2751 <https://rbcommons.com/s/twitter/r/2751>`_
* Update developer docs mention new testing idioms
`RB #2743 <https://rbcommons.com/s/twitter/r/2743>`_
* Clarify the RBCommons/pants-reviews setup step.
`RB #2733 <https://rbcommons.com/s/twitter/r/2733>`_
0.0.45 (8/28/2015)
-------------------
Release Notes
~~~~~~~~~~~~~
In this release, the methods `with_sources()`, `with_docs()` and `with_artifact()`
were removed from the jar() syntax in BUILD files. They have been deprecated since
Pants version 0.0.29.
API Changes
~~~~~~~~~~~
* Remove with_artifact(), with_sources(), and with_docs() from JarDependency
`RB #2687 <https://rbcommons.com/s/twitter/r/2687>`_
Bugfixes
~~~~~~~~
* Upgrade zincutils to 0.3.1 for parse_deps bug fix
`RB #2705 <https://rbcommons.com/s/twitter/r/2705>`_
* Fix PythonThriftBuilder to operate on 1 target.
`RB #2696 <https://rbcommons.com/s/twitter/r/2696>`_
* Ensure stdlib check uses normalized paths.
`RB #2693 <https://rbcommons.com/s/twitter/r/2693>`_
* Hack around a few Distribution issues in py tests.
`RB #2692 <https://rbcommons.com/s/twitter/r/2692>`_
* Fix GoBuildgen classname and a comment typo.
`RB #2689 <https://rbcommons.com/s/twitter/r/2689>`_
* Making --coverage-open work for cobertura.
`RB #2670 <https://rbcommons.com/s/twitter/r/2670>`_
New Features
~~~~~~~~~~~~
* Implementing support for Wire 2.0 multiple proto paths.
`RB #2717 <https://rbcommons.com/s/twitter/r/2717>`_
* [pantsd] PantsService, FSEventService & WatchmanLauncher
`RB #2686 <https://rbcommons.com/s/twitter/r/2686>`_
* Add NodeDistribution to seed a node backend.
`RB #2703 <https://rbcommons.com/s/twitter/r/2703>`_
* Created DistributionLocator subsystem with jvm-distributions option-space.
`RB #2677 <https://rbcommons.com/s/twitter/r/2677>`_
* Added support for wire 2.0 arguments and beefed up tests
`RB #2688 <https://rbcommons.com/s/twitter/r/2688>`_
* Initial commit of checkstyle
`RB #2593 <https://rbcommons.com/s/twitter/r/2593>`_
Small improvements, Refactoring and Tooling
~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
* Removed scan workunit; mapping workunits now debug
`RB #2721 <https://rbcommons.com/s/twitter/r/2721>`_
* Implement caching for the thrift linter.
`RB #2718 <https://rbcommons.com/s/twitter/r/2718>`_
* Refactor JvmDependencyAnalyzer into a task
`RB #2668 <https://rbcommons.com/s/twitter/r/2668>`_
* Refactor plugin system to allow for easier extension by others
`RB #2706 <https://rbcommons.com/s/twitter/r/2706>`_
* Indented code which prints warnings for unrecognized os's.
`RB #2713 <https://rbcommons.com/s/twitter/r/2713>`_
* Fixup existing docs and add missing docs.
`RB #2708 <https://rbcommons.com/s/twitter/r/2708>`_
* Requiring explicit dependency on the DistributionLocator subsystem.
`RB #2707 <https://rbcommons.com/s/twitter/r/2707>`_
* Reorganize option help.
`RB #2695 <https://rbcommons.com/s/twitter/r/2695>`_
* Set 'pants-reviews' as the default group.
`RB #2702 <https://rbcommons.com/s/twitter/r/2702>`_
* Update to zinc 1.0.9 and sbt 0.13.9
`RB #2658 <https://rbcommons.com/s/twitter/r/2658>`_
* Test the individual style checks and only disable the check that is currently failing CI
`RB #2697 <https://rbcommons.com/s/twitter/r/2697>`_
0.0.44 (8/21/2015)
------------------
Release Notes
~~~~~~~~~~~~~
In this release Go support should be considered beta. Most features you'd expect are implemented
including a `buildgen.go` task that can maintain your Go BUILD files as inferred from just
`go_binary` target definitions. Yet to come is `doc` goal integration and an option to wire
in-memory `buildgen.go` as an implicit bootstrap task in any pants run that includes Go targets.
Also in this release is improved control over the tools pants uses, in particular JVM selection
control.
API Changes
~~~~~~~~~~~
* Remove deprecated `[compile.java]` options.
`RB #2678 <https://rbcommons.com/s/twitter/r/2678>`_
Bugfixes
~~~~~~~~
* Better caching for Python interpreters and requirements.
`RB #2679 <https://rbcommons.com/s/twitter/r/2679>`_
* Fixup use of removed flag `compile.java --target` in integration tests.
`RB #2680 <https://rbcommons.com/s/twitter/r/2680>`_
* Add support for fetching Go test deps.
`RB #2671 <https://rbcommons.com/s/twitter/r/2671>`_
New Features
~~~~~~~~~~~~
* Integrate Go with the binary goal.
`RB #2681 <https://rbcommons.com/s/twitter/r/2681>`_
* Initial support for Go BUILD gen.
`RB #2676 <https://rbcommons.com/s/twitter/r/2676>`_
* Adding jdk_paths option to jvm subsystem.
`RB #2657 <https://rbcommons.com/s/twitter/r/2657>`_
* Allow specification of kwargs that are not currently known.
`RB #2662 <https://rbcommons.com/s/twitter/r/2662>`_
* Allow os name map in binary_util to be configured externally
`RB #2663 <https://rbcommons.com/s/twitter/r/2663>`_
Small improvements, Refactoring and Tooling
~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
* [pantsd] Watchman & StreamableWatchmanClient
`RB #2649 <https://rbcommons.com/s/twitter/r/2649>`_
* Upgrade the default Go distribution to 1.5.
`RB #2669 <https://rbcommons.com/s/twitter/r/2669>`_
* Align JmakeCompile error messages with reality.
`RB #2682 <https://rbcommons.com/s/twitter/r/2682>`_
* Fixing BUILD files which had integration tests running in :all.
`RB #2664 <https://rbcommons.com/s/twitter/r/2664>`_
* Remove log options from the zinc Setup to fix performance issue
`RB #2666 <https://rbcommons.com/s/twitter/r/2666>`_
0.0.43 (8/19/2015)
------------------
Release Notes
~~~~~~~~~~~~~
This release makes the isolated jvm compile strategy viable out-of-the-box for use with large
dependency graphs. Without it, `test.junit` and `run.jvm` performance slows down significantly
due to the large number of loose classfile directories.
Please try it out in your repo by grabbing a copy of `pants.ini.isolated
<https://github.com/pantsbuild/pants/blob/master/pants.ini.isolated>`_ and using a command like::
./pants --config-override=pants.ini.isolated test examples/{src,tests}/{scala,java}/::
You'll like the results. Just update your own `pants.ini` with the pants.ini.isolated settings to
use it by default!
In the medium term, we're interested in making the isolated strategy the default jvm compilation
strategy, so your assistance and feedback is appreciated!
Special thanks to Stu Hood and Nick Howard for lots of work over the past months to get this point.
API Changes
~~~~~~~~~~~
* A uniform way of expressing Task and Subsystem dependencies.
`Issue #1957 <https://github.com/pantsbuild/pants/issues/1957>`_
`RB #2653 <https://rbcommons.com/s/twitter/r/2653>`_
* Remove some coverage-related options from test.junit.
`RB #2639 <https://rbcommons.com/s/twitter/r/2639>`_
* Bump mock and six 3rdparty versions to latest
`RB #2633 <https://rbcommons.com/s/twitter/r/2633>`_
* Re-implement suppression of output from compiler workunits
`RB #2590 <https://rbcommons.com/s/twitter/r/2590>`_
Bugfixes
~~~~~~~~
* Improved go remote library support.
`RB #2655 <https://rbcommons.com/s/twitter/r/2655>`_
* Shorten isolation generated jar paths
`RB #2647 <https://rbcommons.com/s/twitter/r/2647>`_
* Fix duplicate login options when publishing.
`RB #2560 <https://rbcommons.com/s/twitter/r/2560>`_
* Fixed no attribute exception in changed goal.
`RB #2645 <https://rbcommons.com/s/twitter/r/2645>`_
* Fix goal idea issues with mistakenly identifying a test folder as regular code, missing resources
folders, and resources folders overriding code folders.
`RB #2046 <https://rbcommons.com/s/twitter/r/2046>`_
`RB #2642 <https://rbcommons.com/s/twitter/r/2642>`_
New Features
~~~~~~~~~~~~
* Support for running junit tests with different jvm versions.
`RB #2651 <https://rbcommons.com/s/twitter/r/2651>`_
* Add support for jar'ing compile outputs in the isolated strategy.
`RB #2643 <https://rbcommons.com/s/twitter/r/2643>`_
* Tests for 'java-resoures' and 'java-test-resources' in idea
`RB #2046 <https://rbcommons.com/s/twitter/r/2046>`_
`RB #2634 <https://rbcommons.com/s/twitter/r/2634>`_
Small improvements, Refactoring and Tooling
~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
* Filter zinc compilation warnings at the Reporter level
`RB #2656 <https://rbcommons.com/s/twitter/r/2656>`_
* Update to sbt 0.13.9.
`RB #2629 <https://rbcommons.com/s/twitter/r/2629>`_
* Speeding up jvm-platform-validate step.
`Issue #1972 <https://github.com/pantsbuild/pants/issues/1972>`_
`RB #2626 <https://rbcommons.com/s/twitter/r/2626>`_
* Added test that failed HTTP responses do not raise exceptions in artifact cache
`RB #2624 <https://rbcommons.com/s/twitter/r/2624>`_
`RB #2644 <https://rbcommons.com/s/twitter/r/2644>`_
* Tweak to option default extraction for help display.
`RB #2640 <https://rbcommons.com/s/twitter/r/2640>`_
* A few small install doc fixes.
`RB #2638 <https://rbcommons.com/s/twitter/r/2638>`_
* Detect new package when doing ownership checks.
`RB #2637 <https://rbcommons.com/s/twitter/r/2637>`_
* Use os.path.realpath on test tmp dirs to appease OSX.
`RB #2635 <https://rbcommons.com/s/twitter/r/2635>`_
* Update the pants install documentation. #docfixit
`RB #2631 <https://rbcommons.com/s/twitter/r/2631>`_
0.0.42 (8/14/2015)
------------------
Release Notes
~~~~~~~~~~~~~
This was #docfixit week, so the release contains more doc and help improvements than usual.
Thanks in particular to Benjy for continued `./pants help` polish!
This release also add support for golang in the `contrib/go` package. Thanks to Cody Gibb and
John Sirois for that work.
API Changes
~~~~~~~~~~~
* Elevate the pants version to a first class option
`RB #2627 <https://rbcommons.com/s/twitter/r/2627>`_
* Support pants plugin resolution for easier inclusion of published plugins
`RB #2615 <https://rbcommons.com/s/twitter/r/2615>`_
`RB #2622 <https://rbcommons.com/s/twitter/r/2622>`_
* Pin pex==1.0.3, alpha-sort & remove line breaks
`RB #2598 <https://rbcommons.com/s/twitter/r/2598>`_
`RB #2596 <https://rbcommons.com/s/twitter/r/2596>`_
* Moved classifier from IvyArtifact to IvyModuleRef
`RB #2579 <https://rbcommons.com/s/twitter/r/2579>`_
Bugfixes
~~~~~~~~
* Ignore 'NonfatalArtifactCacheError' when calling the artifact cache in the background
`RB #2624 <https://rbcommons.com/s/twitter/r/2624>`_
* Re-Add debug option to benchmark run task, complain on no jvm targets, add test
`RB #2619 <https://rbcommons.com/s/twitter/r/2619>`_
* Fixed what_changed for removed files
`RB #2589 <https://rbcommons.com/s/twitter/r/2589>`_
* Disable jvm-platform-analysis by default
`Issue #1972 <https://github.com/pantsbuild/pants/issues/1972>`_
`RB #2618 <https://rbcommons.com/s/twitter/r/2618>`_
* Fix ./pants help_advanced
`RB #2616 <https://rbcommons.com/s/twitter/r/2616>`_
* Fix some more missing globs in build-file-rev mode.
`RB #2591 <https://rbcommons.com/s/twitter/r/2591>`_
* Make jvm bundles output globs in filedeps with --globs.
`RB #2583 <https://rbcommons.com/s/twitter/r/2583>`_
* Fix more realpath issues
`Issue #1933 <https://github.com/pantsbuild/pants/issues/1933>`_
`RB #2582 <https://rbcommons.com/s/twitter/r/2582>`_
New Features
~~~~~~~~~~~~
* Allow plaintext-reporter to be able to respect a task's --level and --colors options.
`RB #2580 <https://rbcommons.com/s/twitter/r/2580>`_
`RB #2614 <https://rbcommons.com/s/twitter/r/2614>`_
* contrib/go: Support for Go
`RB #2544 <https://rbcommons.com/s/twitter/r/2544>`_
* contrib/go: Setup a release sdist
`RB #2609 <https://rbcommons.com/s/twitter/r/2609>`_
* contrib/go: Remote library support
`RB #2611 <https://rbcommons.com/s/twitter/r/2611>`_
`RB #2623 <https://rbcommons.com/s/twitter/r/2623>`_
* contrib/go: Introduce GoDistribution
`RB #2595 <https://rbcommons.com/s/twitter/r/2595>`_
* contrib/go: Integrate GoDistribution with GoTask
`RB #2600 <https://rbcommons.com/s/twitter/r/2600>`_
* Add support for android compilation with contrib/scrooge
`RB #2553 <https://rbcommons.com/s/twitter/r/2553>`_
Small improvements, Refactoring and Tooling
~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
* Added more testimonials to the Powered By page. #docfixit
`RB #2625 <https://rbcommons.com/s/twitter/r/2625>`_
* Fingerprint more task options; particularly scalastyle configs
`RB #2628 <https://rbcommons.com/s/twitter/r/2628>`_
* Fingerprint jvm tools task options by default
`RB #2620 <https://rbcommons.com/s/twitter/r/2620>`_
* Make most compile-related options advanced. #docfixit
`RB #2617 <https://rbcommons.com/s/twitter/r/2617>`_
* Make almost all global options advanced. #docfixit
`RB #2602 <https://rbcommons.com/s/twitter/r/2602>`_
* Improve cmd-line help output. #docfixit
`RB #2599 <https://rbcommons.com/s/twitter/r/2599>`_
* Default `-Dscala.usejavacp=true` for ScalaRepl.
`RB #2613 <https://rbcommons.com/s/twitter/r/2613>`_
* Additional Option details for the Task developers guide. #docfixit
`RB #2594 <https://rbcommons.com/s/twitter/r/2594>`_
`RB #2612 <https://rbcommons.com/s/twitter/r/2612>`_
* Improve subsystem testing support in subsystem_util.
`RB #2603 <https://rbcommons.com/s/twitter/r/2603>`_
* Cleanups to the tasks developer's guide #docfixit
`RB #2594 <https://rbcommons.com/s/twitter/r/2594>`_
* Add the optionable class to ScopeInfo. #docfixit
`RB #2588 <https://rbcommons.com/s/twitter/r/2588>`_
* Add `pants_plugin` and `contrib_plugin` targets.
`RB #2615 <https://rbcommons.com/s/twitter/r/2615>`_
0.0.41 (8/7/2015)
-----------------
Release Notes
~~~~~~~~~~~~~
Configuration for specifying scala/java compilation using zinc has
changed in this release.
You may need to combine `[compile.zinc-java]` and `[compile.scala]`
into the new section `[compile.zinc]`
The `migrate_config` tool will help you migrate your pants.ini settings
for this new release. Download the pants source code and run:
.. code::
./pants run migrations/options/src/python:migrate_config -- <path to your pants.ini>
API Changes
~~~~~~~~~~~
* Upgrade pex to 1.0.2.
`RB #2571 <https://rbcommons.com/s/twitter/r/2571>`_
Bugfixes
~~~~~~~~
* Fix ApacheThriftGen chroot normalization scope.
`RB #2568 <https://rbcommons.com/s/twitter/r/2568>`_
* Fix crasher when no jvm_options are set
`RB #2578 <https://rbcommons.com/s/twitter/r/2578>`_
* Handle recursive globs with build-file-rev
`RB #2572 <https://rbcommons.com/s/twitter/r/2572>`_
* Fixup PythonTask chroot caching.
`RB #2567 <https://rbcommons.com/s/twitter/r/2567>`_
New Features
~~~~~~~~~~~~
* Add "omnivorous" ZincCompile to consume both java and scala sources
`RB #2561 <https://rbcommons.com/s/twitter/r/2561>`_
Small improvements, Refactoring and Tooling
~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
* Do fewer classpath calculations in `junit_run`.
`RB #2576 <https://rbcommons.com/s/twitter/r/2576>`_
* fix misc ws issues
`RB #2564 <https://rbcommons.com/s/twitter/r/2564>`_
`RB #2557 <https://rbcommons.com/s/twitter/r/2557>`_
* Resurrect the --[no-]lock global flag
`RB #2563 <https://rbcommons.com/s/twitter/r/2563>`_
* Avoid caching volatile ~/.cache/pants/stats dir.
`RB #2574 <https://rbcommons.com/s/twitter/r/2574>`_
* remove unused imports
`RB #2556 <https://rbcommons.com/s/twitter/r/2556>`_
* Moved logic which validates jvm platform dependencies.
`RB #2565 <https://rbcommons.com/s/twitter/r/2565>`_
* Bypass the pip cache when testing released sdists.
`RB #2555 <https://rbcommons.com/s/twitter/r/2555>`_
* Add an affordance for 1 flag implying another.
`RB #2562 <https://rbcommons.com/s/twitter/r/2562>`_
* Make artifact cache `max-entries-per-target` option name match its behaviour
`RB #2550 <https://rbcommons.com/s/twitter/r/2550>`_
* Improve stats upload.
`RB #2554 <https://rbcommons.com/s/twitter/r/2554>`_
0.0.40 (7/31/2015)
-------------------
Release Notes
~~~~~~~~~~~~~
The apache thrift gen for java code now runs in `-strict` mode by default, requiring
all struct fields declare a field id. You can use the following configuration in
pants.ini to retain the old default behavior and turn strict checking off:
.. code::
[gen.thrift]
strict: False
The psutil dependency used by pants has been upgraded to 3.1.1. Supporting eggs have been uploaded
to https://github.com/pantsbuild/cheeseshop/tree/gh-pages/third_party/python/dist. *Please note*
that beyond this update, no further binary dependency updates will be provided at this location.
API Changes
~~~~~~~~~~~
* Integrate the Android SDK, android-library
`RB #2528 <https://rbcommons.com/s/twitter/r/2528>`_
Bugfixes
~~~~~~~~
* Guard against NoSuchProcess in the public API.
`RB #2551 <https://rbcommons.com/s/twitter/r/2551>`_
* Fixup psutil.Process attribute accesses.
`RB #2549 <https://rbcommons.com/s/twitter/r/2549>`_
* Removes type=Option.list from --compile-jvm-args option and --compile-scala-plugins
`RB #2536 <https://rbcommons.com/s/twitter/r/2536>`_
`RB #2547 <https://rbcommons.com/s/twitter/r/2547>`_
* Prevent nailgun on nailgun violence when using symlinked java paths
`RB #2538 <https://rbcommons.com/s/twitter/r/2538>`_
* Declaring product_types for simple_codegen_task.
`RB #2540 <https://rbcommons.com/s/twitter/r/2540>`_
* Fix straggler usage of legacy psutil form
`RB #2546 <https://rbcommons.com/s/twitter/r/2546>`_
New Features
~~~~~~~~~~~~
* Added JvmPlatform subsystem and added platform arg to JvmTarget.
`RB #2494 <https://rbcommons.com/s/twitter/r/2494>`_
Small improvements, Refactoring and Tooling
~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
* Resolve targets before creating PayloadField
`RB #2496 <https://rbcommons.com/s/twitter/r/2496>`_
`RB #2536 <https://rbcommons.com/s/twitter/r/2536>`_
* Upgrade psutil to 3.1.1
`RB #2543 <https://rbcommons.com/s/twitter/r/2543>`_
* Move thrift utils only used by scrooge to contrib/scrooge.
`RB #2535 <https://rbcommons.com/s/twitter/r/2535>`_
* docs: add link to slackin self-invite
`RB #2537 <https://rbcommons.com/s/twitter/r/2537>`_
* Add Clover Health to the Powered By page
`RB #2539 <https://rbcommons.com/s/twitter/r/2539>`_
* Add Powered By page
`RB #2532 <https://rbcommons.com/s/twitter/r/2532>`_
* Create test for java_antlr_library
`RB #2504 <https://rbcommons.com/s/twitter/r/2504>`_
* Migrate ApacheThriftGen to SimpleCodegenTask.
`RB #2534 <https://rbcommons.com/s/twitter/r/2534>`_
* Covert RagelGen to SimpleCodeGen.
`RB #2531 <https://rbcommons.com/s/twitter/r/2531>`_
* Shade the Checkstyle task tool jar.
`RB #2533 <https://rbcommons.com/s/twitter/r/2533>`_
* Support eggs for setuptools and wheel.
`RB #2529 <https://rbcommons.com/s/twitter/r/2529>`_
0.0.39 (7/23/2015)
------------------
API Changes
~~~~~~~~~~~
* Disallow jar_library targets without jars
`RB #2519 <https://rbcommons.com/s/twitter/r/2519>`_
Bugfixes
~~~~~~~~
* Fixup PythonChroot to ignore synthetic targets.
`RB #2523 <https://rbcommons.com/s/twitter/r/2523>`_
* Exclude provides clauses regardless of soft_excludes
`RB #2524 <https://rbcommons.com/s/twitter/r/2524>`_
* Fixed exclude id when name is None + added a test for excludes by just an org #1857
`RB #2518 <https://rbcommons.com/s/twitter/r/2518>`_
* Fixup SourceRoot to handle the buildroot.
`RB #2514 <https://rbcommons.com/s/twitter/r/2514>`_
* Fixup SetupPy handling of exported thrift.
`RB #2511 <https://rbcommons.com/s/twitter/r/2511>`_
New Features
~~~~~~~~~~~~
* Invalidate tasks based on BinaryUtil.version.
`RB #2516 <https://rbcommons.com/s/twitter/r/2516>`_
* Remove local cache files
`Issue #1762 <https://github.com/pantsbuild/pants/issues/1762>`_
`RB #2506 <https://rbcommons.com/s/twitter/r/2506>`_
* Option to expose intransitive target dependencies for the dependencies goal
`RB #2503 <https://rbcommons.com/s/twitter/r/2503>`_
* Introduce Subsystem dependencies.
`RB #2509 <https://rbcommons.com/s/twitter/r/2509>`_
`RB #2515 <https://rbcommons.com/s/twitter/r/2515>`_
Small improvements, Refactoring and Tooling
~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
* Increase robustness of ProcessManager.terminate() in the face of zombies.
`RB #2513 <https://rbcommons.com/s/twitter/r/2513>`_
* A global isort fix.
`RB #2510 <https://rbcommons.com/s/twitter/r/2510>`_
0.0.38 (7/21/2015)
------------------
Release Notes
~~~~~~~~~~~~~
A quick hotfix release to pick up a fix related to incorrectly specified scala targets.
API Changes
~~~~~~~~~~~
* Remove the with_description method from target.
`RB #2507 <https://rbcommons.com/s/twitter/r/2507>`_
Bugfixes
~~~~~~~~
* Handle the case where there are no classes for a target.
`RB #2489 <https://rbcommons.com/s/twitter/r/2489>`_
New Features
~~~~~~~~~~~~
None.
Small improvements, Refactoring and Tooling
~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
* Refactor AntlrGen to use SimpleCodeGen.
`RB #2487 <https://rbcommons.com/s/twitter/r/2487>`_
0.0.37 (7/20/2015)
------------------
Release Notes
~~~~~~~~~~~~~
This is the regularly scheduled release for 7/17/2015 (slightly behind schedule!)
API Changes
~~~~~~~~~~~
* Unified support for process management, to prepare for a new daemon.
`RB #2490 <https://rbcommons.com/s/twitter/r/2490>`_
* An iterator over Option registration args.
`RB #2478 <https://rbcommons.com/s/twitter/r/2478>`_
* An iterator over OptionValueContainer keys.
`RB #2472 <https://rbcommons.com/s/twitter/r/2472>`_
Bugfixes
~~~~~~~~
* Correctly classify files as resources or classes
`RB #2488 <https://rbcommons.com/s/twitter/r/2488>`_
* Fix test bugs introduced during the target cache refactor.
`RB #2483 <https://rbcommons.com/s/twitter/r/2483>`_
* Don't explicitly enumerate goal scopes: makes life easier for the IntelliJ pants plugin.
`RB #2500 <https://rbcommons.com/s/twitter/r/2500>`_
New Features
~~~~~~~~~~~~
* Switch almost all python tasks over to use cached chroots.
`RB #2486 <https://rbcommons.com/s/twitter/r/2486>`_
* Add invalidation report flag to reporting subsystem.
`RB #2448 <https://rbcommons.com/s/twitter/r/2448>`_
Small improvements, Refactoring and Tooling
~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
* Add a note about the pantsbuild slack team.
`RB #2491 <https://rbcommons.com/s/twitter/r/2491>`_
* Upgrade pantsbuild/pants to apache thrift 0.9.2.
`RB #2484 <https://rbcommons.com/s/twitter/r/2484>`_
* Remove unused --lang option from protobuf_gen.py
`RB #2485 <https://rbcommons.com/s/twitter/r/2485>`_
* Update release docs to recommend both server-login and pypi sections.
`RB #2481 <https://rbcommons.com/s/twitter/r/2481>`_
0.0.36 (7/14/2015)
------------------
Release Notes
~~~~~~~~~~~~~
This is a quick release following up on 0.0.35 to make available internal API changes made during options refactoring.
API Changes
~~~~~~~~~~~
* Improved artifact cache usability by allowing tasks to opt-in to a mode that generates and then caches a directory for each target.
`RB #2449 <https://rbcommons.com/s/twitter/r/2449>`_
`RB #2471 <https://rbcommons.com/s/twitter/r/2471>`_
* Re-compute the classpath for each batch of junit tests.
`RB #2454 <https://rbcommons.com/s/twitter/r/2454>`_
Bugfixes
~~~~~~~~
* Stops unit tests in test_simple_codegen_task.py in master from failing.
`RB #2469 <https://rbcommons.com/s/twitter/r/2469>`_
* Helpful error message when 'sources' is specified for jvm_binary.
`Issue #871 <https://github.com/pantsbuild/pants/issues/871>`_
`RB #2455 <https://rbcommons.com/s/twitter/r/2455>`_
* Fix failure in test_execute_fail under python>=2.7.10 for test_simple_codegen_task.py.
`RB #2461 <https://rbcommons.com/s/twitter/r/2461>`_
New Features
~~~~~~~~~~~~
* Support short-form task subsystem flags.
`RB #2466 <https://rbcommons.com/s/twitter/r/2466>`_
* Reimplement help formatting to improve clarity of both the code and output.
`RB #2458 <https://rbcommons.com/s/twitter/r/2458>`_
`RB #2464 <https://rbcommons.com/s/twitter/r/2464>`_
Small improvements, Refactoring and Tooling
~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
* Visual docsite changes
`RB #2463 <https://rbcommons.com/s/twitter/r/2463>`_
* Fix migrate_config to detect explicit [DEFAULT]s.
`RB #2465 <https://rbcommons.com/s/twitter/r/2465>`_
0.0.35 (7/10/2015)
------------------
Release Notes
~~~~~~~~~~~~~
With this release, if you use the
`isolated jvm compile strategy <https://github.com/pantsbuild/pants/blob/0acdf8d8ab49a0a6bdf5084a99e0c1bca0231cf6/pants.ini.isolated>`_,
java annotation processers that emit java sourcefiles or classfiles will be
handled correctly and the generated code will be bundled appropriately in jars.
In particular, this makes libraries like Google's AutoValue useable in a pants
build. See: `RB #2451 <https://rbcommons.com/s/twitter/r/2451>`_.
API Changes
~~~~~~~~~~~
* Deprecate with_description.
`RB #2444 <https://rbcommons.com/s/twitter/r/2444>`_
Bugfixes
~~~~~~~~
* Fixup BuildFile must_exist logic.
`RB #2441 <https://rbcommons.com/s/twitter/r/2441>`_
* Upgrade to pex 1.0.1.
`Issue #1658 <https://github.com/pantsbuild/pants/issues/1658>`_
`RB #2438 <https://rbcommons.com/s/twitter/r/2438>`_
New Features
~~~~~~~~~~~~
* Add an option --main to the run.jvm task to override the specification of 'main' on a jvm_binary() target.
`RB #2442 <https://rbcommons.com/s/twitter/r/2442>`_
* Add jvm_options for thrift-linter.
`RB #2445 <https://rbcommons.com/s/twitter/r/2445>`_
* Added cwd argument to allow JavaTest targets to require particular working directories.
`RB #2440 <https://rbcommons.com/s/twitter/r/2440>`_
Small improvements, Refactoring and Tooling
~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
* Record all output classes for the jvm isolated compile strategy.
`RB #2451 <https://rbcommons.com/s/twitter/r/2451>`_
* Robustify the pants ivy configuration.
`Issue #1779 <https://github.com/pantsbuild/pants/issues/1779>`_
`RB #2450 <https://rbcommons.com/s/twitter/r/2450>`_
* Some refactoring of global options.
`RB #2446 <https://rbcommons.com/s/twitter/r/2446>`_
* Improved error messaging for unknown Target kwargs.
`RB #2443 <https://rbcommons.com/s/twitter/r/2443>`_
* Remove Nailgun specific classes from zinc, since pants invokes Main directly.
`RB #2439 <https://rbcommons.com/s/twitter/r/2439>`_
0.0.34 (7/6/2015)
-----------------
Release Notes
~~~~~~~~~~~~~
Configuration for specifying cache settings and jvm options for some
tools have changed in this release.
The `migrate_config` tool will help you migrate your pants.ini settings
for this new release. Download the pants source code and run:
.. code::
./pants run migrations/options/src/python:migrate_config -- <path
to your pants.ini>
API Changes
~~~~~~~~~~~
* Added flags for jar sources and javadocs to export goal because Foursquare got rid of ivy goal.
`RB #2432 <https://rbcommons.com/s/twitter/r/2432>`_
* A JVM subsystem.
`RB #2423 <https://rbcommons.com/s/twitter/r/2423>`_
* An artifact cache subsystem.
`RB #2405 <https://rbcommons.com/s/twitter/r/2405>`_
Bugfixes
~~~~~~~~
* Change the xml report to use the fingerprint of the targets, not just their names.
`RB #2435 <https://rbcommons.com/s/twitter/r/2435>`_
* Using linear-time BFS to sort targets topologically and group them
by the type.
`RB #2413 <https://rbcommons.com/s/twitter/r/2413>`_
* Fix isort in git hook context.
`RB #2430 <https://rbcommons.com/s/twitter/r/2430>`_
* When using soft-excludes, ignore all target defined excludes
`RB #2340 <https://rbcommons.com/s/twitter/r/2340>`_
* Fix bash-completion goal when run from sdist/pex. Also add tests, and beef up ci.sh & release.sh.
`RB #2403 <https://rbcommons.com/s/twitter/r/2403>`_
* [junit tool] fix suppress output emits jibberish on console.
`Issue #1657 <https://github.com/pantsbuild/pants/issues/1657>`_
`RB #2183 <https://rbcommons.com/s/twitter/r/2183>`_
* In junit-runner, fix an NPE in testFailure() for different scenarios
`RB #2385 <https://rbcommons.com/s/twitter/r/2385>`_
`RB #2398 <https://rbcommons.com/s/twitter/r/2398>`_
`RB #2396 <https://rbcommons.com/s/twitter/r/2396>`_
* Scrub timestamp from antlr generated files to have stable fp for cache
`RB #2382 <https://rbcommons.com/s/twitter/r/2382>`_
* JVM checkstyle should obey jvm_options
`RB #2391 <https://rbcommons.com/s/twitter/r/2391>`_
* Fix bad logger.debug call in artifact_cache.py
`RB #2386 <https://rbcommons.com/s/twitter/r/2386>`_
* Fixed a bug where codegen would crash due to a missing flag.
`RB #2368 <https://rbcommons.com/s/twitter/r/2368>`_
* Fixup the Git Scm detection of server_url.
`RB #2379 <https://rbcommons.com/s/twitter/r/2379>`_
* Repair depmap --graph
`RB #2345 <https://rbcommons.com/s/twitter/r/2345>`_
Documentation
~~~~~~~~~~~~~
* Documented how to enable caching for tasks.
`RB #2420 <https://rbcommons.com/s/twitter/r/2420>`_
* Remove comments that said these classes returned something.
`RB #2419 <https://rbcommons.com/s/twitter/r/2419>`_
* Publishing doc fixes
`RB #2407 <https://rbcommons.com/s/twitter/r/2407>`_
* Bad rst now fails the MarkdownToHtml task.
`RB #2394 <https://rbcommons.com/s/twitter/r/2394>`_
* Add a CONTRIBUTORS maintenance script.
`RB #2377 <https://rbcommons.com/s/twitter/r/2377>`_
`RB #2378 <https://rbcommons.com/s/twitter/r/2378>`_
* typo in the changelog for 0.0.33 release, fixed formatting of globs and rglobs
`RB #2376 <https://rbcommons.com/s/twitter/r/2376>`_
* Documentation update for debugging a JVM tool
`RB #2365 <https://rbcommons.com/s/twitter/r/2365>`_
New Features
~~~~~~~~~~~~
* Add log capture to isolated zinc compiles
`RB #2404 <https://rbcommons.com/s/twitter/r/2404>`_
`RB #2415 <https://rbcommons.com/s/twitter/r/2415>`_
* Add support for restricting push remotes.
`RB #2383 <https://rbcommons.com/s/twitter/r/2383>`_
* Ensure caliper is shaded in bench, add bench desc, use RUN so that output is printed
`RB #2353 <https://rbcommons.com/s/twitter/r/2353>`_
Small improvements, Refactoring and Tooling
~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
* Enhance the error output in simple_codegen_task.py when unable to generate target(s)
`RB #2427 <https://rbcommons.com/s/twitter/r/2427>`_
* Add a get_rank() method to OptionValueContainer.
`RB #2431 <https://rbcommons.com/s/twitter/r/2431>`_
* Pass jvm_options to scalastyle
`RB #2428 <https://rbcommons.com/s/twitter/r/2428>`_
* Kill custom repos and cross-platform pex setup.
`RB #2402 <https://rbcommons.com/s/twitter/r/2402>`_
* Add debugging for problem with invalidation and using stale report file in ivy resolve.
`Issue #1747 <https://github.com/pantsbuild/pants/issues/1747>`_
`RB #2424 <https://rbcommons.com/s/twitter/r/2424>`_
* Enabled caching for scalastyle and checkstyle
`RB #2416 <https://rbcommons.com/s/twitter/r/2416>`_
`RB #2414 <https://rbcommons.com/s/twitter/r/2414>`_
* Make sure all Task mixins are on the left.
`RB #2421 <https://rbcommons.com/s/twitter/r/2421>`_
* Adds a more verbose description of tests when running
the -per-test-timer command. (Junit)
`RB #2418 <https://rbcommons.com/s/twitter/r/2418>`_
`RB #2408 <https://rbcommons.com/s/twitter/r/2408>`_
* Re-add support for reading from a local .m2 directory
`RB #2409 <https://rbcommons.com/s/twitter/r/2409>`_
* Replace a few references to basestring with six.
`RB #2410 <https://rbcommons.com/s/twitter/r/2410>`_
* Promote PANTS_DEV=1 to the only ./pants mode.
`RB #2401 <https://rbcommons.com/s/twitter/r/2401>`_
* Add task meter to protoc step in codegen
`RB #2392 <https://rbcommons.com/s/twitter/r/2392>`_
* Simplify known scopes computation.
`RB #2389 <https://rbcommons.com/s/twitter/r/2389>`_
* Robustify the release process.
`RB #2388 <https://rbcommons.com/s/twitter/r/2388>`_
* A common base class for things that can register options.
`RB #2387 <https://rbcommons.com/s/twitter/r/2387>`_
* Fixed the error messages in assert_list().
`RB #2370 <https://rbcommons.com/s/twitter/r/2370>`_
* Simplify subsystem option scoping.
`RB #2380 <https://rbcommons.com/s/twitter/r/2380>`_
0.0.33 (6/13/2015)
------------------
Release Notes
~~~~~~~~~~~~~
The migrate config tool will help you migrate your pants.ini settings
for this new release. Download the pants source code and run:
.. code::
./pants run migrations/options/src/python:migrate_config -- <path
to your pants.ini>
Folks who use a custom ivysettings.xml but have no ivy.ivy_settings
option defined in pants.ini pointing to it must now add one like so:
.. code::
[ivy]
ivy_settings: %(pants_supportdir)s/ivy/ivysettings.xml
API Changes
~~~~~~~~~~~
* Removed --project-info flag from depmap goal
`RB #2363 <https://rbcommons.com/s/twitter/r/2363>`_
* Deprecate PytestRun env vars.
`RB #2299 <https://rbcommons.com/s/twitter/r/2299>`_
* Add Subsystems for options that live outside a single task, use them
to replace config settings in pants.ini
`RB #2288 <https://rbcommons.com/s/twitter/r/2288>`_
`RB #2276 <https://rbcommons.com/s/twitter/r/2276>`_
`RB #2226 <https://rbcommons.com/s/twitter/r/2226>`_
`RB #2176 <https://rbcommons.com/s/twitter/r/2176>`_
`RB #2174 <https://rbcommons.com/s/twitter/r/2174>`_
`RB #2139 <https://rbcommons.com/s/twitter/r/2139>`_
`RB #2122 <https://rbcommons.com/s/twitter/r/2122>`_
`RB #2100 <https://rbcommons.com/s/twitter/r/2100>`_
`RB #2081 <https://rbcommons.com/s/twitter/r/2081>`_
`RB #2063 <https://rbcommons.com/s/twitter/r/2063>`_
* Read backend and bootstrap BUILD file settings from options instead of config.
`RB #2229 <https://rbcommons.com/s/twitter/r/2229>`_
* Migrating internal tools into the pants repo and renaming to org.pantsbuild
`RB #2278 <https://rbcommons.com/s/twitter/r/2278>`_
`RB #2211 <https://rbcommons.com/s/twitter/r/2211>`_
`RB #2207 <https://rbcommons.com/s/twitter/r/2207>`_
`RB #2205 <https://rbcommons.com/s/twitter/r/2205>`_
`RB #2186 <https://rbcommons.com/s/twitter/r/2186>`_
`RB #2195 <https://rbcommons.com/s/twitter/r/2195>`_
`RB #2193 <https://rbcommons.com/s/twitter/r/2193>`_
`RB #2192 <https://rbcommons.com/s/twitter/r/2192>`_
`RB #2191 <https://rbcommons.com/s/twitter/r/2191>`_
`RB #2191 <https://rbcommons.com/s/twitter/r/2191>`_
`RB #2137 <https://rbcommons.com/s/twitter/r/2137>`_
`RB #2071 <https://rbcommons.com/s/twitter/r/2071>`_
`RB #2043 <https://rbcommons.com/s/twitter/r/2043>`_
* Kill scala specs support.
`RB #2208 <https://rbcommons.com/s/twitter/r/2208>`_
* Use the default ivysettings.xml provided by ivy.
`RB #2204 <https://rbcommons.com/s/twitter/r/2204>`_
* Eliminate the globs.__sub__ use in option package.
`RB #2082 <https://rbcommons.com/s/twitter/r/2082>`_
`RB #2197 <https://rbcommons.com/s/twitter/r/2197>`_
* Kill obsolete global publish.properties file.
`RB #994 <https://rbcommons.com/s/twitter/r/994>`_
`RB #2069 <https://rbcommons.com/s/twitter/r/2069>`_
* Upgrade zinc to latest for perf wins.
`RB #2355 <https://rbcommons.com/s/twitter/r/2355>`_
`RB #2194 <https://rbcommons.com/s/twitter/r/2194>`_
`RB #2168 <https://rbcommons.com/s/twitter/r/2168>`_
`RB #2154 <https://rbcommons.com/s/twitter/r/2154>`_
`RB #2154 <https://rbcommons.com/s/twitter/r/2154>`_
`RB #2149 <https://rbcommons.com/s/twitter/r/2149>`_
`RB #2125 <https://rbcommons.com/s/twitter/r/2125>`_
* Migrate jar_publish config scope.
`RB #2175 <https://rbcommons.com/s/twitter/r/2175>`_
* Add a version number to the export format and a page with some documentation.
`RB #2162 <https://rbcommons.com/s/twitter/r/2162>`_
* Make exclude_target_regexp option recursive
`RB #2136 <https://rbcommons.com/s/twitter/r/2136>`_
* Kill pantsbuild dependence on maven.twttr.com.
`RB #2019 <https://rbcommons.com/s/twitter/r/2019>`_
* Fold PythonTestBuilder into the PytestRun task.
`RB #1993 <https://rbcommons.com/s/twitter/r/1993>`_
Bugfixes
~~~~~~~~
* Fixed errors in how arguments are passed to wire_gen.
`RB #2354 <https://rbcommons.com/s/twitter/r/2354>`_
* Compute exclude_patterns first when unpacking jars
`RB #2352 <https://rbcommons.com/s/twitter/r/2352>`_
* Add INDEX.LIST to as a Skip JarRule when creating a fat jar
`RB #2342 <https://rbcommons.com/s/twitter/r/2342>`_
* wrapped-globs: make rglobs output git-compatible
`RB #2332 <https://rbcommons.com/s/twitter/r/2332>`_
* Add a coherent error message when scrooge has no sources.
`RB #2329 <https://rbcommons.com/s/twitter/r/2329>`_
* Only run junit when there are junit_test targets in the graph.
`RB #2291 <https://rbcommons.com/s/twitter/r/2291>`_
* Fix bootstrap local cache.
`RB #2336 <https://rbcommons.com/s/twitter/r/2336>`_
* Added a hash to a jar name for a bootstrapped jvm tool
`RB #2334 <https://rbcommons.com/s/twitter/r/2334>`_
* Raise TaskError to exit non-zero if jar-tool fails
`RB #2150 <https://rbcommons.com/s/twitter/r/2150>`_
* Fix java zinc isolated compile analysis corruption described github issue #1626
`RB #2325 <https://rbcommons.com/s/twitter/r/2325>`_
* Upstream analysis fix
`RB #2312 <https://rbcommons.com/s/twitter/r/2312>`_
* Two changes that affect invalidation and artifact caching.
`RB #2269 <https://rbcommons.com/s/twitter/r/2269>`_
* Add java_thrift_library fingerprint strategy
`RB #2265 <https://rbcommons.com/s/twitter/r/2265>`_
* Moved creation of per test data to testStarted method.
`RB #2257 <https://rbcommons.com/s/twitter/r/2257>`_
* Updated zinc to use sbt 0.13.8 and new java compilers that provide a proper log level with their output.
`RB #2248 <https://rbcommons.com/s/twitter/r/2248>`_
* Apply excludes consistently across classpaths
`RB #2247 <https://rbcommons.com/s/twitter/r/2247>`_
* Put all extra classpath elements (e.g., plugins) at the end (scala compile)
`RB #2210 <https://rbcommons.com/s/twitter/r/2210>`_
* Fix missing import in git.py
`RB #2202 <https://rbcommons.com/s/twitter/r/2202>`_
* Move a comment to work around a pytest bug.
`RB #2201 <https://rbcommons.com/s/twitter/r/2201>`_
* More fixes for working with classifiers on jars.
`Issue #1489 <https://github.com/pantsbuild/pants/issues/1489>`_
`RB #2163 <https://rbcommons.com/s/twitter/r/2163>`_
* Have ConsoleRunner halt(1) on exit(x)
`RB #2180 <https://rbcommons.com/s/twitter/r/2180>`_
* Fix scm_build_file in symlinked directories
`RB #2152 <https://rbcommons.com/s/twitter/r/2152>`_
`RB #2157 <https://rbcommons.com/s/twitter/r/2157>`_
* Added support for the ivy cache being under a symlink'ed dir
`RB #2085 <https://rbcommons.com/s/twitter/r/2085>`_
`RB #2129 <https://rbcommons.com/s/twitter/r/2129>`_
`RB #2148 <https://rbcommons.com/s/twitter/r/2148>`_
* Make subclasses of ChangedTargetTask respect spec_excludes
`RB #2146 <https://rbcommons.com/s/twitter/r/2146>`_
* propagate keyboard interrupts from worker threads
`RB #2143 <https://rbcommons.com/s/twitter/r/2143>`_
* Only add resources to the relevant target
`RB #2103 <https://rbcommons.com/s/twitter/r/2103>`_
`RB #2130 <https://rbcommons.com/s/twitter/r/2130>`_
* Cleanup analysis left behind from failed isolation compiles
`RB #2127 <https://rbcommons.com/s/twitter/r/2127>`_
* test glob operators, fix glob + error
`RB #2104 <https://rbcommons.com/s/twitter/r/2104>`_
* Wrap lock around nailgun spawning to protect against worker threads racing to spawn servers
`RB #2102 <https://rbcommons.com/s/twitter/r/2102>`_
* Force some files to be treated as binary.
`RB #2099 <https://rbcommons.com/s/twitter/r/2099>`_
* Convert JarRule and JarRules to use Payload to help fingerprint its configuration
`RB #2096 <https://rbcommons.com/s/twitter/r/2096>`_
* Fix `./pants server` output
`RB #2067 <https://rbcommons.com/s/twitter/r/2067>`_
* Fix issue with isolated strategy and sources owned by multiple targets
`RB #2061 <https://rbcommons.com/s/twitter/r/2061>`_
* Handle broken resource mapping files (by throwing exceptions).
`RB #2038 <https://rbcommons.com/s/twitter/r/2038>`_
* Change subproc sigint handler to exit more cleanly
`RB #2024 <https://rbcommons.com/s/twitter/r/2024>`_
* Include classifier in JarDependency equality / hashing
`RB #2029 <https://rbcommons.com/s/twitter/r/2029>`_
* Migrating more data to payload fields in jvm_app and jvm_binary targets
`RB #2011 <https://rbcommons.com/s/twitter/r/2011>`_
* Fix ivy_resolve message: Missing expected ivy output file .../.ivy2/pants/internal-...-default.xml
`RB #2015 <https://rbcommons.com/s/twitter/r/2015>`_
* Fix ignored invalidation data in ScalaCompile
`RB #2018 <https://rbcommons.com/s/twitter/r/2018>`_
* Don't specify the jmake depfile if it doesn't exist
`RB #2009 <https://rbcommons.com/s/twitter/r/2009>`_
`RB #2012 <https://rbcommons.com/s/twitter/r/2012>`_
* Force java generation on for protobuf_gen, get rid of spurious warning
`RB #1994 <https://rbcommons.com/s/twitter/r/1994>`_
* Fix typo in ragel-gen entries (migrate-config)
`RB #1995 <https://rbcommons.com/s/twitter/r/1995>`_
* Fix include dependees options.
`RB #1760 <https://rbcommons.com/s/twitter/r/1760>`_
Documentation
~~~~~~~~~~~~~
* Be explicit that pants requires python 2.7.x to run.
`RB #2343 <https://rbcommons.com/s/twitter/r/2343>`_
* Update documentation on how to develop and document a JVM tool used by Pants
`RB #2318 <https://rbcommons.com/s/twitter/r/2318>`_
* Updates to changelog since 0.0.32 in preparation for next release.
`RB #2294 <https://rbcommons.com/s/twitter/r/2294>`_
* Document the pantsbuild jvm tool release process.
`RB #2289 <https://rbcommons.com/s/twitter/r/2289>`_
* Fix publishing docs for new 'publish.jar' syntax
`RB #2255 <https://rbcommons.com/s/twitter/r/2255>`_
* Example configuration for the isolated strategy.
`RB #2185 <https://rbcommons.com/s/twitter/r/2185>`_
* doc: uploading timing stats
`RB #1700 <https://rbcommons.com/s/twitter/r/1700>`_
* Add robots.txt to exclude crawlers from walking a 'staging' test publishing dir
`RB #2072 <https://rbcommons.com/s/twitter/r/2072>`_
* Add a note indicating that pants bootstrap requires a compiler
`RB #2057 <https://rbcommons.com/s/twitter/r/2057>`_
* Fix docs to mention automatic excludes.
`RB #2014 <https://rbcommons.com/s/twitter/r/2014>`_
New Features
~~~~~~~~~~~~
* Add a global --tag option to filter targets based on their tags.
`RB #2362 <https://rbcommons.com/s/twitter/r/2362/>`_
* Add support for ServiceLoader service providers.
`RB #2331 <https://rbcommons.com/s/twitter/r/2331>`_
* Implemented isolated code-generation strategy for simple_codegen_task.
`RB #2322 <https://rbcommons.com/s/twitter/r/2322>`_
* Add options for specifying python cache dirs.
`RB #2320 <https://rbcommons.com/s/twitter/r/2320>`_
* bash autocompletion support
`RB #2307 <https://rbcommons.com/s/twitter/r/2307>`_
`RB #2326 <https://rbcommons.com/s/twitter/r/2326>`_
* Invoke jvm doc tools via java.
`RB #2313 <https://rbcommons.com/s/twitter/r/2313>`_
* Add -log-filter option to the zinc task
`RB #2315 <https://rbcommons.com/s/twitter/r/2315>`_
* Adds a product to bundle_create
`RB #2254 <https://rbcommons.com/s/twitter/r/2254>`_
* Add flag to disable automatic excludes
`RB #2252 <https://rbcommons.com/s/twitter/r/2252>`_
* Find java distributions in well known locations.
`RB #2242 <https://rbcommons.com/s/twitter/r/2242>`_
* Added information about excludes to export goal
`RB #2238 <https://rbcommons.com/s/twitter/r/2238>`_
* In process java compilation in Zinc #1555
`RB #2206 <https://rbcommons.com/s/twitter/r/2206>`_
* Add support for extra publication metadata.
`RB #2184 <https://rbcommons.com/s/twitter/r/2184>`_
`RB #2240 <https://rbcommons.com/s/twitter/r/2240>`_
* Extract the android plugin as an sdist.
`RB #2249 <https://rbcommons.com/s/twitter/r/2249>`_
* Adds optional output during zinc compilation.
`RB #2233 <https://rbcommons.com/s/twitter/r/2233>`_
* Jvm Tools release process
`RB #2292 <https://rbcommons.com/s/twitter/r/2292>`_
* Make it possible to create xml reports and output to console at the same time from ConsoleRunner.
`RB #2183 <https://rbcommons.com/s/twitter/r/2183>`_
* Adding a product to binary_create so that we can depend on it in an external plugin.
`RB #2172 <https://rbcommons.com/s/twitter/r/2172>`_
* Publishing to Maven Central
`RB #2068 <https://rbcommons.com/s/twitter/r/2068>`_
`RB #2188 <https://rbcommons.com/s/twitter/r/2188>`_
* Provide global option to look up BUILD files in git history
`RB #2121 <https://rbcommons.com/s/twitter/r/2121>`_
`RB #2164 <https://rbcommons.com/s/twitter/r/2164>`_
* Compile Java with Zinc
`RB #2156 <https://rbcommons.com/s/twitter/r/2156>`_
* Add BuildFileManipulator implementation and tests to contrib
`RB #977 <https://rbcommons.com/s/twitter/r/977>`_
* Add option to suppress printing the changelog during publishing
`RB #2140 <https://rbcommons.com/s/twitter/r/2140>`_
* Filtering by targets' tags
`RB #2106 <https://rbcommons.com/s/twitter/r/2106>`_
* Adds the ability to specify explicit fields in MANIFEST.MF in a jvm_binary target.
`RB #2199 <https://rbcommons.com/s/twitter/r/2199>`_
`RB #2084 <https://rbcommons.com/s/twitter/r/2084>`_
`RB #2119 <https://rbcommons.com/s/twitter/r/2119>`_
`RB #2005 <https://rbcommons.com/s/twitter/r/2005>`_
* Parallelize isolated jvm compile strategy's chunk execution.
`RB #2109 <https://rbcommons.com/s/twitter/r/2109>`_
* Make test tasks specify which target failed in exception.
`RB #2090 <https://rbcommons.com/s/twitter/r/2090>`_
`RB #2113 <https://rbcommons.com/s/twitter/r/2113>`_
`RB #2112 <https://rbcommons.com/s/twitter/r/2112>`_
* Support glob output in filedeps.
`RB #2092 <https://rbcommons.com/s/twitter/r/2092>`_
* Export: support export of sources and globs
`RB #2082 <https://rbcommons.com/s/twitter/r/2082>`_
`RB #2094 <https://rbcommons.com/s/twitter/r/2094>`_
* Classpath isolation: make ivy resolution locally accurate.
`RB #2064 <https://rbcommons.com/s/twitter/r/2064>`_
* Add support for a postscript to jar_publish commit messages.
`RB #2070 <https://rbcommons.com/s/twitter/r/2070>`_
* Add optional support for auto-shading jvm tools.
`RB #2052 <https://rbcommons.com/s/twitter/r/2052>`_
`RB #2073 <https://rbcommons.com/s/twitter/r/2073>`_
* Introduce a jvm binary shader.
`RB #2050 <https://rbcommons.com/s/twitter/r/2050>`_
* Open source the spindle plugin for pants into contrib.
`RB #2306 <https://rbcommons.com/s/twitter/r/2306>`_
`RB #2301 <https://rbcommons.com/s/twitter/r/2301>`_
`RB #2304 <https://rbcommons.com/s/twitter/r/2304>`_
`RB #2282 <https://rbcommons.com/s/twitter/r/2282>`_
`RB #2033 <https://rbcommons.com/s/twitter/r/2033>`_
* Implement an exported ownership model.
`RB #2010 <https://rbcommons.com/s/twitter/r/2010>`_
Small improvements, Refactoring and Tooling
~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
* Support caching chroots for reuse across pants runs.
`RB #2349 <https://rbcommons.com/s/twitter/r/2349>`_
* Upgrade RBT to the latest release
`RB #2360 <https://rbcommons.com/s/twitter/r/2360>`_
* Make sure arg to logRaw and log are only eval'ed once. (zinc)
`RB #2338 <https://rbcommons.com/s/twitter/r/2338>`_
* Clean up unnecessary code
`RB #2339 <https://rbcommons.com/s/twitter/r/2339>`_
* Exclude the com.example org from travis ivy cache.
`RB #2344 <https://rbcommons.com/s/twitter/r/2344>`_
* Avoid ivy cache thrash due to ivydata updates.
`RB #2333 <https://rbcommons.com/s/twitter/r/2333>`_
* Various refactoring of PythonChroot and related code.
`RB #2327 <https://rbcommons.com/s/twitter/r/2327>`_
* Have pytest_run create its chroots via its base class.
`RB #2314 <https://rbcommons.com/s/twitter/r/2314>`_
* Add a set of memoization decorators for functions.
`RB #2308 <https://rbcommons.com/s/twitter/r/2308>`_
`RB #2317 <https://rbcommons.com/s/twitter/r/2317>`_
* Allow jvm tool tests to bootstrap from the artifact cache.
`RB #2311 <https://rbcommons.com/s/twitter/r/2311>`_
* Fixed 'has no attribute' exception + better tests for export goal
`RB #2305 <https://rbcommons.com/s/twitter/r/2305>`_
* Refactoring ProtobufGen to use SimpleCodeGen.
`RB #2302 <https://rbcommons.com/s/twitter/r/2302>`_
* Refactoring JaxbGen to use SimpleCodeGen.
`RB #2303 <https://rbcommons.com/s/twitter/r/2303>`_
* Add pants header to assorted python files
`RB #2298 <https://rbcommons.com/s/twitter/r/2298>`_
* Remove unused imports from python files
`RB #2295 <https://rbcommons.com/s/twitter/r/2295>`_
* Integrating Patrick's SimpleCodegenTask base class with WireGen.
`RB #2274 <https://rbcommons.com/s/twitter/r/2274>`_
* Fix bad log statement in junit_run.py.
`RB #2290 <https://rbcommons.com/s/twitter/r/2290>`_
* Provide more specific value parsing errors
`RB #2283 <https://rbcommons.com/s/twitter/r/2283>`_
* Dry up incremental-compiler dep on sbt-interface.
`RB #2279 <https://rbcommons.com/s/twitter/r/2279>`_
* Use BufferedOutputStream in jar-tool
`RB #2270 <https://rbcommons.com/s/twitter/r/2270>`_
* Add relative_symlink to dirutil for latest run report
`RB #2271 <https://rbcommons.com/s/twitter/r/2271>`_
* Shade zinc.
`RB #2268 <https://rbcommons.com/s/twitter/r/2268>`_
* rm Exception.message calls
`RB #2245 <https://rbcommons.com/s/twitter/r/2245>`_
* sanity check on generated cobertura xml report
`RB #2231 <https://rbcommons.com/s/twitter/r/2231>`_
* [pants/jar] Fix a typo
`RB #2230 <https://rbcommons.com/s/twitter/r/2230>`_
* Convert validation.assert_list isinstance checking to be lazy
`RB #2228 <https://rbcommons.com/s/twitter/r/2228>`_
* use workunit output for cpp command running
`RB #2223 <https://rbcommons.com/s/twitter/r/2223>`_
* Remove all global config state.
`RB #2222 <https://rbcommons.com/s/twitter/r/2222>`_
`RB #2181 <https://rbncommons.com/s/twitter/r/2181>`_
`RB #2160 <https://rbcommons.com/s/twitter/r/2160>`_
`RB #2159 <https://rbcommons.com/s/twitter/r/2159>`_
`RB #2151 <https://rbcommons.com/s/twitter/r/2151>`_
`RB #2142 <https://rbcommons.com/s/twitter/r/2142>`_
`RB #2141 <https://rbcommons.com/s/twitter/r/2141>`_
* Make the version of specs in BUILD.tools match the one in 3rdparty/BUILD.
`RB #2203 <https://rbcommons.com/s/twitter/r/2203>`_
* Handle warnings in BUILD file context.
`RB #2198 <https://rbcommons.com/s/twitter/r/2198>`_
* Replace custom softreference cache with a guava cache. (zinc)
`RB #2190 <https://rbcommons.com/s/twitter/r/2190>`_
* Establish a source_root for pants scala code.
`RB #2189 <https://rbcommons.com/s/twitter/r/2189>`_
* Zinc patches to improve roundtrip time
`RB #2178 <https://rbcommons.com/s/twitter/r/2178>`_
* cache parsed mustache templates as they are requested
`RB #2171 <https://rbcommons.com/s/twitter/r/2171>`_
* memoize linkify to reduce reporting file stat calls
`RB #2170 <https://rbcommons.com/s/twitter/r/2170>`_
* Refactor BuildFile and BuildFileAdressMapper
`RB #2110 <https://rbcommons.com/s/twitter/r/2110>`_
* fix whitespace in workerpool test, rm unused import
`RB #2144 <https://rbcommons.com/s/twitter/r/2144>`_
* Use jvm-compilers as the parent of isolation workunits instead of 'isolation', add workunits for analysis
`RB #2134 <https://rbcommons.com/s/twitter/r/2134>`_
* Improve the error message when a tool fails to bootstrap.
`RB #2135 <https://rbcommons.com/s/twitter/r/2135>`_
* Fix rglobs-to-filespec code.
`RB #2133 <https://rbcommons.com/s/twitter/r/2133>`_
* Send workunit output to stderr during tests
`RB #2108 <https://rbcommons.com/s/twitter/r/2108>`_
* Changes to zinc analysis split/merge test data generation:
`RB #2095 <https://rbcommons.com/s/twitter/r/2095>`_
* Add a dummy workunit to the end of the run to print out a timestamp that includes the time spent in the last task.
`RB #2054 <https://rbcommons.com/s/twitter/r/2054>`_
* Add 'java-resource' and 'java-test-resource' content type for Resources Roots.
`RB #2046 <https://rbcommons.com/s/twitter/r/2046>`_
* Upgrade virtualenv from 12.0.7 to 12.1.1.
`RB #2047 <https://rbcommons.com/s/twitter/r/2047>`_
* convert all % formatted strings under src/ to str.format format
`RB #2042 <https://rbcommons.com/s/twitter/r/2042>`_
* Move overrides for registrations to debug.
`RB #2023 <https://rbcommons.com/s/twitter/r/2023>`_
* Split jvm_binary.py into jvm_binary.py and jvm_app.py.
`RB #2006 <https://rbcommons.com/s/twitter/r/2006>`_
* Validate analysis earlier, and handle it explicitly
`RB #1999 <https://rbcommons.com/s/twitter/r/1999>`_
* Switch to importlib
`RB #2003 <https://rbcommons.com/s/twitter/r/2003>`_
* Some refactoring and tidying-up in workunit.
`RB #1981 <https://rbcommons.com/s/twitter/r/1981>`_
* Remove virtualenv tarball from CI cache.
`RB #2281 <https://rbcommons.com/s/twitter/r/2281>`_
* Moved testing of examples and testprojects to tests
`RB #2158 <https://rbcommons.com/s/twitter/r/2158>`_
* Share the python interpreter/egg caches between tests.
`RB #2256 <https://rbcommons.com/s/twitter/r/2256>`_
* Add support for python test sharding.
`RB #2243 <https://rbcommons.com/s/twitter/r/2243>`_
* Fixup OSX CI breaks.
`RB #2241 <https://rbcommons.com/s/twitter/r/2241>`_
* fix test class name c&p error
`RB #2227 <https://rbcommons.com/s/twitter/r/2227>`_
* Remove the pytest skip tag for scala publish integration test as it uses --doc-scaladoc-skip
`RB #2225 <https://rbcommons.com/s/twitter/r/2225>`_
* integration test for classifiers
`RB #2216 <https://rbcommons.com/s/twitter/r/2216>`_
`RB #2218 <https://rbcommons.com/s/twitter/r/2218>`_
`RB #2232 <https://rbcommons.com/s/twitter/r/2232>`_
* Use 2 IT shards to avoid OSX CI timeouts.
`RB #2217 <https://rbcommons.com/s/twitter/r/2217>`_
* Don't have JvmToolTaskTestBase require access to "real" option values.
`RB #2213 <https://rbcommons.com/s/twitter/r/2213>`_
* There were two test_export_integration.py tests.
`RB #2215 <https://rbcommons.com/s/twitter/r/2215>`_
* Do not include integration tests in non-integration tests.
`RB #2173 <https://rbcommons.com/s/twitter/r/2173>`_
* Streamline some test setup.
`RB #2167 <https://rbcommons.com/s/twitter/r/2167>`_
* Ensure that certain test cleanup always happens, even if setUp fails.
`RB #2166 <https://rbcommons.com/s/twitter/r/2166>`_
* Added a test of the bootstrapper logic with no cached bootstrap.jar
`RB #2126 <https://rbcommons.com/s/twitter/r/2126>`_
* Remove integration tests from default targets in test BUILD files
`RB #2086 <https://rbcommons.com/s/twitter/r/2086>`_
* Cap BootstrapJvmTools mem in JvmToolTaskTestBase.
`RB #2077 <https://rbcommons.com/s/twitter/r/2077>`_
* Re-establish no nailguns under TravisCI.
`RB #1852 <https://rbcommons.com/s/twitter/r/1852>`_
`RB #2065 <https://rbcommons.com/s/twitter/r/2065>`_
* Further cleanup of test context setup.
`RB #2053 <https://rbcommons.com/s/twitter/r/2053>`_
* Remove plumbing for custom test config.
`RB #2051 <https://rbcommons.com/s/twitter/r/2051>`_
* Use a fake context when testing.
`RB #2049 <https://rbcommons.com/s/twitter/r/2049>`_
* Remove old TaskTest base class.
`RB #2039 <https://rbcommons.com/s/twitter/r/2039>`_
`RB #2031 <https://rbcommons.com/s/twitter/r/2031>`_
`RB #2027 <https://rbcommons.com/s/twitter/r/2027>`_
`RB #2022 <https://rbcommons.com/s/twitter/r/2022>`_
`RB #2017 <https://rbcommons.com/s/twitter/r/2017>`_
`RB #2016 <https://rbcommons.com/s/twitter/r/2016>`_
* Refactor com.pants package to org.pantsbuild in examples and testprojects
`RB #2037 <https://rbcommons.com/s/twitter/r/2037>`_
* Added a simple 'HelloWorld' java example.
`RB #2028 <https://rbcommons.com/s/twitter/r/2028>`_
* Place the workdir below the pants_workdir
`RB #2007 <https://rbcommons.com/s/twitter/r/2007>`_
0.0.32 (3/26/2015)
------------------
Bugfixes
~~~~~~~~
* Fixup minified_dependencies
`Issue #1329 <https://github.com/pantsbuild/pants/issues/1329>`_
`RB #1986 <https://rbcommons.com/s/twitter/r/1986>`_
* Don`t mutate options in the linter
`RB #1978 <https://rbcommons.com/s/twitter/r/1978>`_
* Fix a bad logic bug in zinc analysis split code
`RB #1969 <https://rbcommons.com/s/twitter/r/1969>`_
* always use relpath on --test file args
`RB #1976 <https://rbcommons.com/s/twitter/r/1976>`_
* Fixup resources drift in the sdist package
`RB #1974 <https://rbcommons.com/s/twitter/r/1974>`_
* Fix publish override flag
`Issue #1277 <https://github.com/pantsbuild/pants/issues/1277>`_
`RB #1959 <https://rbcommons.com/s/twitter/r/1959>`_
API Changes
~~~~~~~~~~~
* Remove open_zip64 in favor of supporting zip64 everywhere
`RB #1984 <https://rbcommons.com/s/twitter/r/1984>`_
Documentation
~~~~~~~~~~~~~
* rm python_old, an old document
`RB #1973 <https://rbcommons.com/s/twitter/r/1973>`_
* Updated ivysettings.xml with comments and commented out local repos
`RB #1979 <https://rbcommons.com/s/twitter/r/1979>`_
* Update how to setup proxies in ivy
`RB #1975 <https://rbcommons.com/s/twitter/r/1975>`_
New Features
~~~~~~~~~~~~
* Ignore blank lines and comments in scalastyle excludes file
`RB #1971 <https://rbcommons.com/s/twitter/r/1971>`_
* Adding a --test-junit-coverage-jvm-options flag
`RB #1968 <https://rbcommons.com/s/twitter/r/1968>`_
* --soft-excludes flag for resolve-ivy
`RB #1961 <https://rbcommons.com/s/twitter/r/1961>`_
Small improvements, Refactoring and Tooling
~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
* Rid pantsbuild.pants of an un-needed antlr dep
`RB #1989 <https://rbcommons.com/s/twitter/r/1989>`_
* Kill the BUILD.transitional targets
`Issue #1126 <https://github.com/pantsbuild/pants/issues/1126>`_
`RB #1983 <https://rbcommons.com/s/twitter/r/1983>`_
* Convert ragel-gen.py to use new options and expunge config from BinaryUtil
`RB #1970 <https://rbcommons.com/s/twitter/r/1970>`_
* Add the JvmCompileIsolatedStrategy
`RB #1898 <https://rbcommons.com/s/twitter/r/1898>`_
* Move construction of PythonChroot to PythonTask base class
`RB #1965 <https://rbcommons.com/s/twitter/r/1965>`_
* Delete the PythonBinaryBuilder class
`RB #1964 <https://rbcommons.com/s/twitter/r/1964>`_
* Removing dead code
`RB #1960 <https://rbcommons.com/s/twitter/r/1960>`_
* Make the test check that the return code is propagated
`RB #1966 <https://rbcommons.com/s/twitter/r/1966>`_
* Cleanup
`RB #1962 <https://rbcommons.com/s/twitter/r/1962>`_
* Get rid of almost all direct config access in python-building code
`RB #1954 <https://rbcommons.com/s/twitter/r/1954>`_
0.0.31 (3/20/2015)
------------------
Bugfixes
~~~~~~~~
* Make JavaProtobufLibrary not exportable to fix publish.
`RB #1952 <https://rbcommons.com/s/twitter/r/1952>`_
* Pass compression option along to temp local artifact caches.
`RB #1955 <https://rbcommons.com/s/twitter/r/1955>`_
* Fix a missing symbol in ScalaCompile
`RB #1885 <https://rbcommons.com/s/twitter/r/1885>`_
`RB #1945 <https://rbcommons.com/s/twitter/r/1945>`_
* die only when invoked directly
`RB #1953 <https://rbcommons.com/s/twitter/r/1953>`_
* add import for traceback, and add test to exercise that code path, rm unsed kwargs
`RB #1868 <https://rbcommons.com/s/twitter/r/1868>`_
`RB #1943 <https://rbcommons.com/s/twitter/r/1943>`_
API Changes
~~~~~~~~~~~
* Use the publically released 2.1.1 version of Cobertura
`RB #1933 <https://rbcommons.com/s/twitter/r/1933>`_
Documentation
~~~~~~~~~~~~~
* Update docs for 'prep_command()'
`RB #1940 <https://rbcommons.com/s/twitter/r/1940>`_
New Features
~~~~~~~~~~~~
* added sources and javadocs to export goal output
`RB #1936 <https://rbcommons.com/s/twitter/r/1936>`_
* Add flags to idea and eclipse goals to exclude pulling in sources and javadoc via ivy
`RB #1939 <https://rbcommons.com/s/twitter/r/1939>`_
Small improvements, Refactoring and Tooling
~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
* Remove a spurious import in test_antlr_builder
`RB #1951 <https://rbcommons.com/s/twitter/r/1951>`_
* Refactor ZincUtils
`RB #1946 <https://rbcommons.com/s/twitter/r/1946>`_
* change set([]) / OrderedSet([]) to set() / OrderedSet()
`RB #1947 <https://rbcommons.com/s/twitter/r/1947>`_
* Rename TestPythonSetup to TestSetupPy
`RB #1950 <https://rbcommons.com/s/twitter/r/1950>`_
* Rename the PythonSetup task to SetupPy
`RB #1942 <https://rbcommons.com/s/twitter/r/1942>`_
0.0.30 (3/18/2015)
------------------
Bugfixes
~~~~~~~~
* Fix missing deps from global switch to six range
`RB #1931 <https://rbcommons.com/s/twitter/r/1931>`_
`RB #1937 <https://rbcommons.com/s/twitter/r/1937>`_
* Fix python_repl to work for python_requirement_libraries
`RB #1934 <https://rbcommons.com/s/twitter/r/1934>`_
* Move count variable outside loop
`RB #1926 <https://rbcommons.com/s/twitter/r/1926>`_
* Fix regression in synthetic target context handling
`RB #1921 <https://rbcommons.com/s/twitter/r/1921>`_
* Try to fix the .rst render of the CHANGELOG on pypi
`RB #1911 <https://rbcommons.com/s/twitter/r/1911>`_
* To add android.jar to the classpath, create a copy under task's workdir
`RB #1902 <https://rbcommons.com/s/twitter/r/1902>`_
* walk synthetic targets dependencies when constructing context.target()
`RB #1863 <https://rbcommons.com/s/twitter/r/1863>`_
`RB #1914 <https://rbcommons.com/s/twitter/r/1914>`_
* Mix the value of the zinc name-hashing flag into cache keys
`RB #1912 <https://rbcommons.com/s/twitter/r/1912>`_
* Allow multiple ivy artifacts distinguished only by classifier
`RB #1905 <https://rbcommons.com/s/twitter/r/1905>`_
* Fix `Git.detect_worktree` to fail gracefully
`RB #1903 <https://rbcommons.com/s/twitter/r/1903>`_
* Avoid reparsing analysis repeatedly
`RB #, <https://rbcommons.com/s/twitter/r/1898/,>`_
`RB #1938 <https://rbcommons.com/s/twitter/r/1938>`_
API Changes
~~~~~~~~~~~
* Remove the now-superfluous "parallel resource directories" hack
`RB #1907 <https://rbcommons.com/s/twitter/r/1907>`_
* Make rglobs follow symlinked directories by default
`RB #1881 <https://rbcommons.com/s/twitter/r/1881>`_
Documentation
~~~~~~~~~~~~~
* Trying to clarify how to contribute docs
`RB #1922 <https://rbcommons.com/s/twitter/r/1922>`_
* Add documentation on how to turn on extra ivy debugging
`RB #1906 <https://rbcommons.com/s/twitter/r/1906>`_
* Adds documentation to setup_repo.md with tips for how to configure Pants to work behind a firewall
`RB #1899 <https://rbcommons.com/s/twitter/r/1899>`_
New Features
~~~~~~~~~~~~
* Support spec_excludes in what_changed. Prior art: https://rbcommons.com/s/twitter/r/1795/
`RB #1930 <https://rbcommons.com/s/twitter/r/1930>`_
* Add a new 'export' goal for use by IDE integration
`RB #1917 <https://rbcommons.com/s/twitter/r/1917>`_
`RB #1929 <https://rbcommons.com/s/twitter/r/1929>`_
* Add ability to detect HTTP_PROXY or HTTPS_PROXY in environment and pass it along to ivy
`RB #1877 <https://rbcommons.com/s/twitter/r/1877>`_
* Pants publish to support publishing extra publish artifacts as individual artifacts with classifier attached
`RB #1879 <https://rbcommons.com/s/twitter/r/1879>`_
`RB #1889 <https://rbcommons.com/s/twitter/r/1889>`_
Small improvements, Refactoring and Tooling
~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
* Deleting dead abbreviate_target_ids code.
`RB #1918 <https://rbcommons.com/s/twitter/r/1918>`_
`RB #1944 <https://rbcommons.com/s/twitter/r/1944>`_
* Move AptCompile to its own file
`RB #1935 <https://rbcommons.com/s/twitter/r/1935>`_
* use six.moves.range everywhere
`RB #1931 <https://rbcommons.com/s/twitter/r/1931>`_
* Port scrooge/linter config to the options system
`RB #1927 <https://rbcommons.com/s/twitter/r/1927>`_
* Fixes for import issues in JvmCompileStrategy post https://rbcommons.com/s/twitter/r/1885/
`RB #1900 <https://rbcommons.com/s/twitter/r/1900>`_
* Moving stuff out of jvm and into project info backend
`RB #1917 <https://rbcommons.com/s/twitter/r/1917>`_
* Provides is meant to have been deprecated a long time ago
`RB #1915 <https://rbcommons.com/s/twitter/r/1915>`_
* Move JVM debug config functionality to the new options system
`RB #1924 <https://rbcommons.com/s/twitter/r/1924>`_
* Remove the --color option from specs_run. See https://rbcommons.com/s/twitter/r/1814/
`RB #1916 <https://rbcommons.com/s/twitter/r/1916>`_
* Remove superfluous 'self.conf' argument to self.classpath
`RB #1913 <https://rbcommons.com/s/twitter/r/1913>`_
* Update ivy_utils error messages: include classifier and switch interpolation from % to format
`RB #1908 <https://rbcommons.com/s/twitter/r/1908>`_
* Added a python helper for check_header.sh in git pre-commit script
`RB #1910 <https://rbcommons.com/s/twitter/r/1910>`_
* Remove direct config access in scalastyle.py
`RB #1897 <https://rbcommons.com/s/twitter/r/1897>`_
* Replace all instances of xrange with range, as xrange is deprecated in Python 3
`RB #1901 <https://rbcommons.com/s/twitter/r/1901>`_
* Raise a better exception on truncated Zinc analysis files
`RB #1896 <https://rbcommons.com/s/twitter/r/1896>`_
* Fail fast for OSX CI runs
`RB #1894 <https://rbcommons.com/s/twitter/r/1894>`_
* Upgrade to the latest rbt release
`RB #1893 <https://rbcommons.com/s/twitter/r/1893>`_
* Use cmp instead of a file hash
`RB #1892 <https://rbcommons.com/s/twitter/r/1892>`_
* Split out a JvmCompileStrategy interface
`RB #1885 <https://rbcommons.com/s/twitter/r/1885>`_
* Decouple WorkUnit from RunTracker
`RB #1928 <https://rbcommons.com/s/twitter/r/1928>`_
* Add Scm.add, change publish to add pushdb explicitly, move scm publish around
`RB #1868 <https://rbcommons.com/s/twitter/r/1868>`_
0.0.29 (3/9/2015)
-----------------
CI
~~
* Support local pre-commit checks
`RB #1883 <https://rbcommons.com/s/twitter/r/1883>`_
* Fix newline to fix broken master build
`RB #1888 <https://rbcommons.com/s/twitter/r/1888>`_
* Shard out OSX CI
`RB #1873 <https://rbcommons.com/s/twitter/r/1873>`_
* Update travis's pants cache settings
`RB #1875 <https://rbcommons.com/s/twitter/r/1875>`_
* Fixup contrib tests on osx CI
`RB #1867 <https://rbcommons.com/s/twitter/r/1867>`_
* Reduce number of test shards from 8 to 6 on Travis-ci
`RB #1804 <https://rbcommons.com/s/twitter/r/1804>`_
* Cache the isort venv for ci runs
`RB #1740 <https://rbcommons.com/s/twitter/r/1740>`_
* Fixup ci isort check
`RB #1728 <https://rbcommons.com/s/twitter/r/1728>`_
Tests
~~~~~
* Add jar Publish integration tests to test the generated pom and ivy.xml files
`RB #1879 <https://rbcommons.com/s/twitter/r/1879>`_
* Added test that shows that nested scope inherits properly from cmdline, config, and env
`RB #1851 <https://rbcommons.com/s/twitter/r/1851>`_
`RB #1865 <https://rbcommons.com/s/twitter/r/1865>`_
* Improve AndroidDistribution coverage
`RB #1861 <https://rbcommons.com/s/twitter/r/1861>`_
* Modernize the protobuf and wire task tests
`RB #1854 <https://rbcommons.com/s/twitter/r/1854>`_
* Replace python_test_suite with target
`RB #1821 <https://rbcommons.com/s/twitter/r/1821>`_
* Switch test_jvm_run.py to the new TaskTestBase instead of the old TaskTest
`RB #1829 <https://rbcommons.com/s/twitter/r/1829>`_
* Remove two non-useful tests
`RB #1828 <https://rbcommons.com/s/twitter/r/1828>`_
* Fix a python run integration test
`RB #1810 <https://rbcommons.com/s/twitter/r/1810>`_
* Work around py test_runner issue with ns packages
`RB #1813 <https://rbcommons.com/s/twitter/r/1813>`_
* Add a test for the Git changelog
`RB #1792 <https://rbcommons.com/s/twitter/r/1792>`_
* Create a directory with no write perms for TestAndroidConfigUtil
`RB #1796 <https://rbcommons.com/s/twitter/r/1796>`_
* Relocated some tests (no code changes) from tests/python/pants_test/tasks into
tests/python/pants_test/backend/codegen/tasks to mirror the source location
`RB #1746 <https://rbcommons.com/s/twitter/r/1746>`_
Docs
~~~~
* Add some documentation about using the pants reporting server for troubleshooting
`RB #1887 <https://rbcommons.com/s/twitter/r/1887>`_
* Docstring reformatting for Task and InvalidationCheck
`RB #1769 <https://rbcommons.com/s/twitter/r/1769>`_
* docs: Show correct pictures for intellij.html
`RB #1716 <https://rbcommons.com/s/twitter/r/1716>`_
* doc += how to turn on cache
`RB #1668 <https://rbcommons.com/s/twitter/r/1668>`_
New language: C++
~~~~~~~~~~~~~~~~~
* Separate compile step for C++ to just compile objects
`RB #1855 <https://rbcommons.com/s/twitter/r/1855>`_
* Fixup CppToolchain to be lazy and actually cache
`RB #1850 <https://rbcommons.com/s/twitter/r/1850>`_
* C++ support in contrib
`RB #1818 <https://rbcommons.com/s/twitter/r/1818>`_
API Changes
~~~~~~~~~~~
* Kill the global `--ng-daemons` flag
`RB #1852 <https://rbcommons.com/s/twitter/r/1852>`_
* Removed parallel_test_paths setting from pants.ini. It isn't needed in the pants repo any more
`RB #1846 <https://rbcommons.com/s/twitter/r/1846>`_
* BUILD file format cleanup:
- Deprecate bundle().add in favor of bundle(files=)
`RB #1788 <https://rbcommons.com/s/twitter/r/1788>`_
- Deprecate .intransitive() in favor of argument
`RB #1797 <https://rbcommons.com/s/twitter/r/1797>`_
- Deprecate target.with_description in favor of target(description=)
`RB #1790 <https://rbcommons.com/s/twitter/r/1790>`_
- Allow exclude in globs
`RB #1762 <https://rbcommons.com/s/twitter/r/1762>`_
- Move with_artifacts to an artifacts argument
`RB #1672 <https://rbcommons.com/s/twitter/r/1672>`_
* An attempt to deprecate some old methods
`RB #1720 <https://rbcommons.com/s/twitter/r/1720>`_
* Options refactor work
- Make option registration recursion optional
`RB #1870 <https://rbcommons.com/s/twitter/r/1870>`_
- Remove all direct config uses from jar_publish.py
`RB #1844 <https://rbcommons.com/s/twitter/r/1844>`_
- Read pants_distdir from options instead of config
`RB #1842 <https://rbcommons.com/s/twitter/r/1842>`_
- Remove direct config references in thrift gen code
`RB #1839 <https://rbcommons.com/s/twitter/r/1839>`_
- Android backend now exclusively uses the new option system
`RB #1819 <https://rbcommons.com/s/twitter/r/1819>`_
- Replace config use in RunTracker with options
`RB #1823 <https://rbcommons.com/s/twitter/r/1823>`_
- Add pants_bootstradir and pants_configdir to options bootstrapper
`RB #1835 <https://rbcommons.com/s/twitter/r/1835>`_
- Remove all direct config access in task.py
`RB #1827 <https://rbcommons.com/s/twitter/r/1827>`_
- Convert config-only options in goal idea and eclipse to use new options format
`RB #1805 <https://rbcommons.com/s/twitter/r/1805>`_
- Remove config_section from some tasks
`RB #1806 <https://rbcommons.com/s/twitter/r/1806>`_
- Disallow --no- on the name of boolean flags, refactor existing ones
`Issue #34 <https://github.com/pantsbuild/intellij-pants-plugin/issues/34>`_
`RB #1799 <https://rbcommons.com/s/twitter/r/1799>`_
- Migrating pants.ini config values for protobuf-gen to advanced registered options under gen.protobuf
`RB #1741 <https://rbcommons.com/s/twitter/r/1741>`_
* Add a way to deprecate options with 'deprecated_version' and 'deprecated_hint' kwargs to register()
`RB #1799 <https://rbcommons.com/s/twitter/r/1799>`_
`RB #1814 <https://rbcommons.com/s/twitter/r/1814>`_
* Implement compile_classpath using UnionProducts
`RB #1761 <https://rbcommons.com/s/twitter/r/1761>`_
* Introduce a @deprecated decorator
`RB #1725 <https://rbcommons.com/s/twitter/r/1725>`_
* Update jar-tool to 0.1.9 and switch to use @argfile calling convention
`RB #1798 <https://rbcommons.com/s/twitter/r/1798>`_
* Pants to respect XDB spec for global storage on unix systems
`RB #1817 <https://rbcommons.com/s/twitter/r/1817>`_
* Adds a mixin (ImportJarsMixin) for the IvyImports task
`RB #1783 <https://rbcommons.com/s/twitter/r/1783>`_
* Added invalidation check to UnpackJars task
`RB #1776 <https://rbcommons.com/s/twitter/r/1776>`_
* Enable python-eval for pants source code
`RB #1773 <https://rbcommons.com/s/twitter/r/1773>`_
* adding xml output for python coverage
`Issue #1105 <https://github.com/pantsbuild/pants/issues/1105>`_
`RB #1770 <https://rbcommons.com/s/twitter/r/1770>`_
* Optionally adds a path value onto protoc's PATH befor launching it
`RB #1756 <https://rbcommons.com/s/twitter/r/1756>`_
* Add progress information to partition reporting
`RB #1749 <https://rbcommons.com/s/twitter/r/1749>`_
* Add SignApk product and Zipalign task
`RB #1737 <https://rbcommons.com/s/twitter/r/1737>`_
* Add an 'advanced' parameter to registering options
`RB #1739 <https://rbcommons.com/s/twitter/r/1739>`_
* Add an env var for enabling the profiler
`RB #1305 <https://rbcommons.com/s/twitter/r/1305>`_
Bugfixes and features
~~~~~~~~~~~~~~~~~~~~~
* Kill the .saplings split
`RB #1886 <https://rbcommons.com/s/twitter/r/1886>`_
* Update our requests library to something more recent
`RB #1884 <https://rbcommons.com/s/twitter/r/1884>`_
* Make a nicer looking name for workunit output
`RB #1876 <https://rbcommons.com/s/twitter/r/1876>`_
* Fixup DxCompile jvm_options to be a list
`RB #1878 <https://rbcommons.com/s/twitter/r/1878>`_
* Make sure <?xml starts at the beginning of the file when creating an empty xml report
`RB #1856 <https://rbcommons.com/s/twitter/r/1856>`_
* Set print_exception_stacktrace in pants.ini
`RB #1872 <https://rbcommons.com/s/twitter/r/1872>`_
* Handle --print-exception-stacktrace and --version more elegantly
`RB #1871 <https://rbcommons.com/s/twitter/r/1871>`_
* Improve AndroidDistribution caching
`RB #1861 <https://rbcommons.com/s/twitter/r/1861>`_
* Add zinc to the platform_tools for zinc_utils
`RB #1779 <https://rbcommons.com/s/twitter/r/1779>`_
`RB #1858 <https://rbcommons.com/s/twitter/r/1858>`_
* Fix WARN/WARNING confusion
`RB #1866 <https://rbcommons.com/s/twitter/r/1866>`_
* Fixup Config to find DEFAULT values for missing sections
`RB #1851 <https://rbcommons.com/s/twitter/r/1851>`_
* Get published artifact classfier from config
`RB #1857 <https://rbcommons.com/s/twitter/r/1857>`_
* Make Context.targets() include synthetic targets
`RB #1840 <https://rbcommons.com/s/twitter/r/1840>`_
`RB #1863 <https://rbcommons.com/s/twitter/r/1863>`_
* Fix micros to be left 0 padded to 6 digits
`RB #1849 <https://rbcommons.com/s/twitter/r/1849>`_
* Setup logging before plugins are loaded
`RB #1820 <https://rbcommons.com/s/twitter/r/1820>`_
* Introduce pants_setup_py and contrib_setup_py helpers
`RB #1822 <https://rbcommons.com/s/twitter/r/1822>`_
* Support zinc name hashing
`RB #1779 <https://rbcommons.com/s/twitter/r/1779>`_
* Actually generate a depfile from t.c.tools.compiler and use it in jmake
`RB #1824 <https://rbcommons.com/s/twitter/r/1824>`_
`RB #1825 <https://rbcommons.com/s/twitter/r/1825>`_
* Ivy Imports now has a cache
`RB #1785 <https://rbcommons.com/s/twitter/r/1785>`_
* Get rid of some direct config uses in python_repl.py
`RB #1826 <https://rbcommons.com/s/twitter/r/1826>`_
* Add check if jars exists before registering products
`RB #1808 <https://rbcommons.com/s/twitter/r/1808>`_
* shlex the python run args
`RB #1782 <https://rbcommons.com/s/twitter/r/1782>`_
* Convert t.c.log usages to logging
`RB #1815 <https://rbcommons.com/s/twitter/r/1815>`_
* Kill unused twitter.common reqs and deps
`RB #1816 <https://rbcommons.com/s/twitter/r/1816>`_
* Check import sorting before checking headers
`RB #1812 <https://rbcommons.com/s/twitter/r/1812>`_
* Fixup typo accessing debug_port option
`RB #1811 <https://rbcommons.com/s/twitter/r/1811>`_
* Allow the dependees goal and idea to respect the --spec_excludes option
`RB #1795 <https://rbcommons.com/s/twitter/r/1795>`_
* Copy t.c.lang.{AbstractClass,Singleton} to pants
`RB #1803 <https://rbcommons.com/s/twitter/r/1803>`_
* Replace all t.c.lang.Compatibility uses with six
`RB #1801 <https://rbcommons.com/s/twitter/r/1801>`_
* Fix sp in java example readme.md
`RB #1800 <https://rbcommons.com/s/twitter/r/1800>`_
* Add util.XmlParser and AndroidManifestParser
`RB #1757 <https://rbcommons.com/s/twitter/r/1757>`_
* Replace Compatibility.exec_function with `six.exec_`
`RB #1742 <https://rbcommons.com/s/twitter/r/1742>`_
`RB #1794 <https://rbcommons.com/s/twitter/r/1794>`_
* Take care of stale pidfiles for pants server
`RB #1791 <https://rbcommons.com/s/twitter/r/1791>`_
* Fixup the scrooge release
`RB #1793 <https://rbcommons.com/s/twitter/r/1793>`_
* Extract scrooge tasks to contrib/
`RB #1780 <https://rbcommons.com/s/twitter/r/1780>`_
* Fixup JarPublish changelog rendering
`RB #1787 <https://rbcommons.com/s/twitter/r/1787>`_
* Preserve dictionary order in the anonymizer
`RB #1779 <https://rbcommons.com/s/twitter/r/1779>`_
`RB #1781 <https://rbcommons.com/s/twitter/r/1781>`_
* Fix a test file leak to the build root
`RB #1771 <https://rbcommons.com/s/twitter/r/1771>`_
* Replace all instances of compatibility.string
`RB #1764 <https://rbcommons.com/s/twitter/r/1764>`_
* Improve the python run error message
`RB #1773 <https://rbcommons.com/s/twitter/r/1773>`_
`RB #1777 <https://rbcommons.com/s/twitter/r/1777>`_
* Upgrade pex to 0.8.6
`RB #1778 <https://rbcommons.com/s/twitter/r/1778>`_
* Introduce a PythonEval task
`RB #1772 <https://rbcommons.com/s/twitter/r/1772>`_
* Add an elapsed timestamp to the banner for CI
`RB #1775 <https://rbcommons.com/s/twitter/r/1775>`_
* Trying to clean up a TODO in IvyTaskMixin
`RB #1753 <https://rbcommons.com/s/twitter/r/1753>`_
* rm double_dag
`RB #1711 <https://rbcommons.com/s/twitter/r/1711>`_
* Add skip / target invalidation to thrift linting
`RB #1755 <https://rbcommons.com/s/twitter/r/1755>`_
* Fixup `Task.invalidated` UI
`RB #1758 <https://rbcommons.com/s/twitter/r/1758>`_
* Improve the implementation of help printing
`RB #1739 <https://rbcommons.com/s/twitter/r/1739>`_
`RB #1744 <https://rbcommons.com/s/twitter/r/1744>`_
* Fix TestAndroidBase task_type override miss
`RB #1751 <https://rbcommons.com/s/twitter/r/1751>`_
* Pass the BUILD file path to compile
`RB #1742 <https://rbcommons.com/s/twitter/r/1742>`_
* Bandaid leaks of global Config state in tests
`RB #1750 <https://rbcommons.com/s/twitter/r/1750>`_
* Fixing cobertura coverage so that it actually works
`RB #1704 <https://rbcommons.com/s/twitter/r/1704>`_
* Restore the ability to bootstrap Ivy with a custom configuration file
`RB #1709 <https://rbcommons.com/s/twitter/r/1709>`_
* Kill BUILD file bytecode compilation
`RB #1736 <https://rbcommons.com/s/twitter/r/1736>`_
* Kill 'goal' usage in the pants script
`RB #1738 <https://rbcommons.com/s/twitter/r/1738>`_
* Fixup ivy report generation and opening
`RB #1735 <https://rbcommons.com/s/twitter/r/1735>`_
* Fixup pants sys.excepthook for pex context
`RB #1733 <https://rbcommons.com/s/twitter/r/1733>`_
`RB #1734 <https://rbcommons.com/s/twitter/r/1734>`_
* Adding long form of help arguments to the help output
`RB #1732 <https://rbcommons.com/s/twitter/r/1732>`_
* Simplify isort config
`RB #1731 <https://rbcommons.com/s/twitter/r/1731>`_
* Expand scope of python file format checks
`RB #1729 <https://rbcommons.com/s/twitter/r/1729>`_
* Add path-to option to depmap
`RB #1545 <https://rbcommons.com/s/twitter/r/1545>`_
* Fix a stragler `.is_apt` usage
`RB #1724 <https://rbcommons.com/s/twitter/r/1724>`_
* Introduce isort to check `*.py` import ordering
`RB #1726 <https://rbcommons.com/s/twitter/r/1726>`_
* Upgrade to pex 0.8.5
`RB #1721 <https://rbcommons.com/s/twitter/r/1721>`_
* cleanup is_xxx checks: is_jar_library
`RB #1719 <https://rbcommons.com/s/twitter/r/1719>`_
* Avoid redundant traversal in classpath calculation
`RB #1714 <https://rbcommons.com/s/twitter/r/1714>`_
* Upgrade to the latest virtualenv
`RB #1715 <https://rbcommons.com/s/twitter/r/1715>`_
`RB #1718 <https://rbcommons.com/s/twitter/r/1718>`_
* Fixup the release script
`RB #1715 <https://rbcommons.com/s/twitter/r/1715>`_
* './pants goal' -> './pants'
`RB #1617 <https://rbcommons.com/s/twitter/r/1617>`_
* Add new function open_zip64 which defaults allowZip64=True for Zip files
`RB #1708 <https://rbcommons.com/s/twitter/r/1708>`_
* Fix a bug that --bundle-archive=tar generates .tar.gz instead of a .tar
`RB #1707 <https://rbcommons.com/s/twitter/r/1707>`_
* Remove 3rdparty debug.keystore
`RB #1703 <https://rbcommons.com/s/twitter/r/1703>`_
* Keystore no longer a target, apks signed with SignApkTask
`RB #1690 <https://rbcommons.com/s/twitter/r/1690>`_
* remove this jar_rule I accidentally added
`RB #1701 <https://rbcommons.com/s/twitter/r/1701>`_
* Require pushdb migration to specify a destination directory
`RB #1684 <https://rbcommons.com/s/twitter/r/1684>`_
0.0.28 (2/1/2015)
-----------------
Bugfixes
~~~~~~~~
* Numerous doc improvements & generation fixes
- Steal some info from options docstring
- Document `--config-override` & `PANTS_` environment vars
- Document JDK_HOME & JAVA_HOME use when choosing a java distribution
- Rename "Goals Reference" page -> "Options Reference"
- Document when to use isrequired
- Fix Google indexing to ignore test sites
- Update the code layout section of Pants Internals
- Show changelog & for that support `page(source='something.rst')`
- Add a reminder that you can do set-like math on FileSets
- Hacking on Pants itself, update `--pdb` doc
- Start of a "Why Choose Pants?" section
- Highlight plugin examples from twitter/commons
- Add a blurb about deploy_jar_rules to the JVM docs
- Show how to pass `-s` to pytest
- When to use java_sources, when not to
- Start of a Pants-with-scala page
- Publish page now shows `provides=` example
- Add a flag to omit "internal" things
- Slide tweaks based on class feedback
- Document argument splitting for options
`Issue #897 <https://github.com/pantsbuild/pants/issues/897>`_
`RB #1092 <https://rbcommons.com/s/twitter/r/1092>`_
`RB #1490 <https://rbcommons.com/s/twitter/r/1490>`_
`RB #1532 <https://rbcommons.com/s/twitter/r/1532>`_
`RB #1544 <https://rbcommons.com/s/twitter/r/1544>`_
`RB #1546 <https://rbcommons.com/s/twitter/r/1546>`_
`RB #1548 <https://rbcommons.com/s/twitter/r/1548>`_
`RB #1549 <https://rbcommons.com/s/twitter/r/1549>`_
`RB #1550 <https://rbcommons.com/s/twitter/r/1550>`_
`RB #1554 <https://rbcommons.com/s/twitter/r/1554>`_
`RB #1555 <https://rbcommons.com/s/twitter/r/1555>`_
`RB #1559 <https://rbcommons.com/s/twitter/r/1559>`_
`RB #1560 <https://rbcommons.com/s/twitter/r/1560>`_
`RB #1565 <https://rbcommons.com/s/twitter/r/1565>`_
`RB #1575 <https://rbcommons.com/s/twitter/r/1575>`_
`RB #1580 <https://rbcommons.com/s/twitter/r/1580>`_
`RB #1583 <https://rbcommons.com/s/twitter/r/1583>`_
`RB #1584 <https://rbcommons.com/s/twitter/r/1584>`_
`RB #1593 <https://rbcommons.com/s/twitter/r/1593>`_
`RB #1607 <https://rbcommons.com/s/twitter/r/1607>`_
`RB #1608 <https://rbcommons.com/s/twitter/r/1608>`_
`RB #1609 <https://rbcommons.com/s/twitter/r/1609>`_
`RB #1618 <https://rbcommons.com/s/twitter/r/1618>`_
`RB #1622 <https://rbcommons.com/s/twitter/r/1622>`_
`RB #1633 <https://rbcommons.com/s/twitter/r/1633>`_
`RB #1640 <https://rbcommons.com/s/twitter/r/1640>`_
`RB #1657 <https://rbcommons.com/s/twitter/r/1657>`_
`RB #1658 <https://rbcommons.com/s/twitter/r/1658>`_
`RB #1563 <https://rbcommons.com/s/twitter/r/1563>`_
`RB #1564 <https://rbcommons.com/s/twitter/r/1564>`_
`RB #1677 <https://rbcommons.com/s/twitter/r/1677>`_
`RB #1678 <https://rbcommons.com/s/twitter/r/1678>`_
`RB #1694 <https://rbcommons.com/s/twitter/r/1694>`_
`RB #1695 <https://rbcommons.com/s/twitter/r/1695>`_
* Add calls to relpath so that we don't generate overlong filenames on mesos
`RB #1528 <https://rbcommons.com/s/twitter/r/1528>`_
`RB #1612 <https://rbcommons.com/s/twitter/r/1612>`_
`RB #1644 <https://rbcommons.com/s/twitter/r/1644>`_
* Regularize headers
`RB #1691 <https://rbcommons.com/s/twitter/r/1691>`_
* Pants itself uses python2.7, kill unittest2 imports
`RB #1689 <https://rbcommons.com/s/twitter/r/1689>`_
* Make 'setup-py' show up in './pants goal goals'
`RB #1466 <https://rbcommons.com/s/twitter/r/1466>`_
* Test that CycleException happens for cycles (instead of a stack overflow)
`RB #1686 <https://rbcommons.com/s/twitter/r/1686>`_
* Replace t.c.collection.OrderedDict with 2.7+ stdlib
`RB #1687 <https://rbcommons.com/s/twitter/r/1687>`_
* Make ide_gen a subclass of Task to avoid depending on compile and resources tasks
`Issue #997 <https://github.com/pantsbuild/pants/issues/997>`_
`RB #1679 <https://rbcommons.com/s/twitter/r/1679>`_
* Remove with_sources() from 3rdparty/BUILD
`RB #1674 <https://rbcommons.com/s/twitter/r/1674>`_
* Handle thrift inclusion for python in apache_thrift_gen
`RB #1656 <https://rbcommons.com/s/twitter/r/1656>`_
`RB #1675 <https://rbcommons.com/s/twitter/r/1675>`_
* Make beautifulsoup4 dep fixed rather than floating
`RB #1670 <https://rbcommons.com/s/twitter/r/1670>`_
* Fixes for unpacked_jars
`RB #1624 <https://rbcommons.com/s/twitter/r/1624>`_
* Fix spurious Products requirements
`RB #1662 <https://rbcommons.com/s/twitter/r/1662>`_
* Fixup the options bootstrapper to support boolean flags
`RB #1660 <https://rbcommons.com/s/twitter/r/1660>`_
`RB #1664 <https://rbcommons.com/s/twitter/r/1664>`_
* Change `Distribution.cached` to compare using Revision objects
`RB #1653 <https://rbcommons.com/s/twitter/r/1653>`_
* Map linux i686 arch to i386
`Issue #962 <https://github.com/pantsbuild/pants/issues/962>`_
`RB #1659 <https://rbcommons.com/s/twitter/r/1659>`_
* bump virtualenv version to 12.0.5
`RB #1621 <https://rbcommons.com/s/twitter/r/1621>`_
* Bugfixes in calling super methods in traversable_specs and traversable_dependency_specs
`RB #1611 <https://rbcommons.com/s/twitter/r/1611>`_
* Raise TaskError on python antlr generation failure
`RB #1604 <https://rbcommons.com/s/twitter/r/1604>`_
* Fix topological ordering + chunking bug in jvm_compile
`RB #1598 <https://rbcommons.com/s/twitter/r/1598>`_
* Fix CI from RB 1604 (and change a test name as suggested by nhoward)
`RB #1606 <https://rbcommons.com/s/twitter/r/1606>`_
* Mark some missing-deps testprojects as expected to fail
`RB #1601 <https://rbcommons.com/s/twitter/r/1601>`_
* Fix scalac plugin support broken in a refactor
`RB #1596 <https://rbcommons.com/s/twitter/r/1596>`_
* Do not insert an error message as the "main" class in jvm_binary_task
`RB #1590 <https://rbcommons.com/s/twitter/r/1590>`_
* Remove variable shadowing from method in archive.py
`RB #1589 <https://rbcommons.com/s/twitter/r/1589>`_
* Don't realpath jars on the classpath
`RB #1588 <https://rbcommons.com/s/twitter/r/1588>`_
`RB #1591 <https://rbcommons.com/s/twitter/r/1591>`_
* Cache ivy report dependency traversals consistently
`RB #1557 <https://rbcommons.com/s/twitter/r/1557>`_
* Print the traceback when there is a problem loading or calling a backend module
`RB #1582 <https://rbcommons.com/s/twitter/r/1582>`_
* Kill unused Engine.execution_order method and test
`RB #1576 <https://rbcommons.com/s/twitter/r/1576>`_
* Support use of pytest's --pdb mode
`RB #1570 <https://rbcommons.com/s/twitter/r/1570>`_
* fix missing dep. allows running this test on its own
`RB #1561 <https://rbcommons.com/s/twitter/r/1561>`_
* Remove dead code and no longer needed topo sort from cache_manager
`RB #1553 <https://rbcommons.com/s/twitter/r/1553>`_
* Use Travis CIs new container based builds and caching
`RB #1523 <https://rbcommons.com/s/twitter/r/1523>`_
`RB #1537 <https://rbcommons.com/s/twitter/r/1537>`_
`RB #1538 <https://rbcommons.com/s/twitter/r/1538>`_
API Changes
~~~~~~~~~~~
* Improvements and extensions of `WhatChanged` functionality
- Skip loading graph if no changed targets
- Filter targets from changed using exclude_target_regexp
- Compile/Test "changed" targets
- Optionally include direct or transitive dependees of changed targets
- Add changes-in-diffspec option to what-changed
- Refactor WhatChanged into base class, use LazySourceMapper
- Introduce LazySourceMapper and test
`RB #1526 <https://rbcommons.com/s/twitter/r/1526>`_
`RB #1534 <https://rbcommons.com/s/twitter/r/1534>`_
`RB #1535 <https://rbcommons.com/s/twitter/r/1535>`_
`RB #1542 <https://rbcommons.com/s/twitter/r/1542>`_
`RB #1543 <https://rbcommons.com/s/twitter/r/1543>`_
`RB #1567 <https://rbcommons.com/s/twitter/r/1567>`_
`RB #1572 <https://rbcommons.com/s/twitter/r/1572>`_
`RB #1595 <https://rbcommons.com/s/twitter/r/1595>`_
`RB #1600 <https://rbcommons.com/s/twitter/r/1600>`_
* More options migration, improvements and bugfixes
- Centralize invertible arg logic
- Support loading boolean flags from pants.ini
- Add a clarifying note in migrate_config
- Some refactoring of IvyUtils
- Rename the few remaining "jvm_args" variables to "jvm_options"
- `./pants --help-all` lists all options
- Add missing stanza in the migration script
- Switch artifact cache setup from config to new options
- Migrate jvm_compile's direct config accesses to the options system
- Added some formatting to parse errors for dicts and lists in options
- `s/new_options/options/g`
- Re-implement the jvm tool registration mechanism via the options system
- Make JvmRun support passthru args
`RB #1347 <https://rbcommons.com/s/twitter/r/1347>`_
`RB #1495 <https://rbcommons.com/s/twitter/r/1495>`_
`RB #1521 <https://rbcommons.com/s/twitter/r/1521>`_
`RB #1527 <https://rbcommons.com/s/twitter/r/1527>`_
`RB #1552 <https://rbcommons.com/s/twitter/r/1552>`_
`RB #1569 <https://rbcommons.com/s/twitter/r/1569>`_
`RB #1585 <https://rbcommons.com/s/twitter/r/1585>`_
`RB #1599 <https://rbcommons.com/s/twitter/r/1599>`_
`RB #1626 <https://rbcommons.com/s/twitter/r/1626>`_
`RB #1630 <https://rbcommons.com/s/twitter/r/1630>`_
`RB #1631 <https://rbcommons.com/s/twitter/r/1631>`_
`RB #1646 <https://rbcommons.com/s/twitter/r/1646>`_
`RB #1680 <https://rbcommons.com/s/twitter/r/1680>`_
`RB #1681 <https://rbcommons.com/s/twitter/r/1681>`_
`RB #1696 <https://rbcommons.com/s/twitter/r/1696>`_
* Upgrade pex dependency to 0.8.4
- Pick up several perf wins
- Pick up fix that allows pex to read older pexes
`RB #1648 <https://rbcommons.com/s/twitter/r/1648>`_
`RB #1693 <https://rbcommons.com/s/twitter/r/1693>`_
* Upgrade jmake to org.pantsbuild releases
- Upgrade jmake to version with isPackagePrivateClass fix
- Upgrade jmake to version that works with java 1.5+
`Issue #13 <https://github.com/pantsbuild/jmake/issues/13>`_
`RB #1594 <https://rbcommons.com/s/twitter/r/1594>`_
`RB #1628 <https://rbcommons.com/s/twitter/r/1628>`_
`RB #1650 <https://rbcommons.com/s/twitter/r/1650>`_
* Fix ivy resolve args + added ability to provide custom ivy configurations
`RB #1671 <https://rbcommons.com/s/twitter/r/1671>`_
* Allow target specs to come from files
`RB #1669 <https://rbcommons.com/s/twitter/r/1669>`_
* Remove obsolete twitter-specific hack 'is_classpath_artifact'
`RB #1676 <https://rbcommons.com/s/twitter/r/1676>`_
* Improve RoundEngine lifecycle
`RB #1665 <https://rbcommons.com/s/twitter/r/1665>`_
* Changed Scala version from 2.9.3 to 2.10.3 because zinc was using 2.10.3 already
`RB #1610 <https://rbcommons.com/s/twitter/r/1610>`_
* Prevent "round trip" dependencies
`RB #1603 <https://rbcommons.com/s/twitter/r/1603>`_
* Edit `Config.get_required` so as to raise error for any blank options
`RB #1638 <https://rbcommons.com/s/twitter/r/1638>`_
* Don't plumb an executor through when bootstrapping tools
`RB #1634 <https://rbcommons.com/s/twitter/r/1634>`_
* Print jar_dependency deprecations to stderr
`RB #1632 <https://rbcommons.com/s/twitter/r/1632>`_
* Add configuration parameter to control the requirements cache ttl
`RB #1627 <https://rbcommons.com/s/twitter/r/1627>`_
* Got ivy to map in javadoc and source jars for pants goal idea
`RB #1613 <https://rbcommons.com/s/twitter/r/1613>`_
`RB #1639 <https://rbcommons.com/s/twitter/r/1639>`_
* Remove the '^' syntax for the command line spec parsing
`RB #1616 <https://rbcommons.com/s/twitter/r/1616>`_
* Kill leftover imports handling from early efforts
`RB #592 <https://rbcommons.com/s/twitter/r/592>`_
`RB #1614 <https://rbcommons.com/s/twitter/r/1614>`_
* Adding the ability to pull in a Maven artifact and extract its contents
`RB #1210 <https://rbcommons.com/s/twitter/r/1210>`_
* Allow FingerprintStrategy to opt out of fingerprinting
`RB #1602 <https://rbcommons.com/s/twitter/r/1602>`_
* Remove the ivy_home property from context
`RB #1592 <https://rbcommons.com/s/twitter/r/1592>`_
* Refactor setting of PYTHONPATH in pants.ini
`RB #1586 <https://rbcommons.com/s/twitter/r/1586>`_
* Relocate 'to_jar_dependencies' method back to jar_library
`RB #1574 <https://rbcommons.com/s/twitter/r/1574>`_
* Update protobuf_gen to be able to reference sources outside of the subdirectory of the BUILD file
`RB #1573 <https://rbcommons.com/s/twitter/r/1573>`_
* Kill goal dependencies
`RB #1577 <https://rbcommons.com/s/twitter/r/1577>`_
* Move excludes logic into cmd_line_spec_parser so it can filter out broken build targets
`RB #930 <https://rbcommons.com/s/twitter/r/930>`_
`RB #1566 <https://rbcommons.com/s/twitter/r/1566>`_
* Replace exclusives_groups with a compile_classpath product
`RB #1539 <https://rbcommons.com/s/twitter/r/1539>`_
* Allow adding to pythonpath via pant.ini
`RB #1457 <https://rbcommons.com/s/twitter/r/1457>`_
0.0.27 (12/19/2014)
-------------------
Bugfixes
~~~~~~~~
* Fix python doc: "repl" and "setup-py" are goals now, don't use "py"
`RB #1302 <https://rbcommons.com/s/twitter/r/1302>`_
* Fix python thrift generation
`RB #1517 <https://rbcommons.com/s/twitter/r/1517>`_
* Fixup migrate_config to use new Config API
`RB #1514 <https://rbcommons.com/s/twitter/r/1514>`_
0.0.26 (12/17/2014)
-------------------
Bugfixes
~~~~~~~~
* Fix the `ScroogeGen` target selection predicate
`RB #1497 <https://rbcommons.com/s/twitter/r/1497>`_
0.0.25 (12/17/2014)
-------------------
API Changes
~~~~~~~~~~~
* Flesh out and convert to the new options system introduced in `pantsbuild.pants` 0.0.24
- Support loading config from multiple files
- Support option reads via indexing
- Add a `migrate_config` tool
- Migrate tasks to the option registration system
- Get rid of the old config registration mechanism
- Add passthru arg support in the new options system
- Support passthru args in tasks
- Allow a task type know its own options scope
- Support old-style flags even in the new flag system
`RB #1093 <https://rbcommons.com/s/twitter/r/1093>`_
`RB #1094 <https://rbcommons.com/s/twitter/r/1094>`_
`RB #1095 <https://rbcommons.com/s/twitter/r/1095>`_
`RB #1096 <https://rbcommons.com/s/twitter/r/1096>`_
`RB #1097 <https://rbcommons.com/s/twitter/r/1097>`_
`RB #1102 <https://rbcommons.com/s/twitter/r/1102>`_
`RB #1109 <https://rbcommons.com/s/twitter/r/1109>`_
`RB #1114 <https://rbcommons.com/s/twitter/r/1114>`_
`RB #1124 <https://rbcommons.com/s/twitter/r/1124>`_
`RB #1125 <https://rbcommons.com/s/twitter/r/1125>`_
`RB #1127 <https://rbcommons.com/s/twitter/r/1127>`_
`RB #1129 <https://rbcommons.com/s/twitter/r/1129>`_
`RB #1131 <https://rbcommons.com/s/twitter/r/1131>`_
`RB #1135 <https://rbcommons.com/s/twitter/r/1135>`_
`RB #1138 <https://rbcommons.com/s/twitter/r/1138>`_
`RB #1140 <https://rbcommons.com/s/twitter/r/1140>`_
`RB #1146 <https://rbcommons.com/s/twitter/r/1146>`_
`RB #1147 <https://rbcommons.com/s/twitter/r/1147>`_
`RB #1170 <https://rbcommons.com/s/twitter/r/1170>`_
`RB #1175 <https://rbcommons.com/s/twitter/r/1175>`_
`RB #1183 <https://rbcommons.com/s/twitter/r/1183>`_
`RB #1186 <https://rbcommons.com/s/twitter/r/1186>`_
`RB #1192 <https://rbcommons.com/s/twitter/r/1192>`_
`RB #1195 <https://rbcommons.com/s/twitter/r/1195>`_
`RB #1203 <https://rbcommons.com/s/twitter/r/1203>`_
`RB #1211 <https://rbcommons.com/s/twitter/r/1211>`_
`RB #1212 <https://rbcommons.com/s/twitter/r/1212>`_
`RB #1214 <https://rbcommons.com/s/twitter/r/1214>`_
`RB #1218 <https://rbcommons.com/s/twitter/r/1218>`_
`RB #1223 <https://rbcommons.com/s/twitter/r/1223>`_
`RB #1225 <https://rbcommons.com/s/twitter/r/1225>`_
`RB #1229 <https://rbcommons.com/s/twitter/r/1229>`_
`RB #1230 <https://rbcommons.com/s/twitter/r/1230>`_
`RB #1231 <https://rbcommons.com/s/twitter/r/1231>`_
`RB #1232 <https://rbcommons.com/s/twitter/r/1232>`_
`RB #1234 <https://rbcommons.com/s/twitter/r/1234>`_
`RB #1236 <https://rbcommons.com/s/twitter/r/1236>`_
`RB #1244 <https://rbcommons.com/s/twitter/r/1244>`_
`RB #1248 <https://rbcommons.com/s/twitter/r/1248>`_
`RB #1251 <https://rbcommons.com/s/twitter/r/1251>`_
`RB #1258 <https://rbcommons.com/s/twitter/r/1258>`_
`RB #1269 <https://rbcommons.com/s/twitter/r/1269>`_
`RB #1270 <https://rbcommons.com/s/twitter/r/1270>`_
`RB #1276 <https://rbcommons.com/s/twitter/r/1276>`_
`RB #1281 <https://rbcommons.com/s/twitter/r/1281>`_
`RB #1286 <https://rbcommons.com/s/twitter/r/1286>`_
`RB #1289 <https://rbcommons.com/s/twitter/r/1289>`_
`RB #1297 <https://rbcommons.com/s/twitter/r/1297>`_
`RB #1300 <https://rbcommons.com/s/twitter/r/1300>`_
`RB #1308 <https://rbcommons.com/s/twitter/r/1308>`_
`RB #1309 <https://rbcommons.com/s/twitter/r/1309>`_
`RB #1317 <https://rbcommons.com/s/twitter/r/1317>`_
`RB #1320 <https://rbcommons.com/s/twitter/r/1320>`_
`RB #1323 <https://rbcommons.com/s/twitter/r/1323>`_
`RB #1328 <https://rbcommons.com/s/twitter/r/1328>`_
`RB #1341 <https://rbcommons.com/s/twitter/r/1341>`_
`RB #1343 <https://rbcommons.com/s/twitter/r/1343>`_
`RB #1351 <https://rbcommons.com/s/twitter/r/1351>`_
`RB #1357 <https://rbcommons.com/s/twitter/r/1357>`_
`RB #1373 <https://rbcommons.com/s/twitter/r/1373>`_
`RB #1375 <https://rbcommons.com/s/twitter/r/1375>`_
`RB #1385 <https://rbcommons.com/s/twitter/r/1385>`_
`RB #1389 <https://rbcommons.com/s/twitter/r/1389>`_
`RB #1399 <https://rbcommons.com/s/twitter/r/1399>`_
`RB #1409 <https://rbcommons.com/s/twitter/r/1409>`_
`RB #1435 <https://rbcommons.com/s/twitter/r/1435>`_
`RB #1441 <https://rbcommons.com/s/twitter/r/1441>`_
`RB #1442 <https://rbcommons.com/s/twitter/r/1442>`_
`RB #1443 <https://rbcommons.com/s/twitter/r/1443>`_
`RB #1451 <https://rbcommons.com/s/twitter/r/1451>`_
* Kill `Commands` and move all actions to `Tasks` in the goal infrastructure
- Kill pants own use of the deprecated goal command
- Restore the deprecation warning for specifying 'goal' on the cmdline
- Get rid of the Command class completely
- Enable passthru args for python run
`RB #1321 <https://rbcommons.com/s/twitter/r/1321>`_
`RB #1327 <https://rbcommons.com/s/twitter/r/1327>`_
`RB #1394 <https://rbcommons.com/s/twitter/r/1394>`_
`RB #1402 <https://rbcommons.com/s/twitter/r/1402>`_
`RB #1448 <https://rbcommons.com/s/twitter/r/1448>`_
`RB #1453 <https://rbcommons.com/s/twitter/r/1453>`_
`RB #1465 <https://rbcommons.com/s/twitter/r/1465>`_
`RB #1471 <https://rbcommons.com/s/twitter/r/1471>`_
`RB #1476 <https://rbcommons.com/s/twitter/r/1476>`_
`RB #1479 <https://rbcommons.com/s/twitter/r/1479>`_
* Add support for loading plugins via standard the pkg_resources entry points mechanism
`RB #1429 <https://rbcommons.com/s/twitter/r/1429>`_
`RB #1444 <https://rbcommons.com/s/twitter/r/1444>`_
* Many performance improvements and bugfixes to the artifact caching subsystem
- Use a requests `Session` to enable connection pooling
- Make CacheKey hash and pickle friendly
- Multiprocessing Cache Check and Write
- Skip compressing/writing artifacts that are already in the cache
- Add the ability for JVM targets to refuse to allow themselves to be cached in the artifact cache
- Fix name of non-fatal cache exception
- Fix the issue of seeing "Error while writing to artifact cache: an integer is required"
during [cache check]
- Fix all uncompressed artifacts stored as just `.tar`
`RB #981 <https://rbcommons.com/s/twitter/r/981>`_
`RB #986 <https://rbcommons.com/s/twitter/r/986>`_
`RB #1022 <https://rbcommons.com/s/twitter/r/1022>`_
`RB #1197 <https://rbcommons.com/s/twitter/r/1197>`_
`RB #1206 <https://rbcommons.com/s/twitter/r/1206>`_
`RB #1233 <https://rbcommons.com/s/twitter/r/1233>`_
`RB #1261 <https://rbcommons.com/s/twitter/r/1261>`_
`RB #1264 <https://rbcommons.com/s/twitter/r/1264>`_
`RB #1265 <https://rbcommons.com/s/twitter/r/1265>`_
`RB #1272 <https://rbcommons.com/s/twitter/r/1272>`_
`RB #1274 <https://rbcommons.com/s/twitter/r/1274>`_
`RB #1249 <https://rbcommons.com/s/twitter/r/1249>`_
`RB #1310 <https://rbcommons.com/s/twitter/r/1310>`_
* More enhancements to the `depmap` goal to support IDE plugins:
- Add Pants Target Type to `depmap` to identify scala target VS java target
- Add java_sources to the `depmap` info
- Add transitive jar dependencies to `depmap` project info goal for intellij plugin
`RB #1366 <https://rbcommons.com/s/twitter/r/1366>`_
`RB #1324 <https://rbcommons.com/s/twitter/r/1324>`_
`RB #1047 <https://rbcommons.com/s/twitter/r/1047>`_
* Port pants to pex 0.8.x
`Issue #10 <https://github.com/pantsbuild/pex/issues/10>`_
`Issue #19 <https://github.com/pantsbuild/pex/issues/19>`_
`Issue #21 <https://github.com/pantsbuild/pex/issues/21>`_
`Issue #22 <https://github.com/pantsbuild/pex/issues/22>`_
`RB #778 <https://rbcommons.com/s/twitter/r/778>`_
`RB #785 <https://rbcommons.com/s/twitter/r/785>`_
`RB #1303 <https://rbcommons.com/s/twitter/r/1303>`_
`RB #1378 <https://rbcommons.com/s/twitter/r/1378>`_
`RB #1421 <https://rbcommons.com/s/twitter/r/1421>`_
* Remove support for __file__ in BUILDs
`RB #1419 <https://rbcommons.com/s/twitter/r/1419>`_
* Allow setting the cwd for goals `run.jvm` and `test.junit`
`RB #1344 <https://rbcommons.com/s/twitter/r/1344>`_
* Subclasses of `Exception` have strange deserialization
`RB #1395 <https://rbcommons.com/s/twitter/r/1395>`_
* Remove outer (pants_exe) lock and serialized cmd
`RB #1388 <https://rbcommons.com/s/twitter/r/1388>`_
* Make all access to `Context`'s lock via helpers
`RB #1391 <https://rbcommons.com/s/twitter/r/1391>`_
* Allow adding entries to `source_roots`
`RB #1359 <https://rbcommons.com/s/twitter/r/1359>`_
* Re-upload artifacts that encountered read-errors
`RB #1361 <https://rbcommons.com/s/twitter/r/1361>`_
* Cache files created by (specially designed) annotation processors
`RB #1250 <https://rbcommons.com/s/twitter/r/1250>`_
* Turn dependency dupes into errors
`RB #1332 <https://rbcommons.com/s/twitter/r/1332>`_
* Add support for the Wire protobuf library
`RB #1275 <https://rbcommons.com/s/twitter/r/1275>`_
* Pin pants support down to python2.7 - dropping 2.6
`RB #1278 <https://rbcommons.com/s/twitter/r/1278>`_
* Add a new param for page target, links, a list of hyperlinked-to targets
`RB #1242 <https://rbcommons.com/s/twitter/r/1242>`_
* Add git root calculation for idea goal
`RB #1189 <https://rbcommons.com/s/twitter/r/1189>`_
* Minimal target "tags" support
`RB #1227 <https://rbcommons.com/s/twitter/r/1227>`_
* Include traceback with failures (even without fail-fast)
`RB #1226 <https://rbcommons.com/s/twitter/r/1226>`_
* Add support for updating the environment from prep_commands
`RB #1222 <https://rbcommons.com/s/twitter/r/1222>`_
* Read arguments for thrift-linter from `pants.ini`
`RB #1215 <https://rbcommons.com/s/twitter/r/1215>`_
* Configurable Compression Level for Cache Artifacts
`RB #1194 <https://rbcommons.com/s/twitter/r/1194>`_
* Add a flexible directory re-mapper for the bundle
`RB #1181 <https://rbcommons.com/s/twitter/r/1181>`_
* Adds the ability to pass a filter method for ZIP extraction
`RB #1199 <https://rbcommons.com/s/twitter/r/1199>`_
* Print a diagnostic if a BUILD file references a source file that does not exist
`RB #1198 <https://rbcommons.com/s/twitter/r/1198>`_
* Add support for running a command before tests
`RB #1179 <https://rbcommons.com/s/twitter/r/1179>`_
`RB #1177 <https://rbcommons.com/s/twitter/r/1177>`_
* Add `PantsRunIntegrationTest` into `pantsbuild.pants.testinfra` package
`RB #1185 <https://rbcommons.com/s/twitter/r/1185>`_
* Refactor `jar_library` to be able to unwrap its list of jar_dependency objects
`RB #1165 <https://rbcommons.com/s/twitter/r/1165>`_
* When resolving a tool dep, report back the `pants.ini` section with a reference that is failing
`RB #1162 <https://rbcommons.com/s/twitter/r/1162>`_
* Add a list assertion for `python_requirement_library`'s requirements
`RB #1142 <https://rbcommons.com/s/twitter/r/1142>`_
* Adding a list of dirs to exclude from the '::' scan in the `CmdLineSpecParser`
`RB #1091 <https://rbcommons.com/s/twitter/r/1091>`_
* Protobuf and payload cleanups
`RB #1099 <https://rbcommons.com/s/twitter/r/1099>`_
* Coalesce errors when parsing BUILDS in a spec
`RB #1061 <https://rbcommons.com/s/twitter/r/1061>`_
* Refactor Payload
`RB #1063 <https://rbcommons.com/s/twitter/r/1063>`_
* Add support for publishing plugins to pants
`RB #1021 <https://rbcommons.com/s/twitter/r/1021>`_
Bugfixes
~~~~~~~~
* Numerous doc improvements & generation fixes
- Updates to the pants essentials tech talk based on another dry-run
- On skinny displays, don't show navigation UI by default
- Handy rbt status tip from RBCommons newsletter
- Document how to create a simple plugin
- Update many bash examples that used old-style flags
- Update Pants+IntelliJ docs to say the Plugin's the new hotness, link to plugin's README
- Publish docs the new way
- Update the "Pants Essentials" tech talk slides
- Convert `.rst` files -> `.md` files
- For included code snippets, don't just slap in a pre, provide syntax highlighting
- Add notes about JDK versions supported
- Dust off the Task Developer's Guide and `rm` the "pagerank" example
- Add a `sitegen` task, create site with better navigation
- For 'goal builddict', generate `.rst` and `.html`, not just `.rst`
- Narrow setup 'Operating System' classfiers to known-good
`Issue #16 <https://github.com/pantsbuild/pex/issues/16>`_
`Issue #461 <https://github.com/pantsbuild/pants/issues/461>`_
`Issue #739 <https://github.com/pantsbuild/pants/issues/739>`_
`RB #891 <https://rbcommons.com/s/twitter/r/891>`_
`RB #1074 <https://rbcommons.com/s/twitter/r/1074>`_
`RB #1075 <https://rbcommons.com/s/twitter/r/1075>`_
`RB #1079 <https://rbcommons.com/s/twitter/r/1079>`_
`RB #1084 <https://rbcommons.com/s/twitter/r/1084>`_
`RB #1086 <https://rbcommons.com/s/twitter/r/1086>`_
`RB #1088 <https://rbcommons.com/s/twitter/r/1088>`_
`RB #1090 <https://rbcommons.com/s/twitter/r/1090>`_
`RB #1101 <https://rbcommons.com/s/twitter/r/1101>`_
`RB #1126 <https://rbcommons.com/s/twitter/r/1126>`_
`RB #1128 <https://rbcommons.com/s/twitter/r/1128>`_
`RB #1134 <https://rbcommons.com/s/twitter/r/1134>`_
`RB #1136 <https://rbcommons.com/s/twitter/r/1136>`_
`RB #1154 <https://rbcommons.com/s/twitter/r/1154>`_
`RB #1155 <https://rbcommons.com/s/twitter/r/1155>`_
`RB #1164 <https://rbcommons.com/s/twitter/r/1164>`_
`RB #1166 <https://rbcommons.com/s/twitter/r/1166>`_
`RB #1176 <https://rbcommons.com/s/twitter/r/1176>`_
`RB #1178 <https://rbcommons.com/s/twitter/r/1178>`_
`RB #1182 <https://rbcommons.com/s/twitter/r/1182>`_
`RB #1191 <https://rbcommons.com/s/twitter/r/1191>`_
`RB #1196 <https://rbcommons.com/s/twitter/r/1196>`_
`RB #1205 <https://rbcommons.com/s/twitter/r/1205>`_
`RB #1241 <https://rbcommons.com/s/twitter/r/1241>`_
`RB #1263 <https://rbcommons.com/s/twitter/r/1263>`_
`RB #1277 <https://rbcommons.com/s/twitter/r/1277>`_
`RB #1284 <https://rbcommons.com/s/twitter/r/1284>`_
`RB #1292 <https://rbcommons.com/s/twitter/r/1292>`_
`RB #1295 <https://rbcommons.com/s/twitter/r/1295>`_
`RB #1296 <https://rbcommons.com/s/twitter/r/1296>`_
`RB #1298 <https://rbcommons.com/s/twitter/r/1298>`_
`RB #1299 <https://rbcommons.com/s/twitter/r/1299>`_
`RB #1301 <https://rbcommons.com/s/twitter/r/1301>`_
`RB #1314 <https://rbcommons.com/s/twitter/r/1314>`_
`RB #1315 <https://rbcommons.com/s/twitter/r/1315>`_
`RB #1326 <https://rbcommons.com/s/twitter/r/1326>`_
`RB #1348 <https://rbcommons.com/s/twitter/r/1348>`_
`RB #1355 <https://rbcommons.com/s/twitter/r/1355>`_
`RB #1356 <https://rbcommons.com/s/twitter/r/1356>`_
`RB #1358 <https://rbcommons.com/s/twitter/r/1358>`_
`RB #1363 <https://rbcommons.com/s/twitter/r/1363>`_
`RB #1370 <https://rbcommons.com/s/twitter/r/1370>`_
`RB #1377 <https://rbcommons.com/s/twitter/r/1377>`_
`RB #1386 <https://rbcommons.com/s/twitter/r/1386>`_
`RB #1387 <https://rbcommons.com/s/twitter/r/1387>`_
`RB #1401 <https://rbcommons.com/s/twitter/r/1401>`_
`RB #1407 <https://rbcommons.com/s/twitter/r/1407>`_
`RB #1427 <https://rbcommons.com/s/twitter/r/1427>`_
`RB #1430 <https://rbcommons.com/s/twitter/r/1430>`_
`RB #1434 <https://rbcommons.com/s/twitter/r/1434>`_
`RB #1440 <https://rbcommons.com/s/twitter/r/1440>`_
`RB #1446 <https://rbcommons.com/s/twitter/r/1446>`_
`RB #1464 <https://rbcommons.com/s/twitter/r/1464>`_
`RB #1484 <https://rbcommons.com/s/twitter/r/1484>`_
`RB #1491 <https://rbcommons.com/s/twitter/r/1491>`_
* CmdLineProcessor uses `binary class name
<http://docs.oracle.com/javase/specs/jvms/se7/html/jvms-4.html#jvms-4.2.1>`_
`RB #1489 <https://rbcommons.com/s/twitter/r/1489>`_
* Use subscripting for looking up targets in resources_by_products
`RB #1380 <https://rbcommons.com/s/twitter/r/1380>`_
* Fix/refactor checkstyle
`RB #1432 <https://rbcommons.com/s/twitter/r/1432>`_
* Fix missing import
`RB #1483 <https://rbcommons.com/s/twitter/r/1483>`_
* Make `./pants help` and `./pants help <goal>` work properly
`Issue #839 <https://github.com/pantsbuild/pants/issues/839>`_
`RB #1482 <https://rbcommons.com/s/twitter/r/1482>`_
* Cleanup after custom options bootstrapping in reflect
`RB #1468 <https://rbcommons.com/s/twitter/r/1468>`_
* Handle UTF-8 in thrift files for python
`RB #1459 <https://rbcommons.com/s/twitter/r/1459>`_
* Optimize goal changed
`RB #1470 <https://rbcommons.com/s/twitter/r/1470>`_
* Fix a bug where a request for help wasn't detected
`RB #1467 <https://rbcommons.com/s/twitter/r/1467>`_
* Always relativize the classpath where possible
`RB #1455 <https://rbcommons.com/s/twitter/r/1455>`_
* Gracefully handle another run creating latest link
`RB #1396 <https://rbcommons.com/s/twitter/r/1396>`_
* Properly detect existence of a symlink
`RB #1437 <https://rbcommons.com/s/twitter/r/1437>`_
* Avoid throwing in `ApacheThriftGen.__init__`
`RB #1428 <https://rbcommons.com/s/twitter/r/1428>`_
* Fix error message in scrooge_gen
`RB #1426 <https://rbcommons.com/s/twitter/r/1426>`_
* Fixup `BuildGraph` to handle mixes of synthetic and BUILD targets
`RB #1420 <https://rbcommons.com/s/twitter/r/1420>`_
* Fix antlr package derivation
`RB #1410 <https://rbcommons.com/s/twitter/r/1410>`_
* Exit workers on sigint rather than ignore
`RB #1405 <https://rbcommons.com/s/twitter/r/1405>`_
* Fix error in string formatting
`RB #1416 <https://rbcommons.com/s/twitter/r/1416>`_
* Add missing class
`RB #1414 <https://rbcommons.com/s/twitter/r/1414>`_
* Add missing import for dedent in `resource_mapping.py`
`RB #1403 <https://rbcommons.com/s/twitter/r/1403>`_
* Replace twitter commons dirutil Lock with lockfile wrapper
`RB #1390 <https://rbcommons.com/s/twitter/r/1390>`_
* Make `interpreter_cache` a property, acquire lock in accessor
`Issue #819 <https://github.com/pantsbuild/pants/issues/819>`_
`RB #1392 <https://rbcommons.com/s/twitter/r/1392>`_
* Fix `.proto` files with unicode characters in the comments
`RB #1330 <https://rbcommons.com/s/twitter/r/1330>`_
* Make `pants goal run` for Python exit with error code 1 if the python program exits non-zero
`RB #1374 <https://rbcommons.com/s/twitter/r/1374>`_
* Fix a bug related to adding sibling resource bases
`RB #1367 <https://rbcommons.com/s/twitter/r/1367>`_
* Support for the `--kill-nailguns` option was inadvertently removed, this puts it back
`RB #1352 <https://rbcommons.com/s/twitter/r/1352>`_
* fix string formatting so `test -h` does not crash
`RB #1353 <https://rbcommons.com/s/twitter/r/1353>`_
* Fix java_sources missing dep detection
`RB #1336 <https://rbcommons.com/s/twitter/r/1336>`_
* Fix a nasty bug when injecting target closures in BuildGraph
`RB #1337 <https://rbcommons.com/s/twitter/r/1337>`_
* Switch `src/*` usages of `Config.load` to use `Config.from_cache` instead
`RB #1319 <https://rbcommons.com/s/twitter/r/1319>`_
* Optimize `what_changed`, remove un-needed extra sort
`RB #1291 <https://rbcommons.com/s/twitter/r/1291>`_
* Fix `DetectDuplicate`'s handling of an `append`-type flag
`RB #1282 <https://rbcommons.com/s/twitter/r/1282>`_
* Deeper selection of internal targets during publishing
`RB #1213 <https://rbcommons.com/s/twitter/r/1213>`_
* Correctly parse named_is_latest entries from the pushdb
`RB #1245 <https://rbcommons.com/s/twitter/r/1245>`_
* Fix error message: add missing space
`RB #1266 <https://rbcommons.com/s/twitter/r/1266>`_
* WikiArtifact instances also have provides; limit ivy to jvm
`RB #1259 <https://rbcommons.com/s/twitter/r/1259>`_
* Fix `[run.junit]` -> `[test.junit]`
`RB #1256 <https://rbcommons.com/s/twitter/r/1256>`_
* Fix signature in `goal targets` and BUILD dictionary
`RB #1253 <https://rbcommons.com/s/twitter/r/1253>`_
* Fix the regression introduced in https://rbcommons.com/s/twitter/r/1186
`RB #1254 <https://rbcommons.com/s/twitter/r/1254>`_
* Temporarily change `stderr` log level to silence `log.init` if `--quiet`
`RB #1243 <https://rbcommons.com/s/twitter/r/1243>`_
* Add the environment's `PYTHONPATH` to `sys.path` when running dev pants
`RB #1237 <https://rbcommons.com/s/twitter/r/1237>`_
* Remove `java_sources` as target roots for scala library in `depmap` project info
`Issue #670 <https://github.com/pantsbuild/pants/issues/670>`_
`RB #1190 <https://rbcommons.com/s/twitter/r/1190>`_
* Allow UTF-8 characters in changelog
`RB #1228 <https://rbcommons.com/s/twitter/r/1228>`_
* Ensure proper semantics when replacing all tasks in a goal
`RB #1220 <https://rbcommons.com/s/twitter/r/1220>`_
`RB #1221 <https://rbcommons.com/s/twitter/r/1221>`_
* Fix reading of `scalac` plugin info from config
`RB #1217 <https://rbcommons.com/s/twitter/r/1217>`_
* Dogfood bintray for pants support binaries
`RB #1208 <https://rbcommons.com/s/twitter/r/1208>`_
* Do not crash on unicode filenames
`RB #1193 <https://rbcommons.com/s/twitter/r/1193>`_
`RB #1209 <https://rbcommons.com/s/twitter/r/1209>`_
* In the event of an exception in `jvmdoc_gen`, call `get()` on the remaining futures
`RB #1202 <https://rbcommons.com/s/twitter/r/1202>`_
* Move `workdirs` creation from `__init__` to `pre_execute` in jvm_compile & Remove
`QuietTaskMixin` from several tasks
`RB #1173 <https://rbcommons.com/s/twitter/r/1173>`_
* Switch from `os.rename` to `shutil.move` to support cross-fs renames when needed
`RB #1157 <https://rbcommons.com/s/twitter/r/1157>`_
* Fix scalastyle task, wire it up, make configs optional
`RB #1145 <https://rbcommons.com/s/twitter/r/1145>`_
* Fix issue 668: make `release.sh` execute packaged pants without loading internal backends
during testing
`Issue #668 <https://github.com/pantsbuild/pants/issues/668>`_
`RB #1158 <https://rbcommons.com/s/twitter/r/1158>`_
* Add `payload.get_field_value()` to fix KeyError from `pants goal idea testprojects::`
`RB #1150 <https://rbcommons.com/s/twitter/r/1150>`_
* Remove `debug_args` from `pants.ini`
`Issue #650 <https://github.com/pantsbuild/pants/issues/650>`_
`RB #1137 <https://rbcommons.com/s/twitter/r/1137>`_
* When a jvm doc tool (e.g. scaladoc) fails in combined mode, throw an exception
`RB #1116 <https://rbcommons.com/s/twitter/r/1116>`_
* Remove hack to add java_sources in context
`RB #1130 <https://rbcommons.com/s/twitter/r/1130>`_
* Memoize `Address.__hash__` computation
`RB #1118 <https://rbcommons.com/s/twitter/r/1118>`_
* Add missing coverage deps
`RB #1117 <https://rbcommons.com/s/twitter/r/1117>`_
* get `goal targets` using similar codepath to `goal builddict`
`RB #1112 <https://rbcommons.com/s/twitter/r/1112>`_
* Memoize fingerprints by the FPStrategy hash
`RB #1119 <https://rbcommons.com/s/twitter/r/1119>`_
* Factor in the jvm version string into the nailgun executor fingerprint
`RB #1122 <https://rbcommons.com/s/twitter/r/1122>`_
* Fix some error reporting issues
`RB #1113 <https://rbcommons.com/s/twitter/r/1113>`_
* Retry on failed scm push; also, pull with rebase to increase the odds of success
`RB #1083 <https://rbcommons.com/s/twitter/r/1083>`_
* Make sure that 'option java_package' always overrides 'package' in protobuf_gen
`RB #1108 <https://rbcommons.com/s/twitter/r/1108>`_
* Fix order-dependent force handling: if a version is forced in one place, it is forced everywhere
`RB #1085 <https://rbcommons.com/s/twitter/r/1085>`_
* Survive targets without derivations
`RB #1066 <https://rbcommons.com/s/twitter/r/1066>`_
* Make `internal_backend` plugins 1st class local pants plugins
`RB #1073 <https://rbcommons.com/s/twitter/r/1073>`_
0.0.24 (9/23/2014)
------------------
API Changes
~~~~~~~~~~~
* Add a whitelist to jvm dependency analyzer
`RB #888 <https://rbcommons.com/s/twitter/r/888>`_
* Refactor exceptions in build_file.py and build_file_parser.py to derive from a common baseclass
and eliminate throwing `IOError`.
`RB #954 <https://rbcommons.com/s/twitter/r/954>`_
* Support absolute paths on the command line when they start with the build root
`RB #867 <https://rbcommons.com/s/twitter/r/867>`_
* Make `::` fail for an invalid dir much like `:` does for a dir with no BUILD file
`Issue #484 <https://github.com/pantsbuild/pants/issues/484>`_
`RB #907 <https://rbcommons.com/s/twitter/r/907>`_
* Deprecate `pants` & `dependencies` aliases and remove `config`, `goal`, `phase`,
`get_scm` & `set_scm` aliases
`RB #899 <https://rbcommons.com/s/twitter/r/899>`_
`RB #903 <https://rbcommons.com/s/twitter/r/903>`_
`RB #912 <https://rbcommons.com/s/twitter/r/912>`_
* Export test infrastructure for plugin writers to use in `pantsbuild.pants.testinfra` sdist
`Issue #539 <https://github.com/pantsbuild/pants/issues/539>`_
`RB #997 <https://rbcommons.com/s/twitter/r/997>`_
`RB #1004 <https://rbcommons.com/s/twitter/r/1004>`_
* Publishing improvements:
- Add support for doing remote publishes with an explicit snapshot name
- One publish/push db file per artifact
`RB #923 <https://rbcommons.com/s/twitter/r/923>`_
`RB #994 <https://rbcommons.com/s/twitter/r/994>`_
* Several improvements to `IdeGen` derived goals:
- Adds the `--<goal>-use-source-root` for IDE project generation tasks
- Added `--idea-exclude-maven-target` to keep IntelliJ from indexing 'target' directories
- Changes the behavior of goal idea to create a subdirectory named for the project name
- Added `exclude-folders` option in pants.ini, defaulted to excluding a few dirs in `.pants.d`
`Issue #564 <https://github.com/pantsbuild/pants/issues/564>`_
`RB #1006 <https://rbcommons.com/s/twitter/r/1006>`_
`RB #1017 <https://rbcommons.com/s/twitter/r/1017>`_
`RB #1019 <https://rbcommons.com/s/twitter/r/1019>`_
`RB #1023 <https://rbcommons.com/s/twitter/r/1023>`_
* Enhancements to the `depmap` goal to support IDE plugins:
- Add flag to dump project info output to file
- Add missing resources to targets
- Add content type to project Info
`Issue #5 <https://github.com/pantsbuild/intellij-pants-plugin/issues/5>`_
`RB #964 <https://rbcommons.com/s/twitter/r/964>`_
`RB #987 <https://rbcommons.com/s/twitter/r/987>`_
`RB #998 <https://rbcommons.com/s/twitter/r/998>`_
* Make `SourceRoot` fundamentally understand a rel_path
`RB #1036 <https://rbcommons.com/s/twitter/r/1036>`_
* Added thrift-linter to pants
`RB #1044 <https://rbcommons.com/s/twitter/r/1044>`_
* Support limiting coverage measurements globally by module or path
`Issue #328 <https://github.com/pantsbuild/pants/issues/328>`_
`Issue #369 <https://github.com/pantsbuild/pants/issues/369>`_
`RB #1034 <https://rbcommons.com/s/twitter/r/1034>`_
* Update interpreter_cache.py to support a repo-wide interpreter requirement
`RB #1025 <https://rbcommons.com/s/twitter/r/1025>`_
* Changed goal markdown:
- Writes output to `./dist/markdown/`
- Pages can include snippets from source files
`<http://pantsbuild.github.io/page.html#include-a-file-snippet>`_
`Issue #535 <https://github.com/pantsbuild/pants/issues/535>`_
`RB #949 <https://rbcommons.com/s/twitter/r/949>`_
`RB #961 <https://rbcommons.com/s/twitter/r/961>`_
* Rename `Phase` -> `Goal`
`RB #856 <https://rbcommons.com/s/twitter/r/856>`_
`RB #879 <https://rbcommons.com/s/twitter/r/879>`_
`RB #880 <https://rbcommons.com/s/twitter/r/880>`_
`RB #887 <https://rbcommons.com/s/twitter/r/887>`_
`RB #890 <https://rbcommons.com/s/twitter/r/890>`_
`RB #910 <https://rbcommons.com/s/twitter/r/910>`_
`RB #913 <https://rbcommons.com/s/twitter/r/913>`_
`RB #915 <https://rbcommons.com/s/twitter/r/915>`_
`RB #931 <https://rbcommons.com/s/twitter/r/931>`_
* Android support additions:
- Add `AaptBuild` task
- Add `JarsignerTask` and `Keystore` target
`RB #859 <https://rbcommons.com/s/twitter/r/859>`_
`RB #883 <https://rbcommons.com/s/twitter/r/883>`_
* Git/Scm enhancements:
- Allow the buildroot to be a subdirectory of the git worktree
- Support getting the commit date of refs
- Add merge-base and origin url properties to git
`Issue #405 <https://github.com/pantsbuild/pants/issues/405>`_
`RB #834 <https://rbcommons.com/s/twitter/r/834>`_
`RB #871 <https://rbcommons.com/s/twitter/r/871>`_
`RB #884 <https://rbcommons.com/s/twitter/r/884>`_
`RB #886 <https://rbcommons.com/s/twitter/r/886>`_
Bugfixes
~~~~~~~~
* Numerous doc improvements & generation fixes
`Issue #397 <https://github.com/pantsbuild/pants/issues/397>`_
`Issue #451 <https://github.com/pantsbuild/pants/issues/451>`_
`Issue #475 <https://github.com/pantsbuild/pants/issues/475>`_
`RB #863 <https://rbcommons.com/s/twitter/r/863>`_
`RB #865 <https://rbcommons.com/s/twitter/r/865>`_
`RB #873 <https://rbcommons.com/s/twitter/r/873>`_
`RB #876 <https://rbcommons.com/s/twitter/r/876>`_
`RB #885 <https://rbcommons.com/s/twitter/r/885>`_
`RB #938 <https://rbcommons.com/s/twitter/r/938>`_
`RB #953 <https://rbcommons.com/s/twitter/r/953>`_
`RB #960 <https://rbcommons.com/s/twitter/r/960>`_
`RB #965 <https://rbcommons.com/s/twitter/r/965>`_
`RB #992 <https://rbcommons.com/s/twitter/r/992>`_
`RB #995 <https://rbcommons.com/s/twitter/r/995>`_
`RB #1007 <https://rbcommons.com/s/twitter/r/1007>`_
`RB #1008 <https://rbcommons.com/s/twitter/r/1008>`_
`RB #1018 <https://rbcommons.com/s/twitter/r/1018>`_
`RB #1020 <https://rbcommons.com/s/twitter/r/1020>`_
`RB #1048 <https://rbcommons.com/s/twitter/r/1048>`_
* Fixup missing 'page.mustache' resource for `markdown` goal
`Issue #498 <https://github.com/pantsbuild/pants/issues/498>`_
`RB #918 <https://rbcommons.com/s/twitter/r/918>`_
* Publishing fixes:
- Fix credentials fetching during publishing
- Skipping a doc phase should result in transitive deps being skipped as well
`RB #901 <https://rbcommons.com/s/twitter/r/901>`_
`RB #1011 <https://rbcommons.com/s/twitter/r/1011>`_
* Several `IdeGen` derived task fixes:
- Fix eclipse_gen & idea_gen for targets with both java and scala
- Fixup EclipseGen resources globs to include prefs.
- When a directory contains both `java_library` and `junit_tests` targets, make sure the IDE
understands this is a test path, not a lib path
`RB #857 <https://rbcommons.com/s/twitter/r/857>`_
`RB #916 <https://rbcommons.com/s/twitter/r/916>`_
`RB #996 <https://rbcommons.com/s/twitter/r/996>`_
* Fixes to the `depmap` goal to support IDE plugins:
- Fixed source roots in project info in case of `ScalaLibrary` with `java_sources`
- Fix `--depmap-project-info` for scala sources with the same package_prefix
- Fix depmap KeyError
`RB #955 <https://rbcommons.com/s/twitter/r/955>`_
`RB #990 <https://rbcommons.com/s/twitter/r/990>`_
`RB #1015 <https://rbcommons.com/s/twitter/r/1015>`_
* Make a better error message when os.symlink fails during bundle
`RB #1037 <https://rbcommons.com/s/twitter/r/1037>`_
* Faster source root operations - update the internal data structure to include a tree
`RB #1003 <https://rbcommons.com/s/twitter/r/1003>`_
* The goal filter's --filter-ancestor parameter works better now
`Issue #506 <https://github.com/pantsbuild/pants/issues/506>`_
`RB #925 <https://rbcommons.com/s/twitter/r/925/>`_
* Fix: goal markdown failed to load page.mustache
`Issue #498 <https://github.com/pantsbuild/pants/issues/498>`_
`RB #918 <https://rbcommons.com/s/twitter/r/918>`_
* Fix the `changed` goal so it can be run in a repo with a directory called 'build'
`RB #872 <https://rbcommons.com/s/twitter/r/872>`_
* Patch `JvmRun` to accept `JvmApp`s
`RB #893 <https://rbcommons.com/s/twitter/r/893>`_
* Add python as default codegen product
`RB #894 <https://rbcommons.com/s/twitter/r/894>`_
* Fix the `filedeps` goal - it was using a now-gone .expand_files() API
`Issue #437 <https://github.com/pantsbuild/pants/issues/437>`_,
`RB #939 <https://rbcommons.com/s/twitter/r/939>`_
* Put back error message that shows path to missing BUILD files
`RB #929 <https://rbcommons.com/s/twitter/r/929>`_
* Make sure the `junit_run` task only runs on targets that are junit compatible
`Issue #508 <https://github.com/pantsbuild/pants/issues/508>`_
`RB #924 <https://rbcommons.com/s/twitter/r/924>`_
* Fix `./pants goal targets`
`Issue #333 <https://github.com/pantsbuild/pants/issues/333>`_
`RB #796 <https://rbcommons.com/s/twitter/r/796>`_
`RB #914 <https://rbcommons.com/s/twitter/r/914>`_
* Add `derived_from` to `ScroogeGen` synthetic targets
`RB #926 <https://rbcommons.com/s/twitter/r/926>`_
* Properly order resources for pants goal test and pants goal run
`RB #845 <https://rbcommons.com/s/twitter/r/845>`_
* Fixup Dependencies to be mainly target-type agnostic
`Issue #499 <https://github.com/pantsbuild/pants/issues/499>`_
`RB #920 <https://rbcommons.com/s/twitter/r/920>`_
* Fixup JvmRun only-write-cmd-line flag to accept relative paths
`Issue #494 <https://github.com/pantsbuild/pants/issues/494>`_
`RB #908 <https://rbcommons.com/s/twitter/r/908>`_
`RB #911 <https://rbcommons.com/s/twitter/r/911>`_
* Fix the `--ivy-report` option and add integration test
`RB #976 <https://rbcommons.com/s/twitter/r/976>`_
* Fix a regression in Emma/Cobertura and add tests
`Issue #508 <https://github.com/pantsbuild/pants/issues/508>`_
`RB #935 <https://rbcommons.com/s/twitter/r/935>`_
0.0.23 (8/11/2014)
------------------
API Changes
~~~~~~~~~~~
* Remove unused Task.invalidate_for method and unused extra_data variable
`RB #849 <https://rbcommons.com/s/twitter/r/849>`_
* Add DxCompile task to android backend
`RB #840 <https://rbcommons.com/s/twitter/r/840>`_
* Change all Task subclass constructor args to (\*args, \**kwargs)
`RB #846 <https://rbcommons.com/s/twitter/r/846>`_
* The public API for the new options system
`Issue #425 <https://github.com/pantsbuild/pants/pull/425>`_
`RB #831 <https://rbcommons.com/s/twitter/r/831>`_
`RB #819 <https://rbcommons.com/s/twitter/r/819>`_
* Rename pants.goal.goal.Goal to pants.goal.task_registrar.TaskRegistrar
`Issue #345 <https://github.com/pantsbuild/pants/pull/345>`_
`RB #843 <https://rbcommons.com/s/twitter/r/843>`_
Bugfixes
~~~~~~~~
* Better validation for AndroidTarget manifest field
`RB #860 <https://rbcommons.com/s/twitter/r/860>`_
* Remove more references to /BUILD:target notation in docs
`RB #855 <https://rbcommons.com/s/twitter/r/855>`_
`RB #853 <https://rbcommons.com/s/twitter/r/853>`_
* Fix up the error message when attempting to publish without any configured repos
`RB #850 <https://rbcommons.com/s/twitter/r/850>`_
* Miscellaneous fixes to protobuf codegen including handling collisions deterministically
`RB #720 <https://rbcommons.com/s/twitter/r/720>`_
* Migrate some reasonable default values from pants.ini into 'defaults' in the pants source
`Issue #455 <https://github.com/pantsbuild/pants/pull/455>`_
`Issue #456 <https://github.com/pantsbuild/pants/pull/456>`_
`Issue #458 <https://github.com/pantsbuild/pants/pull/458>`_
`RB #852 <https://rbcommons.com/s/twitter/r/852>`_
* Updated the basename and name of some targets to prevent colliding bundles in dist/
`RB #847 <https://rbcommons.com/s/twitter/r/847>`_
* Provide a better error message when referencing the wrong path to a BUILD file
`RB #841 <https://rbcommons.com/s/twitter/r/841>`_
* Add assert_list to ensure an argument is a list - use this to better validate many targets
`RB #811 <https://rbcommons.com/s/twitter/r/811>`_
* Update front-facing help and error messages for Android targets/tasks
`RB #837 <https://rbcommons.com/s/twitter/r/837>`_
* Use JvmFingerprintStrategy in cache manager
`RB #835 <https://rbcommons.com/s/twitter/r/835>`_
0.0.22 (8/4/2014)
-----------------
API Changes
~~~~~~~~~~~
* Upgrade pex dependency from twitter.common.python 0.6.0 to pex 0.7.0
`RB #825 <https://rbcommons.com/s/twitter/r/825>`_
* Added a --spec-exclude command line flag to exclude specs by regular expression
`RB #747 <https://rbcommons.com/s/twitter/r/747>`_
* Upgrade requests, flip to a ranged requirement to help plugins
`RB #771 <https://rbcommons.com/s/twitter/r/771>`_
* New goal ``ensime`` to generate Ensime projects for Emacs users
`RB #753 <https://rbcommons.com/s/twitter/r/753>`_
Bugfixes
~~~~~~~~
* `goal repl` consumes targets transitively
`RB #781 <https://rbcommons.com/s/twitter/r/781>`_
* Fixup JvmCompile to always deliver non-None products that were required by downstream
`RB #794 <https://rbcommons.com/s/twitter/r/794>`_
* Relativize classpath for non-ng java execution
`RB #804 <https://rbcommons.com/s/twitter/r/804>`_
* Added some docs and a bugfix on debugging a JVM tool (like jar-tool or checkstyle) locally
`RB #791 <https://rbcommons.com/s/twitter/r/791>`_
* Added an excludes attribute that is set to an empty set for all SourcePayload subclasses
`Issue #414 <https://github.com/pantsbuild/pants/pull/414>`_
`RB #793 <https://rbcommons.com/s/twitter/r/793>`_
* Add binary fetching support for OSX 10.10 and populate thrift and protoc binaries
`RB #789 <https://rbcommons.com/s/twitter/r/789>`_
* Fix the pants script exit status when bootstrapping fails
`RB #779 <https://rbcommons.com/s/twitter/r/779>`_
* Added benchmark target to maven_layout()
`RB #780 <https://rbcommons.com/s/twitter/r/780>`_
* Fixup a hole in external dependency listing wrt encoding
`RB #776 <https://rbcommons.com/s/twitter/r/776>`_
* Force parsing for filtering specs
`RB #775 <https://rbcommons.com/s/twitter/r/775>`_
* Fix a scope bug for java agent manifest writing
`RB #768 <https://rbcommons.com/s/twitter/r/768>`_
`RB #770 <https://rbcommons.com/s/twitter/r/770>`_
* Plumb ivysettings.xml location to the publish template
`RB #764 <https://rbcommons.com/s/twitter/r/764>`_
* Fix goal markdown: README.html pages clobbered each other
`RB #750 <https://rbcommons.com/s/twitter/r/750>`_
0.0.21 (7/25/2014)
------------------
Bugfixes
~~~~~~~~
* Fixup NailgunTasks with missing config_section overrides
`RB # 762 <https://rbcommons.com/s/twitter/r/762>`_
0.0.20 (7/25/2014)
------------------
API Changes
~~~~~~~~~~~
* Hide stack traces by default
`Issue #326 <https://github.com/pantsbuild/pants/issues/326>`_
`RB #655 <https://rbcommons.com/s/twitter/r/655>`_
* Upgrade to ``twitter.common.python`` 0.6.0 and adjust to api change
`RB #746 <https://rbcommons.com/s/twitter/r/746>`_
* Add support for `Cobertura <http://cobertura.github.io/cobertura>`_ coverage
`Issue #70 <https://github.com/pantsbuild/pants/issues/70>`_
`RB #637 <https://rbcommons.com/s/twitter/r/637>`_
* Validate that ``junit_tests`` targets have non-empty sources
`RB #619 <https://rbcommons.com/s/twitter/r/619>`_
* Add support for the `Ragel <http://www.complang.org/ragel>`_ state-machine generator
`Issue #353 <https://github.com/pantsbuild/pants/issues/353>`_
`RB #678 <https://rbcommons.com/s/twitter/r/678>`_
* Add ``AndroidTask`` and ``AaptGen`` tasks
`RB #672 <https://rbcommons.com/s/twitter/r/672>`_
`RB #676 <https://rbcommons.com/s/twitter/r/676>`_
`RB #700 <https://rbcommons.com/s/twitter/r/700>`_
Bugfixes
~~~~~~~~
* Numerous doc fixes
`Issue #385 <https://github.com/pantsbuild/pants/issues/385>`_
`Issue #387 <https://github.com/pantsbuild/pants/issues/387>`_
`Issue #395 <https://github.com/pantsbuild/pants/issues/395>`_
`RB #728 <https://rbcommons.com/s/twitter/r/728>`_
`RB #729 <https://rbcommons.com/s/twitter/r/729>`_
`RB #730 <https://rbcommons.com/s/twitter/r/730>`_
`RB #738 <https://rbcommons.com/s/twitter/r/738>`_
* Expose types needed to specify ``jvm_binary.deploy_jar_rules``
`Issue #383 <https://github.com/pantsbuild/pants/issues/383>`_
`RB #727 <https://rbcommons.com/s/twitter/r/727>`_
* Require information about jars in ``depmap`` with ``--depmap-project-info``
`RB #721 <https://rbcommons.com/s/twitter/r/721>`_
0.0.19 (7/23/2014)
------------------
API Changes
~~~~~~~~~~~
* Enable Nailgun Per Task
`RB #687 <https://rbcommons.com/s/twitter/r/687>`_
Bugfixes
~~~~~~~~
* Numerous doc fixes
`RB #699 <https://rbcommons.com/s/twitter/r/699>`_
`RB #703 <https://rbcommons.com/s/twitter/r/703>`_
`RB #704 <https://rbcommons.com/s/twitter/r/704>`_
* Fixup broken ``bundle`` alias
`Issue #375 <https://github.com/pantsbuild/pants/issues/375>`_
`RB #722 <https://rbcommons.com/s/twitter/r/722>`_
* Remove dependencies on ``twitter.common.{dirutil,contextutils}``
`RB #710 <https://rbcommons.com/s/twitter/r/710>`_
`RB #713 <https://rbcommons.com/s/twitter/r/713>`_
`RB #717 <https://rbcommons.com/s/twitter/r/717>`_
`RB #718 <https://rbcommons.com/s/twitter/r/718>`_
`RB #719 <https://rbcommons.com/s/twitter/r/719>`_
`RB #726 <https://rbcommons.com/s/twitter/r/726>`_
* Fixup missing ``JunitRun`` resources requirement
`RB #709 <https://rbcommons.com/s/twitter/r/709>`_
* Fix transitive dependencies for ``GroupIterator``/``GroupTask``
`RB #706 <https://rbcommons.com/s/twitter/r/706>`_
* Ensure resources are prepared after compile
`Issue #373 <http://github.com/pantsbuild/pants/issues/373>`_
`RB #708 <https://rbcommons.com/s/twitter/r/708>`_
* Upgrade to ``twitter.common.python`` 0.5.10 to brings in the following bugfix::
Update the mtime on retranslation of existing distributions.
1bff97e stopped existing distributions from being overwritten, to
prevent subtle errors. However without updating the mtime these
distributions will appear to be permanently expired wrt the ttl.
`RB #707 <https://rbcommons.com/s/twitter/r/707>`_
* Resurrected pants goal idea with work remaining on source and javadoc jar mapping
`RB #695 <https://rbcommons.com/s/twitter/r/695>`_
* Fix BinaryUtil raise of BinaryNotFound
`Issue #367 <https://github.com/pantsbuild/pants/issues/367>`_
`RB #705 <https://rbcommons.com/s/twitter/r/705>`_
0.0.18 (7/16/2014)
------------------
API Changes
~~~~~~~~~~~
* Lock globs into ``rootdir`` and below
`Issue #348 <https://github.com/pantsbuild/pants/issues/348>`_
`RB #686 <https://rbcommons.com/s/twitter/r/686>`_
Bugfixes
~~~~~~~~
* Several doc fixes
`RB #654 <https://rbcommons.com/s/twitter/r/654>`_
`RB #693 <https://rbcommons.com/s/twitter/r/693>`_
* Fix relativity of antlr sources
`RB #679 <https://rbcommons.com/s/twitter/r/679>`_
0.0.17 (7/15/2014)
------------------
* Initial published version of ``pantsbuild.pants``
| {
"content_hash": "76e1e97734d3d5425d568683480934b7",
"timestamp": "",
"source": "github",
"line_count": 4249,
"max_line_length": 215,
"avg_line_length": 36.477524123323136,
"alnum_prop": 0.6965411341157343,
"repo_name": "sameerparekh/pants",
"id": "e0db6030341efc7c390a33dc6624f5f4842c6470",
"size": "154993",
"binary": false,
"copies": "1",
"ref": "refs/heads/master",
"path": "src/python/pants/CHANGELOG.rst",
"mode": "33188",
"license": "apache-2.0",
"language": [
{
"name": "C++",
"bytes": "767"
},
{
"name": "CSS",
"bytes": "11442"
},
{
"name": "GAP",
"bytes": "2459"
},
{
"name": "Go",
"bytes": "1437"
},
{
"name": "HTML",
"bytes": "70150"
},
{
"name": "Java",
"bytes": "308102"
},
{
"name": "JavaScript",
"bytes": "25075"
},
{
"name": "Protocol Buffer",
"bytes": "3783"
},
{
"name": "Python",
"bytes": "3862954"
},
{
"name": "Scala",
"bytes": "85437"
},
{
"name": "Shell",
"bytes": "49265"
},
{
"name": "Thrift",
"bytes": "2858"
}
],
"symlink_target": ""
} |
<!DOCTYPE html>
<html lang="en">
<head>
<meta charset="utf-8">
<meta name="viewport" content="width=device-width, initial-scale=1">
<title>area-method: 16 m 15 s 🏆</title>
<link rel="shortcut icon" type="image/png" href="../../../../../favicon.png" />
<link href="../../../../../bootstrap.min.css" rel="stylesheet">
<link href="../../../../../bootstrap-custom.css" rel="stylesheet">
<link href="//maxcdn.bootstrapcdn.com/font-awesome/4.2.0/css/font-awesome.min.css" rel="stylesheet">
<script src="../../../../../moment.min.js"></script>
<!-- HTML5 Shim and Respond.js IE8 support of HTML5 elements and media queries -->
<!-- WARNING: Respond.js doesn't work if you view the page via file:// -->
<!--[if lt IE 9]>
<script src="https://oss.maxcdn.com/html5shiv/3.7.2/html5shiv.min.js"></script>
<script src="https://oss.maxcdn.com/respond/1.4.2/respond.min.js"></script>
<![endif]-->
</head>
<body>
<div class="container">
<div class="navbar navbar-default" role="navigation">
<div class="container-fluid">
<div class="navbar-header">
<a class="navbar-brand" href="../../../../.."><i class="fa fa-lg fa-flag-checkered"></i> Coq bench</a>
</div>
<div id="navbar" class="collapse navbar-collapse">
<ul class="nav navbar-nav">
<li><a href="../..">clean / released</a></li>
<li class="active"><a href="">8.7.0 / area-method - 8.7.0</a></li>
</ul>
</div>
</div>
</div>
<div class="article">
<div class="row">
<div class="col-md-12">
<a href="../..">« Up</a>
<h1>
area-method
<small>
8.7.0
<span class="label label-success">16 m 15 s 🏆</span>
</small>
</h1>
<p>📅 <em><script>document.write(moment("2022-03-04 08:05:14 +0000", "YYYY-MM-DD HH:mm:ss Z").fromNow());</script> (2022-03-04 08:05:14 UTC)</em><p>
<h2>Context</h2>
<pre># Packages matching: installed
# Name # Installed # Synopsis
base-bigarray base
base-threads base
base-unix base
camlp5 7.14 Preprocessor-pretty-printer of OCaml
conf-findutils 1 Virtual package relying on findutils
conf-perl 2 Virtual package relying on perl
coq 8.7.0 Formal proof management system
num 1.4 The legacy Num library for arbitrary-precision integer and rational arithmetic
ocaml 4.06.1 The OCaml compiler (virtual package)
ocaml-base-compiler 4.06.1 Official 4.06.1 release
ocaml-config 1 OCaml Switch Configuration
ocamlfind 1.9.3 A library manager for OCaml
# opam file:
opam-version: "2.0"
maintainer: "[email protected]"
homepage: "https://github.com/coq-contribs/area-method"
license: "Unknown"
build: [make "-j%{jobs}%"]
install: [make "install"]
remove: ["rm" "-R" "%{lib}%/coq/user-contrib/AreaMethod"]
depends: [
"ocaml"
"coq" {>= "8.7" & < "8.8~"}
]
tags: [ "keyword: geometry" "keyword: Chou Gao Zhang area method" "keyword: decision procedure" "keyword: automatic theorem proving" "date: 2004-2010" ]
authors: [ "Julien Narboux" ]
bug-reports: "https://github.com/coq-contribs/area-method/issues"
dev-repo: "git+https://github.com/coq-contribs/area-method.git"
synopsis: "The Chou, Gao and Zhang area method"
description: """
This contribution is the implementation of the Chou, Gao and Zhang's area method decision procedure for euclidean plane geometry.
This development contains a partial formalization of the book "Machine Proofs in Geometry, Automated Production of Readable Proofs for Geometry Theorems" by Chou, Gao and Zhang.
The examples shown automatically (there are more than 100 examples) includes the Ceva, Desargues, Menelaus, Pascal, Centroïd, Pappus, Gauss line, Euler line, Napoleon theorems.
Changelog
2.1 : remove some not needed assumptions in some elimination lemmas (2010)
2.0 : extension implementation to Euclidean geometry (2009-2010)
1.0 : first implementation for affine geometry (2004)"""
flags: light-uninstall
url {
src: "https://github.com/coq-contribs/area-method/archive/v8.7.0.tar.gz"
checksum: "md5=7328de7f23453f10aa4a50add0ebeaaa"
}
</pre>
<h2>Lint</h2>
<dl class="dl-horizontal">
<dt>Command</dt>
<dd><code>true</code></dd>
<dt>Return code</dt>
<dd>0</dd>
</dl>
<h2>Dry install 🏜️</h2>
<p>Dry install with the current Coq version:</p>
<dl class="dl-horizontal">
<dt>Command</dt>
<dd><code>opam install -y --show-action coq-area-method.8.7.0 coq.8.7.0</code></dd>
<dt>Return code</dt>
<dd>0</dd>
</dl>
<p>Dry install without Coq/switch base, to test if the problem was incompatibility with the current Coq/OCaml version:</p>
<dl class="dl-horizontal">
<dt>Command</dt>
<dd><code>true</code></dd>
<dt>Return code</dt>
<dd>0</dd>
</dl>
<h2>Install dependencies</h2>
<dl class="dl-horizontal">
<dt>Command</dt>
<dd><code>opam list; echo; ulimit -Sv 4000000; timeout 4h opam install -y --deps-only coq-area-method.8.7.0 coq.8.7.0</code></dd>
<dt>Return code</dt>
<dd>0</dd>
<dt>Duration</dt>
<dd>10 s</dd>
</dl>
<h2>Install 🚀</h2>
<dl class="dl-horizontal">
<dt>Command</dt>
<dd><code>opam list; echo; ulimit -Sv 16000000; timeout 4h opam install -y -v coq-area-method.8.7.0 coq.8.7.0</code></dd>
<dt>Return code</dt>
<dd>0</dd>
<dt>Duration</dt>
<dd>16 m 15 s</dd>
</dl>
<h2>Installation size</h2>
<p>Total: 9 M</p>
<ul>
<li>892 K <code>../ocaml-base-compiler.4.06.1/lib/coq/user-contrib/AreaMethod/examples_6.vo</code></li>
<li>768 K <code>../ocaml-base-compiler.4.06.1/lib/coq/user-contrib/AreaMethod/examples_2.vo</code></li>
<li>745 K <code>../ocaml-base-compiler.4.06.1/lib/coq/user-contrib/AreaMethod/examples_3.vo</code></li>
<li>355 K <code>../ocaml-base-compiler.4.06.1/lib/coq/user-contrib/AreaMethod/examples_interactive.vo</code></li>
<li>292 K <code>../ocaml-base-compiler.4.06.1/lib/coq/user-contrib/AreaMethod/examples_4.vo</code></li>
<li>280 K <code>../ocaml-base-compiler.4.06.1/lib/coq/user-contrib/AreaMethod/pythagoras_difference_lemmas.glob</code></li>
<li>255 K <code>../ocaml-base-compiler.4.06.1/lib/coq/user-contrib/AreaMethod/py_elimination_lemmas.glob</code></li>
<li>226 K <code>../ocaml-base-compiler.4.06.1/lib/coq/user-contrib/AreaMethod/pythagoras_difference_lemmas.vo</code></li>
<li>222 K <code>../ocaml-base-compiler.4.06.1/lib/coq/user-contrib/AreaMethod/py_elimination_lemmas.vo</code></li>
<li>208 K <code>../ocaml-base-compiler.4.06.1/lib/coq/user-contrib/AreaMethod/freepoints.vo</code></li>
<li>208 K <code>../ocaml-base-compiler.4.06.1/lib/coq/user-contrib/AreaMethod/examples_5.vo</code></li>
<li>196 K <code>../ocaml-base-compiler.4.06.1/lib/coq/user-contrib/AreaMethod/my_field_tac.vo</code></li>
<li>194 K <code>../ocaml-base-compiler.4.06.1/lib/coq/user-contrib/AreaMethod/examples_centroid.vo</code></li>
<li>180 K <code>../ocaml-base-compiler.4.06.1/lib/coq/user-contrib/AreaMethod/basic_geometric_facts.glob</code></li>
<li>165 K <code>../ocaml-base-compiler.4.06.1/lib/coq/user-contrib/AreaMethod/basic_geometric_facts.vo</code></li>
<li>153 K <code>../ocaml-base-compiler.4.06.1/lib/coq/user-contrib/AreaMethod/freepoints.glob</code></li>
<li>147 K <code>../ocaml-base-compiler.4.06.1/lib/coq/user-contrib/AreaMethod/examples_circumcenter.vo</code></li>
<li>141 K <code>../ocaml-base-compiler.4.06.1/lib/coq/user-contrib/AreaMethod/ratios_elimination_lemmas.glob</code></li>
<li>137 K <code>../ocaml-base-compiler.4.06.1/lib/coq/user-contrib/AreaMethod/advanced_parallel_lemmas.glob</code></li>
<li>128 K <code>../ocaml-base-compiler.4.06.1/lib/coq/user-contrib/AreaMethod/advanced_parallel_lemmas.vo</code></li>
<li>128 K <code>../ocaml-base-compiler.4.06.1/lib/coq/user-contrib/AreaMethod/constructed_points_elimination.vo</code></li>
<li>127 K <code>../ocaml-base-compiler.4.06.1/lib/coq/user-contrib/AreaMethod/examples_1.vo</code></li>
<li>118 K <code>../ocaml-base-compiler.4.06.1/lib/coq/user-contrib/AreaMethod/Rgeometry_tools.vo</code></li>
<li>116 K <code>../ocaml-base-compiler.4.06.1/lib/coq/user-contrib/AreaMethod/ratios_elimination_lemmas.vo</code></li>
<li>101 K <code>../ocaml-base-compiler.4.06.1/lib/coq/user-contrib/AreaMethod/my_field_tac.glob</code></li>
<li>91 K <code>../ocaml-base-compiler.4.06.1/lib/coq/user-contrib/AreaMethod/parallel_lemmas.vo</code></li>
<li>82 K <code>../ocaml-base-compiler.4.06.1/lib/coq/user-contrib/AreaMethod/examples_interactive.glob</code></li>
<li>80 K <code>../ocaml-base-compiler.4.06.1/lib/coq/user-contrib/AreaMethod/tests_elimination_tactics_ratios.vo</code></li>
<li>71 K <code>../ocaml-base-compiler.4.06.1/lib/coq/user-contrib/AreaMethod/bench_normalization_tactics.vo</code></li>
<li>68 K <code>../ocaml-base-compiler.4.06.1/lib/coq/user-contrib/AreaMethod/pythagoras_difference.vo</code></li>
<li>64 K <code>../ocaml-base-compiler.4.06.1/lib/coq/user-contrib/AreaMethod/area_elimination_lemmas.vo</code></li>
<li>57 K <code>../ocaml-base-compiler.4.06.1/lib/coq/user-contrib/AreaMethod/examples_2.glob</code></li>
<li>57 K <code>../ocaml-base-compiler.4.06.1/lib/coq/user-contrib/AreaMethod/geometry_tools.vo</code></li>
<li>57 K <code>../ocaml-base-compiler.4.06.1/lib/coq/user-contrib/AreaMethod/free_points_elimination.vo</code></li>
<li>56 K <code>../ocaml-base-compiler.4.06.1/lib/coq/user-contrib/AreaMethod/parallel_lemmas.glob</code></li>
<li>54 K <code>../ocaml-base-compiler.4.06.1/lib/coq/user-contrib/AreaMethod/field_variable_isolation_tactic.vo</code></li>
<li>54 K <code>../ocaml-base-compiler.4.06.1/lib/coq/user-contrib/AreaMethod/area_method.vo</code></li>
<li>53 K <code>../ocaml-base-compiler.4.06.1/lib/coq/user-contrib/AreaMethod/construction_lemmas.vo</code></li>
<li>53 K <code>../ocaml-base-compiler.4.06.1/lib/coq/user-contrib/AreaMethod/tests_elimination_tactics_py.vo</code></li>
<li>52 K <code>../ocaml-base-compiler.4.06.1/lib/coq/user-contrib/AreaMethod/elimination_prepare.vo</code></li>
<li>51 K <code>../ocaml-base-compiler.4.06.1/lib/coq/user-contrib/AreaMethod/euclidean_constructions.vo</code></li>
<li>50 K <code>../ocaml-base-compiler.4.06.1/lib/coq/user-contrib/AreaMethod/bench_normalization_tactics.glob</code></li>
<li>49 K <code>../ocaml-base-compiler.4.06.1/lib/coq/user-contrib/AreaMethod/area_coords_constructions.vo</code></li>
<li>48 K <code>../ocaml-base-compiler.4.06.1/lib/coq/user-contrib/AreaMethod/geometry_tools_lemmas.vo</code></li>
<li>48 K <code>../ocaml-base-compiler.4.06.1/lib/coq/user-contrib/AreaMethod/area_coords_constructions.glob</code></li>
<li>46 K <code>../ocaml-base-compiler.4.06.1/lib/coq/user-contrib/AreaMethod/tests_elimination_tactics_areas.vo</code></li>
<li>45 K <code>../ocaml-base-compiler.4.06.1/lib/coq/user-contrib/AreaMethod/field.vo</code></li>
<li>44 K <code>../ocaml-base-compiler.4.06.1/lib/coq/user-contrib/AreaMethod/euclidean_constructions_2.vo</code></li>
<li>41 K <code>../ocaml-base-compiler.4.06.1/lib/coq/user-contrib/AreaMethod/examples_6.glob</code></li>
<li>41 K <code>../ocaml-base-compiler.4.06.1/lib/coq/user-contrib/AreaMethod/pythagoras_difference.glob</code></li>
<li>41 K <code>../ocaml-base-compiler.4.06.1/lib/coq/user-contrib/AreaMethod/area_elimination_lemmas.glob</code></li>
<li>40 K <code>../ocaml-base-compiler.4.06.1/lib/coq/user-contrib/AreaMethod/Rgeometry_tools.glob</code></li>
<li>40 K <code>../ocaml-base-compiler.4.06.1/lib/coq/user-contrib/AreaMethod/field_general_properties.vo</code></li>
<li>38 K <code>../ocaml-base-compiler.4.06.1/lib/coq/user-contrib/AreaMethod/tests_elimination_tactics_ratios.glob</code></li>
<li>38 K <code>../ocaml-base-compiler.4.06.1/lib/coq/user-contrib/AreaMethod/py_elimination_lemmas.v</code></li>
<li>36 K <code>../ocaml-base-compiler.4.06.1/lib/coq/user-contrib/AreaMethod/construction_lemmas.glob</code></li>
<li>35 K <code>../ocaml-base-compiler.4.06.1/lib/coq/user-contrib/AreaMethod/chou_gao_zhang_axioms.vo</code></li>
<li>35 K <code>../ocaml-base-compiler.4.06.1/lib/coq/user-contrib/AreaMethod/construction_lemmas_2.vo</code></li>
<li>35 K <code>../ocaml-base-compiler.4.06.1/lib/coq/user-contrib/AreaMethod/tests_elimination_tactics_areas.glob</code></li>
<li>34 K <code>../ocaml-base-compiler.4.06.1/lib/coq/user-contrib/AreaMethod/pythagoras_difference_lemmas.v</code></li>
<li>34 K <code>../ocaml-base-compiler.4.06.1/lib/coq/user-contrib/AreaMethod/constructed_points_elimination.glob</code></li>
<li>32 K <code>../ocaml-base-compiler.4.06.1/lib/coq/user-contrib/AreaMethod/tests_elimination_tactics_py.glob</code></li>
<li>32 K <code>../ocaml-base-compiler.4.06.1/lib/coq/user-contrib/AreaMethod/area_coords_elimination.vo</code></li>
<li>31 K <code>../ocaml-base-compiler.4.06.1/lib/coq/user-contrib/AreaMethod/simplify_constructions.vo</code></li>
<li>30 K <code>../ocaml-base-compiler.4.06.1/lib/coq/user-contrib/AreaMethod/construction_tactics.vo</code></li>
<li>26 K <code>../ocaml-base-compiler.4.06.1/lib/coq/user-contrib/AreaMethod/basic_geometric_facts.v</code></li>
<li>26 K <code>../ocaml-base-compiler.4.06.1/lib/coq/user-contrib/AreaMethod/geometry_tools_lemmas.glob</code></li>
<li>24 K <code>../ocaml-base-compiler.4.06.1/lib/coq/user-contrib/AreaMethod/euclidean_constructions.glob</code></li>
<li>23 K <code>../ocaml-base-compiler.4.06.1/lib/coq/user-contrib/AreaMethod/examples_3.glob</code></li>
<li>23 K <code>../ocaml-base-compiler.4.06.1/lib/coq/user-contrib/AreaMethod/advanced_parallel_lemmas.v</code></li>
<li>23 K <code>../ocaml-base-compiler.4.06.1/lib/coq/user-contrib/AreaMethod/ratios_elimination_lemmas.v</code></li>
<li>22 K <code>../ocaml-base-compiler.4.06.1/lib/coq/user-contrib/AreaMethod/constructed_points_elimination.v</code></li>
<li>21 K <code>../ocaml-base-compiler.4.06.1/lib/coq/user-contrib/AreaMethod/geometry_tools.glob</code></li>
<li>20 K <code>../ocaml-base-compiler.4.06.1/lib/coq/user-contrib/AreaMethod/examples_5.glob</code></li>
<li>19 K <code>../ocaml-base-compiler.4.06.1/lib/coq/user-contrib/AreaMethod/area_method.glob</code></li>
<li>17 K <code>../ocaml-base-compiler.4.06.1/lib/coq/user-contrib/AreaMethod/Rgeometry_tools.v</code></li>
<li>17 K <code>../ocaml-base-compiler.4.06.1/lib/coq/user-contrib/AreaMethod/freepoints.v</code></li>
<li>16 K <code>../ocaml-base-compiler.4.06.1/lib/coq/user-contrib/AreaMethod/chou_gao_zhang_axioms.glob</code></li>
<li>16 K <code>../ocaml-base-compiler.4.06.1/lib/coq/user-contrib/AreaMethod/field_variable_isolation_tactic.glob</code></li>
<li>16 K <code>../ocaml-base-compiler.4.06.1/lib/coq/user-contrib/AreaMethod/construction_lemmas_2.glob</code></li>
<li>16 K <code>../ocaml-base-compiler.4.06.1/lib/coq/user-contrib/AreaMethod/my_field_tac.v</code></li>
<li>16 K <code>../ocaml-base-compiler.4.06.1/lib/coq/user-contrib/AreaMethod/elimination_prepare.glob</code></li>
<li>15 K <code>../ocaml-base-compiler.4.06.1/lib/coq/user-contrib/AreaMethod/examples_interactive.v</code></li>
<li>13 K <code>../ocaml-base-compiler.4.06.1/lib/coq/user-contrib/AreaMethod/examples_centroid.glob</code></li>
<li>13 K <code>../ocaml-base-compiler.4.06.1/lib/coq/user-contrib/AreaMethod/area_coords_elimination.glob</code></li>
<li>13 K <code>../ocaml-base-compiler.4.06.1/lib/coq/user-contrib/AreaMethod/field_general_properties.glob</code></li>
<li>12 K <code>../ocaml-base-compiler.4.06.1/lib/coq/user-contrib/AreaMethod/bench_normalization_tactics.v</code></li>
<li>11 K <code>../ocaml-base-compiler.4.06.1/lib/coq/user-contrib/AreaMethod/parallel_lemmas.v</code></li>
<li>10 K <code>../ocaml-base-compiler.4.06.1/lib/coq/user-contrib/AreaMethod/examples_1.glob</code></li>
<li>10 K <code>../ocaml-base-compiler.4.06.1/lib/coq/user-contrib/AreaMethod/field.glob</code></li>
<li>10 K <code>../ocaml-base-compiler.4.06.1/lib/coq/user-contrib/AreaMethod/euclidean_constructions_2.glob</code></li>
<li>10 K <code>../ocaml-base-compiler.4.06.1/lib/coq/user-contrib/AreaMethod/examples_circumcenter.glob</code></li>
<li>8 K <code>../ocaml-base-compiler.4.06.1/lib/coq/user-contrib/AreaMethod/area_method.v</code></li>
<li>7 K <code>../ocaml-base-compiler.4.06.1/lib/coq/user-contrib/AreaMethod/pythagoras_difference.v</code></li>
<li>7 K <code>../ocaml-base-compiler.4.06.1/lib/coq/user-contrib/AreaMethod/geometry_tools.v</code></li>
<li>7 K <code>../ocaml-base-compiler.4.06.1/lib/coq/user-contrib/AreaMethod/field_variable_isolation_tactic.v</code></li>
<li>7 K <code>../ocaml-base-compiler.4.06.1/lib/coq/user-contrib/AreaMethod/area_elimination_lemmas.v</code></li>
<li>7 K <code>../ocaml-base-compiler.4.06.1/lib/coq/user-contrib/AreaMethod/elimination_prepare.v</code></li>
<li>6 K <code>../ocaml-base-compiler.4.06.1/lib/coq/user-contrib/AreaMethod/examples_2.v</code></li>
<li>6 K <code>../ocaml-base-compiler.4.06.1/lib/coq/user-contrib/AreaMethod/geometry_tools_lemmas.v</code></li>
<li>6 K <code>../ocaml-base-compiler.4.06.1/lib/coq/user-contrib/AreaMethod/free_points_elimination.glob</code></li>
<li>6 K <code>../ocaml-base-compiler.4.06.1/lib/coq/user-contrib/AreaMethod/examples_6.v</code></li>
<li>5 K <code>../ocaml-base-compiler.4.06.1/lib/coq/user-contrib/AreaMethod/tests_elimination_tactics_py.v</code></li>
<li>5 K <code>../ocaml-base-compiler.4.06.1/lib/coq/user-contrib/AreaMethod/construction_lemmas.v</code></li>
<li>5 K <code>../ocaml-base-compiler.4.06.1/lib/coq/user-contrib/AreaMethod/examples_4.glob</code></li>
<li>5 K <code>../ocaml-base-compiler.4.06.1/lib/coq/user-contrib/AreaMethod/tests_elimination_tactics_areas.v</code></li>
<li>4 K <code>../ocaml-base-compiler.4.06.1/lib/coq/user-contrib/AreaMethod/tests_elimination_tactics_ratios.v</code></li>
<li>4 K <code>../ocaml-base-compiler.4.06.1/lib/coq/user-contrib/AreaMethod/free_points_elimination.v</code></li>
<li>4 K <code>../ocaml-base-compiler.4.06.1/lib/coq/user-contrib/AreaMethod/area_coords_constructions.v</code></li>
<li>4 K <code>../ocaml-base-compiler.4.06.1/lib/coq/user-contrib/AreaMethod/field.v</code></li>
<li>4 K <code>../ocaml-base-compiler.4.06.1/lib/coq/user-contrib/AreaMethod/general_tactics.vo</code></li>
<li>4 K <code>../ocaml-base-compiler.4.06.1/lib/coq/user-contrib/AreaMethod/euclidean_constructions.v</code></li>
<li>3 K <code>../ocaml-base-compiler.4.06.1/lib/coq/user-contrib/AreaMethod/field_general_properties.v</code></li>
<li>3 K <code>../ocaml-base-compiler.4.06.1/lib/coq/user-contrib/AreaMethod/simplify_constructions.glob</code></li>
<li>3 K <code>../ocaml-base-compiler.4.06.1/lib/coq/user-contrib/AreaMethod/euclidean_constructions_2.v</code></li>
<li>3 K <code>../ocaml-base-compiler.4.06.1/lib/coq/user-contrib/AreaMethod/chou_gao_zhang_axioms.v</code></li>
<li>3 K <code>../ocaml-base-compiler.4.06.1/lib/coq/user-contrib/AreaMethod/construction_lemmas_2.v</code></li>
<li>3 K <code>../ocaml-base-compiler.4.06.1/lib/coq/user-contrib/AreaMethod/examples_3.v</code></li>
<li>3 K <code>../ocaml-base-compiler.4.06.1/lib/coq/user-contrib/AreaMethod/examples_1.v</code></li>
<li>2 K <code>../ocaml-base-compiler.4.06.1/lib/coq/user-contrib/AreaMethod/examples_5.v</code></li>
<li>2 K <code>../ocaml-base-compiler.4.06.1/lib/coq/user-contrib/AreaMethod/construction_tactics.glob</code></li>
<li>2 K <code>../ocaml-base-compiler.4.06.1/lib/coq/user-contrib/AreaMethod/examples_centroid.v</code></li>
<li>2 K <code>../ocaml-base-compiler.4.06.1/lib/coq/user-contrib/AreaMethod/simplify_constructions.v</code></li>
<li>2 K <code>../ocaml-base-compiler.4.06.1/lib/coq/user-contrib/AreaMethod/area_coords_elimination.v</code></li>
<li>2 K <code>../ocaml-base-compiler.4.06.1/lib/coq/user-contrib/AreaMethod/examples_circumcenter.v</code></li>
<li>1 K <code>../ocaml-base-compiler.4.06.1/lib/coq/user-contrib/AreaMethod/general_tactics.v</code></li>
<li>1 K <code>../ocaml-base-compiler.4.06.1/lib/coq/user-contrib/AreaMethod/construction_tactics.v</code></li>
<li>1 K <code>../ocaml-base-compiler.4.06.1/lib/coq/user-contrib/AreaMethod/examples_4.v</code></li>
<li>1 K <code>../ocaml-base-compiler.4.06.1/lib/coq/user-contrib/AreaMethod/general_tactics.glob</code></li>
</ul>
<h2>Uninstall 🧹</h2>
<dl class="dl-horizontal">
<dt>Command</dt>
<dd><code>opam remove -y coq-area-method.8.7.0</code></dd>
<dt>Return code</dt>
<dd>0</dd>
<dt>Missing removes</dt>
<dd>
none
</dd>
<dt>Wrong removes</dt>
<dd>
none
</dd>
</dl>
</div>
</div>
</div>
<hr/>
<div class="footer">
<p class="text-center">
Sources are on <a href="https://github.com/coq-bench">GitHub</a> © Guillaume Claret 🐣
</p>
</div>
</div>
<script src="https://ajax.googleapis.com/ajax/libs/jquery/1.11.1/jquery.min.js"></script>
<script src="../../../../../bootstrap.min.js"></script>
</body>
</html>
| {
"content_hash": "ffca4bb1e80b6b62a102f34b08101957",
"timestamp": "",
"source": "github",
"line_count": 293,
"max_line_length": 202,
"avg_line_length": 80.86006825938567,
"alnum_prop": 0.6262029377004896,
"repo_name": "coq-bench/coq-bench.github.io",
"id": "dfc1fe04a3d4f8a238e5cde029afaa917b6b1e9f",
"size": "23718",
"binary": false,
"copies": "1",
"ref": "refs/heads/master",
"path": "clean/Linux-x86_64-4.06.1-2.0.5/released/8.7.0/area-method/8.7.0.html",
"mode": "33188",
"license": "mit",
"language": [],
"symlink_target": ""
} |
using System.Reflection;
using System.Runtime.CompilerServices;
// Information about this assembly is defined by the following attributes.
// Change them to the values specific to your project.
[assembly: AssemblyTitle ("DynamicSample")]
[assembly: AssemblyDescription ("")]
[assembly: AssemblyConfiguration ("")]
[assembly: AssemblyCompany ("")]
[assembly: AssemblyProduct ("")]
[assembly: AssemblyCopyright ("Anas EL HAJJAJI")]
[assembly: AssemblyTrademark ("")]
[assembly: AssemblyCulture ("")]
// The assembly version has the format "{Major}.{Minor}.{Build}.{Revision}".
// The form "{Major}.{Minor}.*" will automatically update the build and revision,
// and "{Major}.{Minor}.{Build}.*" will update just the revision.
[assembly: AssemblyVersion ("1.0.*")]
// The following attributes are used to specify the signing key for the assembly,
// if desired. See the Mono documentation for more information about signing.
//[assembly: AssemblyDelaySign(false)]
//[assembly: AssemblyKeyFile("")]
| {
"content_hash": "b3be539b4e128f2ff53e92ed447bfef5",
"timestamp": "",
"source": "github",
"line_count": 27,
"max_line_length": 81,
"avg_line_length": 37.111111111111114,
"alnum_prop": 0.7385229540918163,
"repo_name": "anaselhajjaji/csharp-samples",
"id": "e9e2fc6bed796f664a9b7882963ae59d0e1e4631",
"size": "1004",
"binary": false,
"copies": "1",
"ref": "refs/heads/master",
"path": "DynamicSample/Properties/AssemblyInfo.cs",
"mode": "33188",
"license": "apache-2.0",
"language": [
{
"name": "C#",
"bytes": "3708"
}
],
"symlink_target": ""
} |
import {TorusBufferGeometry, TorusGeometry, BufferGeometry} from "three";
import {Locale} from "../../../../locale/LocaleManager.js";
import {ChangeAction} from "../../../../history/action/ChangeAction.js";
import {Editor} from "../../../../Editor.js";
import {NumberBox} from "../../../../components/input/NumberBox.js";
import {CheckBox} from "../../../../components/input/CheckBox.js";
function TorusGeometryForm(form, object)
{
this.form = form;
this.object = object;
var self = this;
var updateGeometry = function()
{
self.updateGeometry();
};
this.form.addText(Locale.torus);
this.form.nextRow();
// Radius
this.form.addText(Locale.radius);
this.radius = new NumberBox(this.form);
this.radius.size.set(0, 18);
this.radius.setStep(0.1);
this.radius.setOnChange(updateGeometry);
this.form.add(this.radius);
this.form.nextRow();
// Tube
this.form.addText(Locale.tube);
this.tube = new NumberBox(this.form);
this.tube.size.set(0, 18);
this.tube.setStep(0.1);
this.tube.setOnChange(updateGeometry);
this.form.add(this.tube);
this.form.nextRow();
// Segments
this.form.addText(Locale.segments);
this.form.nextRow();
this.form.addText(Locale.radial);
this.radialSegments = new NumberBox(this.form);
this.radialSegments.size.set(0, 18);
this.radialSegments.setStep(1);
this.radialSegments.setOnChange(updateGeometry);
this.form.add(this.radialSegments);
this.form.nextRow();
this.form.addText(Locale.tubular);
this.tubularSegments = new NumberBox(this.form);
this.tubularSegments.size.set(0, 18);
this.tubularSegments.setStep(1);
this.tubularSegments.setOnChange(updateGeometry);
this.form.add(this.tubularSegments);
this.form.nextRow();
// Arc
this.form.addText(Locale.arc);
this.arc = new NumberBox(this.form);
this.arc.size.set(0, 18);
this.arc.setStep(0.1);
this.arc.setRange(0, Math.PI * 2);
this.arc.setOnChange(updateGeometry);
this.form.add(this.arc);
this.form.nextRow();
// Buffer
this.buffer = new CheckBox(this.form);
this.form.addText(Locale.buffered);
this.buffer.size.set(18, 18);
this.buffer.setOnChange(updateGeometry);
this.form.add(this.buffer);
this.form.nextRow();
}
TorusGeometryForm.prototype.updateGeometry = function()
{
this.object.geometry.dispose();
var GeometryConstructor = this.buffer.getValue() ? TorusBufferGeometry : TorusGeometry;
Editor.addAction(new ChangeAction(this.object, "geometry", new GeometryConstructor(this.radius.getValue(), this.tube.getValue(), this.radialSegments.getValue(), this.tubularSegments.getValue(), this.arc.getValue())));
};
TorusGeometryForm.prototype.updateValues = function()
{
this.radius.setValue(this.object.geometry.parameters.radius || 100);
this.tube.setValue(this.object.geometry.parameters.tube || 40);
this.radialSegments.setValue(this.object.geometry.parameters.radialSegments || 8);
this.tubularSegments.setValue(this.object.geometry.parameters.tubularSegments || 6);
this.arc.setValue(this.object.geometry.parameters.arc || Math.PI * 2);
this.buffer.setValue(this.object.geometry instanceof BufferGeometry);
};
export {TorusGeometryForm};
| {
"content_hash": "f0b4f9267e4c8cd76360db48b93eb037",
"timestamp": "",
"source": "github",
"line_count": 96,
"max_line_length": 218,
"avg_line_length": 32.291666666666664,
"alnum_prop": 0.74,
"repo_name": "tentone/nunuStudio",
"id": "b614b8a190130e3986f86cd914a4e2a6eb713157",
"size": "3100",
"binary": false,
"copies": "1",
"ref": "refs/heads/master",
"path": "source/editor/gui/tab/inspector/geometries/TorusGeometryForm.js",
"mode": "33188",
"license": "mit",
"language": [
{
"name": "Batchfile",
"bytes": "14"
},
{
"name": "CSS",
"bytes": "22240"
},
{
"name": "GLSL",
"bytes": "16034"
},
{
"name": "HTML",
"bytes": "140267"
},
{
"name": "Handlebars",
"bytes": "26410"
},
{
"name": "JavaScript",
"bytes": "1957543"
},
{
"name": "TypeScript",
"bytes": "28100"
}
],
"symlink_target": ""
} |
<!DOCTYPE html>
<html lang="en">
<head>
<meta charset="utf-8">
<meta name="viewport" content="width=device-width, initial-scale=1">
<title>ctltctl: 17 s 🏆</title>
<link rel="shortcut icon" type="image/png" href="../../../../../favicon.png" />
<link href="../../../../../bootstrap.min.css" rel="stylesheet">
<link href="../../../../../bootstrap-custom.css" rel="stylesheet">
<link href="//maxcdn.bootstrapcdn.com/font-awesome/4.2.0/css/font-awesome.min.css" rel="stylesheet">
<script src="../../../../../moment.min.js"></script>
<!-- HTML5 Shim and Respond.js IE8 support of HTML5 elements and media queries -->
<!-- WARNING: Respond.js doesn't work if you view the page via file:// -->
<!--[if lt IE 9]>
<script src="https://oss.maxcdn.com/html5shiv/3.7.2/html5shiv.min.js"></script>
<script src="https://oss.maxcdn.com/respond/1.4.2/respond.min.js"></script>
<![endif]-->
</head>
<body>
<div class="container">
<div class="navbar navbar-default" role="navigation">
<div class="container-fluid">
<div class="navbar-header">
<a class="navbar-brand" href="../../../../.."><i class="fa fa-lg fa-flag-checkered"></i> Coq bench</a>
</div>
<div id="navbar" class="collapse navbar-collapse">
<ul class="nav navbar-nav">
<li><a href="../..">clean / released</a></li>
<li class="active"><a href="">8.8.1 / ctltctl - 8.8.0</a></li>
</ul>
</div>
</div>
</div>
<div class="article">
<div class="row">
<div class="col-md-12">
<a href="../..">« Up</a>
<h1>
ctltctl
<small>
8.8.0
<span class="label label-success">17 s 🏆</span>
</small>
</h1>
<p>📅 <em><script>document.write(moment("2022-09-19 15:43:35 +0000", "YYYY-MM-DD HH:mm:ss Z").fromNow());</script> (2022-09-19 15:43:35 UTC)</em><p>
<h2>Context</h2>
<pre># Packages matching: installed
# Name # Installed # Synopsis
base-bigarray base
base-num base Num library distributed with the OCaml compiler
base-threads base
base-unix base
camlp5 7.14 Preprocessor-pretty-printer of OCaml
conf-findutils 1 Virtual package relying on findutils
conf-perl 2 Virtual package relying on perl
coq 8.8.1 Formal proof management system
num 0 The Num library for arbitrary-precision integer and rational arithmetic
ocaml 4.04.2 The OCaml compiler (virtual package)
ocaml-base-compiler 4.04.2 Official 4.04.2 release
ocaml-config 1 OCaml Switch Configuration
ocamlfind 1.9.5 A library manager for OCaml
# opam file:
opam-version: "2.0"
maintainer: "[email protected]"
homepage: "https://github.com/coq-contribs/ctltctl"
license: "LGPL 2.1"
build: [make "-j%{jobs}%"]
install: [make "install"]
remove: ["rm" "-R" "%{lib}%/coq/user-contrib/CTLTCTL"]
depends: [
"ocaml"
"coq" {>= "8.8" & < "8.9~"}
]
tags: [
"keyword: CTL"
"keyword: TCTL"
"keyword: real time"
"keyword: reactive systems"
"keyword: temporal logic"
"keyword: timed automatas"
"keyword: timed graphs"
"keyword: discrete time"
"keyword: modal logic"
"category: Mathematics/Logic/Modal logic"
"date: February-March 2000"
]
authors: [ "Carlos Daniel Luna" ]
bug-reports: "https://github.com/coq-contribs/ctltctl/issues"
dev-repo: "git+https://github.com/coq-contribs/ctltctl.git"
synopsis: "Computation Tree Logic for Reactive Systems and Timed Computation Tree Logic for Real Time Systems"
description: """
This library formalises two logics for reasoning about
reactive systems (CTL) and real time systems (TCTL) represents using
timed automatas (timed graphs) with discrete time.
http://www.fing.edu.uy/~cluna"""
flags: light-uninstall
url {
src: "https://github.com/coq-contribs/ctltctl/archive/v8.8.0.tar.gz"
checksum: "md5=01e8dc01404c7dfcf1fb908150bbf9b0"
}
</pre>
<h2>Lint</h2>
<dl class="dl-horizontal">
<dt>Command</dt>
<dd><code>true</code></dd>
<dt>Return code</dt>
<dd>0</dd>
</dl>
<h2>Dry install 🏜️</h2>
<p>Dry install with the current Coq version:</p>
<dl class="dl-horizontal">
<dt>Command</dt>
<dd><code>opam install -y --show-action coq-ctltctl.8.8.0 coq.8.8.1</code></dd>
<dt>Return code</dt>
<dd>0</dd>
</dl>
<p>Dry install without Coq/switch base, to test if the problem was incompatibility with the current Coq/OCaml version:</p>
<dl class="dl-horizontal">
<dt>Command</dt>
<dd><code>true</code></dd>
<dt>Return code</dt>
<dd>0</dd>
</dl>
<h2>Install dependencies</h2>
<dl class="dl-horizontal">
<dt>Command</dt>
<dd><code>opam list; echo; ulimit -Sv 4000000; timeout 4h opam install -y --deps-only coq-ctltctl.8.8.0 coq.8.8.1</code></dd>
<dt>Return code</dt>
<dd>0</dd>
<dt>Duration</dt>
<dd>10 s</dd>
</dl>
<h2>Install 🚀</h2>
<dl class="dl-horizontal">
<dt>Command</dt>
<dd><code>opam list; echo; ulimit -Sv 16000000; timeout 4h opam install -y -v coq-ctltctl.8.8.0 coq.8.8.1</code></dd>
<dt>Return code</dt>
<dd>0</dd>
<dt>Duration</dt>
<dd>17 s</dd>
</dl>
<h2>Installation size</h2>
<p>Total: 320 K</p>
<ul>
<li>62 K <code>../ocaml-base-compiler.4.04.2/lib/coq/user-contrib/CTLTCTL/tctl.vo</code></li>
<li>61 K <code>../ocaml-base-compiler.4.04.2/lib/coq/user-contrib/CTLTCTL/ctl.vo</code></li>
<li>49 K <code>../ocaml-base-compiler.4.04.2/lib/coq/user-contrib/CTLTCTL/TemporalOperators_Ind.vo</code></li>
<li>36 K <code>../ocaml-base-compiler.4.04.2/lib/coq/user-contrib/CTLTCTL/tctl.glob</code></li>
<li>28 K <code>../ocaml-base-compiler.4.04.2/lib/coq/user-contrib/CTLTCTL/time_clocks.vo</code></li>
<li>28 K <code>../ocaml-base-compiler.4.04.2/lib/coq/user-contrib/CTLTCTL/TemporalOperators_Ind.glob</code></li>
<li>27 K <code>../ocaml-base-compiler.4.04.2/lib/coq/user-contrib/CTLTCTL/ctl.glob</code></li>
<li>10 K <code>../ocaml-base-compiler.4.04.2/lib/coq/user-contrib/CTLTCTL/tctl.v</code></li>
<li>9 K <code>../ocaml-base-compiler.4.04.2/lib/coq/user-contrib/CTLTCTL/ctl.v</code></li>
<li>8 K <code>../ocaml-base-compiler.4.04.2/lib/coq/user-contrib/CTLTCTL/TemporalOperators_Ind.v</code></li>
<li>2 K <code>../ocaml-base-compiler.4.04.2/lib/coq/user-contrib/CTLTCTL/time_clocks.v</code></li>
<li>1 K <code>../ocaml-base-compiler.4.04.2/lib/coq/user-contrib/CTLTCTL/time_clocks.glob</code></li>
</ul>
<h2>Uninstall 🧹</h2>
<dl class="dl-horizontal">
<dt>Command</dt>
<dd><code>opam remove -y coq-ctltctl.8.8.0</code></dd>
<dt>Return code</dt>
<dd>0</dd>
<dt>Missing removes</dt>
<dd>
none
</dd>
<dt>Wrong removes</dt>
<dd>
none
</dd>
</dl>
</div>
</div>
</div>
<hr/>
<div class="footer">
<p class="text-center">
Sources are on <a href="https://github.com/coq-bench">GitHub</a> © Guillaume Claret 🐣
</p>
</div>
</div>
<script src="https://ajax.googleapis.com/ajax/libs/jquery/1.11.1/jquery.min.js"></script>
<script src="../../../../../bootstrap.min.js"></script>
</body>
</html>
| {
"content_hash": "3a8ff7ff2caefd97628c182848df6176",
"timestamp": "",
"source": "github",
"line_count": 186,
"max_line_length": 159,
"avg_line_length": 45.6505376344086,
"alnum_prop": 0.5591803085620068,
"repo_name": "coq-bench/coq-bench.github.io",
"id": "62ea78bcc7709fe0958e5bd7079a0633deeb26da",
"size": "8516",
"binary": false,
"copies": "1",
"ref": "refs/heads/master",
"path": "clean/Linux-x86_64-4.04.2-2.0.5/released/8.8.1/ctltctl/8.8.0.html",
"mode": "33188",
"license": "mit",
"language": [],
"symlink_target": ""
} |
#ifndef EVENT_GROUPS_H
#define EVENT_GROUPS_H
#ifndef INC_FREERTOS_H
#error "include FreeRTOS.h" must appear in source files before "include event_groups.h"
#endif
#include "timers.h"
#ifdef __cplusplus
extern "C" {
#endif
/**
* An event group is a collection of bits to which an application can assign a
* meaning. For example, an application may create an event group to convey
* the status of various CAN bus related events in which bit 0 might mean "A CAN
* message has been received and is ready for processing", bit 1 might mean "The
* application has queued a message that is ready for sending onto the CAN
* network", and bit 2 might mean "It is time to send a SYNC message onto the
* CAN network" etc. A task can then test the bit values to see which events
* are active, and optionally enter the Blocked state to wait for a specified
* bit or a group of specified bits to be active. To continue the CAN bus
* example, a CAN controlling task can enter the Blocked state (and therefore
* not consume any processing time) until either bit 0, bit 1 or bit 2 are
* active, at which time the bit that was actually active would inform the task
* which action it had to take (process a received message, send a message, or
* send a SYNC).
*
* The event groups implementation contains intelligence to avoid race
* conditions that would otherwise occur were an application to use a simple
* variable for the same purpose. This is particularly important with respect
* to when a bit within an event group is to be cleared, and when bits have to
* be set and then tested atomically - as is the case where event groups are
* used to create a synchronisation point between multiple tasks (a
* 'rendezvous').
*
* \defgroup EventGroup
*/
/**
* event_groups.h
*
* Type by which event groups are referenced. For example, a call to
* xEventGroupCreate() returns an EventGroupHandle_t variable that can then
* be used as a parameter to other event group functions.
*
* \defgroup EventGroupHandle_t EventGroupHandle_t
* \ingroup EventGroup
*/
typedef void * EventGroupHandle_t;
/*
* The type that holds event bits always matches TickType_t - therefore the
* number of bits it holds is set by configUSE_16_BIT_TICKS (16 bits if set to 1,
* 32 bits if set to 0.
*
* \defgroup EventBits_t EventBits_t
* \ingroup EventGroup
*/
typedef TickType_t EventBits_t;
/**
* event_groups.h
*<pre>
EventGroupHandle_t xEventGroupCreate( void );
</pre>
*
* Create a new event group. This function cannot be called from an interrupt.
*
* Although event groups are not related to ticks, for internal implementation
* reasons the number of bits available for use in an event group is dependent
* on the configUSE_16_BIT_TICKS setting in FreeRTOSConfig.h. If
* configUSE_16_BIT_TICKS is 1 then each event group contains 8 usable bits (bit
* 0 to bit 7). If configUSE_16_BIT_TICKS is set to 0 then each event group has
* 24 usable bits (bit 0 to bit 23). The EventBits_t type is used to store
* event bits within an event group.
*
* @return If the event group was created then a handle to the event group is
* returned. If there was insufficient FreeRTOS heap available to create the
* event group then NULL is returned. See http://www.freertos.org/a00111.html
*
* Example usage:
<pre>
// Declare a variable to hold the created event group.
EventGroupHandle_t xCreatedEventGroup;
// Attempt to create the event group.
xCreatedEventGroup = xEventGroupCreate();
// Was the event group created successfully?
if( xCreatedEventGroup == NULL )
{
// The event group was not created because there was insufficient
// FreeRTOS heap available.
}
else
{
// The event group was created.
}
</pre>
* \defgroup xEventGroupCreate xEventGroupCreate
* \ingroup EventGroup
*/
EventGroupHandle_t xEventGroupCreate( void ) PRIVILEGED_FUNCTION;
/**
* event_groups.h
*<pre>
EventBits_t xEventGroupWaitBits( EventGroupHandle_t xEventGroup,
const EventBits_t uxBitsToWaitFor,
const BaseType_t xClearOnExit,
const BaseType_t xWaitForAllBits,
const TickType_t xTicksToWait );
</pre>
*
* [Potentially] block to wait for one or more bits to be set within a
* previously created event group.
*
* This function cannot be called from an interrupt.
*
* @param xEventGroup The event group in which the bits are being tested. The
* event group must have previously been created using a call to
* xEventGroupCreate().
*
* @param uxBitsToWaitFor A bitwise value that indicates the bit or bits to test
* inside the event group. For example, to wait for bit 0 and/or bit 2 set
* uxBitsToWaitFor to 0x05. To wait for bits 0 and/or bit 1 and/or bit 2 set
* uxBitsToWaitFor to 0x07. Etc.
*
* @param xClearOnExit If xClearOnExit is set to pdTRUE then any bits within
* uxBitsToWaitFor that are set within the event group will be cleared before
* xEventGroupWaitBits() returns if the wait condition was met (if the function
* returns for a reason other than a timeout). If xClearOnExit is set to
* pdFALSE then the bits set in the event group are not altered when the call to
* xEventGroupWaitBits() returns.
*
* @param xWaitForAllBits If xWaitForAllBits is set to pdTRUE then
* xEventGroupWaitBits() will return when either all the bits in uxBitsToWaitFor
* are set or the specified block time expires. If xWaitForAllBits is set to
* pdFALSE then xEventGroupWaitBits() will return when any one of the bits set
* in uxBitsToWaitFor is set or the specified block time expires. The block
* time is specified by the xTicksToWait parameter.
*
* @param xTicksToWait The maximum amount of time (specified in 'ticks') to wait
* for one/all (depending on the xWaitForAllBits value) of the bits specified by
* uxBitsToWaitFor to become set.
*
* @return The value of the event group at the time either the bits being waited
* for became set, or the block time expired. Test the return value to know
* which bits were set. If xEventGroupWaitBits() returned because its timeout
* expired then not all the bits being waited for will be set. If
* xEventGroupWaitBits() returned because the bits it was waiting for were set
* then the returned value is the event group value before any bits were
* automatically cleared in the case that xClearOnExit parameter was set to
* pdTRUE.
*
* Example usage:
<pre>
#define BIT_0 ( 1 << 0 )
#define BIT_4 ( 1 << 4 )
void aFunction( EventGroupHandle_t xEventGroup )
{
EventBits_t uxBits;
const TickType_t xTicksToWait = 100 / portTICK_PERIOD_MS;
// Wait a maximum of 100ms for either bit 0 or bit 4 to be set within
// the event group. Clear the bits before exiting.
uxBits = xEventGroupWaitBits(
xEventGroup, // The event group being tested.
BIT_0 | BIT_4, // The bits within the event group to wait for.
pdTRUE, // BIT_0 and BIT_4 should be cleared before returning.
pdFALSE, // Don't wait for both bits, either bit will do.
xTicksToWait ); // Wait a maximum of 100ms for either bit to be set.
if( ( uxBits & ( BIT_0 | BIT_4 ) ) == ( BIT_0 | BIT_4 ) )
{
// xEventGroupWaitBits() returned because both bits were set.
}
else if( ( uxBits & BIT_0 ) != 0 )
{
// xEventGroupWaitBits() returned because just BIT_0 was set.
}
else if( ( uxBits & BIT_4 ) != 0 )
{
// xEventGroupWaitBits() returned because just BIT_4 was set.
}
else
{
// xEventGroupWaitBits() returned because xTicksToWait ticks passed
// without either BIT_0 or BIT_4 becoming set.
}
}
</pre>
* \defgroup xEventGroupWaitBits xEventGroupWaitBits
* \ingroup EventGroup
*/
EventBits_t xEventGroupWaitBits( EventGroupHandle_t xEventGroup, const EventBits_t uxBitsToWaitFor, const BaseType_t xClearOnExit, const BaseType_t xWaitForAllBits, TickType_t xTicksToWait ) PRIVILEGED_FUNCTION;
/**
* event_groups.h
*<pre>
EventBits_t xEventGroupClearBits( EventGroupHandle_t xEventGroup, const EventBits_t uxBitsToClear );
</pre>
*
* Clear bits within an event group. This function cannot be called from an
* interrupt.
*
* @param xEventGroup The event group in which the bits are to be cleared.
*
* @param uxBitsToClear A bitwise value that indicates the bit or bits to clear
* in the event group. For example, to clear bit 3 only, set uxBitsToClear to
* 0x08. To clear bit 3 and bit 0 set uxBitsToClear to 0x09.
*
* @return The value of the event group before the specified bits were cleared.
*
* Example usage:
<pre>
#define BIT_0 ( 1 << 0 )
#define BIT_4 ( 1 << 4 )
void aFunction( EventGroupHandle_t xEventGroup )
{
EventBits_t uxBits;
// Clear bit 0 and bit 4 in xEventGroup.
uxBits = xEventGroupClearBits(
xEventGroup, // The event group being updated.
BIT_0 | BIT_4 );// The bits being cleared.
if( ( uxBits & ( BIT_0 | BIT_4 ) ) == ( BIT_0 | BIT_4 ) )
{
// Both bit 0 and bit 4 were set before xEventGroupClearBits() was
// called. Both will now be clear (not set).
}
else if( ( uxBits & BIT_0 ) != 0 )
{
// Bit 0 was set before xEventGroupClearBits() was called. It will
// now be clear.
}
else if( ( uxBits & BIT_4 ) != 0 )
{
// Bit 4 was set before xEventGroupClearBits() was called. It will
// now be clear.
}
else
{
// Neither bit 0 nor bit 4 were set in the first place.
}
}
</pre>
* \defgroup xEventGroupClearBits xEventGroupClearBits
* \ingroup EventGroup
*/
EventBits_t xEventGroupClearBits( EventGroupHandle_t xEventGroup, const EventBits_t uxBitsToClear ) PRIVILEGED_FUNCTION;
/**
* event_groups.h
*<pre>
EventBits_t xEventGroupClearBitsFromISR( EventGroupHandle_t xEventGroup, const EventBits_t uxBitsToClear );
</pre>
*
* A version of xEventGroupClearBits() that can be called from an interrupt
* service routine. See the xEventGroupClearBits() documentation.
*
* \defgroup xEventGroupClearBitsFromISR xEventGroupClearBitsFromISR
* \ingroup EventGroup
*/
EventBits_t xEventGroupClearBitsFromISR( EventGroupHandle_t xEventGroup, const EventBits_t uxBitsToClear ) PRIVILEGED_FUNCTION;
/**
* event_groups.h
*<pre>
EventBits_t xEventGroupSetBits( EventGroupHandle_t xEventGroup, const EventBits_t uxBitsToSet );
</pre>
*
* Set bits within an event group.
* This function cannot be called from an interrupt. xEventGroupSetBitsFromISR()
* is a version that can be called from an interrupt.
*
* Setting bits in an event group will automatically unblock tasks that are
* blocked waiting for the bits.
*
* @param xEventGroup The event group in which the bits are to be set.
*
* @param uxBitsToSet A bitwise value that indicates the bit or bits to set.
* For example, to set bit 3 only, set uxBitsToSet to 0x08. To set bit 3
* and bit 0 set uxBitsToSet to 0x09.
*
* @return The value of the event group at the time the call to
* xEventGroupSetBits() returns. There are two reasons why the returned value
* might have the bits specified by the uxBitsToSet parameter cleared. First,
* if setting a bit results in a task that was waiting for the bit leaving the
* blocked state then it is possible the bit will be cleared automatically
* (see the xClearBitOnExit parameter of xEventGroupWaitBits()). Second, any
* unblocked (or otherwise Ready state) task that has a priority above that of
* the task that called xEventGroupSetBits() will execute and may change the
* event group value before the call to xEventGroupSetBits() returns.
*
* Example usage:
<pre>
#define BIT_0 ( 1 << 0 )
#define BIT_4 ( 1 << 4 )
void aFunction( EventGroupHandle_t xEventGroup )
{
EventBits_t uxBits;
// Set bit 0 and bit 4 in xEventGroup.
uxBits = xEventGroupSetBits(
xEventGroup, // The event group being updated.
BIT_0 | BIT_4 );// The bits being set.
if( ( uxBits & ( BIT_0 | BIT_4 ) ) == ( BIT_0 | BIT_4 ) )
{
// Both bit 0 and bit 4 remained set when the function returned.
}
else if( ( uxBits & BIT_0 ) != 0 )
{
// Bit 0 remained set when the function returned, but bit 4 was
// cleared. It might be that bit 4 was cleared automatically as a
// task that was waiting for bit 4 was removed from the Blocked
// state.
}
else if( ( uxBits & BIT_4 ) != 0 )
{
// Bit 4 remained set when the function returned, but bit 0 was
// cleared. It might be that bit 0 was cleared automatically as a
// task that was waiting for bit 0 was removed from the Blocked
// state.
}
else
{
// Neither bit 0 nor bit 4 remained set. It might be that a task
// was waiting for both of the bits to be set, and the bits were
// cleared as the task left the Blocked state.
}
}
</pre>
* \defgroup xEventGroupSetBits xEventGroupSetBits
* \ingroup EventGroup
*/
EventBits_t xEventGroupSetBits( EventGroupHandle_t xEventGroup, const EventBits_t uxBitsToSet ) PRIVILEGED_FUNCTION;
/**
* event_groups.h
*<pre>
BaseType_t xEventGroupSetBitsFromISR( EventGroupHandle_t xEventGroup, const EventBits_t uxBitsToSet, BaseType_t *pxHigherPriorityTaskWoken );
</pre>
*
* A version of xEventGroupSetBits() that can be called from an interrupt.
*
* Setting bits in an event group is not a deterministic operation because there
* are an unknown number of tasks that may be waiting for the bit or bits being
* set. FreeRTOS does not allow nondeterministic operations to be performed in
* interrupts or from critical sections. Therefore xEventGroupSetBitFromISR()
* sends a message to the timer task to have the set operation performed in the
* context of the timer task - where a scheduler lock is used in place of a
* critical section.
*
* @param xEventGroup The event group in which the bits are to be set.
*
* @param uxBitsToSet A bitwise value that indicates the bit or bits to set.
* For example, to set bit 3 only, set uxBitsToSet to 0x08. To set bit 3
* and bit 0 set uxBitsToSet to 0x09.
*
* @param pxHigherPriorityTaskWoken As mentioned above, calling this function
* will result in a message being sent to the timer daemon task. If the
* priority of the timer daemon task is higher than the priority of the
* currently running task (the task the interrupt interrupted) then
* *pxHigherPriorityTaskWoken will be set to pdTRUE by
* xEventGroupSetBitsFromISR(), indicating that a context switch should be
* requested before the interrupt exits. For that reason
* *pxHigherPriorityTaskWoken must be initialised to pdFALSE. See the
* example code below.
*
* @return If the request to execute the function was posted successfully then
* pdPASS is returned, otherwise pdFALSE is returned. pdFALSE will be returned
* if the timer service queue was full.
*
* Example usage:
<pre>
#define BIT_0 ( 1 << 0 )
#define BIT_4 ( 1 << 4 )
// An event group which it is assumed has already been created by a call to
// xEventGroupCreate().
EventGroupHandle_t xEventGroup;
void anInterruptHandler( void )
{
BaseType_t xHigherPriorityTaskWoken, xResult;
// xHigherPriorityTaskWoken must be initialised to pdFALSE.
xHigherPriorityTaskWoken = pdFALSE;
// Set bit 0 and bit 4 in xEventGroup.
xResult = xEventGroupSetBitsFromISR(
xEventGroup, // The event group being updated.
BIT_0 | BIT_4 // The bits being set.
&xHigherPriorityTaskWoken );
// Was the message posted successfully?
if( xResult == pdPASS )
{
// If xHigherPriorityTaskWoken is now set to pdTRUE then a context
// switch should be requested. The macro used is port specific and
// will be either portYIELD_FROM_ISR() or portEND_SWITCHING_ISR() -
// refer to the documentation page for the port being used.
portYIELD_FROM_ISR( xHigherPriorityTaskWoken );
}
}
</pre>
* \defgroup xEventGroupSetBitsFromISR xEventGroupSetBitsFromISR
* \ingroup EventGroup
*/
#if( configUSE_TRACE_FACILITY == 1 )
BaseType_t xEventGroupSetBitsFromISR( EventGroupHandle_t xEventGroup, const EventBits_t uxBitsToSet, BaseType_t *pxHigherPriorityTaskWoken );
#else
#define xEventGroupSetBitsFromISR( xEventGroup, uxBitsToSet, pxHigherPriorityTaskWoken ) xTimerPendFunctionCallFromISR( vEventGroupSetBitsCallback, ( void * ) xEventGroup, ( uint32_t ) uxBitsToSet, pxHigherPriorityTaskWoken )
#endif
/**
* event_groups.h
*<pre>
EventBits_t xEventGroupSync( EventGroupHandle_t xEventGroup,
const EventBits_t uxBitsToSet,
const EventBits_t uxBitsToWaitFor,
TickType_t xTicksToWait );
</pre>
*
* Atomically set bits within an event group, then wait for a combination of
* bits to be set within the same event group. This functionality is typically
* used to synchronise multiple tasks, where each task has to wait for the other
* tasks to reach a synchronisation point before proceeding.
*
* This function cannot be used from an interrupt.
*
* The function will return before its block time expires if the bits specified
* by the uxBitsToWait parameter are set, or become set within that time. In
* this case all the bits specified by uxBitsToWait will be automatically
* cleared before the function returns.
*
* @param xEventGroup The event group in which the bits are being tested. The
* event group must have previously been created using a call to
* xEventGroupCreate().
*
* @param uxBitsToSet The bits to set in the event group before determining
* if, and possibly waiting for, all the bits specified by the uxBitsToWait
* parameter are set.
*
* @param uxBitsToWaitFor A bitwise value that indicates the bit or bits to test
* inside the event group. For example, to wait for bit 0 and bit 2 set
* uxBitsToWaitFor to 0x05. To wait for bits 0 and bit 1 and bit 2 set
* uxBitsToWaitFor to 0x07. Etc.
*
* @param xTicksToWait The maximum amount of time (specified in 'ticks') to wait
* for all of the bits specified by uxBitsToWaitFor to become set.
*
* @return The value of the event group at the time either the bits being waited
* for became set, or the block time expired. Test the return value to know
* which bits were set. If xEventGroupSync() returned because its timeout
* expired then not all the bits being waited for will be set. If
* xEventGroupSync() returned because all the bits it was waiting for were
* set then the returned value is the event group value before any bits were
* automatically cleared.
*
* Example usage:
<pre>
// Bits used by the three tasks.
#define TASK_0_BIT ( 1 << 0 )
#define TASK_1_BIT ( 1 << 1 )
#define TASK_2_BIT ( 1 << 2 )
#define ALL_SYNC_BITS ( TASK_0_BIT | TASK_1_BIT | TASK_2_BIT )
// Use an event group to synchronise three tasks. It is assumed this event
// group has already been created elsewhere.
EventGroupHandle_t xEventBits;
void vTask0( void *pvParameters )
{
EventBits_t uxReturn;
TickType_t xTicksToWait = 100 / portTICK_PERIOD_MS;
for( ;; )
{
// Perform task functionality here.
// Set bit 0 in the event flag to note this task has reached the
// sync point. The other two tasks will set the other two bits defined
// by ALL_SYNC_BITS. All three tasks have reached the synchronisation
// point when all the ALL_SYNC_BITS are set. Wait a maximum of 100ms
// for this to happen.
uxReturn = xEventGroupSync( xEventBits, TASK_0_BIT, ALL_SYNC_BITS, xTicksToWait );
if( ( uxReturn & ALL_SYNC_BITS ) == ALL_SYNC_BITS )
{
// All three tasks reached the synchronisation point before the call
// to xEventGroupSync() timed out.
}
}
}
void vTask1( void *pvParameters )
{
for( ;; )
{
// Perform task functionality here.
// Set bit 1 in the event flag to note this task has reached the
// synchronisation point. The other two tasks will set the other two
// bits defined by ALL_SYNC_BITS. All three tasks have reached the
// synchronisation point when all the ALL_SYNC_BITS are set. Wait
// indefinitely for this to happen.
xEventGroupSync( xEventBits, TASK_1_BIT, ALL_SYNC_BITS, portMAX_DELAY );
// xEventGroupSync() was called with an indefinite block time, so
// this task will only reach here if the syncrhonisation was made by all
// three tasks, so there is no need to test the return value.
}
}
void vTask2( void *pvParameters )
{
for( ;; )
{
// Perform task functionality here.
// Set bit 2 in the event flag to note this task has reached the
// synchronisation point. The other two tasks will set the other two
// bits defined by ALL_SYNC_BITS. All three tasks have reached the
// synchronisation point when all the ALL_SYNC_BITS are set. Wait
// indefinitely for this to happen.
xEventGroupSync( xEventBits, TASK_2_BIT, ALL_SYNC_BITS, portMAX_DELAY );
// xEventGroupSync() was called with an indefinite block time, so
// this task will only reach here if the syncrhonisation was made by all
// three tasks, so there is no need to test the return value.
}
}
</pre>
* \defgroup xEventGroupSync xEventGroupSync
* \ingroup EventGroup
*/
EventBits_t xEventGroupSync( EventGroupHandle_t xEventGroup, const EventBits_t uxBitsToSet, const EventBits_t uxBitsToWaitFor, TickType_t xTicksToWait ) PRIVILEGED_FUNCTION;
/**
* event_groups.h
*<pre>
EventBits_t xEventGroupGetBits( EventGroupHandle_t xEventGroup );
</pre>
*
* Returns the current value of the bits in an event group. This function
* cannot be used from an interrupt.
*
* @param xEventGroup The event group being queried.
*
* @return The event group bits at the time xEventGroupGetBits() was called.
*
* \defgroup xEventGroupGetBits xEventGroupGetBits
* \ingroup EventGroup
*/
#define xEventGroupGetBits( xEventGroup ) xEventGroupClearBits( xEventGroup, 0 )
/**
* event_groups.h
*<pre>
EventBits_t xEventGroupGetBitsFromISR( EventGroupHandle_t xEventGroup );
</pre>
*
* A version of xEventGroupGetBits() that can be called from an ISR.
*
* @param xEventGroup The event group being queried.
*
* @return The event group bits at the time xEventGroupGetBitsFromISR() was called.
*
* \defgroup xEventGroupGetBitsFromISR xEventGroupGetBitsFromISR
* \ingroup EventGroup
*/
#define xEventGroupGetBitsFromISR( xEventGroup ) xEventGroupClearBitsFromISR( xEventGroup, 0 )
/**
* event_groups.h
*<pre>
void xEventGroupDelete( EventGroupHandle_t xEventGroup );
</pre>
*
* Delete an event group that was previously created by a call to
* xEventGroupCreate(). Tasks that are blocked on the event group will be
* unblocked and obtain 0 as the event group's value.
*
* @param xEventGroup The event group being deleted.
*/
void vEventGroupDelete( EventGroupHandle_t xEventGroup );
/* For internal use only. */
void vEventGroupSetBitsCallback( void *pvEventGroup, const uint32_t ulBitsToSet );
#if (configUSE_TRACE_FACILITY == 1)
UBaseType_t uxEventGroupGetNumber( void* xEventGroup );
#endif
#ifdef __cplusplus
}
#endif
#endif /* EVENT_GROUPS_H */
| {
"content_hash": "2a9df8baf0ce1d76df42d49dee0905c8",
"timestamp": "",
"source": "github",
"line_count": 617,
"max_line_length": 226,
"avg_line_length": 38.13452188006483,
"alnum_prop": 0.7068723702664796,
"repo_name": "james54068/stm32f429_learning",
"id": "41e91276f66cb03f9ae549c6e9fa1dd9c8fee8de",
"size": "27117",
"binary": false,
"copies": "8",
"ref": "refs/heads/master",
"path": "stm32f429_SDCard/freertos/inc/event_groups.h",
"mode": "33188",
"license": "mit",
"language": [
{
"name": "Assembly",
"bytes": "1781117"
},
{
"name": "C",
"bytes": "39049950"
},
{
"name": "C++",
"bytes": "2532831"
},
{
"name": "CSS",
"bytes": "270876"
},
{
"name": "JavaScript",
"bytes": "996886"
},
{
"name": "Makefile",
"bytes": "24127"
},
{
"name": "Objective-C",
"bytes": "11759"
},
{
"name": "Shell",
"bytes": "9891"
}
],
"symlink_target": ""
} |
package com.github.benmanes.caffeine.cache.simulator.policy;
import static com.google.common.base.Preconditions.checkNotNull;
import static com.google.common.base.Preconditions.checkState;
import static com.google.common.collect.ImmutableSet.toImmutableSet;
import static java.util.Locale.US;
import static org.apache.commons.lang3.StringUtils.isNotBlank;
import java.util.HashMap;
import java.util.Map;
import java.util.Set;
import java.util.function.BiFunction;
import java.util.function.Function;
import com.github.benmanes.caffeine.cache.simulator.BasicSettings;
import com.github.benmanes.caffeine.cache.simulator.policy.Policy.Characteristic;
import com.github.benmanes.caffeine.cache.simulator.policy.Policy.PolicySpec;
import com.github.benmanes.caffeine.cache.simulator.policy.adaptive.ArcPolicy;
import com.github.benmanes.caffeine.cache.simulator.policy.adaptive.CarPolicy;
import com.github.benmanes.caffeine.cache.simulator.policy.adaptive.CartPolicy;
import com.github.benmanes.caffeine.cache.simulator.policy.greedy_dual.CampPolicy;
import com.github.benmanes.caffeine.cache.simulator.policy.greedy_dual.GDWheelPolicy;
import com.github.benmanes.caffeine.cache.simulator.policy.greedy_dual.GdsfPolicy;
import com.github.benmanes.caffeine.cache.simulator.policy.irr.ClockProPlusPolicy;
import com.github.benmanes.caffeine.cache.simulator.policy.irr.ClockProPolicy;
import com.github.benmanes.caffeine.cache.simulator.policy.irr.ClockProSimplePolicy;
import com.github.benmanes.caffeine.cache.simulator.policy.irr.DClockPolicy;
import com.github.benmanes.caffeine.cache.simulator.policy.irr.FrdPolicy;
import com.github.benmanes.caffeine.cache.simulator.policy.irr.HillClimberFrdPolicy;
import com.github.benmanes.caffeine.cache.simulator.policy.irr.IndicatorFrdPolicy;
import com.github.benmanes.caffeine.cache.simulator.policy.irr.LirsPolicy;
import com.github.benmanes.caffeine.cache.simulator.policy.linked.FrequentlyUsedPolicy;
import com.github.benmanes.caffeine.cache.simulator.policy.linked.LinkedPolicy;
import com.github.benmanes.caffeine.cache.simulator.policy.linked.MultiQueuePolicy;
import com.github.benmanes.caffeine.cache.simulator.policy.linked.S4LruPolicy;
import com.github.benmanes.caffeine.cache.simulator.policy.linked.SegmentedLruPolicy;
import com.github.benmanes.caffeine.cache.simulator.policy.opt.ClairvoyantPolicy;
import com.github.benmanes.caffeine.cache.simulator.policy.opt.UnboundedPolicy;
import com.github.benmanes.caffeine.cache.simulator.policy.product.Cache2kPolicy;
import com.github.benmanes.caffeine.cache.simulator.policy.product.CaffeinePolicy;
import com.github.benmanes.caffeine.cache.simulator.policy.product.CoherencePolicy;
import com.github.benmanes.caffeine.cache.simulator.policy.product.Ehcache3Policy;
import com.github.benmanes.caffeine.cache.simulator.policy.product.ExpiringMapPolicy;
import com.github.benmanes.caffeine.cache.simulator.policy.product.GuavaPolicy;
import com.github.benmanes.caffeine.cache.simulator.policy.product.HazelcastPolicy;
import com.github.benmanes.caffeine.cache.simulator.policy.product.OhcPolicy;
import com.github.benmanes.caffeine.cache.simulator.policy.product.TCachePolicy;
import com.github.benmanes.caffeine.cache.simulator.policy.sampled.SampledPolicy;
import com.github.benmanes.caffeine.cache.simulator.policy.sketch.WindowTinyLfuPolicy;
import com.github.benmanes.caffeine.cache.simulator.policy.sketch.climbing.HillClimberWindowTinyLfuPolicy;
import com.github.benmanes.caffeine.cache.simulator.policy.sketch.feedback.FeedbackTinyLfuPolicy;
import com.github.benmanes.caffeine.cache.simulator.policy.sketch.feedback.FeedbackWindowTinyLfuPolicy;
import com.github.benmanes.caffeine.cache.simulator.policy.sketch.segment.FullySegmentedWindowTinyLfuPolicy;
import com.github.benmanes.caffeine.cache.simulator.policy.sketch.segment.LruWindowTinyLfuPolicy;
import com.github.benmanes.caffeine.cache.simulator.policy.sketch.segment.RandomWindowTinyLfuPolicy;
import com.github.benmanes.caffeine.cache.simulator.policy.sketch.segment.S4WindowTinyLfuPolicy;
import com.github.benmanes.caffeine.cache.simulator.policy.sketch.tinycache.TinyCachePolicy;
import com.github.benmanes.caffeine.cache.simulator.policy.sketch.tinycache.TinyCacheWithGhostCachePolicy;
import com.github.benmanes.caffeine.cache.simulator.policy.sketch.tinycache.WindowTinyCachePolicy;
import com.github.benmanes.caffeine.cache.simulator.policy.two_queue.TuQueuePolicy;
import com.github.benmanes.caffeine.cache.simulator.policy.two_queue.TwoQueuePolicy;
import com.google.auto.value.AutoValue;
import com.google.common.collect.ImmutableSet;
import com.typesafe.config.Config;
/**
* The registry of caching policies.
*
* @author [email protected] (Ben Manes)
*/
public final class Registry {
private final Set<Characteristic> characteristics;
private final Map<String, Factory> factories;
private final BasicSettings settings;
public Registry(BasicSettings settings, Set<Characteristic> characteristics) {
this.characteristics = characteristics;
this.factories = new HashMap<>();
this.settings = settings;
buildRegistry();
}
/**
* Returns all of the policies that have been configured for simulation and that meet a minimal
* set of supported characteristics.
*/
public ImmutableSet<Policy> policies() {
return settings.policies().stream()
.map(name -> checkNotNull(factories.get(name.toLowerCase(US)), "%s not found", name))
.filter(factory -> factory.characteristics().containsAll(characteristics))
.flatMap(factory -> factory.creator().apply(settings.config()).stream())
.collect(toImmutableSet());
}
private void buildRegistry() {
registerIrr();
registerLinked();
registerSketch();
registerOptimal();
registerSampled();
registerProduct();
registerTwoQueue();
registerAdaptive();
registerGreedyDual();
}
/** Registers the policy based on the annotated name. */
private void register(Class<? extends Policy> policyClass, Function<Config, Policy> creator) {
registerMany(policyClass, config -> ImmutableSet.of(creator.apply(config)));
}
/** Registers the policy based on the annotated name. */
private void register(Class<? extends Policy> policyClass,
BiFunction<Config, Set<Characteristic>, Policy> creator) {
registerMany(policyClass, config -> ImmutableSet.of(creator.apply(config, characteristics)));
}
/** Registers the policy based on the annotated name. */
private void registerMany(Class<? extends Policy> policyClass,
Function<Config, Set<Policy>> creator) {
PolicySpec policySpec = policyClass.getAnnotation(PolicySpec.class);
checkState(isNotBlank(policySpec.name()), "The name must be specified on %s", policyClass);
registerMany(policySpec.name(), policyClass, creator);
}
/** Registers the policy using the specified name. */
private void registerMany(String name, Class<? extends Policy> policyClass,
Function<Config, Set<Policy>> creator) {
factories.put(name.trim().toLowerCase(US), Factory.of(policyClass, creator));
}
private void registerOptimal() {
register(ClairvoyantPolicy.class, ClairvoyantPolicy::new);
register(UnboundedPolicy.class, config -> new UnboundedPolicy(config, characteristics));
}
private void registerLinked() {
for (var policy : LinkedPolicy.EvictionPolicy.values()) {
registerMany(policy.label(), LinkedPolicy.class,
config -> LinkedPolicy.policies(config, characteristics, policy));
}
for (var policy : FrequentlyUsedPolicy.EvictionPolicy.values()) {
registerMany(policy.label(), FrequentlyUsedPolicy.class,
config -> FrequentlyUsedPolicy.policies(config, policy));
}
registerMany(S4LruPolicy.class, S4LruPolicy::policies);
register(MultiQueuePolicy.class, MultiQueuePolicy::new);
registerMany(SegmentedLruPolicy.class, SegmentedLruPolicy::policies);
}
private void registerSampled() {
for (var policy : SampledPolicy.EvictionPolicy.values()) {
registerMany(policy.label(), SampledPolicy.class,
config -> SampledPolicy.policies(config, policy));
}
}
private void registerTwoQueue() {
register(TuQueuePolicy.class, TuQueuePolicy::new);
register(TwoQueuePolicy.class, TwoQueuePolicy::new);
}
private void registerSketch() {
registerMany(WindowTinyLfuPolicy.class, WindowTinyLfuPolicy::policies);
registerMany(S4WindowTinyLfuPolicy.class, S4WindowTinyLfuPolicy::policies);
registerMany(LruWindowTinyLfuPolicy.class, LruWindowTinyLfuPolicy::policies);
registerMany(RandomWindowTinyLfuPolicy.class, RandomWindowTinyLfuPolicy::policies);
registerMany(FullySegmentedWindowTinyLfuPolicy.class,
FullySegmentedWindowTinyLfuPolicy::policies);
register(FeedbackTinyLfuPolicy.class, FeedbackTinyLfuPolicy::new);
registerMany(FeedbackWindowTinyLfuPolicy.class, FeedbackWindowTinyLfuPolicy::policies);
registerMany(HillClimberWindowTinyLfuPolicy.class, HillClimberWindowTinyLfuPolicy::policies);
register(TinyCachePolicy.class, TinyCachePolicy::new);
register(WindowTinyCachePolicy.class, WindowTinyCachePolicy::new);
register(TinyCacheWithGhostCachePolicy.class, TinyCacheWithGhostCachePolicy::new);
}
private void registerIrr() {
register(FrdPolicy.class, FrdPolicy::new);
register(IndicatorFrdPolicy.class, IndicatorFrdPolicy::new);
register(HillClimberFrdPolicy.class, HillClimberFrdPolicy::new);
register(LirsPolicy.class, LirsPolicy::new);
register(ClockProPolicy.class, ClockProPolicy::new);
register(ClockProPlusPolicy.class, ClockProPlusPolicy::new);
register(ClockProSimplePolicy.class, ClockProSimplePolicy::new);
registerMany(DClockPolicy.class, DClockPolicy::policies);
}
private void registerAdaptive() {
register(ArcPolicy.class, ArcPolicy::new);
register(CarPolicy.class, CarPolicy::new);
register(CartPolicy.class, CartPolicy::new);
}
private void registerGreedyDual() {
register(CampPolicy.class, CampPolicy::new);
register(GdsfPolicy.class, GdsfPolicy::new);
register(GDWheelPolicy.class, GDWheelPolicy::new);
}
private void registerProduct() {
register(GuavaPolicy.class, GuavaPolicy::new);
register(Cache2kPolicy.class, Cache2kPolicy::new);
registerMany(OhcPolicy.class, OhcPolicy::policies);
register(CaffeinePolicy.class, CaffeinePolicy::new);
register(Ehcache3Policy.class, Ehcache3Policy::new);
registerMany(TCachePolicy.class, TCachePolicy::policies);
registerMany(CoherencePolicy.class, CoherencePolicy::policies);
registerMany(HazelcastPolicy.class, HazelcastPolicy::policies);
registerMany(ExpiringMapPolicy.class, ExpiringMapPolicy::policies);
}
@AutoValue
abstract static class Factory {
abstract Class<? extends Policy> policyClass();
abstract Function<Config, Set<Policy>> creator();
Set<Characteristic> characteristics() {
var policySpec = policyClass().getAnnotation(PolicySpec.class);
return (policySpec == null)
? ImmutableSet.of()
: ImmutableSet.copyOf(policySpec.characteristics());
}
static Factory of(Class<? extends Policy> policyClass, Function<Config, Set<Policy>> creator) {
return new AutoValue_Registry_Factory(policyClass, creator);
}
}
}
| {
"content_hash": "fd44c972466aa79bf37f30954b5d68dc",
"timestamp": "",
"source": "github",
"line_count": 235,
"max_line_length": 108,
"avg_line_length": 48.327659574468086,
"alnum_prop": 0.7892048956590649,
"repo_name": "ben-manes/caffeine",
"id": "359336d193cbfee274532cfbd55fd2029911c6c3",
"size": "11971",
"binary": false,
"copies": "1",
"ref": "refs/heads/master",
"path": "simulator/src/main/java/com/github/benmanes/caffeine/cache/simulator/policy/Registry.java",
"mode": "33188",
"license": "apache-2.0",
"language": [
{
"name": "Java",
"bytes": "1124239"
},
{
"name": "Shell",
"bytes": "2245"
}
],
"symlink_target": ""
} |
.list .list-item {
list-style: none;
}
#app {
margin-left: auto;
margin-right: auto;
width: 70%;
}
#add-bus {
margin-right: 15px;
margin-left: 45px;
margin-top: 7px;
margin-bottom: 10px;
}
#advanced-options-toggle {
margin-left: 15px;
}
/* list styles that didn't make it into the compiled thing */
.list .list-item {
padding: 10px 6px 10px 0;
margin: 0;
position: relative;
width: 100%;
}
.list .list-item:not(tr):not(li) {
display: inline-block;
vertical-align: top;
}
.list a.list-item {
text-decoration: none;
display: block;
color: #111;
}
.list a.list-item:hover {
cursor: pointer;
}
.list .list-item-meta {
font-size: 0.8em;
color: #888;
}
.list .list-item-meta p {
margin: 0;
}
.list .list-item-meta strong {
color: #777;
}
.list-bordered .list-item {
border-bottom: 1px solid #e2e2e2;
}
.list-bordered .list-item:last-child {
border-bottom: none;
}
.list-compact .list-item {
padding: 0px 4px 0 0;
margin: 0;
}
.list-toggle .list-item {
padding: 0.4em 0.4em 0.4em 2em;
}
.list-toggle .list-item.active > :first-child::before {
content: '';
position: absolute;
border-color: #009933;
border-style: solid;
border-width: 0 0.3em 0.25em 0;
height: 1em;
top: 1.5em;
left: 0.8em;
margin-top: -1em;
transform: rotate(45deg);
-webkit-transform: rotate(45deg);
width: 0.5em;
}
.list-hover :not(tr).list-item:hover,
.list-hover tr.list-item:hover > td {
background-color: #f2f2f2;
}
.list-hover :not(tr).list-item:hover,
.list-hover tr.list-item:hover > td:first-child {
border-left-color: #d0d0d0;
}
.list-state.list-hover :not(tr).list-item,
.list-state.list-hover tr.list-item > td:first-child {
padding-left: 12px;
border-left-width: 3px;
border-left-style: solid;
border-left-color: transparent;
}
.list-state.list-hover :not(tr).list-item.default:hover,
.list-state.list-hover tr.list-item.default:hover > td:first-child {
border-left-color: #dddddd;
}
.list-state .list-item.default:not(tr),
.list-state .list-item.active:not(tr),
.list-state .list-item.warning:not(tr),
.list-state .list-item.info:not(tr),
.list-state .list-item.danger:not(tr),
.list-state .list-item.success:not(tr),
.list-state .list-item.default > td:first-child,
.list-state .list-item.active > td:first-child,
.list-state .list-item.warning > td:first-child,
.list-state .list-item.info > td:first-child,
.list-state .list-item.danger > td:first-child,
.list-state .list-item.success > td:first-child {
padding-left: 12px;
border-left-width: 3px;
border-left-style: solid;
border-left-color: transparent;
}
.list-state .list-item.default:not(tr),
.list-state .list-item.default > td:first-child {
border-left-color: transparent;
}
.list-hover :not(tr).list-item.default:hover,
.list-hover tr.list-item.default:hover > td {
background-color: #f2f2f2;
}
.list-hover :not(tr).list-item.default:hover,
.list-hover tr.list-item.default:hover > td:first-child {
border-left-color: rgba(0, 0, 0, 0);
}
.list-state :not(tr).list-item.default,
.list-state tr.list-item.default > td:first-child {
border-left-color: transparent;
}
.list-state-bg :not(tr).list-item.default,
.list-state-bg tr.list-item.default > td:first-child {
background-color: #ffffff;
}
.list-hover :not(tr).list-item.active:hover,
.list-hover tr.list-item.active:hover > td {
background-color: #e5e5e5;
}
.list-hover :not(tr).list-item.active:hover,
.list-hover tr.list-item.active:hover > td:first-child {
border-left-color: #bfbfbf;
}
.list-state :not(tr).list-item.active,
.list-state tr.list-item.active > td:first-child {
border-left-color: #cccccc;
}
.list-state-bg :not(tr).list-item.active,
.list-state-bg tr.list-item.active > td:first-child {
background-color: #f2f2f2;
}
.list-hover :not(tr).list-item.info:hover,
.list-hover tr.list-item.info:hover > td {
background-color: #c4e3f3;
}
.list-hover :not(tr).list-item.info:hover,
.list-hover tr.list-item.info:hover > td:first-child {
border-left-color: #46b8da;
}
.list-state :not(tr).list-item.info,
.list-state tr.list-item.info > td:first-child {
border-left-color: #5bc0de;
}
.list-state-bg :not(tr).list-item.info,
.list-state-bg tr.list-item.info > td:first-child {
background-color: #d9edf7;
}
.list-hover :not(tr).list-item.danger:hover,
.list-hover tr.list-item.danger:hover > td {
background-color: #ebcccc;
}
.list-hover :not(tr).list-item.danger:hover,
.list-hover tr.list-item.danger:hover > td:first-child {
border-left-color: #d43f3a;
}
.list-state :not(tr).list-item.danger,
.list-state tr.list-item.danger > td:first-child {
border-left-color: #d9534f;
}
.list-state-bg :not(tr).list-item.danger,
.list-state-bg tr.list-item.danger > td:first-child {
background-color: #f2dede;
}
.list-hover :not(tr).list-item.warning:hover,
.list-hover tr.list-item.warning:hover > td {
background-color: #faf2cc;
}
.list-hover :not(tr).list-item.warning:hover,
.list-hover tr.list-item.warning:hover > td:first-child {
border-left-color: #eea236;
}
.list-state :not(tr).list-item.warning,
.list-state tr.list-item.warning > td:first-child {
border-left-color: #f0ad4e;
}
.list-state-bg :not(tr).list-item.warning,
.list-state-bg tr.list-item.warning > td:first-child {
background-color: #fcf8e3;
}
.list-hover :not(tr).list-item.success:hover,
.list-hover tr.list-item.success:hover > td {
background-color: #d0e9c6;
}
.list-hover :not(tr).list-item.success:hover,
.list-hover tr.list-item.success:hover > td:first-child {
border-left-color: #4cae4c;
}
.list-state :not(tr).list-item.success,
.list-state tr.list-item.success > td:first-child {
border-left-color: #5cb85c;
}
.list-state-bg :not(tr).list-item.success,
.list-state-bg tr.list-item.success > td:first-child {
background-color: #dff0d8;
}
/* typeahead styles */
.twitter-typeahead {
width: 95%;
}
.tt-query,
.tt-hint {
width: 396px;
height: 30px;
padding: 8px 12px;
line-height: 30px;
border: 2px solid #ccc;
border-radius: 8px;
outline: none;
}
.tt-hint {
left: -3px !important;
}
.tt-query {
box-shadow: inset 0 1px 1px rgba(0, 0, 0, 0.075);
}
.tt-hint {
color: #999
}
.tt-dropdown-menu {
width: 422px;
margin-top: 12px;
padding: 8px 0;
background-color: #fff;
border: 1px solid #ccc;
border: 1px solid rgba(0, 0, 0, 0.2);
border-radius: 8px;
box-shadow: 0 5px 10px rgba(0,0,0,.2);
}
.tt-suggestion {
padding: 3px 20px;
font-size: 18px;
}
.tt-suggestion.tt-cursor { /* UPDATE: newer versions use .tt-suggestion.tt-cursor */
color: #fff;
background-color: #0097cf;
}
.tt-suggestion p {
margin: 0;
} | {
"content_hash": "5463939067b1017c3df6bfb42f412cd0",
"timestamp": "",
"source": "github",
"line_count": 266,
"max_line_length": 84,
"avg_line_length": 24.928571428571427,
"alnum_prop": 0.6827024581511084,
"repo_name": "jeremybmerrill/bigappleserialbus",
"id": "d01d1e5f60bf8135d035f8c395a726cdfa2fb1eb",
"size": "6631",
"binary": false,
"copies": "1",
"ref": "refs/heads/master",
"path": "admin/static/admin.css",
"mode": "33188",
"license": "apache-2.0",
"language": [
{
"name": "CSS",
"bytes": "6631"
},
{
"name": "HTML",
"bytes": "9726"
},
{
"name": "JavaScript",
"bytes": "5075"
},
{
"name": "Python",
"bytes": "96780"
},
{
"name": "Ruby",
"bytes": "5362"
}
],
"symlink_target": ""
} |
/*===-- semispace.c - Simple semi-space copying garbage collector ---------===*\
|*
|* The LLVM Compiler Infrastructure
|*
|* This file was developed by the LLVM research group and is distributed under
|* the University of Illinois Open Source License. See LICENSE.TXT for details.
|*
|*===----------------------------------------------------------------------===*|
|*
|* This garbage collector is an extremely simple copying collector. It splits
|* the managed region of memory into two pieces: the current space to allocate
|* from, and the copying space. When the portion being allocated from fills up,
|* a garbage collection cycle happens, which copies all live blocks to the other
|* half of the managed space.
|*
\*===----------------------------------------------------------------------===*/
#include <stdio.h>
#include <stdlib.h>
#include <string.h>
/* AllocPtr - This points to the next byte that is available for allocation.
*/
static char *AllocPtr;
/* AllocEnd - This points to the first byte not available for allocation. When
* AllocPtr passes this, we have run out of space.
*/
static char *AllocEnd;
/* CurSpace/OtherSpace - These pointers point to the two regions of memory that
* we switch between. The unallocated portion of the CurSpace is known to be
* zero'd out, but the OtherSpace contains junk.
*/
static void *CurSpace, *OtherSpace;
/* SpaceSize - The size of each space. */
static unsigned SpaceSize;
/* llvm_gc_initialize - Allocate the two spaces that we plan to switch between.
*/
void llvm_gc_initialize(unsigned InitialHeapSize) {
printf ("initializing gc with %d bytes\n", InitialHeapSize);
SpaceSize = InitialHeapSize/2;
CurSpace = AllocPtr = calloc(1, SpaceSize);
OtherSpace = malloc(SpaceSize);
AllocEnd = AllocPtr + SpaceSize;
}
/* We always want to inline the fast path, but never want to inline the slow
* path.
*/
void *llvm_gc_allocate(unsigned Size) __attribute__((always_inline));
static void* llvm_gc_alloc_slow(unsigned Size) __attribute__((noinline));
/* GC */
typedef struct FrameMap {
int32_t NumRoots; //< Number of roots in stack frame.
int32_t NumMeta; //< Number of metadata entries. May be < NumRoots.
const void *Meta[0]; //< Metadata for each root.
} FrameMap;
typedef struct StackEntry {
struct StackEntry *Next; //< Link to next stack entry (the caller's).
const FrameMap *Map; //< Pointer to constant FrameMap.
void *Roots[0]; //< Stack roots (in-place array).
} StackEntry;
StackEntry *llvm_gc_root_chain;
void visitGCRoots(void (*Visitor)(void **Root, const void *Meta)) {
unsigned i;
unsigned e;
for (StackEntry *R = llvm_gc_root_chain; R; R = R->Next) {
i = 0;
// For roots [0, NumMeta), the metadata pointer is in the FrameMap.
for (e = R->Map->NumMeta; i != e; ++i)
Visitor(&R->Roots[i], R->Map->Meta[i]);
// For roots [NumMeta, NumRoots), the metadata pointer is null.
for (e = R->Map->NumRoots; i != e; ++i)
Visitor(&R->Roots[i], NULL);
}
}
static void process_pointer(void **Root, const void *Meta) {
/* printf("process_root[0x%p] = 0x%p meta=%c\n", (void*) Root, (void*) *Root, * (char *) Meta); */
printf("process_root[%p] = %p\n", (void*) Root, (void*) *Root);
}
void llvm_gc_collect() {
// Clear out the space we will be copying into.
// FIXME: This should do the copy, then clear out whatever space is left.
memset(OtherSpace, 0, SpaceSize);
printf("Garbage collecting!!\n");
visitGCRoots (process_pointer);
}
void *llvm_gc_allocate(unsigned Size) {
char *OldAP = AllocPtr;
char *NewEnd = OldAP+Size;
printf ("allocating %d bytes\n", Size);
if (NewEnd > AllocEnd)
return llvm_gc_alloc_slow(Size);
AllocPtr = NewEnd;
return OldAP;
}
static void* llvm_gc_alloc_slow(unsigned Size) {
llvm_gc_collect();
if (AllocPtr+Size > AllocEnd) {
fprintf(stderr, "Garbage collector ran out of memory "
"allocating object of size: %d\n", Size);
exit(1);
}
return llvm_gc_allocate(Size);
}
#define INITIAL_HEAP_SIZE 10000
void __tiger__main (void);
int main (void)
{
char* initial_heap_size = getenv ("TIGERHEAPSIZE");
if (initial_heap_size != NULL) {
llvm_gc_initialize (atoi (initial_heap_size));
} else {
llvm_gc_initialize (INITIAL_HEAP_SIZE);
};
__tiger__main ();
return 0;
}
| {
"content_hash": "93d1017aefe2d6432418c2adc6008790",
"timestamp": "",
"source": "github",
"line_count": 142,
"max_line_length": 100,
"avg_line_length": 30.704225352112676,
"alnum_prop": 0.648394495412844,
"repo_name": "nojb/llvm-tiger",
"id": "66d3c5e0ee74643096660afa22c26c78eccc9210",
"size": "4360",
"binary": false,
"copies": "1",
"ref": "refs/heads/master",
"path": "runtime/tiger_gc.c",
"mode": "33188",
"license": "mit",
"language": [
{
"name": "C",
"bytes": "5726"
},
{
"name": "Makefile",
"bytes": "166"
},
{
"name": "OCaml",
"bytes": "51219"
}
],
"symlink_target": ""
} |
package org.apereo.cas.memcached.kryo.serial;
import com.esotericsoftware.kryo.Kryo;
import com.esotericsoftware.kryo.Serializer;
import com.esotericsoftware.kryo.io.Input;
import com.esotericsoftware.kryo.io.Output;
import lombok.extern.slf4j.Slf4j;
import lombok.val;
import org.apache.commons.lang3.StringUtils;
/**
* This is {@link ThrowableSerializer}.
*
* @author Misagh Moayyed
* @since 5.3.0
*/
@Slf4j
public class ThrowableSerializer extends Serializer<Throwable> {
@Override
public void write(final Kryo kryo, final Output output, final Throwable object) {
kryo.writeObject(output, object.getClass());
kryo.writeObject(output, StringUtils.defaultIfBlank(object.getMessage(), StringUtils.EMPTY));
}
@Override
public Throwable read(final Kryo kryo, final Input input, final Class<Throwable> type) {
try {
val clazz = kryo.readObject(input, Class.class);
val msg = kryo.readObject(input, String.class);
val throwable = (Throwable) clazz.getDeclaredConstructor(String.class).newInstance(msg);
return throwable;
} catch (final Exception e) {
LOGGER.error(e.getMessage(), e);
}
return new Throwable();
}
}
| {
"content_hash": "5e691b34f60197f687194fc2d7c55621",
"timestamp": "",
"source": "github",
"line_count": 39,
"max_line_length": 101,
"avg_line_length": 32.1025641025641,
"alnum_prop": 0.694888178913738,
"repo_name": "tduehr/cas",
"id": "1be1fc2dc55848b448d0b63cd9e8081e00aad730",
"size": "1252",
"binary": false,
"copies": "3",
"ref": "refs/heads/master",
"path": "support/cas-server-support-memcached-core/src/main/java/org/apereo/cas/memcached/kryo/serial/ThrowableSerializer.java",
"mode": "33188",
"license": "apache-2.0",
"language": [
{
"name": "CSS",
"bytes": "241382"
},
{
"name": "Dockerfile",
"bytes": "647"
},
{
"name": "Groovy",
"bytes": "11167"
},
{
"name": "HTML",
"bytes": "140213"
},
{
"name": "Java",
"bytes": "9168115"
},
{
"name": "JavaScript",
"bytes": "34237"
},
{
"name": "Shell",
"bytes": "96762"
}
],
"symlink_target": ""
} |
package fr.javatronic.blog.massive.annotation1.sub1;
import fr.javatronic.blog.processor.Annotation_001;
@Annotation_001
public class Class_2643 {
}
| {
"content_hash": "a5222a6f7436daea4a58b0a17905d7f2",
"timestamp": "",
"source": "github",
"line_count": 7,
"max_line_length": 52,
"avg_line_length": 21.571428571428573,
"alnum_prop": 0.8079470198675497,
"repo_name": "lesaint/experimenting-annotation-processing",
"id": "46e85ddf27af77251d508589a73da405cbb27c03",
"size": "151",
"binary": false,
"copies": "1",
"ref": "refs/heads/master",
"path": "experimenting-rounds/massive-count-of-annotated-classes/src/main/java/fr/javatronic/blog/massive/annotation1/sub1/Class_2643.java",
"mode": "33188",
"license": "apache-2.0",
"language": [
{
"name": "Java",
"bytes": "1909421"
},
{
"name": "Shell",
"bytes": "1605"
}
],
"symlink_target": ""
} |
<?php
/**
* The following variables are available in this template:
* - $this: the CrudCode object
*/
?>
<?php
echo "<?php\n";
$nameColumn=$this->guessNameColumn($this->tableSchema->columns);
$label=$this->pluralize($this->class2name($this->modelClass));
echo "\$this->breadcrumbs=array(
'$label'=>array('index'),
\$model->{$nameColumn},
);\n";
?>
$this->menu=array(
array('label'=>'Создать', 'url'=>array('create')),
array('label'=>'Обновить', 'url'=>array('update', 'id'=>$model-><?php echo $this->tableSchema->primaryKey; ?>)),
array('label'=>'Список', 'url'=>array('index')),
array('label'=>'Удалить', 'url'=>'#', 'linkOptions'=>array('submit'=>array('delete','id'=>$model-><?php echo $this->tableSchema->primaryKey; ?>),'confirm'=>'Вы действительно хотите удалить эту запись?')),
);
?>
<h1>Просмотр</h1>
<?php echo "<?php"; ?> $this->widget('zii.widgets.CDetailView', array(
'data'=>$model,
'attributes'=>array(
<?php
foreach($this->tableSchema->columns as $column)
echo "\t\t'".$column->name."',\n";
?>
),
)); ?>
| {
"content_hash": "9c8fa564dbfbf9e37e8cf694bf0abcad",
"timestamp": "",
"source": "github",
"line_count": 35,
"max_line_length": 205,
"avg_line_length": 29.65714285714286,
"alnum_prop": 0.6290944123314065,
"repo_name": "pasitive/zapad",
"id": "3375ddf36138764cf738a3fa8972d497dd4c695c",
"size": "1111",
"binary": false,
"copies": "2",
"ref": "refs/heads/master",
"path": "protected/gii/crud/templates/default/view.php",
"mode": "33261",
"license": "bsd-3-clause",
"language": [
{
"name": "CSS",
"bytes": "128836"
},
{
"name": "JavaScript",
"bytes": "34535"
},
{
"name": "PHP",
"bytes": "656490"
},
{
"name": "Perl",
"bytes": "14"
},
{
"name": "Ruby",
"bytes": "2891"
},
{
"name": "Shell",
"bytes": "573"
}
],
"symlink_target": ""
} |
using System;
using System.Text;
using System.Data;
using System.Collections.Generic;
using System.Web;
using System.Web.UI;
using System.Web.UI.WebControls;
using DTcms.Common;
namespace DTcms.Web.admin.business
{
public partial class storeout_cost_list : Web.UI.ManagePage
{
protected int totalCount;
protected int page;
protected int pageSize;
protected int storein_order_id;
protected int type;
protected int status;
protected string keyword;
protected string beginTime = string.Empty;
protected string endTime = string.Empty;
protected void Page_Load(object sender, EventArgs e)
{
this.storein_order_id = DTRequest.GetQueryInt("storein_order_id");
this.type = DTRequest.GetQueryInt("type");
this.status = DTRequest.GetQueryInt("status");
this.keyword = DTRequest.GetQueryString("keyword");
this.beginTime = DTRequest.GetQueryString("beginTime");
this.endTime = DTRequest.GetQueryString("endTime");
this.pageSize = GetPageSize(10); //每页数量
if (!Page.IsPostBack)
{
ChkAdminLevel("storeout_cost_manage", DTEnums.ActionEnum.View.ToString()); //检查权限
TreeBind("");
RptBind(CombSqlTxt(this.storein_order_id, this.type, this.status, this.keyword, this.beginTime, this.endTime), "A.StoreOutOrderId DESC");
}
}
private void TreeBind(string strWhere)
{
BLL.StoreInOrder storeInOrderBLL = new BLL.StoreInOrder();
DataTable storeInOrderDT = storeInOrderBLL.GetList(0, "Status > 1", "Id desc").Tables[0];
this.ddlStoreInOrder.Items.Clear();
this.ddlStoreInOrder.Items.Add(new ListItem("选择出库单", ""));
foreach (DataRow dr in storeInOrderDT.Rows)
{
this.ddlStoreInOrder.Items.Add(new ListItem(dr["AccountNumber"].ToString(), dr["Id"].ToString()));
}
}
#region 数据绑定=================================
private void RptBind(string _strWhere, string _goodsby)
{
this.page = DTRequest.GetQueryInt("page", 1);
if (this.storein_order_id > 0)
{
this.ddlStoreInOrder.SelectedValue = this.storein_order_id.ToString();
}
this.ddlType.SelectedValue = this.type.ToString();
this.ddlStatus.SelectedValue = this.status.ToString();
txtKeyWord.Text = this.keyword;
txtBeginTime.Text = this.beginTime;
txtEndTime.Text = this.endTime;
BLL.StoreOutCost bll = new BLL.StoreOutCost();
this.rptList.DataSource = bll.GetSearchList(this.pageSize, this.page, _strWhere, _goodsby, out this.totalCount);
this.rptList.DataBind();
//绑定页码
txtPageNum.Text = this.pageSize.ToString();
string pageUrl = Utils.CombUrlTxt("storeout_cost_list.aspx", "storein_order_id={0}&type={1}&status={2}&keyword={3}&beginTime={4}&endTime={5}&page={6}",
this.storein_order_id.ToString(), this.type.ToString(), this.status.ToString(), this.keyword.ToString(), this.beginTime.ToString(), this.endTime, "__id__");
PageContent.InnerHtml = Utils.OutPageList(this.pageSize, this.page, this.totalCount, pageUrl, 8);
}
#endregion
#region 组合SQL查询语句==========================
protected string CombSqlTxt(int _storein_order_id, int _type, int _status, string _keyword, string _beginTime, string _endTime)
{
StringBuilder strTemp = new StringBuilder();
if (_storein_order_id > 0)
{
strTemp.Append(" and B.StoreInOrderId=" + _storein_order_id);
}
if (_type == 1)
{
strTemp.Append(" and A.TotalPrice >= 0");
}
else if (_type == 2)
{
strTemp.Append(" and A.TotalPrice < 0");
}
if (_status == 1)
{
strTemp.Append(" and A.Status = 1");
}
else if (_type == 2)
{
strTemp.Append(" and A.Status = 0");
}
if (!string.IsNullOrEmpty(_keyword))
{
strTemp.Append(" and (Name like '%" + _keyword + "%' or Customer like '%" + _keyword + "%' or A.Admin = '" + _keyword + "')");
}
if (!string.IsNullOrEmpty(beginTime))
{
strTemp.Append(" and A.PaidTime>='" + _beginTime + "'");
}
if (!string.IsNullOrEmpty(endTime))
{
strTemp.Append(" and A.PaidTime <='" + _endTime + "'");
}
return strTemp.ToString();
}
#endregion
#region 返回用户每页数量=========================
private int GetPageSize(int _default_size)
{
int _pagesize;
if (int.TryParse(Utils.GetCookie("storeout_cost_page_size", "DTcmsPage"), out _pagesize))
{
if (_pagesize > 0)
{
return _pagesize;
}
}
return _default_size;
}
#endregion
//关健字查询
protected void btnSearch_Click(object sender, EventArgs e)
{
Response.Redirect(Utils.CombUrlTxt("storeout_cost_list.aspx", "storein_order_id={0}&type={1}&status={2}&keyword={3}&beginTime={4}&endTime={5}",
this.storein_order_id.ToString(), this.type.ToString(), this.status.ToString(), txtKeyWord.Text, txtBeginTime.Text, txtEndTime.Text));
}
//待出库状态
protected void ddlType_SelectedIndexChanged(object sender, EventArgs e)
{
Response.Redirect(Utils.CombUrlTxt("storeout_cost_list.aspx", "storein_order_id={0}&type={1}&status={2}&keyword={3}&beginTime={4}&endTime={5}",
this.storein_order_id.ToString(), ddlType.SelectedValue, this.status.ToString(), this.keyword, this.beginTime, this.endTime));
}
protected void ddlStatus_SelectedIndexChanged(object sender, EventArgs e)
{
Response.Redirect(Utils.CombUrlTxt("storeout_cost_list.aspx", "storein_order_id={0}&type={1}&status={2}&keyword={3}&beginTime={4}&endTime={5}",
this.storein_order_id.ToString(), this.type.ToString(), ddlStatus.SelectedValue, this.keyword, this.beginTime, this.endTime));
}
protected void ddlStoreInOrder_SelectedIndexChanged(object sender, EventArgs e)
{
Response.Redirect(Utils.CombUrlTxt("storeout_cost_list.aspx", "storein_order_id={0}&type={1}&status={2}&keyword={3}&beginTime={4}&endTime={5}",
ddlStoreInOrder.SelectedValue, this.type.ToString(), this.status.ToString(), this.keyword, this.beginTime, this.endTime));
}
//设置分页数量
protected void txtPageNum_TextChanged(object sender, EventArgs e)
{
int _pagesize;
if (int.TryParse(txtPageNum.Text.Trim(), out _pagesize))
{
if (_pagesize > 0)
{
Utils.WriteCookie("storeout_cost_page_size", "DTcmsPage", _pagesize.ToString(), 14400);
}
}
Response.Redirect(Utils.CombUrlTxt("storeout_cost_list.aspx", "storein_order_id={0}&type={1}&status={2}&keyword={3}&beginTime={4}&endTime={5}",
this.storein_order_id.ToString(), this.keyword.ToString(), this.beginTime.ToString(), this.endTime));
}
}
} | {
"content_hash": "b9c792f70cbb9c43b82315c821d19a07",
"timestamp": "",
"source": "github",
"line_count": 180,
"max_line_length": 172,
"avg_line_length": 42.46666666666667,
"alnum_prop": 0.5644950287807431,
"repo_name": "LutherW/MWMS",
"id": "d5c0e97b8bd6a721ed73bbc7f5edca161141864f",
"size": "7748",
"binary": false,
"copies": "2",
"ref": "refs/heads/master",
"path": "Source/DTcms.Web/admin/business/storeout_cost_list.aspx.cs",
"mode": "33188",
"license": "apache-2.0",
"language": [
{
"name": "ASP",
"bytes": "1907954"
},
{
"name": "C#",
"bytes": "3098946"
},
{
"name": "CSS",
"bytes": "479025"
},
{
"name": "HTML",
"bytes": "440127"
},
{
"name": "JavaScript",
"bytes": "1376460"
}
],
"symlink_target": ""
} |
#pragma once
//std
#include <string>
#include <vector>
namespace core {
namespace utils {
std::vector<std::string> tokenize(const std::string& a_data,
const std::vector<char>& a_white_spaces,
const std::vector<char>& a_separators);
} // namespace utils
} // namespace core | {
"content_hash": "c55bd2c92e74bcef4819144a18718ed4",
"timestamp": "",
"source": "github",
"line_count": 17,
"max_line_length": 74,
"avg_line_length": 21.294117647058822,
"alnum_prop": 0.5441988950276243,
"repo_name": "dynamicreflectance/core",
"id": "d51dcd0f4b0ab5b10c4fe96ab76a97ec7539ab6d",
"size": "558",
"binary": false,
"copies": "1",
"ref": "refs/heads/master",
"path": "utils/source/Tokenizer.hpp",
"mode": "33188",
"license": "mit",
"language": [
{
"name": "C",
"bytes": "264777"
},
{
"name": "C++",
"bytes": "1452981"
},
{
"name": "Objective-C",
"bytes": "3226"
}
],
"symlink_target": ""
} |
require 'socket'
module Guard
class Spork
class SporkInstance
attr_reader :type, :env, :port, :options, :pid, :process
def initialize(type, port, env, options)
@type = type
@port = port
@env = env
@options = options
end
def to_s
case type
when :rspec
"RSpec"
when :cucumber
"Cucumber"
when :test_unit
"Test::Unit"
when :minitest
"MiniTest"
else
type.to_s
end
end
def start
executable, *cmd = command
::Guard::UI.debug "guard-spork command execution: #{cmd}"
@process = ChildProcess.build(executable, *cmd)
@process.environment.merge!(env) unless env.empty?
@process.io.inherit!
@process.start
@pid = @process.pid
end
def stop
process.stop
end
def alive?
pid && process.alive?
end
def running?
return false unless alive?
TCPSocket.new('127.0.0.1', port).close
true
rescue Errno::ECONNREFUSED
false
end
def command
parts = []
if use_bundler?
parts << "bundle"
parts << "exec"
end
if use_foreman?
parts << "foreman"
parts << "run"
end
parts << "spork"
if type == :test_unit
parts << "testunit"
elsif type == :cucumber
parts << "cu"
elsif type == :minitest
parts << "minitest"
end
parts << "-p"
parts << port.to_s
parts << "-q" if options[:quiet]
if use_foreman?
parts << "-e=#{options[:foreman].fetch(:env, '.env')}" if foreman_options?
end
parts
end
def self.spork_pids
`ps aux | grep -v guard | awk '/spork/&&!/awk/{print $2;}'`.split("\n").map { |pid| pid.to_i }
end
private
def use_bundler?
options[:bundler]
end
def use_foreman?
options[:foreman]
end
def foreman_options?
options[:foreman].is_a?(Hash)
end
end
end
end
| {
"content_hash": "01b5c6ff0e6850721234280fba372ea0",
"timestamp": "",
"source": "github",
"line_count": 109,
"max_line_length": 102,
"avg_line_length": 19.660550458715598,
"alnum_prop": 0.49883341110592627,
"repo_name": "viktor-kolosek/sample_app_rails_4",
"id": "5692433b846cfccadb7b62f8bf493850f9a4aa07",
"size": "2143",
"binary": false,
"copies": "2",
"ref": "refs/heads/master",
"path": "vendor/bundle/ruby/2.0.0/gems/guard-spork-1.5.0/lib/guard/spork/spork_instance.rb",
"mode": "33188",
"license": "mit",
"language": [
{
"name": "CSS",
"bytes": "138595"
},
{
"name": "CoffeeScript",
"bytes": "633"
},
{
"name": "Cucumber",
"bytes": "423"
},
{
"name": "HTML",
"bytes": "12933"
},
{
"name": "JavaScript",
"bytes": "364652"
},
{
"name": "Ruby",
"bytes": "66077"
}
],
"symlink_target": ""
} |
<h1>Lawrence Ma</h1>
<h3>Full Stack Web Developer</h3>
- Ruby
- Javascript
- JQuery
- Ajax
- React JS/Flux
- Sinatra
- Ruby on Rails
- RSpec
- Jasmine
- Capybara
| {
"content_hash": "5ac5583f90cb3bca43c131e8196bd23a",
"timestamp": "",
"source": "github",
"line_count": 13,
"max_line_length": 33,
"avg_line_length": 12.538461538461538,
"alnum_prop": 0.6871165644171779,
"repo_name": "lawrencetma/lawrencetma.github.io",
"id": "afec8ff82d9bd5a029ec27f9781d67b4b5137b83",
"size": "163",
"binary": false,
"copies": "1",
"ref": "refs/heads/master",
"path": "README.md",
"mode": "33188",
"license": "mit",
"language": [
{
"name": "CSS",
"bytes": "1628"
},
{
"name": "HTML",
"bytes": "27460"
}
],
"symlink_target": ""
} |
package com.bingobinbin.activity;
import android.app.Activity;
import android.graphics.BitmapFactory;
import android.os.Bundle;
import android.os.Looper;
import android.view.View;
import android.view.View.OnClickListener;
import android.widget.ImageView;
import com.bingobinbin.utils.R;
import com.umeng.bitmap.thread.FileDownloader;
import com.umeng.bitmap.utils.BitmapManager;
public class MainActivity extends Activity {
@Override
public void onCreate(Bundle savedInstanceState) {
super.onCreate(savedInstanceState);
setContentView(R.layout.activity_main);
final ImageView imageView = (ImageView) findViewById(R.id.image_test);
BitmapManager manager = new BitmapManager(MainActivity.this);
manager.setDefaultBmp(BitmapFactory.decodeResource(getResources(),
R.drawable.ic_launcher));
manager.loadBitmap("http://ac-0zq0d6t6.qiniudn.com/TROMQOLJ0XVS9742jgec9742jgebsqnlCzxvxusp.jpg",
imageView);
findViewById(R.id.load).setOnClickListener(new OnClickListener() {
@Override
public void onClick(View v) {
new Thread(new Runnable() {
@Override
public void run() {
FileDownloader fileDownloader = new FileDownloader(MainActivity.this,
"http://img.blog.csdn.net/20140414134054375?watermark/2/text/aHR0cDovL2Jsb2cuY3Nkbi5uZXQvd2FuZ2ppbnl1NTAx/font/5a6L5L2T/fontsize/400/fill/I0JBQkFCMA==/dissolve/70/gravity/SouthEast", 3);
try {
Looper.prepare();
// Set<String> paths = new HashSet<String>();
// paths.add("http://img.blog.csdn.net/20140414134054375?watermark/2/text/aHR0cDovL2Jsb2cuY3Nkbi5uZXQvd2FuZ2ppbnl1NTAx/font/5a6L5L2T/fontsize/400/fill/I0JBQkFCMA==/dissolve/70/gravity/SouthEast");
// paths.add("http://cms.csdnimg.cn/article/201406/30/53b0aa885c941.jpg");
// paths.add("http://cms.csdnimg.cn/article/201406/30/53b0ff9b141a4.jpg");
// paths.add("http://cms.csdnimg.cn/article/201406/30/53b0cc425c78e.jpg");
// BitmapConfig.getInstance().setDownloadUrlList(paths);
BitmapManager bitmapManager = new BitmapManager(MainActivity.this);
// bitmapManager.preDownloadImage();
bitmapManager.loadBitmap("http://cms.csdnimg.cn/article/201406/30/53b0cc425c78e.jpg", imageView);
} catch (Exception e) {
e.printStackTrace();
}
}
}).start();
}
});
}
}
| {
"content_hash": "7369035d391eb233bb62ebc8d910b10c",
"timestamp": "",
"source": "github",
"line_count": 61,
"max_line_length": 223,
"avg_line_length": 47.295081967213115,
"alnum_prop": 0.5948006932409012,
"repo_name": "yooranchen/BitmapUtils",
"id": "d1f6a1e8896a78c6e917822599556fbf5190450c",
"size": "2886",
"binary": false,
"copies": "2",
"ref": "refs/heads/master",
"path": "src/com/bingobinbin/activity/MainActivity.java",
"mode": "33188",
"license": "apache-2.0",
"language": [
{
"name": "Java",
"bytes": "52412"
}
],
"symlink_target": ""
} |
/*
Theme Name: NEW THEME
Theme URI:
Author: Martin Sanne Kristiansen / Heydays
Author URI: http://heydays.no
Description: MY NEW THEME
Version: 1.0
License: © Heydays 2014
*/ | {
"content_hash": "baacd0425423439fc9b2157677422974",
"timestamp": "",
"source": "github",
"line_count": 9,
"max_line_length": 42,
"avg_line_length": 19.333333333333332,
"alnum_prop": 0.7471264367816092,
"repo_name": "martinsanne/msk-wpbp",
"id": "bff7c2f144253f6ca7fbba61dd8f49c69bf1fb2e",
"size": "175",
"binary": false,
"copies": "1",
"ref": "refs/heads/master",
"path": "style.css",
"mode": "33188",
"license": "mit",
"language": [
{
"name": "CSS",
"bytes": "30660"
},
{
"name": "JavaScript",
"bytes": "1468"
}
],
"symlink_target": ""
} |
package bitswap
import (
bsnet "github.com/ipfs/go-ipfs/exchange/bitswap/network"
mockrouting "github.com/ipfs/go-ipfs/routing/mock"
testutil "github.com/ipfs/go-ipfs/thirdparty/testutil"
peer "gx/ipfs/QmRBqJF7hb8ZSpRcMwUt8hNhydWcxGEhtk81HKq6oUwKvs/go-libp2p-peer"
mockpeernet "gx/ipfs/QmZ8bCZpMWDbFSh6h2zgTYwrhnjrGM5c9WCzw72SU8p63b/go-libp2p/p2p/net/mock"
context "gx/ipfs/QmZy2y8t9zQH2a1b8q2ZSLKp17ATuJoCNxxyMFG5qFExpt/go-net/context"
ds "gx/ipfs/QmfQzVugPq1w5shWRcLWSeiHF4a2meBX7yVD8Vw7GWJM9o/go-datastore"
)
type peernet struct {
mockpeernet.Mocknet
routingserver mockrouting.Server
}
func StreamNet(ctx context.Context, net mockpeernet.Mocknet, rs mockrouting.Server) (Network, error) {
return &peernet{net, rs}, nil
}
func (pn *peernet) Adapter(p testutil.Identity) bsnet.BitSwapNetwork {
client, err := pn.Mocknet.AddPeer(p.PrivateKey(), p.Address())
if err != nil {
panic(err.Error())
}
routing := pn.routingserver.ClientWithDatastore(context.TODO(), p, ds.NewMapDatastore())
return bsnet.NewFromIpfsHost(client, routing)
}
func (pn *peernet) HasPeer(p peer.ID) bool {
for _, member := range pn.Mocknet.Peers() {
if p == member {
return true
}
}
return false
}
var _ Network = &peernet{}
| {
"content_hash": "0dd3c540728d6a2bcc07de92c3c0489f",
"timestamp": "",
"source": "github",
"line_count": 40,
"max_line_length": 102,
"avg_line_length": 30.725,
"alnum_prop": 0.7656631407648494,
"repo_name": "kpcyrd/go-ipfs",
"id": "1d491a9a45b77040e1cb58dbe37e568243b4d798",
"size": "1229",
"binary": false,
"copies": "1",
"ref": "refs/heads/master",
"path": "exchange/bitswap/testnet/peernet.go",
"mode": "33188",
"license": "mit",
"language": [
{
"name": "Go",
"bytes": "1253954"
},
{
"name": "Makefile",
"bytes": "11850"
},
{
"name": "Protocol Buffer",
"bytes": "4707"
},
{
"name": "PureBasic",
"bytes": "29"
},
{
"name": "Python",
"bytes": "788"
},
{
"name": "Shell",
"bytes": "195952"
}
],
"symlink_target": ""
} |
import React from 'react'
import PropTypes from 'prop-types'
import {
Container,
Grid,
GridCol,
Marger,
Title,
Text,
HorizontalStroke,
Button,
Carousel,
ScreenConfig,
SCREEN_SIZE_M,
CONTAINER_PADDING,
CONTAINER_PADDING_THIN,
ArrowIcon,
CrowdfundingCard,
withMediaQueries,
pxToRem,
} from 'kitten'
import styled from 'styled-components'
const StyledThanks = styled.div`
.ProjectsCarousel__gridCol {
display: flex;
align-items: center;
justify-content: space-between;
align-items: flex-end;
}
.ProjectsCarousel__Header {
flex: 1;
@media (max-width: ${pxToRem(ScreenConfig.M.max)}) {
margin-right: ${pxToRem(-CONTAINER_PADDING)};
}
@media (max-width: ${pxToRem(ScreenConfig.XS.max)}) {
margin-right: ${pxToRem(-CONTAINER_PADDING_THIN)};
}
}
.ProjectsCarousel__titleCotnainer {
display: flex;
align-items: center;
margin-left: ${pxToRem(-50)};
@media (max-width: ${pxToRem(ScreenConfig.M.max)}) {
margin-left: 0;
}
}
.ProjectsCarousel__stroke {
margin-right: ${pxToRem(20)};
@media (max-width: ${pxToRem(ScreenConfig.M.max)}) {
order: 2;
width: 100%;
margin-left: ${pxToRem(20)};
margin-right: 0;
}
}
.ProjectsCarousel__button {
flex-shrink: 0;
margin-left: ${pxToRem(10)};
@media (max-width: ${pxToRem(ScreenConfig.M.max)}) {
position: absolute;
bottom: 0;
right: ${pxToRem(CONTAINER_PADDING)};
}
@media (max-width: ${pxToRem(ScreenConfig.XS.max)}) {
right: ${pxToRem(CONTAINER_PADDING_THIN)};
}
}
.ProjectsCarousel__carouselContainer {
position: relative;
@media (max-width: ${pxToRem(ScreenConfig.XS.max)}) {
padding-bottom: ${pxToRem(80)};
}
}
`
export const ProjectsCarousel = ({
title,
description,
buttonHref,
buttonLabel,
viewportIsMOrLess,
viewportIsXSOrLess,
}) => {
const renderButton = () => (
<Button
fit="icon"
iconOnRight
tag="a"
href={buttonHref}
className="ProjectsCarousel__button"
>
{buttonLabel}
<ArrowIcon style={{ width: 6 }} />
</Button>
)
return (
<StyledThanks>
<Marger bottom={viewportIsXSOrLess ? 2 : 3}>
<Container>
<Grid>
<GridCol
col-l="10"
offset-l="1"
className="ProjectsCarousel__gridCol"
>
<div className="ProjectsCarousel__Header">
<Marger
bottom={description ? 0.5 : 0}
className="ProjectsCarousel__titleContainer"
>
<HorizontalStroke className="ProjectsCarousel__stroke" />
<Title tag="h2" modifier="quaternary" margin={false}>
{title}
</Title>
</Marger>
{!!description && (
<Marger top=".5">
<Text size="small" color="font1" weight="400">
{description}
</Text>
</Marger>
)}
</div>
{!viewportIsMOrLess && renderButton()}
</GridCol>
</Grid>
</Container>
</Marger>
<Container
fullWidthBelowScreenSize={SCREEN_SIZE_M}
className="ProjectsCarousel__carouselContainer"
>
<Carousel
itemMinWidth={280}
baseItemMarginBetween={CONTAINER_PADDING}
data={[
{
title: 'Item A',
imageSrc: 'http://placekitten.com/500/300',
thumbSrc: 'http://placekitten.com/80/80',
},
{
title: 'Item B',
imageSrc: 'http://placekitten.com/501/301',
thumbSrc: 'http://placekitten.com/81/81',
},
{
title: 'Item C',
imageSrc: 'http://placekitten.com/502/302',
thumbSrc: 'http://placekitten.com/82/82',
},
{
title: 'Item D',
imageSrc: 'http://placekitten.com/503/303',
thumbSrc: 'http://placekitten.com/83/83',
},
{
title: 'Item E',
imageSrc: 'http://placekitten.com/504/304',
thumbSrc: 'http://placekitten.com/84/84',
},
]}
renderItem={({ item }) => (
<CrowdfundingCard
href="#"
imageProps={{
src: item.imageSrc,
alt: 'Image alt',
backgroundColor: '#d8d8d8',
color: '#333',
}}
avatarProps={{
src: item.thumbSrc,
alt: 'Avatar alt',
}}
ownerTitle="Title"
ownerDescription="Custom description"
titleProps={{
tag: 'h4',
}}
cardTitle={item.title}
cardSubTitle="Custom subtitle"
titlesMinHeight
progress="84"
state="Custom state"
/>
)}
/>
{viewportIsMOrLess && renderButton()}
</Container>
</StyledThanks>
)
}
ProjectsCarousel.propTypes = {
title: PropTypes.string.isRequired,
description: PropTypes.string,
buttonHref: PropTypes.string.isRequired,
buttonLabel: PropTypes.string.isRequired,
viewportIsMOrLess: PropTypes.bool.isRequired,
viewportIsXSOrLess: PropTypes.bool.isRequired,
}
ProjectsCarousel.defaultProps = {
description: null,
}
export default withMediaQueries({
viewportIsMOrLess: true,
viewportIsXSOrLess: true,
})(ProjectsCarousel)
| {
"content_hash": "8eb2ed047ef09726f0a82d36fe96d27c",
"timestamp": "",
"source": "github",
"line_count": 230,
"max_line_length": 75,
"avg_line_length": 24.91304347826087,
"alnum_prop": 0.5244328097731239,
"repo_name": "KissKissBankBank/kitten",
"id": "4c7ecd25bcd34298d4fb1e2bead73b6bd11af86a",
"size": "5730",
"binary": false,
"copies": "1",
"ref": "refs/heads/master",
"path": "assets/javascripts/kitten/karl/pages/common/projects-carousel.js",
"mode": "33188",
"license": "mit",
"language": [
{
"name": "Dockerfile",
"bytes": "187"
},
{
"name": "HTML",
"bytes": "293"
},
{
"name": "JavaScript",
"bytes": "5555901"
},
{
"name": "SCSS",
"bytes": "73950"
},
{
"name": "Shell",
"bytes": "1534"
}
],
"symlink_target": ""
} |
require 'test_helper'
class AttachmentsHelperTest < ActionView::TestCase
end
| {
"content_hash": "a64d9a5424ffa06c4583abf08892f4f0",
"timestamp": "",
"source": "github",
"line_count": 4,
"max_line_length": 50,
"avg_line_length": 19.5,
"alnum_prop": 0.8205128205128205,
"repo_name": "akinsgre/test-remotipart",
"id": "99d12a7b66b5c092c68deadd7e78f75d4a6225e0",
"size": "78",
"binary": false,
"copies": "28",
"ref": "refs/heads/master",
"path": "test/unit/helpers/attachments_helper_test.rb",
"mode": "33188",
"license": "mit",
"language": [
{
"name": "CSS",
"bytes": "728"
},
{
"name": "CoffeeScript",
"bytes": "229"
},
{
"name": "JavaScript",
"bytes": "671"
},
{
"name": "Ruby",
"bytes": "20183"
}
],
"symlink_target": ""
} |
<?xml version='1.0' encoding='utf-8'?>
<resources>
<string name="fb_app_id">374294469387208</string>
<string name="fb_app_name">Babylon Bridge</string>
</resources>
| {
"content_hash": "0f715df00eca192d337125ddbb9e31a1",
"timestamp": "",
"source": "github",
"line_count": 5,
"max_line_length": 54,
"avg_line_length": 34.6,
"alnum_prop": 0.6820809248554913,
"repo_name": "bss-taiphung/babylon-ios",
"id": "24a9c9d2b44d17ec88963a12e6ebde97b2b77e01",
"size": "173",
"binary": false,
"copies": "1",
"ref": "refs/heads/master",
"path": "platforms/android/res/values/facebookconnect.xml",
"mode": "33188",
"license": "mit",
"language": [
{
"name": "AppleScript",
"bytes": "1208"
},
{
"name": "C",
"bytes": "7158"
},
{
"name": "C#",
"bytes": "161717"
},
{
"name": "C++",
"bytes": "76738"
},
{
"name": "CSS",
"bytes": "1323691"
},
{
"name": "D",
"bytes": "37897"
},
{
"name": "Groovy",
"bytes": "5708"
},
{
"name": "Java",
"bytes": "4135464"
},
{
"name": "JavaScript",
"bytes": "769009"
},
{
"name": "Objective-C",
"bytes": "1503347"
},
{
"name": "Shell",
"bytes": "25161"
}
],
"symlink_target": ""
} |
package com.koch.ambeth.xml.pending;
public interface ICommandCreator {
IObjectCommand createCommand(ICommandTypeRegistry commandTypeRegistry, IObjectFuture objectFuture,
Object parent, Object[] optionals);
}
| {
"content_hash": "38999855180f6e8528744ffa9a7b4b58",
"timestamp": "",
"source": "github",
"line_count": 6,
"max_line_length": 99,
"avg_line_length": 35.666666666666664,
"alnum_prop": 0.8317757009345794,
"repo_name": "Dennis-Koch/ambeth",
"id": "fb0db43d6a84daf0e4c646989bd2e3485021da78",
"size": "214",
"binary": false,
"copies": "1",
"ref": "refs/heads/develop",
"path": "jambeth/jambeth-xml/src/main/java/com/koch/ambeth/xml/pending/ICommandCreator.java",
"mode": "33188",
"license": "apache-2.0",
"language": [
{
"name": "ASP",
"bytes": "2866"
},
{
"name": "Batchfile",
"bytes": "3505"
},
{
"name": "C#",
"bytes": "4180068"
},
{
"name": "HTML",
"bytes": "2889"
},
{
"name": "Java",
"bytes": "8556639"
},
{
"name": "PLSQL",
"bytes": "11227"
}
],
"symlink_target": ""
} |
#include <string>
namespace luxrays { namespace ocl {
std::string KernelSource_triangle_types =
"#line 2 \"triangle_types.cl\"\n"
"\n"
"\n"
"\n"
"typedef struct {\n"
" unsigned int v[3];\n"
"} Triangle;\n"
; } }
| {
"content_hash": "e1da6e85fc41429e911644a8b7f50fb5",
"timestamp": "",
"source": "github",
"line_count": 11,
"max_line_length": 42,
"avg_line_length": 19.363636363636363,
"alnum_prop": 0.6384976525821596,
"repo_name": "DavidBluecame/LuxRays",
"id": "a69c43a9cdf7bd1f927dcaab08132053956eac40",
"size": "1590",
"binary": false,
"copies": "1",
"ref": "refs/heads/experimental",
"path": "src/luxrays/kernels/triangle_types_kernel.cpp",
"mode": "33188",
"license": "apache-2.0",
"language": [
{
"name": "Bison",
"bytes": "72988"
},
{
"name": "C",
"bytes": "804800"
},
{
"name": "C++",
"bytes": "11544610"
},
{
"name": "CMake",
"bytes": "111214"
},
{
"name": "Python",
"bytes": "39397"
}
],
"symlink_target": ""
} |
//id canal musica = 375842517566095360
module.exports = (client, message, args) => {
let channel = client.channels.get('375842517566095360');
//if (message.member.voiceChannel) {
if (channel)
{
channel.join()
.then(connection =>
{
message.reply('Eu conectei no canal com sucesso! Aproveite o som da rádio **Initial D World**! :musical_note:').then(msg => {
msg.delete(60000)
});
connection.playArbitraryInput('http://go2id.net:9001/;?.mp3');
//connection.playFile('./radio/anime01.pls');
})
.catch(console.log);
}
/*else { message.reply('Você precisa estar em um canal de voz para digitar o comando!'); } */
message.delete(60000);
}; | {
"content_hash": "6959ff9b10f5b8834ae2ce2c6a38e2e9",
"timestamp": "",
"source": "github",
"line_count": 20,
"max_line_length": 133,
"avg_line_length": 37.05,
"alnum_prop": 0.6059379217273954,
"repo_name": "GiuliannoO/Giulianno",
"id": "9b05e8a904ce9939634e79cb0226ddeb94032088",
"size": "743",
"binary": false,
"copies": "1",
"ref": "refs/heads/master",
"path": "commands/radioPlayInitialD.js",
"mode": "33188",
"license": "mit",
"language": [
{
"name": "JavaScript",
"bytes": "39456"
}
],
"symlink_target": ""
} |
using System;
using System.Collections.Generic;
using System.Linq;
using System.Text;
using System.Windows.Media;
using System.Windows.Media.Media3D;
namespace HitTestDemo
{
public class CompositeGeometryModelVisual3D : ModelVisual3D
{
GeometryModel3D bigCubeModel;
GeometryModel3D smallCubeModel;
public CompositeGeometryModelVisual3D()
{
bigCubeModel = GeometryGenerator.CreateCubeModel();
smallCubeModel = GeometryGenerator.CreateCubeModel();
smallCubeModel.Transform = new ScaleTransform3D(.3, .3, .3);
Model3DGroup group = new Model3DGroup();
group.Children.Add(bigCubeModel);
group.Children.Add(smallCubeModel);
Content = group;
}
public void ShowBigModel()
{
DiffuseMaterial bigMaterial = new DiffuseMaterial(new SolidColorBrush(Colors.Red));
bigCubeModel.Material = bigMaterial;
smallCubeModel.Material = null;
}
public void ShowSmallModel()
{
DiffuseMaterial smallMaterial = new DiffuseMaterial(new SolidColorBrush(Colors.Blue));
smallCubeModel.Material = smallMaterial;
bigCubeModel.Material = null;
}
}
}
| {
"content_hash": "89f7400e6cc4bd04d3c1748ee6fec9ae",
"timestamp": "",
"source": "github",
"line_count": 42,
"max_line_length": 98,
"avg_line_length": 31.452380952380953,
"alnum_prop": 0.6305828917486752,
"repo_name": "luosz/ai-algorithmplatform",
"id": "46229272daffdfe4bdc5e803586008162831d080",
"size": "1323",
"binary": false,
"copies": "3",
"ref": "refs/heads/master",
"path": "AIAlgorithmPlatform/2008/algorithm/position/HitTestDemo/CompositeGeometryModelVisual3D.cs",
"mode": "33188",
"license": "mit",
"language": [
{
"name": "ASP",
"bytes": "35444"
},
{
"name": "Batchfile",
"bytes": "380"
},
{
"name": "C",
"bytes": "2052"
},
{
"name": "C#",
"bytes": "5809447"
},
{
"name": "CSS",
"bytes": "5318"
},
{
"name": "HTML",
"bytes": "255596"
},
{
"name": "XSLT",
"bytes": "25249"
}
],
"symlink_target": ""
} |
@class DVTStackBacktrace, IDEGeniusResultsGraphNode, IDENavigableItem, NSString;
@interface _IDEGeniusResultsContext : NSObject <DVTInvalidation>
{
NSString *_geniusCategory;
IDENavigableItem *_geniusRootNavigableItem;
IDEGeniusResultsGraphNode *_geniusResultsGraphNode;
}
+ (void)initialize;
@property(retain, nonatomic) IDENavigableItem *geniusRootNavigableItem; // @synthesize geniusRootNavigableItem=_geniusRootNavigableItem;
@property(copy) NSString *geniusCategory; // @synthesize geniusCategory=_geniusCategory;
- (void).cxx_destruct;
- (void)primitiveInvalidate;
// Remaining properties
@property(retain) DVTStackBacktrace *creationBacktrace;
@property(readonly, copy) NSString *debugDescription;
@property(readonly, copy) NSString *description;
@property(readonly) unsigned long long hash;
@property(readonly) DVTStackBacktrace *invalidationBacktrace;
@property(readonly) Class superclass;
@property(readonly, nonatomic, getter=isValid) BOOL valid;
@end
| {
"content_hash": "af14f0c0b421810f022424958fe83b21",
"timestamp": "",
"source": "github",
"line_count": 26,
"max_line_length": 136,
"avg_line_length": 37.69230769230769,
"alnum_prop": 0.813265306122449,
"repo_name": "wczekalski/Distraction-Free-Xcode-plugin",
"id": "2f291e239dbf0cfaa1a07fb0c9dc940f524f3357",
"size": "1170",
"binary": false,
"copies": "1",
"ref": "refs/heads/master",
"path": "Archived/v1/WCDistractionFreeXcodePlugin/Headers/Frameworks/IDEKit/_IDEGeniusResultsContext.h",
"mode": "33188",
"license": "mit",
"language": [
{
"name": "C",
"bytes": "81011"
},
{
"name": "C++",
"bytes": "588495"
},
{
"name": "DTrace",
"bytes": "1835"
},
{
"name": "Objective-C",
"bytes": "10151940"
},
{
"name": "Ruby",
"bytes": "1105"
}
],
"symlink_target": ""
} |
package org.apache.camel.model;
import java.util.ArrayList;
import java.util.List;
import java.util.concurrent.ExecutorService;
import java.util.concurrent.TimeUnit;
import javax.xml.bind.annotation.XmlAccessType;
import javax.xml.bind.annotation.XmlAccessorType;
import javax.xml.bind.annotation.XmlAttribute;
import javax.xml.bind.annotation.XmlRootElement;
import javax.xml.bind.annotation.XmlTransient;
import javax.xml.bind.annotation.adapters.XmlJavaTypeAdapter;
import org.apache.camel.Processor;
import org.apache.camel.ThreadPoolRejectedPolicy;
import org.apache.camel.builder.ThreadPoolProfileBuilder;
import org.apache.camel.builder.xml.TimeUnitAdapter;
import org.apache.camel.processor.Pipeline;
import org.apache.camel.processor.ThreadsProcessor;
import org.apache.camel.spi.ExecutorServiceManager;
import org.apache.camel.spi.Metadata;
import org.apache.camel.spi.RouteContext;
import org.apache.camel.spi.ThreadPoolProfile;
/**
* Specifies that all steps after this node are processed asynchronously
*
* @version
*/
@Metadata(label = "eip,routing")
@XmlRootElement(name = "threads")
@XmlAccessorType(XmlAccessType.FIELD)
public class ThreadsDefinition extends OutputDefinition<ThreadsDefinition> implements ExecutorServiceAwareDefinition<ThreadsDefinition> {
// TODO: Camel 3.0 Should extend NoOutputDefinition
@XmlTransient
private ExecutorService executorService;
@XmlAttribute
private String executorServiceRef;
@XmlAttribute
private Integer poolSize;
@XmlAttribute
private Integer maxPoolSize;
@XmlAttribute
private Long keepAliveTime;
@XmlAttribute
@XmlJavaTypeAdapter(TimeUnitAdapter.class)
private TimeUnit timeUnit;
@XmlAttribute
private Integer maxQueueSize;
@XmlAttribute
private Boolean allowCoreThreadTimeOut;
@XmlAttribute @Metadata(defaultValue = "Threads")
private String threadName;
@XmlAttribute
private ThreadPoolRejectedPolicy rejectedPolicy;
@XmlAttribute @Metadata(defaultValue = "true")
private Boolean callerRunsWhenRejected;
public ThreadsDefinition() {
this.threadName = "Threads";
}
@Override
public Processor createProcessor(RouteContext routeContext) throws Exception {
// the threads name
String name = getThreadName() != null ? getThreadName() : "Threads";
// prefer any explicit configured executor service
boolean shutdownThreadPool = ProcessorDefinitionHelper.willCreateNewThreadPool(routeContext, this, true);
ExecutorService threadPool = ProcessorDefinitionHelper.getConfiguredExecutorService(routeContext, name, this, false);
// resolve what rejected policy to use
ThreadPoolRejectedPolicy policy = resolveRejectedPolicy(routeContext);
if (policy == null) {
if (callerRunsWhenRejected == null || callerRunsWhenRejected) {
// should use caller runs by default if not configured
policy = ThreadPoolRejectedPolicy.CallerRuns;
} else {
policy = ThreadPoolRejectedPolicy.Abort;
}
}
log.debug("Using ThreadPoolRejectedPolicy: {}", policy);
// if no explicit then create from the options
if (threadPool == null) {
ExecutorServiceManager manager = routeContext.getCamelContext().getExecutorServiceManager();
// create the thread pool using a builder
ThreadPoolProfile profile = new ThreadPoolProfileBuilder(name)
.poolSize(getPoolSize())
.maxPoolSize(getMaxPoolSize())
.keepAliveTime(getKeepAliveTime(), getTimeUnit())
.maxQueueSize(getMaxQueueSize())
.rejectedPolicy(policy)
.allowCoreThreadTimeOut(getAllowCoreThreadTimeOut())
.build();
threadPool = manager.newThreadPool(this, name, profile);
shutdownThreadPool = true;
} else {
if (getThreadName() != null && !getThreadName().equals("Threads")) {
throw new IllegalArgumentException("ThreadName and executorServiceRef options cannot be used together.");
}
if (getPoolSize() != null) {
throw new IllegalArgumentException("PoolSize and executorServiceRef options cannot be used together.");
}
if (getMaxPoolSize() != null) {
throw new IllegalArgumentException("MaxPoolSize and executorServiceRef options cannot be used together.");
}
if (getKeepAliveTime() != null) {
throw new IllegalArgumentException("KeepAliveTime and executorServiceRef options cannot be used together.");
}
if (getTimeUnit() != null) {
throw new IllegalArgumentException("TimeUnit and executorServiceRef options cannot be used together.");
}
if (getMaxQueueSize() != null) {
throw new IllegalArgumentException("MaxQueueSize and executorServiceRef options cannot be used together.");
}
if (getRejectedPolicy() != null) {
throw new IllegalArgumentException("RejectedPolicy and executorServiceRef options cannot be used together.");
}
if (getAllowCoreThreadTimeOut() != null) {
throw new IllegalArgumentException("AllowCoreThreadTimeOut and executorServiceRef options cannot be used together.");
}
}
ThreadsProcessor thread = new ThreadsProcessor(routeContext.getCamelContext(), threadPool, shutdownThreadPool, policy);
List<Processor> pipe = new ArrayList<>(2);
pipe.add(thread);
pipe.add(createChildProcessor(routeContext, true));
// wrap in nested pipeline so this appears as one processor
// (recipient list definition does this as well)
return new Pipeline(routeContext.getCamelContext(), pipe) {
@Override
public String toString() {
return "Threads[" + getOutputs() + "]";
}
};
}
protected ThreadPoolRejectedPolicy resolveRejectedPolicy(RouteContext routeContext) {
if (getExecutorServiceRef() != null && getRejectedPolicy() == null) {
ThreadPoolProfile threadPoolProfile = routeContext.getCamelContext().getExecutorServiceManager().getThreadPoolProfile(getExecutorServiceRef());
if (threadPoolProfile != null) {
return threadPoolProfile.getRejectedPolicy();
}
}
return getRejectedPolicy();
}
@Override
public String getShortName() {
return "threads";
}
@Override
public String getLabel() {
return "threads";
}
@Override
public String toString() {
return "Threads[" + getOutputs() + "]";
}
/**
* To use a custom thread pool
*/
public ThreadsDefinition executorService(ExecutorService executorService) {
setExecutorService(executorService);
return this;
}
/**
* To refer to a custom thread pool or use a thread pool profile (as overlay)
*/
public ThreadsDefinition executorServiceRef(String executorServiceRef) {
setExecutorServiceRef(executorServiceRef);
return this;
}
/**
* Sets the core pool size
*
* @param poolSize the core pool size to keep minimum in the pool
* @return the builder
*/
public ThreadsDefinition poolSize(int poolSize) {
setPoolSize(poolSize);
return this;
}
/**
* Sets the maximum pool size
*
* @param maxPoolSize the maximum pool size
* @return the builder
*/
public ThreadsDefinition maxPoolSize(int maxPoolSize) {
setMaxPoolSize(maxPoolSize);
return this;
}
/**
* Sets the keep alive time for idle threads
*
* @param keepAliveTime keep alive time
* @return the builder
*/
public ThreadsDefinition keepAliveTime(long keepAliveTime) {
setKeepAliveTime(keepAliveTime);
return this;
}
/**
* Sets the keep alive time unit.
* By default SECONDS is used.
*
* @param keepAliveTimeUnits time unit
* @return the builder
*/
public ThreadsDefinition timeUnit(TimeUnit keepAliveTimeUnits) {
setTimeUnit(keepAliveTimeUnits);
return this;
}
/**
* Sets the maximum number of tasks in the work queue.
* <p/>
* Use <tt>-1</tt> or <tt>Integer.MAX_VALUE</tt> for an unbounded queue
*
* @param maxQueueSize the max queue size
* @return the builder
*/
public ThreadsDefinition maxQueueSize(int maxQueueSize) {
setMaxQueueSize(maxQueueSize);
return this;
}
/**
* Sets the handler for tasks which cannot be executed by the thread pool.
*
* @param rejectedPolicy the policy for the handler
* @return the builder
*/
public ThreadsDefinition rejectedPolicy(ThreadPoolRejectedPolicy rejectedPolicy) {
setRejectedPolicy(rejectedPolicy);
return this;
}
/**
* Sets the thread name to use.
*
* @param threadName the thread name
* @return the builder
*/
public ThreadsDefinition threadName(String threadName) {
setThreadName(threadName);
return this;
}
/**
* Whether or not to use as caller runs as <b>fallback</b> when a task is rejected being added to the thread pool (when its full).
* This is only used as fallback if no rejectedPolicy has been configured, or the thread pool has no configured rejection handler.
* <p/>
* Is by default <tt>true</tt>
*
* @param callerRunsWhenRejected whether or not the caller should run
* @return the builder
*/
public ThreadsDefinition callerRunsWhenRejected(boolean callerRunsWhenRejected) {
setCallerRunsWhenRejected(callerRunsWhenRejected);
return this;
}
/**
* Whether idle core threads is allowed to timeout and therefore can shrink the pool size below the core pool size
* <p/>
* Is by default <tt>false</tt>
*
* @param allowCoreThreadTimeOut <tt>true</tt> to allow timeout
* @return the builder
*/
public ThreadsDefinition allowCoreThreadTimeOut(boolean allowCoreThreadTimeOut) {
setAllowCoreThreadTimeOut(allowCoreThreadTimeOut);
return this;
}
public ExecutorService getExecutorService() {
return executorService;
}
public void setExecutorService(ExecutorService executorService) {
this.executorService = executorService;
}
public String getExecutorServiceRef() {
return executorServiceRef;
}
public void setExecutorServiceRef(String executorServiceRef) {
this.executorServiceRef = executorServiceRef;
}
public Integer getPoolSize() {
return poolSize;
}
public void setPoolSize(Integer poolSize) {
this.poolSize = poolSize;
}
public Integer getMaxPoolSize() {
return maxPoolSize;
}
public void setMaxPoolSize(Integer maxPoolSize) {
this.maxPoolSize = maxPoolSize;
}
public Long getKeepAliveTime() {
return keepAliveTime;
}
public void setKeepAliveTime(Long keepAliveTime) {
this.keepAliveTime = keepAliveTime;
}
public TimeUnit getTimeUnit() {
return timeUnit;
}
public void setTimeUnit(TimeUnit timeUnit) {
this.timeUnit = timeUnit;
}
public Integer getMaxQueueSize() {
return maxQueueSize;
}
public void setMaxQueueSize(Integer maxQueueSize) {
this.maxQueueSize = maxQueueSize;
}
public String getThreadName() {
return threadName;
}
public void setThreadName(String threadName) {
this.threadName = threadName;
}
public ThreadPoolRejectedPolicy getRejectedPolicy() {
return rejectedPolicy;
}
public void setRejectedPolicy(ThreadPoolRejectedPolicy rejectedPolicy) {
this.rejectedPolicy = rejectedPolicy;
}
public Boolean getCallerRunsWhenRejected() {
return callerRunsWhenRejected;
}
public void setCallerRunsWhenRejected(Boolean callerRunsWhenRejected) {
this.callerRunsWhenRejected = callerRunsWhenRejected;
}
public Boolean getAllowCoreThreadTimeOut() {
return allowCoreThreadTimeOut;
}
public void setAllowCoreThreadTimeOut(Boolean allowCoreThreadTimeOut) {
this.allowCoreThreadTimeOut = allowCoreThreadTimeOut;
}
}
| {
"content_hash": "51e378dc741fc3935ceb5a1b48a9853f",
"timestamp": "",
"source": "github",
"line_count": 377,
"max_line_length": 155,
"avg_line_length": 33.51458885941645,
"alnum_prop": 0.66798575385833,
"repo_name": "dmvolod/camel",
"id": "d8a739af7acc76767333005f73120a9a190b988c",
"size": "13438",
"binary": false,
"copies": "1",
"ref": "refs/heads/master",
"path": "camel-core/src/main/java/org/apache/camel/model/ThreadsDefinition.java",
"mode": "33188",
"license": "apache-2.0",
"language": [
{
"name": "Apex",
"bytes": "6519"
},
{
"name": "Batchfile",
"bytes": "1518"
},
{
"name": "CSS",
"bytes": "30373"
},
{
"name": "Elm",
"bytes": "10852"
},
{
"name": "FreeMarker",
"bytes": "11410"
},
{
"name": "Groovy",
"bytes": "44835"
},
{
"name": "HTML",
"bytes": "903016"
},
{
"name": "Java",
"bytes": "73905521"
},
{
"name": "JavaScript",
"bytes": "90399"
},
{
"name": "Makefile",
"bytes": "513"
},
{
"name": "Python",
"bytes": "36"
},
{
"name": "Ruby",
"bytes": "4802"
},
{
"name": "Scala",
"bytes": "323982"
},
{
"name": "Shell",
"bytes": "17120"
},
{
"name": "Tcl",
"bytes": "4974"
},
{
"name": "Thrift",
"bytes": "6979"
},
{
"name": "XQuery",
"bytes": "546"
},
{
"name": "XSLT",
"bytes": "288715"
}
],
"symlink_target": ""
} |
{{{
"title": "Using CenturyLink MySQL Relational DB with AppFog Applications",
"date": "02-08-2016",
"author": "Chris Sterling",
"attachments": [],
"related-products" : [],
"contentIsHTML": false
}}}
### Audience
Application developers
### Overview
This article will provide an overview of our [MySQL-compatible Relational DB offering](https://www.ctl.io/relational-database/)
and how it can be consumed by applications deployed to AppFog.
We will use JavaScript with the [MySQL Node.js module](https://www.npmjs.com/package/mysql)
to demonstrate using CenturyLink's Relational DB service.
[CenturyLink Relational DB](https://www.ctl.io/relational-database/) is included in the AppFog marketplace.
You can find it via the Cloud Foundry CLI by running the following command in a terminal window:
```
$ cf marketplace
...
service plans description
ctl_mysql micro, small, medium, large CenturyLink's Relational DB Service, MySQL-compatible database-as-a-service with SSL encryption option and daily backups held 7 days. Please see https://www.ctl.io/legal/ for terms of service.
```
### Create a Relational DB Service Instance
To create a new CenturyLink Relational DB service instance, we can use the Cloud Foundry CLI.
In order to do this you must be [logged into an AppFog region](login-using-cf-cli.md). The following
command will create a new micro Relational DB service instance named `acmedb`:
```
$ cf create-service ctl_mysql micro acmedb
```
The `cf create-service` command will provision a new MySQL-compatible instance that can later be
bound to an application deployed to AppFog.
### Bind Relational DB to Application
To bind the Relational DB service instance to an [application deployed to AppFog](deploy-an-application.md) you can use the `cf bind-service` command:
```
$ cf bind-service myapp acmedb
```
This will add the CenturyLink Relational DB service instance access credentials into the `myapp` application's
runtime environment. To view these MySQL service instance credentials use the `cf env` command
(or the "Environment" area for an application in the AppFog UI) and they will be
located in the VCAP_SERVICES environment variable which is a convention for Cloud Foundry enabled services:
```
$ cf env myapp
...
System-Provided:
{
"VCAP_SERVICES": {
"ctl_mysql": [
{
"credentials": {
"certificate": "-----BEGIN CERTIFICATE-----\n{...}\n-----END CERTIFICATE-----",
"dbname": "default",
"host": "{IP Address}",
"password": "{Password}",
"port": {Port Number},
"username": "{Username}"
},
"label": "ctl_mysql",
"name": "acmedb",
"plan": "micro",
"tags": []
}
],
```
These credentials can be populated into a MySQL client library for the specific runtime for your application.
Below we will show an example using Node.js and the MySQL client module.
### Example: Using Environment Credentials in Node.js
This section will assume that you have an existing Node.js app which needs a MySQL database named `myapp`.
The first step is to add the MySQL client module to `myapp` Node.js application using NPM (Node Package Manager)
for including the dependency.
```
$ npm install mysql --save
```
Also, since commands are sent to MySQL asynchronously with promises, we should include
the [Q Node.js module](https://www.npmjs.com/package/q).
```
$ npm install q --save
```
The application's package.json should include `mysql` and `q` modules similar to what is located under `dependencies` below:
```
{
"name": "myapp",
"version": "0.0.1",
"dependencies": {
"mysql": "^2.9.0",
"q": "^1.1.2"
}
}
```
Now that the Node.js MySQL client is available, we use require to pull the module into the application,
pull credentials from application's AppFog deployment environment and setup a function to enable execution
of SQL statements against the MySQL database. Below is code that can be used to do all of this that can be put
into a file named `dbconfig.js`:
```
var mysql = require('mysql');
// default connection info for local development
var connectionInfo = {
user: 'user',
password: 'myP@ssW0rd',
database: 'myappdb'
};
// set connection info from db service instance credentials from VCAP_SERVICES environment variable
if (process.env.VCAP_SERVICES) {
var services = JSON.parse(process.env.VCAP_SERVICES);
var ctlMysqlConfig = services['ctl_mysql'];
if (ctlMysqlConfig) {
var node = ctlMysqlConfig[0];
connectionInfo = {
host: node.credentials.host,
port: node.credentials.port,
user: node.credentials.username,
password: node.credentials.password,
database: node.credentials.dbname,
ssl: {
ca: node.credentials.certificate
}
};
}
}
// create function 'query' for SQL statement execution against MySQL database
exports.query = function(query, callback) {
var connection = mysql.createConnection(connectionInfo);
connection.query(query, function(queryError, result) {
callback(queryError, result);
});
connection.end();
};
```
To use the MySQL connection to execute SQL statements from the application, we must require
our new `dbconfig` module and then send a valid SQL command to the query function:
```
var Q = require('q');
var dbconfig = require('./dbconfig');
var addItem = exports.addItem = function(name, description) {
var insertStatement = 'insert into items (name, description) ' +
'values ("' + name + '", "' + description + '")';
dbconfig.query(insertStatement, function(queryError, result) {
// handle error or result
});
};
exports.findAllItems = function() {
var selectStatement = 'select * from items';
var deferred = Q.defer();
dbconfig.query(selectStatement, function(queryError, result) {
deferred.resolve(result);
});
return deferred.promise;
}
```
The code above provides a function that adds an item with a name and description into the items table.
In addition, there is a corresponding function to find all items in the items table using a promise.
### Example: Using Environment Credentials in Java
The Java example below uses [Gradle](http://gradle.org/) as its build system. The
build file, `build.gradle`, appears below:
```
plugins {
id 'java'
id 'com.github.johnrengelman.shadow' version '1.2.3'
}
repositories {
mavenCentral()
}
dependencies {
compile 'org.mariadb.jdbc:mariadb-java-client:1.3.6'
compile 'com.google.code.gson:gson:2.6.2'
}
jar {
manifest {
attributes 'Main-Class': 'main.Main'
}
}
```
* The [shadow](https://github.com/johnrengelman/shadow) build plugin is used to bundle a fat jar that includes all the dependencies.
* [gson](https://github.com/google/gson) is used to parse the environment services json.
* The MySQL compatible connector [mariadb-java-client](https://mariadb.com/kb/en/mariadb/about-mariadb-connector-j/) is used to communicate with the ctl_mysql service.
And here's the code for `src/main/java/main/Main.java`:
```
package main;
import com.google.gson.Gson;
import com.google.gson.GsonBuilder;
import java.sql.*;
import java.util.Properties;
public class Main {
public static void main(String args[]) throws Exception {
Connection conn = buildConnection();
//AppFog expects a process to stay running, so loop forever and query every 5 seconds
while (true) {
String query = "select name, description from items";
Statement stmt = conn.createStatement();
ResultSet rs = stmt.executeQuery(query);
while (rs.next()) {
System.out.println("Row (name, description) '" + rs.getString(1) + "', '" + rs.getString(2) + "'");
}
Thread.sleep(5000);
}
}
//establish a database connection
private static Connection buildConnection() throws InstantiationException, IllegalAccessException, ClassNotFoundException, SQLException {
ServicesConfig servicesConfig = loadServicesConfig();
Class.forName("org.mariadb.jdbc.Driver").newInstance();
String connectionString = "jdbc:mysql://" +
servicesConfig.ctl_mysql[0].credentials.host +
":" + servicesConfig.ctl_mysql[0].credentials.port +
"/" + servicesConfig.ctl_mysql[0].credentials.dbname;
Properties properties = new Properties();
properties.setProperty("user", servicesConfig.ctl_mysql[0].credentials.username);
properties.setProperty("password", servicesConfig.ctl_mysql[0].credentials.password);
properties.setProperty("useSSL", "true");
properties.setProperty("serverSslCert", servicesConfig.ctl_mysql[0].credentials.certificate);
return DriverManager.getConnection(connectionString, properties);
}
//parse the environment json into credentials object
private static ServicesConfig loadServicesConfig() {
Gson gson = new GsonBuilder().create();
ServicesConfig servicesConfig = gson.fromJson(System.getenv("VCAP_SERVICES"), ServicesConfig.class);
assert servicesConfig != null;
assert servicesConfig.ctl_mysql != null && servicesConfig.ctl_mysql.length == 1;
assert servicesConfig.ctl_mysql[0].credentials != null;
return servicesConfig;
}
//objects representing json vcap services
private class ServicesConfig {
private CtlMysqlConfig[] ctl_mysql;
}
private class CtlMysqlConfig {
Credentials credentials;
}
private class Credentials {
private String certificate;
private String dbname;
private String host;
private String password;
private Integer port;
private String username;
}
}
```
`main()` is a loop that runs simply forever: AppFog expects a program to continue running, so this
example simply queries every five seconds indefinitely and prints out the results.
`buildConnection()` establishes the database connection with the provisioned ctl_mysql database.
It takes an object representing the parsed environment and builds up a proper connection string. Note
the use of properties `useSSL` and `serverSslCert` to establish a secure connection. `serverSslCert`
is the reason I chose the MySQL compatible MariaDB connector. Establishing a secure connection
with a certificate string is a bit more cumbersome in other drivers.
`loadServicesConfig()` parses the environment to get database credentials/host/cert/port. There are quite a few
json parsing libraries out there; pick your favorite. I included the asserts for getting started in the event
that someone begins with this code example; a real world app would want use thorough error handling.
Finally, below is the deployment file `manifest.yml`. The property `no-route` is included as the
app doesn't respond to http requests
(the Diego runtime also requires [disabling health checks](using-diego.md) in non-webapps):
```
applications:
- name: java-mysql
memory: 512M
instances: 1
path: build/libs/java_mysql-all.jar
no-route: true
buildpack: https://github.com/cloudfoundry/java-buildpack.git
```
| {
"content_hash": "e7673c11e908e7a1fef6f61ce5594eeb",
"timestamp": "",
"source": "github",
"line_count": 324,
"max_line_length": 239,
"avg_line_length": 34.48765432098765,
"alnum_prop": 0.7098621800608556,
"repo_name": "justinwithington/PublicKB",
"id": "559782867818e0fe4b3fb2d07bc62df65f80d619",
"size": "11174",
"binary": false,
"copies": "1",
"ref": "refs/heads/master",
"path": "AppFog/using-ctl-mysql-with-appfog-apps.md",
"mode": "33188",
"license": "apache-2.0",
"language": [
{
"name": "Shell",
"bytes": "265"
}
],
"symlink_target": ""
} |
int main(int argc, char * argv[]) {
@autoreleasepool {
return UIApplicationMain(argc, argv, nil, NSStringFromClass([AppDelegate class]));
}
}
| {
"content_hash": "0a39d2af2d203d875f12a0a932f9e7af",
"timestamp": "",
"source": "github",
"line_count": 5,
"max_line_length": 90,
"avg_line_length": 31.6,
"alnum_prop": 0.6582278481012658,
"repo_name": "autresphere/ASBPlayerScrubbing",
"id": "413294c5e763e9ff23f40fba185208c1c2b8eb30",
"size": "357",
"binary": false,
"copies": "3",
"ref": "refs/heads/master",
"path": "Example/ASBPlayerScrubbingExample/main.m",
"mode": "33188",
"license": "mit",
"language": [
{
"name": "Objective-C",
"bytes": "21868"
},
{
"name": "Ruby",
"bytes": "569"
}
],
"symlink_target": ""
} |
static inline CGVector CGVectorAdd(const CGVector a, const CGVector b)
{
return CGVectorMake(a.dx + b.dx, a.dy + b.dy);
}
static inline CGVector CGVectorSubtract(const CGVector a, const CGVector b)
{
return CGVectorMake(a.dx - b.dx, a.dy - b.dy);
}
static inline CGVector CGVectorMultiplyScalar(const CGVector a, const CGFloat b)
{
return CGVectorMake(a.dx * b, a.dy * b);
}
static inline float CGVectorLength(const CGVector a)
{
return sqrtf(a.dx * a.dx + a.dy * a.dy);
}
static inline CGPoint CGVectorUnit(CGVector a)
{
float length = CGVectorLength(a);
return CGPointMake(a.dx / length, a.dy / length);
}
@interface SKNode (NodeAdditions)
- (void) move:(CGPoint)point;
- (void) moveX:(CGFloat)x;
- (void) moveY:(CGFloat)y;
@end
| {
"content_hash": "0969d0b057962af8a7738dd0d13561e1",
"timestamp": "",
"source": "github",
"line_count": 33,
"max_line_length": 80,
"avg_line_length": 23.09090909090909,
"alnum_prop": 0.6981627296587927,
"repo_name": "mightybits/rocketfish",
"id": "85b2eb8c5ef9f41f41a4ca581c3ab1c026731ae4",
"size": "970",
"binary": false,
"copies": "1",
"ref": "refs/heads/master",
"path": "RocketFish/SKNode+NodeAdditions.h",
"mode": "33188",
"license": "mit",
"language": [
{
"name": "C++",
"bytes": "970"
},
{
"name": "Objective-C",
"bytes": "17630"
}
],
"symlink_target": ""
} |
<p>
You have been logged out successfully
</p> | {
"content_hash": "66fea6d7d10c40f631a6e949e376c328",
"timestamp": "",
"source": "github",
"line_count": 3,
"max_line_length": 37,
"avg_line_length": 15.333333333333334,
"alnum_prop": 0.7391304347826086,
"repo_name": "charle-k/regsystem",
"id": "112b68600ddc8f7459562be724e88d5c64a23272",
"size": "46",
"binary": false,
"copies": "1",
"ref": "refs/heads/master",
"path": "application/views/news/logout.php",
"mode": "33188",
"license": "mit",
"language": [
{
"name": "ApacheConf",
"bytes": "240"
},
{
"name": "HTML",
"bytes": "5633"
},
{
"name": "PHP",
"bytes": "1765373"
}
],
"symlink_target": ""
} |
// let 语句相关
!function(ClosureVariableTag, localVariableTag, letDeclarationSeparatorTag){
this.LetTag = function(VarTag){
/**
* let 关键字标签
* @param {Number} _type - 标签类型
*/
function LetTag(_type){
VarTag.call(this, _type);
};
LetTag = new Rexjs(LetTag, VarTag);
LetTag.props({
/**
* 获取绑定的标签,该标签一般是用于语句的 try、catch 的返回值
*/
get binding(){
return letDeclarationSeparatorTag;
},
/**
* 提取文本内容
* @param {ContentBuilder} contentBuilder - 内容生成器
* @param {String} content - 标签内容
*/
extractTo: function(contentBuilder, content){
// 追加标签内容
contentBuilder.appendString(config.es6Base ? "var" : content);
},
regexp: /let/,
/**
* 获取此标签接下来所需匹配的标签列表
* @param {TagsMap} tagsMap - 标签集合映射
*/
require: function(tagsMap){
return tagsMap.letContextTags;
},
/**
* 获取绑定的变量名标签
*/
get variable(){
return localVariableTag;
}
});
return LetTag;
}(
this.VarTag
);
this.LocalVariableTag = function(collectTo){
/**
* 局部内变量标签
* @param {Number} _type - 标签类型
*/
function LocalVariableTag(_type){
ClosureVariableTag.call(this, _type);
};
LocalVariableTag = new Rexjs(LocalVariableTag, ClosureVariableTag);
LocalVariableTag.props({
/**
* 收集变量名
* @param {SyntaxParser} parser - 语法解析器
* @param {Context} context - 标签上下文
* @param {Statements} statements - 当前语句块
*/
collectTo: function(parser, context, statements){
// 调用父类方法
if(collectTo.call(this, parser, context, statements)){
// 收集变量名
statements.collections.blacklist.collect(context.content);
return true;
}
return false;
},
/**
* 判断变量名,是否包含于指定收集器内
* @param {String} variable - 需要判断的变量名
* @param {ECMAScriptVariableCollections} collections - 指定的变量名集合
*/
containsBy: function(variable, collections){
return collections.declaration.contains(variable);
}
});
return LocalVariableTag;
}(
ClosureVariableTag.prototype.collectTo
);
this.LetDeclarationSeparatorTag = function(VarDeclarationSeparatorTag){
/**
* let 语句变量声明分隔符标签
* @param {Number} _type - 标签类型
*/
function LetDeclarationSeparatorTag(_type){
VarDeclarationSeparatorTag.call(this, _type);
};
LetDeclarationSeparatorTag = new Rexjs(LetDeclarationSeparatorTag, VarDeclarationSeparatorTag);
LetDeclarationSeparatorTag.props({
/**
* 获取此标签接下来所需匹配的标签列表
* @param {TagsMap} tagsMap - 标签集合映射
*/
require: function(tagsMap){
return tagsMap.letContextTags;
}
});
return LetDeclarationSeparatorTag;
}(
this.VarDeclarationSeparatorTag
);
localVariableTag = new this.LocalVariableTag();
letDeclarationSeparatorTag = new this.LetDeclarationSeparatorTag();
}.call(
this,
this.ClosureVariableTag,
// localVariableTag
null,
// letDeclarationSeparatorTag
null
); | {
"content_hash": "99de805cf758c836179be57b8fe32e05",
"timestamp": "",
"source": "github",
"line_count": 128,
"max_line_length": 96,
"avg_line_length": 21.4140625,
"alnum_prop": 0.6942721634439986,
"repo_name": "china-liji/Rexjs",
"id": "21190097427f909abb0ddfbe441de19bbbd75e36",
"size": "3149",
"binary": false,
"copies": "1",
"ref": "refs/heads/master",
"path": "source/map/let.js",
"mode": "33188",
"license": "mit",
"language": [
{
"name": "C++",
"bytes": "46049"
},
{
"name": "CSS",
"bytes": "794"
},
{
"name": "HTML",
"bytes": "15843"
},
{
"name": "JavaScript",
"bytes": "7723197"
}
],
"symlink_target": ""
} |
<html>
<head>
<script src="inspector-test.js"></script>
<script src="debugger-test.js"></script>
<script src="workspace-test.js"></script>
<script src="breakpoint-manager-test.js"></script>
<script>
function test()
{
function createWorkspaceWithTarget(userCallback)
{
InspectorTest.createWorkspace();
var target = InspectorTest.createMockTarget(InspectorTest._mockTargetId++);
InspectorTest.testWorkspace.addEventListener(WebInspector.Workspace.Events.UISourceCodeAdded, uiSourceCodeAdded);
InspectorTest.testWorkspace.addEventListener(WebInspector.Workspace.Events.UISourceCodeRemoved, uiSourceCodeRemoved);
userCallback(target);
}
function checkMapping(compiledLineNumber, compiledColumnNumber, sourceURL, sourceLineNumber, sourceColumnNumber, mapping)
{
var entry = mapping.findEntry(compiledLineNumber, compiledColumnNumber);
InspectorTest.addResult(sourceURL + " === " + entry[2]);
InspectorTest.addResult(sourceLineNumber + " === " + entry[3]);
InspectorTest.addResult(sourceColumnNumber + " === " + entry[4]);
}
function checkReverseMapping(compiledLineNumber, compiledColumnNumber, sourceURL, sourceLineNumber, mapping)
{
var entry = mapping.findEntryReversed(sourceURL, sourceLineNumber, 5);
InspectorTest.addResult(compiledLineNumber + " === " + entry[0]);
InspectorTest.addResult(compiledColumnNumber + " === " + entry[1]);
}
function uiLocation(script, line, column)
{
var location = script.target().debuggerModel.createRawLocation(script, line, column);
return InspectorTest.testDebuggerWorkspaceBinding.rawLocationToUILocation(location);
}
function resetModels()
{
target.debuggerModel._reset();
InspectorTest.testDebuggerWorkspaceBinding._reset(target);
}
function uiSourceCodeAdded(event)
{
var uiSourceCode = event.data;
var networkURL = InspectorTest.testNetworkMapping.networkURL(uiSourceCode);
InspectorTest.addResult("UISourceCodeAdded: [" + uiSourceCode.project().type() + "] " + networkURL);
}
function uiSourceCodeRemoved(event)
{
var uiSourceCode = event.data;
var networkURL = InspectorTest.testNetworkMapping.networkURL(uiSourceCode);
InspectorTest.addResult("UISourceCodeRemoved: [" + uiSourceCode.project().type() + "] " + networkURL);
}
InspectorTest.runTestSuite([
function testSimpleMap(next)
{
/*
example.js:
0 1 2 3
012345678901234567890123456789012345
function add(variable_x, variable_y)
{
return variable_x + variable_y;
}
var global = "foo";
----------------------------------------
example-compiled.js:
0 1 2 3
012345678901234567890123456789012345
function add(a,b){return a+b}var global="foo";
foo
*/
var mappingPayload = {
"mappings":"AAASA,QAAAA,IAAG,CAACC,CAAD,CAAaC,CAAb,CACZ,CACI,MAAOD,EAAP,CAAoBC,CADxB,CAIA,IAAIC,OAAS;A",
"sources":["example.js"]
};
var mapping = new WebInspector.SourceMap("source-map.json", mappingPayload);
checkMapping(0, 9, "example.js", 0, 9, mapping);
checkMapping(0, 13, "example.js", 0, 13, mapping);
checkMapping(0, 15, "example.js", 0, 25, mapping);
checkMapping(0, 18, "example.js", 2, 4, mapping);
checkMapping(0, 25, "example.js", 2, 11, mapping);
checkMapping(0, 27, "example.js", 2, 24, mapping);
checkMapping(1, 0, undefined, undefined, undefined, mapping);
checkReverseMapping(0, 0, "example.js", 0, mapping);
checkReverseMapping(0, 17, "example.js", 1, mapping);
checkReverseMapping(0, 18, "example.js", 2, mapping);
checkReverseMapping(0, 29, "example.js", 4, mapping);
checkReverseMapping(0, 29, "example.js", 5, mapping);
next();
},
function testNoMappingEntry(next)
{
var mappingPayload = {
"mappings":"AAAA,C,CAAE;",
"sources":["example.js"]
};
var mapping = new WebInspector.SourceMap("source-map.json", mappingPayload);
checkMapping(0, 0, "example.js", 0, 0, mapping);
var entry = mapping.findEntry(0, 1);
InspectorTest.assertEquals(2, entry.length);
checkMapping(0, 2, "example.js", 0, 2, mapping);
next();
},
function testEmptyLine(next)
{
var mappingPayload = {
"mappings":"AAAA;;;CACA",
"sources":["example.js"]
};
var mapping = new WebInspector.SourceMap("source-map.json", mappingPayload);
checkMapping(0, 0, "example.js", 0, 0, mapping);
checkReverseMapping(3, 1, "example.js", 1, mapping);
next();
},
function testSections(next)
{
var mappingPayload = {
"sections": [{
"offset": { "line": 0, "column": 0 },
"map": {
"mappings":"AAAA,CAEC",
"sources":["source1.js", "source2.js"]
}
}, {
"offset": { "line": 2, "column": 10 },
"map": {
"mappings":"AAAA,CAEC",
"sources":["source2.js"]
}
}
]};
var mapping = new WebInspector.SourceMap("source-map.json", mappingPayload);
InspectorTest.assertEquals(2, mapping.sources().length);
checkMapping(0, 0, "source1.js", 0, 0, mapping);
checkMapping(0, 1, "source1.js", 2, 1, mapping);
checkMapping(2, 10, "source2.js", 0, 0, mapping);
checkMapping(2, 11, "source2.js", 2, 1, mapping);
next();
},
function testResolveSourceMapURL(next)
{
var func = WebInspector.ParsedURL.completeURL;
InspectorTest.addResult("http://example.com/map.json === " + func("http://example.com/script.js", "http://example.com/map.json"));
InspectorTest.addResult("http://example.com/map.json === " + func("http://example.com/script.js", "/map.json"));
InspectorTest.addResult("http://example.com/maps/map.json === " + func("http://example.com/scripts/script.js", "../maps/map.json"));
var base = "http://a/b/c/d;p?q";
InspectorTest.addResult("Tests from http://tools.ietf.org/html/rfc3986#section-5.4 using baseURL=\"" + base + "\"");
function rfc3986_5_4(lhs, rhs)
{
var actual = WebInspector.ParsedURL.completeURL(base, lhs);
InspectorTest.addResult(lhs + " resolves to " + actual + "===" + rhs + " passes: " + (actual === rhs));
}
rfc3986_5_4("http://h", "http://h"); // modified from RFC3986
rfc3986_5_4("g", "http://a/b/c/g");
rfc3986_5_4("./g", "http://a/b/c/g");
rfc3986_5_4("g/", "http://a/b/c/g/");
rfc3986_5_4("/g", "http://a/g");
rfc3986_5_4("//g", "http://g");
rfc3986_5_4("?y", "http://a/b/c/d;p?y");
rfc3986_5_4("g?y", "http://a/b/c/g?y");
rfc3986_5_4("#s", "http://a/b/c/d;p?q#s");
rfc3986_5_4("g#s", "http://a/b/c/g#s");
rfc3986_5_4("g?y#s", "http://a/b/c/g?y#s");
rfc3986_5_4(";x", "http://a/b/c/;x");
rfc3986_5_4("g;x", "http://a/b/c/g;x");
rfc3986_5_4("g;x?y#s", "http://a/b/c/g;x?y#s");
rfc3986_5_4("", "http://a/b/c/d;p?q");
rfc3986_5_4(".", "http://a/b/c/");
rfc3986_5_4("./", "http://a/b/c/");
rfc3986_5_4("..", "http://a/b/");
rfc3986_5_4("../", "http://a/b/");
rfc3986_5_4("../g", "http://a/b/g");
rfc3986_5_4("../..", "http://a/");
rfc3986_5_4("../../", "http://a/");
rfc3986_5_4("../../g", "http://a/g");
rfc3986_5_4("../../../g", "http://a/g");
rfc3986_5_4("../../../../g", "http://a/g");
rfc3986_5_4("/./g", "http://a/g");
rfc3986_5_4("/../g", "http://a/g");
rfc3986_5_4("g." , "http://a/b/c/g.");
rfc3986_5_4(".g" , "http://a/b/c/.g");
rfc3986_5_4("g..", "http://a/b/c/g..");
rfc3986_5_4("..g", "http://a/b/c/..g");
rfc3986_5_4("./../g", "http://a/b/g");
rfc3986_5_4("./g/.", "http://a/b/c/g/");
rfc3986_5_4("g/./h", "http://a/b/c/g/h");
rfc3986_5_4("g/../h", "http://a/b/c/h");
rfc3986_5_4("g;x=1/./y", "http://a/b/c/g;x=1/y");
rfc3986_5_4("g;x=1/../y", "http://a/b/c/y");
rfc3986_5_4("g?y/./x", "http://a/b/c/g?y/./x");
rfc3986_5_4("g?y/../x", "http://a/b/c/g?y/../x");
rfc3986_5_4("g#s/./x", "http://a/b/c/g#s/./x");
rfc3986_5_4("g#s/../x", "http://a/b/c/g#s/../x");
rfc3986_5_4("//secure.com/moo", "http://secure.com/moo"); // not in RFC3986
rfc3986_5_4("cat.jpeg", "http://a/b/c/cat.jpeg"); // not in RFC3986
next();
},
function testCompilerScriptMapping(next)
{
var script;
var originalUISourceCode;
var target;
createWorkspaceWithTarget(step1);
function step1(newTarget)
{
target = newTarget;
InspectorTest.waitForWorkspaceUISourceCodeAddedEvent(originalUISourceCodeAdded);
script = InspectorTest.createScriptMock("compiled.js", 0, 0, true, "", target, function(script) {
script.sourceMapURL = "http://localhost:8000/inspector/resources/source-map.json";
});
InspectorTest.testDebuggerWorkspaceBinding._targetToData.get(target)._parsedScriptSource({ data: script });
}
function originalUISourceCodeAdded(uiSourceCode)
{
InspectorTest.waitForWorkspaceUISourceCodeAddedEvent(originalResourceUISourceCodeAdded);
InspectorTest.addMockUISourceCodeToWorkspace("compiled.js", WebInspector.resourceTypes.Script, "");
}
function originalResourceUISourceCodeAdded(uiSourceCode)
{
InspectorTest.waitForWorkspaceUISourceCodeAddedEvent(stubUISourceCodeAdded, 1, WebInspector.projectTypes.Service);
originalUISourceCode = uiSourceCode;
}
function stubUISourceCodeAdded(uiSourceCode)
{
InspectorTest.waitForWorkspaceUISourceCodeAddedEvent(firstUISourceCodeAdded);
}
function firstUISourceCodeAdded(uiSourceCode)
{
var networkURL = InspectorTest.testNetworkMapping.networkURL(uiSourceCode);
if (!networkURL) {
InspectorTest.waitForWorkspaceUISourceCodeAddedEvent(firstUISourceCodeAdded);
return;
}
InspectorTest.waitForWorkspaceUISourceCodeAddedEvent(secondUISourceCodeAdded);
}
function secondUISourceCodeAdded(uiSourceCode)
{
var networkURL = InspectorTest.testNetworkMapping.networkURL(uiSourceCode);
if (!networkURL) {
InspectorTest.waitForWorkspaceUISourceCodeAddedEvent(secondUISourceCodeAdded);
return;
}
afterScriptAdded();
}
function afterScriptAdded()
{
InspectorTest.addResult("afterScriptAdded");
var uiSourceCode1 = InspectorTest.testWorkspace.uiSourceCodeForOriginURL("http://localhost:8000/inspector/resources/source1.js");
var uiSourceCode2 = InspectorTest.testWorkspace.uiSourceCodeForOriginURL("http://localhost:8000/inspector/resources/source2.js");
InspectorTest.checkUILocation(uiSourceCode1, 4, 4, uiLocation(script, 0, 81));
InspectorTest.checkUILocation(uiSourceCode1, 5, 4, uiLocation(script, 0, 93));
InspectorTest.checkUILocation(uiSourceCode2, 7, 4, uiLocation(script, 1, 151));
InspectorTest.checkUILocation(originalUISourceCode, 1, 200, uiLocation(script, 1, 200));
InspectorTest.checkRawLocation(script, 0, 42, InspectorTest.testDebuggerWorkspaceBinding.uiLocationToRawLocation(target, uiSourceCode1, 3, 10));
InspectorTest.checkRawLocation(script, 1, 85, InspectorTest.testDebuggerWorkspaceBinding.uiLocationToRawLocation(target, uiSourceCode2, 0, 0));
InspectorTest.checkRawLocation(script, 1, 110, InspectorTest.testDebuggerWorkspaceBinding.uiLocationToRawLocation(target, uiSourceCode2, 5, 2));
uiSourceCode1.requestContent(didRequestContent1);
function didRequestContent1(content, contentEncoded, mimeType)
{
InspectorTest.assertEquals(0, content.indexOf("window.addEventListener"));
uiSourceCode2.requestContent(didRequestContent2);
}
function didRequestContent2(content, contentEncoded, mimeType)
{
InspectorTest.assertEquals(0, content.indexOf("function ClickHandler()"));
next();
}
}
},
function testCompilerScriptMappingWhenResourceWasLoadedAfterSource(next)
{
var script;
var originalUISourceCode;
var target;
createWorkspaceWithTarget(workspaceCreated);
function workspaceCreated(newTarget)
{
target = newTarget;
InspectorTest.waitForWorkspaceUISourceCodeAddedEvent(function() { });
script = InspectorTest.createScriptMock("compiled.js", 0, 0, true, "", target, function(script) {
script.sourceMapURL = "http://localhost:8000/inspector/resources/source-map.json";
});
InspectorTest.testDebuggerWorkspaceBinding._targetToData.get(target)._parsedScriptSource({ data: script });
InspectorTest.waitForWorkspaceUISourceCodeAddedEvent(originalResourceUISourceCodeAdded);
InspectorTest.addMockUISourceCodeToWorkspace("compiled.js", WebInspector.resourceTypes.Script, "");
InspectorTest.waitForWorkspaceUISourceCodeAddedEvent(firstUISourceCodeAdded);
}
function originalResourceUISourceCodeAdded(uiSourceCode)
{
originalUISourceCode = uiSourceCode;
}
function firstUISourceCodeAdded(uiSourceCode)
{
InspectorTest.waitForWorkspaceUISourceCodeAddedEvent(secondUISourceCodeAdded);
}
function secondUISourceCodeAdded(uiSourceCode)
{
afterScriptAdded();
}
function afterScriptAdded(uiSourceCode)
{
var uiSourceCode1 = InspectorTest.testWorkspace.uiSourceCodeForOriginURL("http://localhost:8000/inspector/resources/source1.js");
var uiSourceCode2 = InspectorTest.testWorkspace.uiSourceCodeForOriginURL("http://localhost:8000/inspector/resources/source2.js");
InspectorTest.checkUILocation(uiSourceCode1, 4, 4, uiLocation(script, 0, 81));
InspectorTest.checkUILocation(uiSourceCode1, 5, 4, uiLocation(script, 0, 93));
InspectorTest.checkUILocation(uiSourceCode2, 7, 4, uiLocation(script, 1, 151));
InspectorTest.checkUILocation(originalUISourceCode, 1, 200, uiLocation(script, 1, 200));
InspectorTest.checkRawLocation(script, 0, 42, InspectorTest.testDebuggerWorkspaceBinding.uiLocationToRawLocation(target, uiSourceCode1, 3, 10));
InspectorTest.checkRawLocation(script, 1, 85, InspectorTest.testDebuggerWorkspaceBinding.uiLocationToRawLocation(target, uiSourceCode2, 0, 0));
InspectorTest.checkRawLocation(script, 1, 110, InspectorTest.testDebuggerWorkspaceBinding.uiLocationToRawLocation(target, uiSourceCode2, 5, 2));
uiSourceCode1.requestContent(didRequestContent1);
function didRequestContent1(content, contentEncoded, mimeType)
{
InspectorTest.assertEquals(0, content.indexOf("window.addEventListener"));
uiSourceCode2.requestContent(didRequestContent2);
}
function didRequestContent2(content, contentEncoded, mimeType)
{
InspectorTest.assertEquals(0, content.indexOf("function ClickHandler()"));
next();
}
}
},
function testInlinedSourceMap(next)
{
var target;
var script;
createWorkspaceWithTarget(workspaceCreated);
function workspaceCreated(newTarget) {
target = newTarget;
InspectorTest.waitForWorkspaceUISourceCodeAddedEvent(compiledUISourceCodeAdded);
script = InspectorTest.createScriptMock("http://example.com/compiled.js", 0, 0, true, "", target, function(script) {
var sourceMap = {
"file":"compiled.js",
"mappings":"AAASA,QAAAA,IAAG,CAACC,CAAD,CAAaC,CAAb,CACZ,CACI,MAAOD,EAAP,CAAoBC,CADxB,CAIA,IAAIC,OAAS;",
"sources":["source.js"],
"sourcesContent":["<source content>"]
};
script.sourceMapURL = "data:application/json;base64," + btoa(JSON.stringify(sourceMap));
});
InspectorTest.testDebuggerWorkspaceBinding._targetToData.get(target)._parsedScriptSource({ data: script });
}
function compiledUISourceCodeAdded(uiSourceCode)
{
InspectorTest.waitForWorkspaceUISourceCodeAddedEvent(originalUISourceCodeAdded);
}
function originalUISourceCodeAdded(uiSourceCode)
{
var uiSourceCode = InspectorTest.testWorkspace.uiSourceCodeForOriginURL("http://example.com/source.js");
InspectorTest.checkUILocation(uiSourceCode, 2, 4, uiLocation(script, 0, 18));
InspectorTest.checkRawLocation(script, 0, 18, InspectorTest.testDebuggerWorkspaceBinding.uiLocationToRawLocation(target, uiSourceCode, 2, 4));
uiSourceCode.requestContent(didRequestContent);
function didRequestContent(content, contentEncoded, mimeType)
{
InspectorTest.addResult("<source content> === " + content);
next();
}
}
},
function testSourceMapCouldNotBeLoaded(next)
{
createWorkspaceWithTarget(workspaceCreated);
function workspaceCreated(target)
{
InspectorTest.waitForWorkspaceUISourceCodeAddedEvent(compiledUISourceCodeAdded);
var script = InspectorTest.createScriptMock("compiled.js", 0, 0, true, "", target);
function compiledUISourceCodeAdded(uiSourceCode)
{
InspectorTest.waitForWorkspaceUISourceCodeAddedEvent(originalUISourceCodeAdded);
}
function originalUISourceCodeAdded(uiSourceCode) { }
script.sourceMapURL = "http://localhost:8000/inspector/resources/source-map.json_";
console.error = function() {}; // Error message is platform dependent.
InspectorTest.testDebuggerWorkspaceBinding._targetToData.get(target)._parsedScriptSource({ data: script });
var location = uiLocation(script, 0, 0);
InspectorTest.addResult(location.uiSourceCode.originURL());
next();
}
},
function testSourceRoot(next)
{
/*
example.js:
0 1 2 3
012345678901234567890123456789012345
function add(variable_x, variable_y)
{
return variable_x + variable_y;
}
var global = "foo";
----------------------------------------
example-compiled.js:
0 1 2 3
012345678901234567890123456789012345
function add(a,b){return a+b}var global="foo";
*/
var mappingPayload = {
"mappings":"AAASA,QAAAA,IAAG,CAACC,CAAD,CAAaC,CAAb,CACZ,CACI,MAAOD,EAAP,CAAoBC,CADxB,CAIA,IAAIC,OAAS;",
"sources":["example.js"],
"sourceRoot":"/"
};
var mapping = new WebInspector.SourceMap("source-map.json", mappingPayload);
checkMapping(0, 9, "/example.js", 0, 9, mapping);
checkReverseMapping(0, 0, "/example.js", 0, mapping);
next();
},
]);
};
</script>
</head>
<body onload="runTest()">
<p>Tests SourceMap and CompilerScriptMapping.</p>
</body>
</html>
| {
"content_hash": "42e952aa8cd0d1191524d98f95f9bb4d",
"timestamp": "",
"source": "github",
"line_count": 472,
"max_line_length": 160,
"avg_line_length": 45.983050847457626,
"alnum_prop": 0.5652875046074456,
"repo_name": "vadimtk/chrome4sdp",
"id": "9dc06410dac482697f37b6b0d124958a359078dd",
"size": "21704",
"binary": false,
"copies": "8",
"ref": "refs/heads/master",
"path": "third_party/WebKit/LayoutTests/http/tests/inspector/compiler-script-mapping.html",
"mode": "33188",
"license": "bsd-3-clause",
"language": [],
"symlink_target": ""
} |
package org.ebaloo.itkeeps.core.domain.vertex;
import org.apache.commons.lang3.StringUtils;
import org.ebaloo.itkeeps.api.enumeration.enAuthenticationType;
import org.ebaloo.itkeeps.api.model.jBaseLight;
import org.ebaloo.itkeeps.api.model.jCredential;
import org.ebaloo.itkeeps.core.database.annotation.DatabaseVertrex;
import org.ebaloo.itkeeps.core.domain.edge.DirectionType;
import org.ebaloo.itkeeps.core.domain.edge.notraverse.eCredentialToUser;
import org.ebaloo.itkeeps.api.model.jUser;
@DatabaseVertrex()
public final class vCredential extends vBase {
private static final String HASH_PASSWORD = "hashPassword";
protected vCredential() {
super();
}
/*
* PARENT USER
*/
vCredential(final jCredential j, final jBaseLight jblUser) {
super(j);
try {
if (StringUtils.isEmpty(j.getName())) {
throw new RuntimeException("TODO"); // TODO
}
if (jblUser != null) {
vCredential.get(this.getGraph(), this.getClass(), j.getName(), false);
this.setUser(jblUser);
}
if (j.getAuthenticationType().equals(enAuthenticationType.BASIC)
|| j.getAuthenticationType().equals(enAuthenticationType.TOKEN)) {
this.setPassowrd64(j.getPassword64());
}
this.setAuthenticationType(j.getAuthenticationType());
if ((jblUser == null) || jblUser.getId() == null) {
jUser juser = new jUser();
juser.setName(j.getUserName());
vUser user = new vUser(juser, true);
this.setUser(getJBaseLight(user));
}
} catch (Exception e) {
e.printStackTrace();
this.delete();
throw e;
}
}
boolean checkHashPassword(final String value) {
if (StringUtils.isNoneEmpty(value))
return false;
String hash = this.getProperty(jCredential.PASSWORD64);
if (StringUtils.isNoneEmpty(hash))
return false;
return SecurityFactory.checkHash(value, hash);
}
enAuthenticationType getAuthenticationType() {
return enAuthenticationType.valueOf(this.getProperty(jCredential.AUTHENTICATION_TYPE));
}
/*
* PASSWORD
*/
private void setAuthenticationType(enAuthenticationType authType) {
this.setProperty(jCredential.AUTHENTICATION_TYPE, authType.name());
}
vUser _getUser() {
return this.getEdge(vUser.class, DirectionType.PARENT, false, eCredentialToUser.class);
}
public jBaseLight getUser() {
return getJBaseLight(this._getUser());
}
private void setUser(jBaseLight user) {
setEdges(this.getGraph(), vCredential.class, this, vUser.class, get(this.getGraph(), vUser.class, user, false), DirectionType.PARENT,
eCredentialToUser.class, false);
}
private void setPassowrdHash(final String hash) {
if (StringUtils.isEmpty(hash)) {
this.setProperty(HASH_PASSWORD, StringUtils.EMPTY);
return;
}
this.setProperty(HASH_PASSWORD, hash);
}
void setPassowrd64(final String base64) {
if (StringUtils.isEmpty(base64)) {
this.setProperty(HASH_PASSWORD, StringUtils.EMPTY);
return;
}
this.setPassowrdHash(SecurityFactory.getHash(base64));
}
jCredential read() {
jCredential j = new jCredential();
this.readBase(j);
j.setName(this.getName());
j.setUser(this.getUser());
j.setAuthenticationType(this.getAuthenticationType());
return j;
}
void update(jCredential j) {
if(j.isPresentPassword64())
this.setPassowrd64(j.getPassword64());
if(j.isPresentUser() && (this.getUser() == null))
this.setUser(j.getUser());
}
}
| {
"content_hash": "49098309866c9fa315fce8c3916ae257",
"timestamp": "",
"source": "github",
"line_count": 149,
"max_line_length": 135,
"avg_line_length": 23.83221476510067,
"alnum_prop": 0.6854407209236835,
"repo_name": "e-baloo/it-keeps",
"id": "3a97c72e81481a0c20a977216a23141bf1d8de85",
"size": "3551",
"binary": false,
"copies": "1",
"ref": "refs/heads/master",
"path": "it-keeps-core/src/main/java/org/ebaloo/itkeeps/core/domain/vertex/vCredential.java",
"mode": "33188",
"license": "mit",
"language": [
{
"name": "CSS",
"bytes": "737"
},
{
"name": "HTML",
"bytes": "7607"
},
{
"name": "Java",
"bytes": "338678"
},
{
"name": "JavaScript",
"bytes": "13631"
},
{
"name": "TypeScript",
"bytes": "19943"
}
],
"symlink_target": ""
} |
var mongodb = require('../models/mongodb');
var Schema = mongodb.mongoose.Schema;
var callSchema = new Schema({
user: {
type: Schema.Types.ObjectId,
ref: 'users',
index: true
},
time: {
type: Date,
index: true,
default: Date.now()
},
order: {
type: Schema.Types.ObjectId,
ref: 'orders'
},
needFeedback: Boolean,
isFeedbacked: Boolean,
feedbackResult: String,
hint: String,
content: String,
type: {
type: Number,
index: true,
default: 0
},
result:String
});
var call = mongodb.mongoose.model('calls', callSchema);
module.exports = call; | {
"content_hash": "fc4007576296c48db9812b3583682a31",
"timestamp": "",
"source": "github",
"line_count": 33,
"max_line_length": 55,
"avg_line_length": 20.636363636363637,
"alnum_prop": 0.5594713656387665,
"repo_name": "Kagamine/Firmus",
"id": "ed2db26be652867d48b66917632dcbbf1fdad532",
"size": "681",
"binary": false,
"copies": "1",
"ref": "refs/heads/master",
"path": "models/call.js",
"mode": "33188",
"license": "mit",
"language": [
{
"name": "CSS",
"bytes": "62960"
},
{
"name": "HTML",
"bytes": "3055"
},
{
"name": "JavaScript",
"bytes": "486709"
}
],
"symlink_target": ""
} |
#ifndef QUICKSTEP_STORAGE_TUPLE_REFERENCE_HPP_
#define QUICKSTEP_STORAGE_TUPLE_REFERENCE_HPP_
#include "storage/StorageBlockInfo.hpp"
namespace quickstep {
class TupleStorageSubBlock;
/** \addtogroup Storage
* @{
*/
/**
* @brief A reference to a particular tuple in a StorageBlock.
**/
struct TupleReference {
TupleReference()
: block(0), tuple(-1) {
}
TupleReference(block_id block_in, tuple_id tuple_in)
: block(block_in), tuple(tuple_in) {
}
block_id block;
tuple_id tuple;
};
/** @} */
} // namespace quickstep
#endif // QUICKSTEP_STORAGE_TUPLE_REFERENCE_HPP_
| {
"content_hash": "2d476e1833822d84a4bbee473fc21425",
"timestamp": "",
"source": "github",
"line_count": 36,
"max_line_length": 62,
"avg_line_length": 16.86111111111111,
"alnum_prop": 0.6771004942339374,
"repo_name": "cramja/incubator-quickstep",
"id": "d53d85202aca7b1347073ef069e8274d402b3e3b",
"size": "1416",
"binary": false,
"copies": "7",
"ref": "refs/heads/master",
"path": "storage/TupleReference.hpp",
"mode": "33188",
"license": "apache-2.0",
"language": [
{
"name": "C++",
"bytes": "8868819"
},
{
"name": "CMake",
"bytes": "635006"
},
{
"name": "Protocol Buffer",
"bytes": "51411"
},
{
"name": "Python",
"bytes": "33257"
},
{
"name": "Ruby",
"bytes": "5352"
},
{
"name": "Shell",
"bytes": "9617"
}
],
"symlink_target": ""
} |
using System;
namespace Orleans
{
/// <summary>
/// Client interface for interacting with an Orleans cluster.
/// </summary>
public interface IClusterClient : IGrainFactory
{
/// <summary>
/// Gets the service provider used by this client.
/// </summary>
IServiceProvider ServiceProvider { get; }
}
} | {
"content_hash": "721c19de4615ed3ada3aeb8b18c86a8e",
"timestamp": "",
"source": "github",
"line_count": 15,
"max_line_length": 65,
"avg_line_length": 23.8,
"alnum_prop": 0.6106442577030813,
"repo_name": "galvesribeiro/orleans",
"id": "74aa99e8d7e8beaee7ef4a056c6057b135304d00",
"size": "357",
"binary": false,
"copies": "9",
"ref": "refs/heads/main",
"path": "src/Orleans.Core/Core/IClusterClient.cs",
"mode": "33188",
"license": "mit",
"language": [
{
"name": "Batchfile",
"bytes": "2577"
},
{
"name": "C#",
"bytes": "10388016"
},
{
"name": "Dockerfile",
"bytes": "780"
},
{
"name": "F#",
"bytes": "2546"
},
{
"name": "PLSQL",
"bytes": "21319"
},
{
"name": "PLpgSQL",
"bytes": "33702"
},
{
"name": "PowerShell",
"bytes": "6179"
},
{
"name": "Shell",
"bytes": "2686"
},
{
"name": "Smalltalk",
"bytes": "1436"
},
{
"name": "TSQL",
"bytes": "24557"
}
],
"symlink_target": ""
} |
using namespace std;
class Order : public QObject //order class stores total and items added to order(called immediately on program startup)
{
Q_OBJECT
const double tax = 0.06; //total, tax, and subtotal calculated after item is added each time
double subtotal;
double total;
public:
vector<Item*> *itemArray; //dynamic vector for items (easier to add and remove with vector)
Order(); //default order constructor called immediately after starting new order
double getTax();
void setSubtotal(double subtotal);
double getSubtotal();
void setTotal(double total);
double getTotal();
void addItem(Item *toBeAdded); // add food or drink to item array
void removeItem(int id); //remove food or drink from item array
void findSubtotal(); //calculates subtotal based on price of each item in array
void findTotal(); //calculate total from tax and subtotal
int getItemCount();
void clearOrder(); //function called when at receipt page and ready to start new order
public slots:
signals:
void itemsChanged();
};
| {
"content_hash": "6a5c08543df3b9bbfe732c4a00dae86e",
"timestamp": "",
"source": "github",
"line_count": 36,
"max_line_length": 122,
"avg_line_length": 29.555555555555557,
"alnum_prop": 0.7293233082706767,
"repo_name": "keithbarker/3503_group_project",
"id": "bb1fdb55c2e451c9fb1004acacec2be754dc8d73",
"size": "1151",
"binary": false,
"copies": "1",
"ref": "refs/heads/master",
"path": "Order.h",
"mode": "33188",
"license": "mit",
"language": [
{
"name": "C++",
"bytes": "42872"
},
{
"name": "QMake",
"bytes": "461"
}
],
"symlink_target": ""
} |
title: "WebElement #15 Prešov: František Trusa - Je Drupal predpotopný moloch alebo moderné CMS? Niečo medzi tým; Milan Kurečko - Návrh webu od myšlienky po úspešný výsledok"
layout: event
noContent: true
facebookId: 1635069816765993
---
| {
"content_hash": "9ee0a50cf596a7f849970253a016be79",
"timestamp": "",
"source": "github",
"line_count": 5,
"max_line_length": 174,
"avg_line_length": 47.6,
"alnum_prop": 0.7941176470588235,
"repo_name": "webelement/webelement.github.io",
"id": "c66b06ee47e3c708bbb2a29ffb133be452c2a177",
"size": "255",
"binary": false,
"copies": "3",
"ref": "refs/heads/master",
"path": "app/_posts/2015-09-08-webelement-15-presov.md",
"mode": "33188",
"license": "mit",
"language": [
{
"name": "CSS",
"bytes": "15731"
},
{
"name": "HTML",
"bytes": "12506"
},
{
"name": "JavaScript",
"bytes": "3866"
},
{
"name": "Makefile",
"bytes": "979"
},
{
"name": "PHP",
"bytes": "1403"
},
{
"name": "Shell",
"bytes": "1902"
}
],
"symlink_target": ""
} |
import sys
sys.path.insert(1, "../../")
import h2o
def runif_check(ip, port):
# Connect to a pre-existing cluster
uploaded_frame = h2o.upload_file(h2o.locate("bigdata/laptop/mnist/train.csv.gz"))
r_u = uploaded_frame[0].runif(1234)
imported_frame = h2o.import_file(h2o.locate("bigdata/laptop/mnist/train.csv.gz"))
r_i = imported_frame[0].runif(1234)
print "This demonstrates that seeding runif on identical frames with different chunk distributions provides " \
"different results. upload_file: {0}, import_frame: {1}.".format(r_u.mean(), r_i.mean())
if __name__ == "__main__":
h2o.run_test(sys.argv, runif_check)
| {
"content_hash": "3a85717732a1d81ca91e6921dafbac91",
"timestamp": "",
"source": "github",
"line_count": 19,
"max_line_length": 115,
"avg_line_length": 34.8421052631579,
"alnum_prop": 0.6676737160120846,
"repo_name": "PawarPawan/h2o-v3",
"id": "e8bdc9c80053d009e53171d94b8b51a68a7577e5",
"size": "662",
"binary": false,
"copies": "3",
"ref": "refs/heads/master",
"path": "h2o-py/tests/testdir_munging/pyunit_runif_large.py",
"mode": "33188",
"license": "apache-2.0",
"language": [
{
"name": "Batchfile",
"bytes": "5090"
},
{
"name": "CSS",
"bytes": "163561"
},
{
"name": "CoffeeScript",
"bytes": "261942"
},
{
"name": "Emacs Lisp",
"bytes": "8914"
},
{
"name": "Groovy",
"bytes": "78"
},
{
"name": "HTML",
"bytes": "140122"
},
{
"name": "Java",
"bytes": "5407730"
},
{
"name": "JavaScript",
"bytes": "88331"
},
{
"name": "Makefile",
"bytes": "31513"
},
{
"name": "Python",
"bytes": "2009340"
},
{
"name": "R",
"bytes": "1818630"
},
{
"name": "Rebol",
"bytes": "3997"
},
{
"name": "Ruby",
"bytes": "299"
},
{
"name": "Scala",
"bytes": "16336"
},
{
"name": "Shell",
"bytes": "44607"
},
{
"name": "TeX",
"bytes": "469926"
}
],
"symlink_target": ""
} |
import React from 'react';
import {createRoot} from 'react-dom/client';
import './index.css';
import App from './App';
import * as serviceWorker from './serviceWorker';
const rootElement = document.getElementById('root');
const root = createRoot(rootElement);
root.render(
<React.StrictMode>
<App />
</React.StrictMode>
);
// If you want your app to work offline and load faster, you can change
// unregister() to register() below. Note this comes with some pitfalls.
// Learn more about service workers: https://bit.ly/CRA-PWA
serviceWorker.unregister();
| {
"content_hash": "9b244516705adcc95fddee28bdac7e52",
"timestamp": "",
"source": "github",
"line_count": 19,
"max_line_length": 72,
"avg_line_length": 29.842105263157894,
"alnum_prop": 0.7266313932980599,
"repo_name": "DevUtils/jQuerySimpleMask",
"id": "f8339c8395ecaab488d63a3c41e6c4f064ba1bb9",
"size": "567",
"binary": false,
"copies": "1",
"ref": "refs/heads/master",
"path": "page/src/index.js",
"mode": "33188",
"license": "mit",
"language": [
{
"name": "CSS",
"bytes": "402"
},
{
"name": "HTML",
"bytes": "3508"
},
{
"name": "JavaScript",
"bytes": "20743"
}
],
"symlink_target": ""
} |
package br.senac.tads4.piiv.service.event.historico;
import java.util.Set;
import br.senac.tads4.piiv.model.ItemPedido;
import br.senac.tads4.piiv.model.Produto;
import br.senac.tads4.piiv.model.enumerated.TipoMovimentacao;
public class HistoricoEvent {
private Produto produto;
private Set<ItemPedido> itensPedido;
private Long idPedido;
private TipoMovimentacao tipoMovimentacao;
public HistoricoEvent(Produto produto, TipoMovimentacao tipoMovimentacao) {
this.produto = produto;
this.tipoMovimentacao = tipoMovimentacao;
}
public HistoricoEvent(Set<ItemPedido> itensPedido, TipoMovimentacao tipoMovimentacao) {
this.itensPedido = itensPedido;
this.tipoMovimentacao = tipoMovimentacao;
}
public HistoricoEvent(Long id, TipoMovimentacao tipoMovimentacao) {
this.idPedido = id;
this.tipoMovimentacao = tipoMovimentacao;
}
public Produto getProduto() {
return produto;
}
public Set<ItemPedido> getItensPedido() {
return itensPedido;
}
public Long getIdPedido() {
return idPedido;
}
public TipoMovimentacao getTipoMovimentacao() {
return tipoMovimentacao;
}
public Boolean getEntrada() {
return this.tipoMovimentacao.equals(TipoMovimentacao.ENTRADA);
}
public Boolean getVenda() {
return this.tipoMovimentacao.equals(TipoMovimentacao.VENDA);
}
public Boolean getCancelamento() {
return this.tipoMovimentacao.equals(TipoMovimentacao.CANCELAMENTO);
}
}
| {
"content_hash": "3e47d925f925f32749efda205a570044",
"timestamp": "",
"source": "github",
"line_count": 61,
"max_line_length": 88,
"avg_line_length": 23.229508196721312,
"alnum_prop": 0.7833450952717008,
"repo_name": "eltonsalles/lojagames",
"id": "a8b54a2d835f4c9fad1f37baa35126cfba6dce02",
"size": "1417",
"binary": false,
"copies": "1",
"ref": "refs/heads/master",
"path": "src/main/java/br/senac/tads4/piiv/service/event/historico/HistoricoEvent.java",
"mode": "33188",
"license": "apache-2.0",
"language": [
{
"name": "CSS",
"bytes": "13506"
},
{
"name": "HTML",
"bytes": "160589"
},
{
"name": "Java",
"bytes": "323169"
},
{
"name": "JavaScript",
"bytes": "30953"
},
{
"name": "PLSQL",
"bytes": "64"
}
],
"symlink_target": ""
} |
package net.sf.plugfy.sample;
/**
* a sample invoked class
*
* @author hendrik
* @param <T> parameter
*/
public interface SampleInvokedInterface<T> {
/**
* Test method
*
* @param param param
* @return return
*/
public SampleUnusedReturn<String> instanceMethod(SampleInvokedMethodParameter<SampleInvokedMethodParameterType> param);
}
| {
"content_hash": "6d7966c3d2b51abf312094e2348ce38c",
"timestamp": "",
"source": "github",
"line_count": 19,
"max_line_length": 123,
"avg_line_length": 19.68421052631579,
"alnum_prop": 0.6818181818181818,
"repo_name": "his-eg/plugfy",
"id": "b99c905e21cddd86a78f8479d93168ca09573467",
"size": "877",
"binary": false,
"copies": "1",
"ref": "refs/heads/master",
"path": "src/sample/net/sf/plugfy/sample/SampleInvokedInterface.java",
"mode": "33188",
"license": "apache-2.0",
"language": [
{
"name": "Java",
"bytes": "126514"
}
],
"symlink_target": ""
} |
/* This is a default definition of a bootstrap exception handler function.
* It does nothing and just goes into an infinite loop. If the user
* application supplies a handler function, this function will not be
* referenced and thus not pulled in from the library.
*/
void
__attribute__((weak, nomips16)) _bootstrap_exception_handler (void)
{
__asm__ volatile (" sdbbp 0");
while (1);
}
| {
"content_hash": "5e546a71974b8a58366f89e4e936acfa",
"timestamp": "",
"source": "github",
"line_count": 14,
"max_line_length": 74,
"avg_line_length": 28.5,
"alnum_prop": 0.7167919799498746,
"repo_name": "MicrochipTech/stage1",
"id": "ee4852619ef2efb9e92c6a191e09cbc1c93a9ca1",
"size": "1138",
"binary": false,
"copies": "1",
"ref": "refs/heads/master",
"path": "src/stubs/default-bootstrap-exception-handler.c",
"mode": "33188",
"license": "apache-2.0",
"language": [
{
"name": "Assembly",
"bytes": "19193"
},
{
"name": "C",
"bytes": "20601"
},
{
"name": "Makefile",
"bytes": "3381"
},
{
"name": "Shell",
"bytes": "3251"
}
],
"symlink_target": ""
} |
package com.gs.obevo.api.platform;
import com.gs.obevo.api.appdata.Change;
import com.gs.obevo.api.appdata.Environment;
import org.eclipse.collections.api.list.ImmutableList;
/**
* Represents a unit of work that will be invoked against an {@link Environment}.
*
* This will encapsulate a {@link Change}; the variations here are around whether we do a regular
* deploy, an undeploy, an audit-only change, or to emit warnings/exceptions.
*/
public interface ChangeCommand {
/**
* Returns the Changes that are involved in this command.
*/
ImmutableList<Change> getChanges();
/**
* Friendly-text of the command to display for end-users.
*/
String getCommandDescription();
}
| {
"content_hash": "84353cf5974544d1e6b249373bfdb961",
"timestamp": "",
"source": "github",
"line_count": 24,
"max_line_length": 97,
"avg_line_length": 30.791666666666668,
"alnum_prop": 0.6941813261163735,
"repo_name": "shantstepanian/obevo",
"id": "bb4d745c617c11c7b8f235de7824391693f19ffe",
"size": "1348",
"binary": false,
"copies": "1",
"ref": "refs/heads/master",
"path": "obevo-core/src/main/java/com/gs/obevo/api/platform/ChangeCommand.java",
"mode": "33188",
"license": "apache-2.0",
"language": [
{
"name": "Batchfile",
"bytes": "2302"
},
{
"name": "FreeMarker",
"bytes": "9115"
},
{
"name": "Java",
"bytes": "2677165"
},
{
"name": "JavaScript",
"bytes": "3135"
},
{
"name": "Kotlin",
"bytes": "232754"
},
{
"name": "PLSQL",
"bytes": "19595"
},
{
"name": "PLpgSQL",
"bytes": "24497"
},
{
"name": "PowerShell",
"bytes": "3558"
},
{
"name": "SQLPL",
"bytes": "29981"
},
{
"name": "Shell",
"bytes": "11626"
}
],
"symlink_target": ""
} |
package de.cosmocode.palava.core.inject.csv;
import java.util.List;
import com.google.common.collect.LinkedListMultimap;
import com.google.common.collect.ListMultimap;
import com.google.common.collect.Multimap;
import com.google.inject.TypeLiteral;
import com.google.inject.spi.TypeConverter;
/**
* A {@link TypeConverter} for {@link ListMultimap}s from .csv files.
*
* <p>
* This converter relies upon {@link CsvConverter} and maps
* the read lines into a multimap using the following semantics:<br />
* <ul>
* <li>the header (first line) specifies the keys</li>
* <li>so keys are considered column identifiers</li>
* <li>each collection associated with a key (column identifier) represents all values of that column</li>
* </ul>
* </p>
*
* @since 2.9
* @author Willi Schoenborn
*/
public final class MultimapConverter implements TypeConverter {
static final TypeLiteral<Multimap<String, String>> LITERAL =
new TypeLiteral<Multimap<String, String>>() { };
private final CsvConverter converter = new CsvConverter();
@Override
public ListMultimap<String, String> convert(String value, TypeLiteral<?> toType) {
final List<String[]> lines = converter.convert(value, CsvConverter.LITERAL);
final String[] header = lines.remove(0);
final ListMultimap<String, String> multimap = LinkedListMultimap.create();
for (String[] line : lines) {
for (int i = 0; i < header.length; i++) {
multimap.put(header[i], line[i]);
}
}
return multimap;
}
}
| {
"content_hash": "6c0f088b6518c367d7d0be81dba43dfc",
"timestamp": "",
"source": "github",
"line_count": 53,
"max_line_length": 110,
"avg_line_length": 30.90566037735849,
"alnum_prop": 0.6575091575091575,
"repo_name": "palava/palava-core",
"id": "cc51d0d9893a55598590aa1122405878bdb7ea2f",
"size": "2236",
"binary": false,
"copies": "1",
"ref": "refs/heads/master",
"path": "src/main/java/de/cosmocode/palava/core/inject/csv/MultimapConverter.java",
"mode": "33188",
"license": "apache-2.0",
"language": [
{
"name": "Java",
"bytes": "316857"
},
{
"name": "Shell",
"bytes": "7826"
}
],
"symlink_target": ""
} |
package com.appcutt.demo.constants;
public class Constants {
public static final String JSON_DATE_FORMAT = "yyyy-MM-dd HH:mm:ss";
public static final String FLICKR_ENDPOINT = "https://api.flickr.com";
public static final String FLICKR_API_KEY = "d76da24c477f8abe1101f92aff339fe6";
// public static final String FLICKR_API_KEY = EnvConstants.FLICKR_API_KEY;
}
| {
"content_hash": "7ee4f97e35738a18346a2030e4c973a3",
"timestamp": "",
"source": "github",
"line_count": 10,
"max_line_length": 83,
"avg_line_length": 37.7,
"alnum_prop": 0.7453580901856764,
"repo_name": "huangfude/appcutt",
"id": "9497061c66cc98385c39f2fde98d1af5530fe68d",
"size": "377",
"binary": false,
"copies": "3",
"ref": "refs/heads/master",
"path": "app/src/main/java/com/appcutt/demo/constants/Constants.java",
"mode": "33188",
"license": "apache-2.0",
"language": [
{
"name": "Java",
"bytes": "687862"
}
],
"symlink_target": ""
} |
/////////////////////////////////////////////////////////////////////////////////////////////
// Copyright 2017 Intel Corporation
//
// 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 imlied.
// See the License for the specific language governing permissions and
// limitations under the License.
/////////////////////////////////////////////////////////////////////////////////////////////
#ifndef __CPUTGUICONTROLLEROGL_H__
#define __CPUTGUICONTROLLEROGL_H__
#include "CPUTGuiController.h"
//#include "CPUTTimerWin.h"
#include "CPUTButton.h"
#include "CPUTText.h"
#include "CPUTCheckbox.h"
#include "CPUTSlider.h"
#include "CPUTDropdown.h"
#include "CPUTMaterialEffectOGL.h"
//#include "CPUTWindowWin.h"
#include "CPUTMath.h"
#include "CPUTBufferOGL.h"
//#define SAVE_RESTORE_DS_HS_GS_SHADER_STATE
// forward declarations
class CPUT_OGL;
class CPUTButton;
class CPUTSlider;
class CPUTCheckbox;
class CPUTDropdown;
class CPUTText;
class CPUTTextureOGL;
const unsigned int CPUT_GUI_BUFFER_SIZE = 5000; // size (in number of verticies) for all GUI control graphics
const unsigned int CPUT_GUI_BUFFER_STRING_SIZE = 5000; // size (in number of verticies) for all GUI string graphics
const unsigned int CPUT_GUI_VERTEX_BUFFER_SIZE = 5000;
const CPUTControlID ID_CPUT_GUI_FPS_COUNTER = 400000201; // pick very random number for FPS counter string ID
// the GUI controller class that dispatches the rendering calls to all the buttons
//--------------------------------------------------------------------------------
class CPUTGuiControllerOGL:public CPUTGuiController
{
struct GUIConstantBufferVS
{
float4x4 Projection;
float4x4 Model;
};
public:
static CPUTGuiControllerOGL *GetController();
static CPUTResult DeleteController();
// initialization
CPUTResult Initialize(cString &ResourceDirectory);
CPUTResult ReleaseResources();
// Control creation/deletion 'helpers'
CPUTResult CreateButton(const cString pButtonText, CPUTControlID controlID, CPUTControlID panelID, CPUTButton **ppButton=NULL);
CPUTResult CreateSlider(const cString pSliderText, CPUTControlID controlID, CPUTControlID panelID, CPUTSlider **ppSlider=NULL, float scale = 1.0f);
CPUTResult CreateCheckbox(const cString pCheckboxText, CPUTControlID controlID, CPUTControlID panelID, CPUTCheckbox **ppCheckbox=NULL, float scale = 1.0f);
CPUTResult CreateDropdown(const cString pSelectionText, CPUTControlID controlID, CPUTControlID panelID, CPUTDropdown **ppDropdown=NULL);
CPUTResult CreateText(const cString Text, CPUTControlID controlID, CPUTControlID panelID, CPUTText **ppStatic=NULL);
CPUTResult DeleteControl(CPUTControlID controlID);
// draw routines
void Draw();
void DrawFPS(bool drawfps);
float GetFPS();
void RecalculateLayout(); // forces a recalculation of control positions
private:
static CPUTGuiControllerOGL *mguiController; // singleton object
CPUTMaterial *mpTextMaterial;
CPUTMaterial *mpControlMaterial;
CPUTBufferOGL *mpConstantBufferVS;
GUIConstantBufferVS mModelViewMatrices;
CPUTMeshOGL *mpUberBuffer;
CPUTGUIVertex *mpMirrorBuffer;
UINT mUberBufferIndex;
UINT mUberBufferMax;
// Font atlas
CPUTMeshOGL *mpTextUberBuffer;
CPUTGUIVertex *mpTextMirrorBuffer;
UINT mTextUberBufferIndex;
// Focused control buffers
CPUTGUIVertex *mpFocusedControlMirrorBuffer;
UINT mFocusedControlBufferIndex;
CPUTMeshOGL *mpFocusedControlBuffer;
CPUTGUIVertex *mpFocusedControlTextMirrorBuffer;
UINT mFocusedControlTextBufferIndex;
CPUTMeshOGL *mpFocusedControlTextBuffer;
/*
// FPS
bool mbDrawFPS;
float mLastFPS;
CPUTText *mpFPSCounter;
// FPS control buffers
CPUTGUIVertex *mpFPSMirrorBuffer;
UINT mFPSBufferIndex;
CPUTBufferOGL *mpFPSDirectXBuffer;
CPUTTimerWin *mpFPSTimer;
// render state
//CPUTRenderStateBlockOGL *mpGUIRenderStateBlock;
*/
CPUTResult UpdateUberBuffers();
// helper functions
CPUTGuiControllerOGL(); // singleton
~CPUTGuiControllerOGL();
CPUTResult RegisterGUIResources();
};
#endif // #ifndef __CPUTGUICONTROLLEROGL_H__
| {
"content_hash": "7b22fc1db0a920b093ee846bfa3fd3d6",
"timestamp": "",
"source": "github",
"line_count": 136,
"max_line_length": 159,
"avg_line_length": 37.55882352941177,
"alnum_prop": 0.6388018794048551,
"repo_name": "GameTechDev/ClusteredShadingAndroid",
"id": "ba31ab8434d396c1dc7a09b39b2048dfb9ca9e57",
"size": "5108",
"binary": false,
"copies": "1",
"ref": "refs/heads/master",
"path": "CPUT/CPUT/CPUTGuiControllerOGL.h",
"mode": "33188",
"license": "apache-2.0",
"language": [
{
"name": "Batchfile",
"bytes": "41"
},
{
"name": "C",
"bytes": "4011824"
},
{
"name": "C++",
"bytes": "1563321"
},
{
"name": "CSS",
"bytes": "2855"
},
{
"name": "GLSL",
"bytes": "40758"
},
{
"name": "Gnuplot",
"bytes": "648"
},
{
"name": "HLSL",
"bytes": "30291"
},
{
"name": "HTML",
"bytes": "250896"
},
{
"name": "Lua",
"bytes": "27295"
},
{
"name": "Makefile",
"bytes": "34999"
},
{
"name": "Perl",
"bytes": "34614"
},
{
"name": "PostScript",
"bytes": "2095"
},
{
"name": "RenderScript",
"bytes": "5718"
},
{
"name": "Rust",
"bytes": "889"
},
{
"name": "Shell",
"bytes": "20977"
}
],
"symlink_target": ""
} |
package config
import (
"flag"
"fmt"
)
type Tiller struct {
// Tiller image repo to use when deploying
ImageRepo string
// Tiller image tag to use when deploying
ImageTag string
}
func (n *Tiller) AddFlags(fs *flag.FlagSet) {
fs.StringVar(&n.ImageRepo, "tiller-image-repo", "gcr.io/kubernetes-helm/tiller", "docker image repo for tiller-deploy")
fs.StringVar(&n.ImageTag, "tiller-image-tag", "bazel", "docker image tag for tiller-deploy")
}
func (n *Tiller) Validate() []error {
var errs []error
if n.ImageRepo == "" {
errs = append(errs, fmt.Errorf("--tiller-image-repo must be specified"))
}
if n.ImageTag == "" {
errs = append(errs, fmt.Errorf("--tiller-image-tag must be specified"))
}
return errs
}
| {
"content_hash": "17018d435ba8cd2270caac0b1c987cb4",
"timestamp": "",
"source": "github",
"line_count": 32,
"max_line_length": 120,
"avg_line_length": 22.78125,
"alnum_prop": 0.6872427983539094,
"repo_name": "jetstack-experimental/cert-manager",
"id": "49243017559393c03b6be81bac104384f84e0a1a",
"size": "1300",
"binary": false,
"copies": "1",
"ref": "refs/heads/master",
"path": "test/e2e/framework/config/tiller.go",
"mode": "33188",
"license": "apache-2.0",
"language": [
{
"name": "Go",
"bytes": "370936"
},
{
"name": "Makefile",
"bytes": "3538"
},
{
"name": "Python",
"bytes": "640"
},
{
"name": "Shell",
"bytes": "17014"
},
{
"name": "Smarty",
"bytes": "516"
}
],
"symlink_target": ""
} |
/* This Source Code Form is subject to the terms of the Mozilla Public
* License, v. 2.0. If a copy of the MPL was not distributed with this
* file, You can obtain one at http://mozilla.org/MPL/2.0/. */
#ifndef __CAMERASTREAMIMPL_H__
#define __CAMERASTREAMIMPL_H__
#include "nsString.h"
#include "AndroidBridge.h"
/**
* This singleton class handles communication with the Android camera
* through JNI. It is used by the IPDL parent or directly from the chrome process
*/
namespace mozilla {
namespace net {
class CameraStreamImpl {
public:
class FrameCallback {
public:
virtual void ReceiveFrame(char* frame, uint32_t length) = 0;
};
/**
* instance bound to a given camera
*/
static CameraStreamImpl* GetInstance(uint32_t aCamera);
bool initNeeded() {
return !mInit;
}
FrameCallback* GetFrameCallback() {
return mCallback;
}
bool Init(const nsCString& contentType, const uint32_t& camera, const uint32_t& width, const uint32_t& height, FrameCallback* callback);
void Close();
uint32_t GetWidth() { return mWidth; }
uint32_t GetHeight() { return mHeight; }
uint32_t GetFps() { return mFps; }
void takePicture(const nsAString& aFileName);
void transmitFrame(JNIEnv *env, jbyteArray *data);
private:
CameraStreamImpl(uint32_t aCamera);
CameraStreamImpl(const CameraStreamImpl&);
CameraStreamImpl& operator=(const CameraStreamImpl&);
~CameraStreamImpl();
bool mInit;
uint32_t mCamera;
uint32_t mWidth;
uint32_t mHeight;
uint32_t mFps;
FrameCallback* mCallback;
};
} // namespace net
} // namespace mozilla
#endif
| {
"content_hash": "99d36ab189c913860b05cdf603e041d2",
"timestamp": "",
"source": "github",
"line_count": 68,
"max_line_length": 140,
"avg_line_length": 25.073529411764707,
"alnum_prop": 0.669208211143695,
"repo_name": "wilebeast/FireFox-OS",
"id": "1ce1b37ebeded3e083ca78f63072b0685442852e",
"size": "1705",
"binary": false,
"copies": "2",
"ref": "refs/heads/master",
"path": "B2G/gecko/netwerk/protocol/device/CameraStreamImpl.h",
"mode": "33188",
"license": "apache-2.0",
"language": [],
"symlink_target": ""
} |
package com.elmakers.mine.bukkit.api.block;
import java.util.Map;
import javax.annotation.Nonnull;
import javax.annotation.Nullable;
import org.bukkit.Material;
import org.bukkit.block.Block;
import org.bukkit.inventory.ItemStack;
import com.elmakers.mine.bukkit.api.item.ItemUpdatedCallback;
import com.elmakers.mine.bukkit.api.magic.Messages;
/**
* A utility class for presenting a Material in its entirety, including Material variants.
*
* <p>This will probably need an overhaul for 1.8, but I'm hoping that using this class everywhere as an intermediate for
* the concept of "material type" will allow for a relatively easy transition. We'll see.
*
* <p>In the meantime, this class primary uses String-based "keys" to identify a material. This is not
* necessarily meant to be a friendly or printable name, though the class is capable of generating a semi-friendly
* name, which will be the key lowercased and with underscores replaced with spaces. It will also attempt to create
* a nice name for the variant, such as "blue wool". There is no DB for this, it is all based on the internal Bukkit
* Material and MaterialData enumerations.
*
* <p>Some examples of keys:
* wool
* diamond_block
* monster_egg
* wool:15 (for black wool)
*
* <p>This class may also handle special "brushes", and is extended in the MagicPlugin as MaterialBrush. In this case
* there may be other non-material keys such as clone, copy, schematic:lantern, map, etc.
*
* <p>When used as a storage mechanism for Block or Material data, this class will store the following bits of information:
* <ul>
* <li> Base Material type
* <li> Data/durability of material
* <li> Sign Text
* <li> Command Block Text
* <li> Custom Name of Block (Skull, Command block name)
* <li> InventoryHolder contents
* </ul>
*
* <p>If persisted to a ConfigurationSection, this will currently only store the base Material and data, extra metadata will not
* be saved.
*/
public interface MaterialAndData {
void updateFrom(MaterialAndData other);
void updateFrom(Block block);
void setMaterial(Material material, short data);
void setMaterial(Material material);
void modify(Block block);
void modify(Block block, boolean applyPhysics);
void modify(Block block, ModifyType modifyType);
@Nullable
Short getData();
@Nullable
Byte getBlockData();
@Nullable
String getModernBlockData();
void setData(Short data);
@Nullable
Material getMaterial();
String getKey();
String getName();
@Nonnull
String getName(@Nullable Messages messages);
@Nullable
String getBaseName();
boolean is(Block block);
boolean isDifferent(Block block);
boolean isDifferent(Material material);
boolean isDifferent(ItemStack itemStack);
@Nullable
ItemStack getItemStack(int amount);
@Nullable
ItemStack getItemStack(int amount, ItemUpdatedCallback callback);
boolean isValid();
@Nullable
String getCommandLine();
void setCommandLine(String commandLine);
void setCustomName(String customName);
void setRawData(Object data);
ItemStack applyToItem(ItemStack stack);
ItemStack applyToItem(ItemStack stack, ItemUpdatedCallback callback);
@Nullable
Map<String, Object> getTags();
}
| {
"content_hash": "28f7b40d3ed7f869024d613937886d5e",
"timestamp": "",
"source": "github",
"line_count": 89,
"max_line_length": 128,
"avg_line_length": 36.96629213483146,
"alnum_prop": 0.737386018237082,
"repo_name": "elBukkit/MagicPlugin",
"id": "16a911c1d47f7221f764f044c7411a0b6e6fa687",
"size": "3290",
"binary": false,
"copies": "1",
"ref": "refs/heads/master",
"path": "MagicAPI/src/main/java/com/elmakers/mine/bukkit/api/block/MaterialAndData.java",
"mode": "33188",
"license": "mit",
"language": [
{
"name": "Batchfile",
"bytes": "3373"
},
{
"name": "Java",
"bytes": "7781583"
},
{
"name": "PHP",
"bytes": "54448"
},
{
"name": "Shell",
"bytes": "342"
}
],
"symlink_target": ""
} |
<?php
namespace Chamilo\Libraries\Test\Unit\File\PackagesContentFinder;
use Chamilo\Libraries\Architecture\Test\Test;
use Chamilo\Libraries\File\PathBuilder;
use Chamilo\Libraries\File\PackagesContentFinder\PackagesFilesFinder;
/**
* Tests the packages files finder
*
* @package Chamilo\Libraries
*
* @author Sven Vanpoucke - Hogeschool Gent
*/
class PackagesFilesFinderTest extends Test
{
/**
* The cache file
*
* @var string
*/
private $cache_file;
/**
* @inheritDoc
*/
public function setUp()
{
$this->cache_file = __DIR__ . '/cache.tmp';
}
/**
* The cache file
*/
public function tearDown()
{
unlink($this->cache_file);
}
/**
* Tests the find files in an existing example package (common/libraries)
*/
public function testFindFilesInPackage()
{
$packages_files_finder = new PackagesFilesFinder(PathBuilder::getInstance(), array('Chamilo\Libraries'));
$files = $packages_files_finder->findFiles('Resources/Test/PackagesContentFinder');
$this->assertEquals(count($files['Chamilo\Libraries']), 3);
}
/**
* Tests the find files without packages, must return an empty array
*/
public function testFindFilesWithoutPackages()
{
$packages_files_finder = new PackagesFilesFinder(PathBuilder::getInstance());
$files = $packages_files_finder->findFiles('Resources/Test/PackagesContentFinder');
$this->assertEmpty($files);
}
/**
* Tests that the package files finder only returns existing files
*/
public function testFindInexistingFiles()
{
$packages_files_finder = new PackagesFilesFinder(PathBuilder::getInstance(), array('Chamilo\Libraries'));
$files = $packages_files_finder->findFiles('Resources/Test/PackagesContentFinder', '*.php');
$this->assertEmpty($files);
}
/**
* Tests that the package files finder only returns files in existing folders
*/
public function testFindFilesWithInexistingDirectory()
{
$packages_files_finder = new PackagesFilesFinder(PathBuilder::getInstance(), array('Chamilo\Libraries'));
$files = $packages_files_finder->findFiles('Resources/Test/PackagesContentFinderInexisting');
$this->assertEmpty($files);
}
/**
* Tests that the find files writes it's list to an existing cache file
*/
public function testFindFilesWithCacheFile()
{
$packages_files_finder =
new PackagesFilesFinder(PathBuilder::getInstance(), array('Chamilo\Libraries'), $this->cache_file);
$files = $packages_files_finder->findFiles('Resources/Test/PackagesContentFinder');
$cached_files = require $this->cache_file;
$this->assertEquals($files, $cached_files);
}
/**
* Tests that the find files can use an existing cache file
*/
public function testFindFilesWithExistingCacheFile()
{
$cached_files = array('test.txt');
file_put_contents($this->cache_file, sprintf('<?php return %s;', var_export($cached_files, true)));
$packages_files_finder =
new PackagesFilesFinder(PathBuilder::getInstance(), array('Chamilo\Libraries'), $this->cache_file);
$files = $packages_files_finder->findFiles('Resources/Test/PackagesContentFinder');
$this->assertEquals($files[0], 'test.txt');
$this->assertEquals(count($files), 1);
}
/**
* This function test that an invalid cache file (cfr one that does not return an array) throws an exception
*
* @expectedException \Exception
*/
public function testFindFilesWithInvalidCacheFile()
{
file_put_contents($this->cache_file, '<?php return 5;');
$packages_files_finder =
new PackagesFilesFinder(PathBuilder::getInstance(), array('Chamilo\Libraries'), $this->cache_file);
$packages_files_finder->findFiles('Resources/Test/PackagesContentFinder');
}
} | {
"content_hash": "368986b962bdba94b67d14e02903f410",
"timestamp": "",
"source": "github",
"line_count": 128,
"max_line_length": 113,
"avg_line_length": 31.4140625,
"alnum_prop": 0.656055707535439,
"repo_name": "cosnicsTHLU/cosnics",
"id": "fb9ce3f541602127c1ca4318aaf751c73d156283",
"size": "4021",
"binary": false,
"copies": "1",
"ref": "refs/heads/master",
"path": "src/Chamilo/Libraries/Test/Unit/File/PackagesContentFinder/PackagesFilesFinderTest.php",
"mode": "33188",
"license": "mit",
"language": [
{
"name": "ActionScript",
"bytes": "86189"
},
{
"name": "C#",
"bytes": "23363"
},
{
"name": "CSS",
"bytes": "1135928"
},
{
"name": "CoffeeScript",
"bytes": "17503"
},
{
"name": "Gherkin",
"bytes": "24033"
},
{
"name": "HTML",
"bytes": "542339"
},
{
"name": "JavaScript",
"bytes": "5296016"
},
{
"name": "Makefile",
"bytes": "3221"
},
{
"name": "PHP",
"bytes": "21903304"
},
{
"name": "Ruby",
"bytes": "618"
},
{
"name": "Shell",
"bytes": "6385"
},
{
"name": "Smarty",
"bytes": "15750"
},
{
"name": "XSLT",
"bytes": "44115"
}
],
"symlink_target": ""
} |
package redis
import (
"errors"
"fmt"
"sync"
"time"
"github.com/fzzy/radix/redis"
datastore "github.com/djbarber/ipfs-hack/Godeps/_workspace/src/github.com/jbenet/go-datastore"
query "github.com/djbarber/ipfs-hack/Godeps/_workspace/src/github.com/jbenet/go-datastore/query"
)
var _ datastore.Datastore = &Datastore{}
var _ datastore.ThreadSafeDatastore = &Datastore{}
var ErrInvalidType = errors.New("redis datastore: invalid type error. this datastore only supports []byte values")
func NewExpiringDatastore(client *redis.Client, ttl time.Duration) (*Datastore, error) {
return &Datastore{
client: client,
ttl: ttl,
}, nil
}
func NewDatastore(client *redis.Client) (*Datastore, error) {
return &Datastore{
client: client,
}, nil
}
type Datastore struct {
mu sync.Mutex
client *redis.Client
ttl time.Duration
}
func (ds *Datastore) Put(key datastore.Key, value interface{}) error {
ds.mu.Lock()
defer ds.mu.Unlock()
data, ok := value.([]byte)
if !ok {
return ErrInvalidType
}
ds.client.Append("SET", key.String(), data)
if ds.ttl != 0 {
ds.client.Append("EXPIRE", key.String(), ds.ttl.Seconds())
}
if err := ds.client.GetReply().Err; err != nil {
return fmt.Errorf("failed to put value: %s", err)
}
if ds.ttl != 0 {
if err := ds.client.GetReply().Err; err != nil {
return fmt.Errorf("failed to set expiration: %s", err)
}
}
return nil
}
func (ds *Datastore) Get(key datastore.Key) (value interface{}, err error) {
ds.mu.Lock()
defer ds.mu.Unlock()
return ds.client.Cmd("GET", key.String()).Bytes()
}
func (ds *Datastore) Has(key datastore.Key) (exists bool, err error) {
ds.mu.Lock()
defer ds.mu.Unlock()
return ds.client.Cmd("EXISTS", key.String()).Bool()
}
func (ds *Datastore) Delete(key datastore.Key) (err error) {
ds.mu.Lock()
defer ds.mu.Unlock()
return ds.client.Cmd("DEL", key.String()).Err
}
func (ds *Datastore) Query(q query.Query) (query.Results, error) {
return nil, errors.New("TODO implement query for redis datastore?")
}
func (ds *Datastore) IsThreadSafe() {}
func (ds *Datastore) Batch() (datastore.Batch, error) {
return nil, datastore.ErrBatchUnsupported
}
func (ds *Datastore) Close() error {
return ds.client.Close()
}
| {
"content_hash": "de63a18f32acf999ed4148be26a39311",
"timestamp": "",
"source": "github",
"line_count": 92,
"max_line_length": 114,
"avg_line_length": 24.206521739130434,
"alnum_prop": 0.6892680736416704,
"repo_name": "djbarber/ipfs-hack",
"id": "6af57dd7c96e7dc656f56b4638ac1ebe5ffda35f",
"size": "2227",
"binary": false,
"copies": "1",
"ref": "refs/heads/master",
"path": "Godeps/_workspace/src/github.com/jbenet/go-datastore/redis/redis.go",
"mode": "33188",
"license": "mit",
"language": [
{
"name": "Go",
"bytes": "1480160"
},
{
"name": "Makefile",
"bytes": "8865"
},
{
"name": "Protocol Buffer",
"bytes": "5788"
},
{
"name": "PureBasic",
"bytes": "29"
},
{
"name": "Python",
"bytes": "788"
},
{
"name": "Shell",
"bytes": "117870"
}
],
"symlink_target": ""
} |
/*---------------------------- Include ---------------------------------------*/
#include <coocox.h>
#if CFG_TASK_WAITTING_EN > 0
/*---------------------------- Variable Define -------------------------------*/
P_OSTCB DlyList = Co_NULL; /*!< Header pointer to the DELAY list.*/
/**
*******************************************************************************
* @brief Insert into DELAY list
*
* @param[in] ptcb Task that want to insert into DELAY list.
* @param[in] ticks Delay system ticks.
* @param[out] None
* @retval None.
*
* @par Description
* @details This function is called to insert task into DELAY list.
*******************************************************************************
*/
void InsertDelayList(P_OSTCB ptcb,U32 ticks)
{
S32 deltaTicks;
P_OSTCB dlyNext;
if(ticks == 0) /* Is delay tick == 0? */
return; /* Yes,do nothing,return */
if(DlyList == Co_NULL) /* Is no item in DELAY list? */
{
ptcb->delayTick = ticks; /* Yes,set this as first item */
DlyList = ptcb;
}
else
{
/* No,find correct place ,and insert the task */
dlyNext = DlyList;
deltaTicks = ticks; /* Get task delay ticks */
/* Find correct place */
while(dlyNext != Co_NULL)
{
/* Get delta ticks with previous item */
deltaTicks -= dlyNext->delayTick;
if(deltaTicks < 0) /* Is delta ticks<0? */
{
/* Yes,get correct place */
if(dlyNext->TCBprev != Co_NULL) /* Is head item of DELAY list? */
{
dlyNext->TCBprev->TCBnext = ptcb; /* No,insert into */
ptcb->TCBprev = dlyNext->TCBprev;
ptcb->TCBnext = dlyNext;
dlyNext->TCBprev = ptcb;
}
else /* Yes,set task as first item */
{
ptcb->TCBnext = DlyList;
DlyList->TCBprev = ptcb;
DlyList = ptcb;
}
ptcb->delayTick = ptcb->TCBnext->delayTick+deltaTicks;
ptcb->TCBnext->delayTick -= ptcb->delayTick;
break;
}
/* Is last item in DELAY list? */
else if((deltaTicks >= 0) && (dlyNext->TCBnext == Co_NULL) )
{
ptcb->TCBprev = dlyNext; /* Yes,insert into */
dlyNext->TCBnext = ptcb;
ptcb->delayTick = deltaTicks;
break;
}
dlyNext = dlyNext->TCBnext; /* Get the next item in DELAY list */
}
}
ptcb->state = TASK_WAITING; /* Set task status as TASK_WAITING */
TaskSchedReq = Co_TRUE;
}
/**
*******************************************************************************
* @brief Remove from the DELAY list
* @param[in] ptcb Task that want to remove from the DELAY list.
* @param[out] None
* @retval None
*
* @par Description
* @details This function is called to remove task from the DELAY list.
*******************************************************************************
*/
void RemoveDelayList(P_OSTCB ptcb)
{
/* Is there only one item in the DELAY list? */
if((ptcb->TCBprev == Co_NULL) && ( ptcb->TCBnext == Co_NULL))
{
DlyList = Co_NULL; /* Yes,set DELAY list as Co_NULL */
}
else if(ptcb->TCBprev == Co_NULL) /* Is the first item in DELAY list? */
{
/* Yes,remove task from the DELAY list,and reset the list */
DlyList = ptcb->TCBnext;
ptcb->TCBnext->delayTick += ptcb->delayTick;
ptcb->TCBnext->TCBprev = Co_NULL;
ptcb->TCBnext = Co_NULL;
}
else if(ptcb->TCBnext == Co_NULL) /* Is the last item in DELAY list? */
{
ptcb->TCBprev->TCBnext = Co_NULL; /* Yes,remove task form DELAY list */
ptcb->TCBprev = Co_NULL;
}
else /* No, remove task from DELAY list */
{
ptcb->TCBprev->TCBnext = ptcb->TCBnext;
ptcb->TCBnext->TCBprev = ptcb->TCBprev;
ptcb->TCBnext->delayTick += ptcb->delayTick;
ptcb->TCBnext = Co_NULL;
ptcb->TCBprev = Co_NULL;
}
ptcb->delayTick = INVALID_VALUE; /* Set task delay tick value as invalid */
}
/**
*******************************************************************************
* @brief Get current ticks
* @param[in] None
* @param[out] None
* @retval Return current system tick counter.
*
* @par Description
* @details This function is called to obtain current system tick counter.
*******************************************************************************
*/
U64 CoGetOSTime(void)
{
return OSTickCnt; /* Get system time(tick) */
}
/**
*******************************************************************************
* @brief Delay current task for specify ticks number
* @param[in] ticks Specify system tick number which will delay.
* @param[out] None
* @retval E_CALL Error call in ISR.
* @retval E_OK The current task was insert to DELAY list successful,it
* will delay specify time.
* @par Description
* @details This function delay specify ticks for current task.
*
* @note This function be called in ISR,do nothing and return immediately.
*******************************************************************************
*/
StatusType CoTickDelay(U32 ticks)
{
if(OSIntNesting >0) /* Is call in ISR? */
{
return E_CALL; /* Yes,error return */
}
if(ticks == INVALID_VALUE) /* Is tick==INVALID_VALUE? */
{
return E_INVALID_PARAMETER; /* Yes,error return */
}
if(ticks == 0) /* Is tick==0? */
{
return E_OK; /* Yes,do nothing ,return OK */
}
if(OSSchedLock != 0) /* Is OS lock? */
{
return E_OS_IN_LOCK; /* Yes,error return */
}
OsSchedLock(); /* Lock schedule */
InsertDelayList(TCBRunning,ticks); /* Insert task in DELAY list */
OsSchedUnlock(); /* Unlock schedule,and call task schedule */
return E_OK; /* Return OK */
}
/**
*******************************************************************************
* @brief Reset task delay ticks
* @param[in] ptcb Task that want to insert into DELAY list.
* @param[in] ticks Specify system tick number which will delay .
* @param[out] None
* @retval E_CALL Error call in ISR.
* @retval E_INVALID_ID Invalid task id.
* @retval E_NOT_IN_DELAY_LIST Task not in delay list.
* @retval E_OK The current task was inserted to DELAY list
* successful,it will delay for specify time.
* @par Description
* @details This function delay specify ticks for current task.
*******************************************************************************
*/
StatusType CoResetTaskDelayTick(OS_TID taskID,U32 ticks)
{
P_OSTCB ptcb;
#if CFG_PAR_CHECKOUT_EN >0 /* Check validity of parameter */
if(taskID >= CFG_MAX_USER_TASKS + SYS_TASK_NUM)
{
return E_INVALID_ID;
}
#endif
ptcb = &TCBTbl[taskID];
#if CFG_PAR_CHECKOUT_EN >0
if(ptcb->stkPtr == Co_NULL)
{
return E_INVALID_ID;
}
#endif
if(ptcb->delayTick == INVALID_VALUE) /* Is tick==INVALID_VALUE? */
{
return E_NOT_IN_DELAY_LIST; /* Yes,error return */
}
OsSchedLock(); /* Lock schedule */
RemoveDelayList(ptcb); /* Remove task from the DELAY list */
if(ticks == 0) /* Is delay tick==0? */
{
InsertToTCBRdyList(ptcb); /* Insert task into the DELAY list */
}
else
{
InsertDelayList(ptcb,ticks); /* No,insert task into DELAY list */
}
OsSchedUnlock(); /* Unlock schedule,and call task schedule */
return E_OK; /* Return OK */
}
/**
*******************************************************************************
* @brief Delay current task for detail time
* @param[in] hour Specify the number of hours.
* @param[in] minute Specify the number of minutes.
* @param[in] sec Specify the number of seconds.
* @param[in] millsec Specify the number of millseconds.
* @param[out] None
* @retval E_CALL Error call in ISR.
* @retval E_INVALID_PARAMETER Parameter passed was invalid,delay fail.
* @retval E_OK The current task was inserted to DELAY list
* successful,it will delay for specify time.
* @par Description
* @details This function delay specify time for current task.
*
* @note If this function called in ISR,do nothing and return immediately.
*******************************************************************************
*/
#if CFG_TIME_DELAY_EN >0
StatusType CoTimeDelay(U8 hour,U8 minute,U8 sec,U16 millsec)
{
U32 ticks;
#if CFG_PAR_CHECKOUT_EN >0 /* Check validity of parameter */
if(OSIntNesting > 0)
{
return E_CALL;
}
if((minute > 59)||(sec > 59)||(millsec > 999))
return E_INVALID_PARAMETER;
#endif
if(OSSchedLock != 0) /* Is OS lock? */
{
return E_OS_IN_LOCK; /* Yes,error return */
}
/* Get tick counter from time */
ticks = ((hour*3600) + (minute*60) + (sec)) * (CFG_SYSTICK_FREQ)\
+ (millsec*CFG_SYSTICK_FREQ + 500)/1000;
CoTickDelay(ticks); /* Call tick delay */
return E_OK; /* Return OK */
}
#endif
/**
*******************************************************************************
* @brief Dispose time delay
* @param[in] None
* @param[out] None
* @retval None
*
* @par Description
* @details This function is called to dispose time delay of all task.
*******************************************************************************
*/
void TimeDispose(void)
{
P_OSTCB dlyList;
dlyList = DlyList; /* Get first item of DELAY list */
while((dlyList != Co_NULL) && (dlyList->delayTick == 0) )
{
#if CFG_EVENT_EN > 0
if(dlyList->eventID != INVALID_ID) /* Is task in event waiting list? */
{
RemoveEventWaittingList(dlyList); /* Yes,remove task from list */
}
#endif
#if CFG_FLAG_EN > 0
if(dlyList->pnode != Co_NULL) /* Is task in flag waiting list? */
{
RemoveLinkNode(dlyList->pnode); /* Yes,remove task from list */
}
#endif
dlyList->delayTick = INVALID_VALUE; /* Set delay tick value as invalid*/
DlyList = dlyList->TCBnext; /* Get next item as the head of DELAY list*/
dlyList->TCBnext = Co_NULL;
InsertToTCBRdyList(dlyList); /* Insert task into READY list */
dlyList = DlyList; /* Get the first item of DELAY list */
if(dlyList != Co_NULL) /* Is DELAY list as Co_NULL? */
{
dlyList->TCBprev = Co_NULL; /* No,initialize the first item */
}
}
}
/**
*******************************************************************************
* @brief Dispose time delay in ISR
* @param[in] None
* @param[out] None
* @retval None
*
* @par Description
* @details This function is called in systick interrupt to dispose time delay
* of all task.
*******************************************************************************
*/
void isr_TimeDispose(void)
{
if(OSSchedLock > 1) /* Is schedule lock? */
{
IsrReq = Co_TRUE;
TimeReq = Co_TRUE; /* Yes,set time request Co_TRUE */
}
else
{
TimeDispose(); /* No,call handler */
}
}
#endif
| {
"content_hash": "71f5d7dfe99417ca83889cf19734b249",
"timestamp": "",
"source": "github",
"line_count": 363,
"max_line_length": 86,
"avg_line_length": 36.56198347107438,
"alnum_prop": 0.4342224231464738,
"repo_name": "apkbox/lpc_testbed",
"id": "483976c818c66bff6211d5e7cc4898a792aad822",
"size": "13777",
"binary": false,
"copies": "2",
"ref": "refs/heads/master",
"path": "CoOS/kernel/time.c",
"mode": "33188",
"license": "mit",
"language": [
{
"name": "C",
"bytes": "779320"
},
{
"name": "C++",
"bytes": "6634"
}
],
"symlink_target": ""
} |
package com.cisco.axl.api._8;
import javax.xml.bind.annotation.XmlAccessType;
import javax.xml.bind.annotation.XmlAccessorType;
import javax.xml.bind.annotation.XmlAttribute;
import javax.xml.bind.annotation.XmlType;
/**
* <p>Java class for LDateTimeGroupNtpReference complex type.
*
* <p>The following schema fragment specifies the expected content contained within this class.
*
* <pre>
* <complexType name="LDateTimeGroupNtpReference">
* <complexContent>
* <restriction base="{http://www.w3.org/2001/XMLSchema}anyType">
* <sequence minOccurs="0">
* <element name="phoneNtpName" type="{http://www.cisco.com/AXL/API/8.0}XFkType" minOccurs="0"/>
* <element name="selectionOrder" type="{http://www.cisco.com/AXL/API/8.0}XInteger" minOccurs="0"/>
* </sequence>
* <attribute name="uuid" type="{http://www.cisco.com/AXL/API/8.0}XUUID" />
* </restriction>
* </complexContent>
* </complexType>
* </pre>
*
*
*/
@XmlAccessorType(XmlAccessType.FIELD)
@XmlType(name = "LDateTimeGroupNtpReference", propOrder = {
"phoneNtpName",
"selectionOrder"
})
public class LDateTimeGroupNtpReference {
protected XFkType phoneNtpName;
protected String selectionOrder;
@XmlAttribute
protected String uuid;
/**
* Gets the value of the phoneNtpName property.
*
* @return
* possible object is
* {@link XFkType }
*
*/
public XFkType getPhoneNtpName() {
return phoneNtpName;
}
/**
* Sets the value of the phoneNtpName property.
*
* @param value
* allowed object is
* {@link XFkType }
*
*/
public void setPhoneNtpName(XFkType value) {
this.phoneNtpName = value;
}
/**
* Gets the value of the selectionOrder property.
*
* @return
* possible object is
* {@link String }
*
*/
public String getSelectionOrder() {
return selectionOrder;
}
/**
* Sets the value of the selectionOrder property.
*
* @param value
* allowed object is
* {@link String }
*
*/
public void setSelectionOrder(String value) {
this.selectionOrder = value;
}
/**
* Gets the value of the uuid property.
*
* @return
* possible object is
* {@link String }
*
*/
public String getUuid() {
return uuid;
}
/**
* Sets the value of the uuid property.
*
* @param value
* allowed object is
* {@link String }
*
*/
public void setUuid(String value) {
this.uuid = value;
}
}
| {
"content_hash": "00f6bd85ed2543d8352a2c6f825d0e78",
"timestamp": "",
"source": "github",
"line_count": 115,
"max_line_length": 110,
"avg_line_length": 23.904347826086955,
"alnum_prop": 0.5871225900327391,
"repo_name": "ox-it/cucm-http-api",
"id": "878f8ab2bdd985efc8930314c7335e6e124aeafe",
"size": "2749",
"binary": false,
"copies": "1",
"ref": "refs/heads/master",
"path": "src/main/java/com/cisco/axl/api/_8/LDateTimeGroupNtpReference.java",
"mode": "33188",
"license": "apache-2.0",
"language": [
{
"name": "Java",
"bytes": "14521315"
},
{
"name": "Python",
"bytes": "8740"
}
],
"symlink_target": ""
} |
package black.alias.pixelpie.graphics;
import black.alias.pixelpie.PixelPie;
import processing.core.PApplet;
import processing.core.PGraphics;
import processing.opengl.PGraphicsOpenGL;
public class Graphics {
public int x, y, depth, index;
public PGraphics graphic;
final PixelPie pie;
public Graphics(int PosX, int PosY, int objWidth, int objHeight, int Depth, PixelPie pie) {
this.pie = pie;
x = PosX;
y = PosY;
depth = Depth;
graphic = pie.app.createGraphics(objWidth, objHeight);
pie.graphics.add(this);
// Set default transparent bg.
graphic.noSmooth();
graphic.beginDraw();
graphic.background(0, 0);
graphic.endDraw();
}
public void draw(int index) {
if ( // If it's not on screen, skip draw method.
PixelPie.toInt(pie.testOnScreen(x, y))
+ PixelPie.toInt(pie.testOnScreen(x + graphic.width, y))
+ PixelPie.toInt(pie.testOnScreen(x , y + graphic.height))
+ PixelPie.toInt(pie.testOnScreen(x + graphic.width, y + graphic.height)) == 0) {
return;
}
// Add graphic to render queue.
pie.depthBuffer.append(PApplet.nf(depth, 4) + 2 + index);
}
public void render() {
// Draw graphic to screen.
int startX = PApplet.max(0, -(x - pie.displayX));
int startY = PApplet.max(0, -(y - pie.displayY));
int drawWidth = graphic.width - PApplet.max(0, x + graphic.width - pie.displayX - pie.matrixWidth) - startX;
int drawHeight = graphic.height - PApplet.max(0, y + graphic.height - pie.displayY - pie.matrixHeight) - startY;
if (pie.app.g instanceof PGraphicsOpenGL) {
pie.app.copy(
graphic,
startX,
startY,
drawWidth,
drawHeight,
(startX > 0) ? 0 : (x - pie.displayX) * pie.pixelSize,
(startY > 0) ? 0 : (y - pie.displayY) * pie.pixelSize,
drawWidth * pie.pixelSize,
drawHeight * pie.pixelSize
);
} else {
pie.app.copy(
graphic.get(),
startX,
startY,
drawWidth,
drawHeight,
(startX > 0) ? 0 : (x - pie.displayX) * pie.pixelSize,
(startY > 0) ? 0 : (y - pie.displayY) * pie.pixelSize,
drawWidth * pie.pixelSize,
drawHeight * pie.pixelSize
);
}
}
}
| {
"content_hash": "2e9993f9b6fa6d506a16cc4584a2085d",
"timestamp": "",
"source": "github",
"line_count": 76,
"max_line_length": 114,
"avg_line_length": 28.17105263157895,
"alnum_prop": 0.6501634750116768,
"repo_name": "AliasBlack/pixelpie",
"id": "953e5325b728b89b35bb02ea33ca656d846a47c7",
"size": "2141",
"binary": false,
"copies": "1",
"ref": "refs/heads/master",
"path": "pixelpie/src/main/java/black/alias/pixelpie/graphics/Graphics.java",
"mode": "33188",
"license": "mit",
"language": [
{
"name": "Java",
"bytes": "98203"
}
],
"symlink_target": ""
} |
package org.apache.hadoop.io;
import java.io.*;
import java.util.Random;
import junit.framework.TestCase;
/** Unit tests for Writable. */
public class TestWritable extends TestCase {
public TestWritable(String name) { super(name); }
/** Example class used in test cases below. */
public static class SimpleWritable implements Writable {
private static final Random RANDOM = new Random();
int state = RANDOM.nextInt();
public void write(DataOutput out) throws IOException {
out.writeInt(state);
}
public void readFields(DataInput in) throws IOException {
this.state = in.readInt();
}
public static SimpleWritable read(DataInput in) throws IOException {
SimpleWritable result = new SimpleWritable();
result.readFields(in);
return result;
}
/** Required by test code, below. */
public boolean equals(Object o) {
if (!(o instanceof SimpleWritable))
return false;
SimpleWritable other = (SimpleWritable)o;
return this.state == other.state;
}
}
/** Test 1: Check that SimpleWritable. */
public void testSimpleWritable() throws Exception {
testWritable(new SimpleWritable());
}
/** Utility method for testing writables. */
public static void testWritable(Writable before) throws Exception {
DataOutputBuffer dob = new DataOutputBuffer();
before.write(dob);
DataInputBuffer dib = new DataInputBuffer();
dib.reset(dob.getData(), dob.getLength());
Writable after = (Writable)before.getClass().newInstance();
after.readFields(dib);
assertEquals(before, after);
}
}
| {
"content_hash": "46550f02f4f53a07083f1602def0d77c",
"timestamp": "",
"source": "github",
"line_count": 61,
"max_line_length": 72,
"avg_line_length": 26.901639344262296,
"alnum_prop": 0.6776355880560634,
"repo_name": "moreus/hadoop",
"id": "9abee975b4db2310c08179d12499f5c2b782be12",
"size": "2447",
"binary": false,
"copies": "5",
"ref": "refs/heads/master",
"path": "hadoop-0.11.2/src/test/org/apache/hadoop/io/TestWritable.java",
"mode": "33188",
"license": "apache-2.0",
"language": [
{
"name": "AspectJ",
"bytes": "31146"
},
{
"name": "C",
"bytes": "1067911"
},
{
"name": "C++",
"bytes": "521803"
},
{
"name": "CSS",
"bytes": "157107"
},
{
"name": "Erlang",
"bytes": "232"
},
{
"name": "Java",
"bytes": "43984644"
},
{
"name": "JavaScript",
"bytes": "87848"
},
{
"name": "Perl",
"bytes": "18992"
},
{
"name": "Python",
"bytes": "32767"
},
{
"name": "Shell",
"bytes": "1369281"
},
{
"name": "TeX",
"bytes": "19322"
},
{
"name": "XSLT",
"bytes": "185841"
}
],
"symlink_target": ""
} |
<RelativeLayout 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"
tools:context="${packageName}.${activityClass}" >
<me.angeldevil.pairscrollview.PairScrollView
android:id="@+id/container"
android:layout_width="match_parent"
android:layout_height="wrap_content"
android:layout_alignParentLeft="true"
android:layout_alignParentTop="true" >
<WebView
android:id="@+id/web"
android:layout_width="match_parent"
android:layout_height="wrap_content" />
<ListView
android:id="@+id/list"
android:layout_width="match_parent"
android:layout_height="wrap_content" >
</ListView>
</me.angeldevil.pairscrollview.PairScrollView>
</RelativeLayout> | {
"content_hash": "4e3fe94ab71b0c23c5e7f54692658d86",
"timestamp": "",
"source": "github",
"line_count": 26,
"max_line_length": 74,
"avg_line_length": 35.5,
"alnum_prop": 0.6468039003250271,
"repo_name": "0359xiaodong/PairScrollView",
"id": "e3036726417cac710a5b3ba241b224535ea2dce9",
"size": "923",
"binary": false,
"copies": "4",
"ref": "refs/heads/master",
"path": "res/layout/activity_web_and_list.xml",
"mode": "33188",
"license": "apache-2.0",
"language": [
{
"name": "Java",
"bytes": "20460"
}
],
"symlink_target": ""
} |
<?xml version="1.0" encoding="UTF-8"?>
<!--
~ JBoss, Home of Professional Open Source.
~ Copyright 2014, Red Hat, Inc., and individual contributors
~ as indicated by the @author tags. See the copyright.txt file in the
~ distribution for a full listing of individual contributors.
~
~ This 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 2.1 of
~ the License, or (at your option) any later version.
~
~ This software 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 this software; if not, write to the Free
~ Software Foundation, Inc., 51 Franklin St, Fifth Floor, Boston, MA
~ 02110-1301 USA, or see the FSF site: http://www.fsf.org.
-->
<!-- Represents the Hibernate 4.3.x (org.hibernate:main) module -->
<module-alias xmlns="urn:jboss:module:1.3" name="org.hibernate" slot="4.3" target-name="org.hibernate"/>
| {
"content_hash": "12545be4e049ff9ebee180ee8b8d73ad",
"timestamp": "",
"source": "github",
"line_count": 27,
"max_line_length": 105,
"avg_line_length": 46.77777777777778,
"alnum_prop": 0.7220902612826603,
"repo_name": "Iranox/mapbench-clients",
"id": "f328af1b838d32bd533f91decdb628dc8aec8447",
"size": "1263",
"binary": false,
"copies": "5",
"ref": "refs/heads/master",
"path": "scenarios/vertical-mysql/ontop/teiid/modules/system/layers/base/org/hibernate/4.3/module.xml",
"mode": "33188",
"license": "apache-2.0",
"language": [
{
"name": "Shell",
"bytes": "45740"
},
{
"name": "Web Ontology Language",
"bytes": "76414"
}
],
"symlink_target": ""
} |
using System.Collections.Generic;
using System.Linq;
namespace Nop.Services.Customers
{
/// <summary>
/// Customerregistration result
/// </summary>
public class CustomerRegistrationResult
{
/// <summary>
/// Ctor
/// </summary>
public CustomerRegistrationResult()
{
this.Errors = new List<string>();
}
/// <summary>
/// Gets a value indicating whether request has been completed successfully
/// </summary>
public bool Success
{
get { return !this.Errors.Any(); }
}
/// <summary>
/// Add error
/// </summary>
/// <param name="error">Error</param>
public void AddError(string error)
{
this.Errors.Add(error);
}
/// <summary>
/// Errors
/// </summary>
public IList<string> Errors { get; set; }
}
}
| {
"content_hash": "c15387e3206018043e43b4711ce1af0b",
"timestamp": "",
"source": "github",
"line_count": 41,
"max_line_length": 83,
"avg_line_length": 23.195121951219512,
"alnum_prop": 0.5047318611987381,
"repo_name": "Anovative/Nop39",
"id": "1e5218413029b508c257ca9f017bc6b5e38f8d6b",
"size": "953",
"binary": false,
"copies": "2",
"ref": "refs/heads/develop",
"path": "Libraries/Nop.Services/Customers/CustomerRegistrationResult.cs",
"mode": "33188",
"license": "mit",
"language": [
{
"name": "ASP",
"bytes": "98"
},
{
"name": "C#",
"bytes": "13838094"
},
{
"name": "CSS",
"bytes": "996427"
},
{
"name": "HTML",
"bytes": "22119"
},
{
"name": "JavaScript",
"bytes": "1136969"
}
],
"symlink_target": ""
} |
from PIL import Image, ImageDraw
DirectionNames = [ 'North', 'West', 'South', 'East' ]
SpriteDir = "sprites"
def CreateAtlas( sheetName, default, sprite_size, atlas_size, directionalAnimations, manualAnimations ):
print( "Building: " + sheetName )
maxWidth = atlas_size[0]
maxHeight = atlas_size[1]
spriteWidth = sprite_size[0]
spriteHeight = sprite_size[1]
xml = """<?xml version="1.0" encoding="UTF-8"?>
<sprite name="{name}" image="{dir}/{name}.png" spriteWidth="{swidth}" spriteHeight="{sheight}">
""".format( name = sheetName, dir = SpriteDir, swidth = spriteWidth, sheight = spriteHeight )
# Generate an output atlas
atlasX = 0
atlasY = 0
atlas = Image.new( 'RGBA', ( maxWidth, maxHeight ), ( 255, 0, 255, 0 ) )
draw = ImageDraw.Draw( atlas )
draw.rectangle( ( 0, 0, maxWidth, maxHeight ), fill=( 255, 0, 255 ) )
# Start extracting images from the atlas
for actionType in directionalAnimations:
action = actionType['action']
sourceFileName = sheetName + "/" + actionType['file']
sourceAtlas = Image.open( sourceFileName )
# Go through each direction
for directionIndex in range(4):
directionName = DirectionNames[ directionIndex ]
offsetY = directionIndex * spriteHeight
# Write the animation header
animationName = action + directionName
if ( animationName == default ):
xml += " <animation name=\"{name}\" default=\"true\">\n".format( name = animationName )
else:
xml += " <animation name=\"{name}\">\n".format( name = animationName )
# Write out each frame in the animation
for col in range( actionType['start_col'], actionType['last_col'] + 1 ):
# Coordinates of the sprite in the source atlas
offsetX = col * spriteWidth
# Extract the sprite from it's source atlas
sprite = sourceAtlas.crop( ( offsetX,
offsetY,
offsetX + spriteWidth,
offsetY + spriteHeight ) )
# Pack it the sprite into the output atlas, and keep track of the coordinates
if ( atlasX + spriteWidth > maxWidth ):
atlasX = 0
atlasY += spriteHeight
if ( atlasY + spriteHeight > maxHeight ):
raise Exception( "Exceed sprite atlas height" )
atlas.paste( sprite, ( atlasX,
atlasY,
atlasX + spriteWidth,
atlasY + spriteHeight ) )
# Write the XML
xml += " <frame x=\"{x}\" y=\"{y}\" />\n".format( x = atlasX, y = atlasY )
atlasX += spriteWidth
# Write animation footer
xml += " </animation>\n"
# Now extract any manually defined animations
for animation in manualAnimations:
# Open the sprite atlas
sourceFileName = sheetName + "/" + animation['file']
sourceAtlas = Image.open( sourceFileName )
# Write the animation header
animationName = animation['name']
if ( animationName == default ):
xml += " <animation name=\"{name}\" default=\"true\">\n".format( name = animationName )
else:
xml += " <animation name=\"{name}\">\n".format( name = animationName )
# Iterate through all the animation frames
for frame in animation['frames']:
# Coordinates of the sprite in the source atlas
x = frame[0]
y = frame[1]
offsetX = col * spriteWidth
# Extract the sprite from it's source atlas
sprite = sourceAtlas.crop( ( offsetX,
offsetY,
offsetX + spriteWidth,
offsetY + spriteHeight ) )
# Pack it the sprite into the output atlas, and keep track of the coordinates
if ( atlasX + spriteWidth > maxWidth ):
atlasX = 0
atlasY += spriteHeight
if ( atlasY + spriteHeight > maxHeight ):
raise Exception( "Exceed sprite atlas height" )
atlas.paste( sprite, ( atlasX,
atlasY,
atlasX + spriteWidth,
atlasY + spriteHeight ) )
# Write the XML
xml += " <frame x=\"{x}\" y=\"{y}\" />\n".format( x = atlasX, y = atlasY )
atlasX += spriteWidth
# XML animation footer
xml += " </animation>\n"
# XML sprite footer
xml += "</sprite>"
atlas.save( sheetName + ".png" )
xmlfile = open( sheetName + ".sprite", 'w' )
xmlfile.write( xml )
xmlfile.close() | {
"content_hash": "debaac6f3dfdb3b10c282bbeaf97fe7c",
"timestamp": "",
"source": "github",
"line_count": 131,
"max_line_length": 104,
"avg_line_length": 31.786259541984734,
"alnum_prop": 0.627281460134486,
"repo_name": "smacdo/Dungeon-Crawler",
"id": "93f94897b82216c4750b8a49c94d8b427ff9c91f",
"size": "4164",
"binary": false,
"copies": "1",
"ref": "refs/heads/master",
"path": "scripts/funcs.py",
"mode": "33188",
"license": "apache-2.0",
"language": [
{
"name": "Batchfile",
"bytes": "423"
},
{
"name": "C#",
"bytes": "1002588"
},
{
"name": "HTML",
"bytes": "38400"
},
{
"name": "Python",
"bytes": "11077"
}
],
"symlink_target": ""
} |
require "formula"
require "compilers"
module SharedEnvExtension
include CompilerConstants
CC_FLAG_VARS = %w[CFLAGS CXXFLAGS OBJCFLAGS OBJCXXFLAGS]
FC_FLAG_VARS = %w[FCFLAGS FFLAGS]
SANITIZED_VARS = %w[
CDPATH GREP_OPTIONS CLICOLOR_FORCE
CPATH C_INCLUDE_PATH CPLUS_INCLUDE_PATH OBJC_INCLUDE_PATH
CC CXX OBJC OBJCXX CPP MAKE LD LDSHARED
CFLAGS CXXFLAGS OBJCFLAGS OBJCXXFLAGS LDFLAGS CPPFLAGS
MACOSX_DEPLOYMENT_TARGET SDKROOT DEVELOPER_DIR
CMAKE_PREFIX_PATH CMAKE_INCLUDE_PATH CMAKE_FRAMEWORK_PATH
GOBIN GOPATH GOROOT
LIBRARY_PATH
]
def inherit?
ARGV.env == "inherit"
end
def setup_build_environment(formula = nil)
@formula = formula
reset unless inherit?
end
def reset
SANITIZED_VARS.each { |k| delete(k) }
end
def remove_cc_etc
keys = %w[CC CXX OBJC OBJCXX LD CPP CFLAGS CXXFLAGS OBJCFLAGS OBJCXXFLAGS LDFLAGS CPPFLAGS]
removed = Hash[*keys.flat_map { |key| [key, self[key]] }]
keys.each do |key|
delete(key)
end
removed
end
def append_to_cflags(newflags)
append(CC_FLAG_VARS, newflags)
end
def remove_from_cflags(val)
remove CC_FLAG_VARS, val
end
def append(keys, value, separator = " ")
value = value.to_s
Array(keys).each do |key|
old = self[key]
if old.nil? || old.empty?
self[key] = value
else
self[key] += separator + value
end
end
end
def prepend(keys, value, separator = " ")
value = value.to_s
Array(keys).each do |key|
old = self[key]
if old.nil? || old.empty?
self[key] = value
else
self[key] = value + separator + old
end
end
end
def append_path(key, path)
append key, path, File::PATH_SEPARATOR if File.directory? path
end
def prepend_path(key, path)
prepend key, path, File::PATH_SEPARATOR if File.directory? path
end
def prepend_create_path(key, path)
path = Pathname.new(path) unless path.is_a? Pathname
path.mkpath
prepend_path key, path
end
def remove(keys, value)
Array(keys).each do |key|
next unless self[key]
self[key] = self[key].sub(value, "")
delete(key) if self[key].empty?
end if value
end
def cc
self["CC"]
end
def cxx
self["CXX"]
end
def cflags
self["CFLAGS"]
end
def cxxflags
self["CXXFLAGS"]
end
def cppflags
self["CPPFLAGS"]
end
def ldflags
self["LDFLAGS"]
end
def fc
self["FC"]
end
def fflags
self["FFLAGS"]
end
def fcflags
self["FCFLAGS"]
end
def compiler
@compiler ||= if (cc = ARGV.cc)
warn_about_non_apple_gcc($&) if cc =~ GNU_GCC_REGEXP
fetch_compiler(cc, "--cc")
elsif (cc = homebrew_cc)
warn_about_non_apple_gcc($&) if cc =~ GNU_GCC_REGEXP
compiler = fetch_compiler(cc, "HOMEBREW_CC")
if @formula
compilers = [compiler] + CompilerSelector.compilers
compiler = CompilerSelector.select_for(@formula, compilers)
end
compiler
elsif @formula && !inherit?
CompilerSelector.select_for(@formula)
else
MacOS.default_compiler
end
end
def determine_cc
full_name = COMPILER_SYMBOL_MAP.invert.fetch(compiler, compiler)
return full_name unless OS.linux?
short_name = full_name.delete("-.")
if Pathname(full_name).exist? || which(full_name)
full_name
elsif which(short_name)
short_name
else
full_name
end
end
COMPILERS.each do |compiler|
define_method(compiler) do
@compiler = compiler
self.cc = determine_cc
self.cxx = determine_cxx
end
end
# Snow Leopard defines an NCURSES value the opposite of most distros
# See: https://bugs.python.org/issue6848
# Currently only used by aalib in core
def ncurses_define
append "CPPFLAGS", "-DNCURSES_OPAQUE=0"
end
def userpaths!
paths = ORIGINAL_PATHS.map { |p| p.realpath.to_s rescue nil } - %w[/usr/X11/bin /opt/X11/bin]
self["PATH"] = paths.unshift(*self["PATH"].split(File::PATH_SEPARATOR)).uniq.join(File::PATH_SEPARATOR)
# XXX hot fix to prefer brewed stuff (e.g. python) over /usr/bin.
prepend_path "PATH", HOMEBREW_PREFIX/"bin"
end
def fortran
flags = []
if fc
ohai "Building with an alternative Fortran compiler"
puts "This is unsupported."
self["F77"] ||= fc
if ARGV.include? "--default-fortran-flags"
flags = FC_FLAG_VARS.reject { |key| self[key] }
elsif values_at(*FC_FLAG_VARS).compact.empty?
opoo <<-EOS.undent
No Fortran optimization information was provided. You may want to consider
setting FCFLAGS and FFLAGS or pass the `--default-fortran-flags` option to
`brew install` if your compiler is compatible with GCC.
If you like the default optimization level of your compiler, ignore this
warning.
EOS
end
else
if (gfortran = which("gfortran", (HOMEBREW_PREFIX/"bin").to_s))
ohai "Using Homebrew-provided fortran compiler."
elsif (gfortran = which("gfortran", ORIGINAL_PATHS.join(File::PATH_SEPARATOR)))
ohai "Using a fortran compiler found at #{gfortran}."
end
if gfortran
puts "This may be changed by setting the FC environment variable."
self["FC"] = self["F77"] = gfortran
flags = FC_FLAG_VARS
end
end
flags.each { |key| self[key] = cflags }
set_cpu_flags(flags)
end
# ld64 is a newer linker provided for Xcode 2.5
def ld64
ld64 = Formulary.factory("ld64")
self["LD"] = ld64.bin/"ld"
append "LDFLAGS", "-B#{ld64.bin}/"
end
def gcc_version_formula(name)
version = name[GNU_GCC_REGEXP, 1]
gcc_version_name = "gcc#{version.delete(".")}"
gcc = Formulary.factory("gcc")
if gcc.opt_bin.join(name).exist?
gcc
else
Formulary.factory(gcc_version_name)
end
end
def warn_about_non_apple_gcc(name)
begin
gcc_formula = gcc_version_formula(name)
rescue FormulaUnavailableError => e
raise <<-EOS.undent
Homebrew GCC requested, but formula #{e.name} not found!
You may need to: brew tap homebrew/versions
EOS
end
return if OS.linux? && which(name)
unless gcc_formula.opt_prefix.exist?
raise <<-EOS.undent
The requested Homebrew GCC was not installed. You must:
brew install #{gcc_formula.full_name}
EOS
end
end
def permit_arch_flags; end
private
def cc=(val)
self["CC"] = self["OBJC"] = val.to_s
end
def cxx=(val)
self["CXX"] = self["OBJCXX"] = val.to_s
end
def homebrew_cc
self["HOMEBREW_CC"]
end
def fetch_compiler(value, source)
COMPILER_SYMBOL_MAP.fetch(value) do |other|
case other
when GNU_GCC_REGEXP
other
else
raise "Invalid value for #{source}: #{other}"
end
end
end
end
| {
"content_hash": "641258499b908481564a76895a20097d",
"timestamp": "",
"source": "github",
"line_count": 292,
"max_line_length": 107,
"avg_line_length": 23.623287671232877,
"alnum_prop": 0.6310524789794143,
"repo_name": "adamliter/linuxbrew",
"id": "d3a5c8955f41640303f6ac604a7fee217c569b9d",
"size": "6898",
"binary": false,
"copies": "14",
"ref": "refs/heads/master",
"path": "Library/Homebrew/extend/ENV/shared.rb",
"mode": "33188",
"license": "bsd-2-clause",
"language": [
{
"name": "C++",
"bytes": "5889"
},
{
"name": "Groff",
"bytes": "29057"
},
{
"name": "Perl",
"bytes": "608"
},
{
"name": "PostScript",
"bytes": "485"
},
{
"name": "Ruby",
"bytes": "5180520"
},
{
"name": "Shell",
"bytes": "21029"
}
],
"symlink_target": ""
} |
<!DOCTYPE html>
<html>
<head>
<!-- BEGIN META SECTION -->
<meta charset="utf-8">
<title>Themes Lab - Creative Laborator</title>
<meta name="viewport" content="width=device-width, initial-scale=1">
<meta content="" name="description" />
<meta content="themes-lab" name="author" />
<link rel="shortcut icon" href="assets/img/favicon.png">
<!-- END META SECTION -->
<!-- BEGIN MANDATORY STYLE -->
<link href="assets/css/style.css" rel="stylesheet">
<link href="assets/css/ui.css" rel="stylesheet">
<!-- END MANDATORY STYLE -->
</head>
<body class="coming-soon coming-map">
<div class="map-container">
<div id="map"></div>
</div>
<div class="coming-container">
<!-- BEGIN LOGIN BOX -->
<!-- Social Links -->
<nav class="social-nav">
<ul>
<li><a href="#"><img src="assets/images/social/icon-facebook.png" alt="facebook"/></a></li>
<li><a href="#"><img src="assets/images/social/icon-twitter.png" alt="twitter"/></a></li>
<li><a href="#"><img src="assets/images/social/icon-google.png" alt="google"/></a></li>
<li><a href="#"><img src="assets/images/social/icon-dribbble.png" alt="dribbble"/></a></li>
<li><a href="#"><img src="assets/images/social/icon-linkedin.png" alt="facebook"/></a></li>
<li><a href="#"><img src="assets/images/social/icon-pinterest.png" alt="linkedin" /></a></li>
</ul>
</nav>
<!-- Site Logo -->
<div id="logo"><img src="assets/images/logo/logo-white.png" alt="logo"></div>
<!-- Main Navigation -->
<nav class="main-nav">
<ul>
<li><a href="#home" class="active">Home</a></li>
<li><a href="#about">About</a></li>
<li><a href="#contact">Contact</a></li>
</ul>
</nav>
<!-- Home Page -->
<div class="row">
<div class="col-md-6">
<section class="content show" id="home">
<h1>Welcome</h1>
<h5>Our new site is coming soon!</h5>
<p>Lorem ipsum dolor sit amet, consectetur adipiscing elit. Cras vulputate arcu sit amet sem venenatis dictum. Vestibulum ante ipsum primis in faucibus orci luctus et ultrices posuere cubilia Curae; Suspendisse eu massa sed orci interdum lobortis. Vivamus rutrum.</p>
<p><a href="#about">More info »</a></p>
</section>
<!-- About Page -->
<section class="content hide" id="about">
<h1>About</h1>
<h5>Here's a little about what we're up to.</h5>
<p>Nullam quis arcu a elit feugiat congue nec non orci. Pellentesque feugiat bibendum placerat. Nullam eu massa in ipsum varius laoreet. Ut tristique pretium egestas. Sed sed velit dolor. Nam rhoncus euismod lorem, id placerat ipsum placerat nec. Mauris ut eros a ligula tristique lacinia non blandit metus. Sed vitae velit lorem, et scelerisque diam.</p>
<p><a href="#">Follow our updates on Twitter</a></p>
</section>
<!-- Contact Page -->
<section class="content hide" id="contact">
<h1>Contact</h1>
<h5>Get in touch.</h5>
<p>Email: <a href="#">[email protected]</a><br />
Phone: 123.456.7890<br />
</p>
<p>123 East Main<br />
New York, NY 12345
</p>
</section>
</div>
<div class="col-md-6">
<div id="countdown">00 weeks 00 days <br> 00:00:00</div>
</div>
</div>
</div>
<div class="loader-overlay">
<div class="spinner">
<div class="bounce1"></div>
<div class="bounce2"></div>
<div class="bounce3"></div>
</div>
</div>
<!-- BEGIN MANDATORY SCRIPTS -->
<script src="assets/plugins/jquery/jquery-1.11.1.min.js"></script>
<script src="assets/plugins/jquery/jquery-migrate-1.2.1.min.js"></script>
<script src="assets/plugins/gsap/main-gsap.min.js"></script>
<script src="assets/plugins/bootstrap/js/bootstrap.min.js"></script>
<script src="assets/plugins/countdown/jquery.countdown.min.js"></script>
<script src="//maps.google.com/maps/api/js?sensor=true"></script> <!-- Google Maps -->
<script src="https://google-maps-utility-library-v3.googlecode.com/svn-history/r391/trunk/markerwithlabel/src/markerwithlabel.js"></script>
<script src="assets/plugins/google-maps/gmaps.min.js"></script> <!-- Google Maps Easy -->
<script src="assets/plugins/backstretch/backstretch.min.js"></script>
<script src="assets/js/pages/coming_soon.js"></script>
</body>
</html> | {
"content_hash": "38904b1f0d85093d1dc95173e7751f50",
"timestamp": "",
"source": "github",
"line_count": 96,
"max_line_length": 379,
"avg_line_length": 55.229166666666664,
"alnum_prop": 0.509430403621275,
"repo_name": "shumanth/Admin-Template-Make",
"id": "4b9c0b3ff55986f317843555f268c143f7e54f32",
"size": "5302",
"binary": false,
"copies": "3",
"ref": "refs/heads/master",
"path": "admin/page-coming-soon.html",
"mode": "33188",
"license": "mit",
"language": [
{
"name": "ASP",
"bytes": "290"
},
{
"name": "ActionScript",
"bytes": "15982"
},
{
"name": "CSS",
"bytes": "4205505"
},
{
"name": "CoffeeScript",
"bytes": "83631"
},
{
"name": "HTML",
"bytes": "12990434"
},
{
"name": "JavaScript",
"bytes": "11875874"
},
{
"name": "PHP",
"bytes": "172461"
},
{
"name": "Ruby",
"bytes": "5494"
},
{
"name": "Shell",
"bytes": "10442"
}
],
"symlink_target": ""
} |
<?xml version="1.0" encoding="iso-8859-1"?>
<!DOCTYPE html
PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN"
"http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd">
<html>
<head>
<title>scrap_content (Feedzirra::FeedEntryUtilities)</title>
<meta http-equiv="Content-Type" content="text/html; charset=iso-8859-1" />
<link rel="stylesheet" href="../../.././rdoc-style.css" type="text/css" media="screen" />
</head>
<body class="standalone-code">
<pre><span class="ruby-comment cmt"># File lib/content_scrapper/feedzirra.rb, line 9</span>
<span class="ruby-keyword kw">def</span> <span class="ruby-identifier">scrap_content</span>(<span class="ruby-identifier">scrapper</span> = <span class="ruby-constant">ContentScrapper</span>.<span class="ruby-identifier">default</span>, <span class="ruby-identifier">options</span> = {})
<span class="ruby-identifier">scrapper</span>.<span class="ruby-identifier">scrap_content</span>(<span class="ruby-keyword kw">self</span>.<span class="ruby-identifier">url</span>, <span class="ruby-identifier">options</span>) <span class="ruby-operator">||</span> <span class="ruby-keyword kw">self</span>.<span class="ruby-identifier">content</span>.<span class="ruby-identifier">to_s</span>
<span class="ruby-keyword kw">end</span></pre>
</body>
</html> | {
"content_hash": "9c6a157c6e4553c2b9c3ff7fad0ac64e",
"timestamp": "",
"source": "github",
"line_count": 18,
"max_line_length": 399,
"avg_line_length": 73.05555555555556,
"alnum_prop": 0.6958174904942965,
"repo_name": "fifigyuri/newscrapi",
"id": "7bb78cc1cc46b6805a397beeb492619547253462",
"size": "1315",
"binary": false,
"copies": "1",
"ref": "refs/heads/master",
"path": "doc/classes/Feedzirra/FeedEntryUtilities.src/M000017.html",
"mode": "33188",
"license": "mit",
"language": [
{
"name": "Ruby",
"bytes": "26898"
}
],
"symlink_target": ""
} |
package controller;
import entity.Presentation;
import entity.Promotor;
import entity.Student;
import exceptions.InvalidJuryMemberException;
import java.util.List;
import javafx.beans.value.ChangeListener;
import javafx.beans.value.ObservableValue;
import javafx.collections.FXCollections;
import javafx.collections.ObservableList;
import javafx.event.ActionEvent;
import javafx.fxml.FXML;
import javafx.scene.control.Button;
import javafx.scene.control.ComboBox;
import javafx.scene.control.ListView;
import model.PresentationRepository;
import model.UserRepository;
import org.controlsfx.dialog.Dialogs;
/**
*
* @author Maxim
*/
public class ViewAssignJuryController {
@FXML
private ListView<Student> lvPresentation;
@FXML
private ListView<Student> lvJuryPresentation;
@FXML
private Button btnAssign;
@FXML
private Button btnRemove;
@FXML
private ComboBox<Promotor> cbPromotor;
private final UserRepository userRepository = new UserRepository();
private final PresentationRepository presentationRepository = new PresentationRepository();
private PlanningController planningController = new PlanningController();
private ObservableList<Student> assignedPresentations = FXCollections.observableArrayList();
private ObservableList<Student> nonAssignedPresentations = FXCollections.observableArrayList();
@FXML
void addHandle(ActionEvent event) throws InvalidJuryMemberException
{
if(cbPromotor.getValue() == null || !(cbPromotor.getValue() instanceof Promotor)) {
throw new IllegalArgumentException();
}
Student selected = (Student)lvPresentation.getSelectionModel().getSelectedItem();
Promotor jury = (Promotor)cbPromotor.getValue();
Presentation presentatie = presentationRepository.findPresentationByStudent(selected);
if(selected.getPromotor() == null){
org.controlsfx.control.action.Action response = Dialogs.create()
.title("Jury toekennen")
.masthead(null)
.message("Deze student heeft nog geen promotor.")
.lightweight()
.showWarning();
}
if(selected.getPromotor().equals(jury))
{
// || selected.getCoPromotor().equals(jury)
org.controlsfx.control.action.Action response = Dialogs.create()
.title("Jury toekennen")
.masthead(null)
.message("Dit jurylid is de promotor of copromotor van de student, kies een ander jurylid.")
.lightweight()
.showWarning();
throw new InvalidJuryMemberException("De geselecteerde promotor kan geen jurylid zijn voor de student.");
}
List<Presentation> presentationsAttending = selected.getPromotor().getPresentationsAttending();
for(Presentation p: presentationsAttending){
if(p.getDate().equals(selected.getPresentation().getDate()) && p.getTimeFrame().equals(selected.getPresentation().getTimeFrame()))
{
org.controlsfx.control.action.Action response = Dialogs.create()
.title("Jury toekennen")
.masthead(null)
.message("Dit jurylid heeft al een presentatie op dat moment.")
.lightweight()
.showWarning();
}
}
if(selected != null) {
lvPresentation.getSelectionModel().clearSelection();
assignedPresentations.add(selected);
planningController.attachJury(jury, presentationRepository.findPresentationByStudent(selected));
nonAssignedPresentations.remove(selected);
}
}
@FXML
void removeHandle(ActionEvent event)
{
Student selected = (Student)lvPresentation.getSelectionModel().getSelectedItem();
Promotor jury = (Promotor)cbPromotor.getValue();
if(cbPromotor.getValue() == null || !(cbPromotor.getValue() instanceof Promotor)) {
throw new IllegalArgumentException();
}
if(selected != null) {
lvPresentation.getSelectionModel().clearSelection();
nonAssignedPresentations.add(selected);
assignedPresentations.remove(selected);
planningController.removeJury(jury, presentationRepository.findPresentationByStudent(selected));
}
}
public void loadControls()
{
//list views vullen
nonAssignedPresentations = FXCollections.observableArrayList(userRepository.findAllNonAssignedStudentsJury());
lvPresentation.setItems(nonAssignedPresentations);
lvJuryPresentation.setItems(assignedPresentations);
lvPresentation.disableProperty().bind(cbPromotor.getSelectionModel().selectedItemProperty().isNull());
btnAssign.disableProperty().bind(lvJuryPresentation.getSelectionModel().selectedItemProperty().isNotNull());
btnRemove.disableProperty().bind(lvPresentation.getSelectionModel().selectedItemProperty().isNotNull());
//combobox vullen
cbPromotor.setItems(FXCollections.observableArrayList(userRepository.findAllPromotors()));
cbPromotor.getSelectionModel().selectedItemProperty().addListener(new ChangeListener<Promotor>(){
@Override
public void changed(ObservableValue<? extends Promotor> ov, Promotor pOld, Promotor pNew)
{
if(pNew != null) {
//load this promotor his assigned students
assignedPresentations.setAll(userRepository.findAssignedStudentsJury(pNew));
}
}
});
}
}
| {
"content_hash": "dacc7f33a1c462cbb4708dc54ad9b85a",
"timestamp": "",
"source": "github",
"line_count": 155,
"max_line_length": 142,
"avg_line_length": 38.535483870967745,
"alnum_prop": 0.6442323790390089,
"repo_name": "c4d3r/p2groep04",
"id": "9403ea6013ed9bfe4df8cde9695ec256b728d8d8",
"size": "5973",
"binary": false,
"copies": "1",
"ref": "refs/heads/master",
"path": "src/controller/ViewAssignJuryController.java",
"mode": "33188",
"license": "mit",
"language": [
{
"name": "CSS",
"bytes": "4091"
},
{
"name": "Java",
"bytes": "246050"
},
{
"name": "SQL",
"bytes": "18720"
}
],
"symlink_target": ""
} |
package org.terasology.physics.events;
import org.terasology.entitySystem.event.Event;
import org.terasology.math.geom.Vector3f;
import org.terasology.network.BroadcastEvent;
/**
* @author Adeon
*/
@BroadcastEvent
public class ForceEvent implements Event {
private Vector3f force;
protected ForceEvent() {
}
public ForceEvent(Vector3f force) {
this.force = force;
}
public Vector3f getForce() {
return force;
}
}
| {
"content_hash": "b12c297efcfb0bfdc8e6211cabe90a06",
"timestamp": "",
"source": "github",
"line_count": 26,
"max_line_length": 47,
"avg_line_length": 17.923076923076923,
"alnum_prop": 0.6974248927038627,
"repo_name": "dimamo5/Terasology",
"id": "8a2efccc18f24fd51cf688c54623469ed47ea778",
"size": "1062",
"binary": false,
"copies": "10",
"ref": "refs/heads/develop",
"path": "engine/src/main/java/org/terasology/physics/events/ForceEvent.java",
"mode": "33188",
"license": "apache-2.0",
"language": [
{
"name": "Batchfile",
"bytes": "38"
},
{
"name": "GLSL",
"bytes": "109450"
},
{
"name": "Groovy",
"bytes": "1996"
},
{
"name": "Java",
"bytes": "6432088"
},
{
"name": "Protocol Buffer",
"bytes": "9493"
},
{
"name": "Shell",
"bytes": "7873"
}
],
"symlink_target": ""
} |
import { Component, Input, Output, OnInit, EventEmitter } from '@angular/core';
import { AngularComplexAction } from '../types';
/**
* Component to display a Shopify layout
*/
@Component({
selector: 'plrsButton',
templateUrl: 'button.component.html',
host: {
'[class.Polaris-ButtonGroup__Item]': 'inGroup',
'[class.Polaris-Button--fullWidth]': 'fullWidth !== false',
},
styles: [':host {display: inline-block;}']
})
export class ButtonComponent implements OnInit {
ngOnInit() { }
@Input() set fromAction(action:AngularComplexAction) {
this.children = action.content;
this.accessibilityLabel = action.accessibilityLabel;
this.plain = action.plain ? true : false;
// Wire links if need be
if (action.routerLink) {
this.routerLink = action.routerLink;
} else if (action.url) {
this.url = action.url;
}
// Handle subsciprion to the click event
this.action = new EventEmitter<any>();
if (action.onAction) {
this.action.subscribe(action.onAction);
}
}
/**
* The content to display inside the button.
*/
@Input() children:string;
@Input() accessibilityLabel:string;
/**
* URL to link to
*/
@Input() url:string;
/**
* Make this button an angular router link
*/
@Input() routerLink:string;
@Output() action: EventEmitter<any> = new EventEmitter();
/**
* Display as primary button
*/
@Input() primary: boolean = false;
/**
* Display as destructive button
*/
@Input() destructive: boolean = false;
/**
* Display as disabled button.
*/
@Input() disabled: boolean = false;
/**
* Display as disabled button.
*/
@Input() plain: boolean = false;
@Input() inGroup: boolean = false;
@Input() outline: boolean = false;
@Input() external: boolean = false;
@Input() iconOnly: boolean = false;
@Input() fullWidth: boolean = false;
@Input() icon: string;
/**
* Apply classes to the inner button.
*/
@Input() innerClass: string = '';
ngClass() {
return {
'Polaris-Button--primary': this.primary !== false,
'Polaris-Button--destructive': this.destructive !== false,
'Polaris-Button--disabled': this.disabled !== false,
'Polaris-Button--plain': this.plain !== false,
'Polaris-Button--outline': this.outline !== false,
'Polaris-Button--iconOnly': this.iconOnly !== false,
'Polaris-Button--fullWidth': this.fullWidth !== false,
}
}
}
| {
"content_hash": "0c4f000237e6a4f2889cb101973f11a5",
"timestamp": "",
"source": "github",
"line_count": 111,
"max_line_length": 79,
"avg_line_length": 24.25225225225225,
"alnum_prop": 0.575780089153046,
"repo_name": "syrp-nz/angular-polaris",
"id": "205a3bf60f4055c0dbc87f507d5ef0c08e6362bc",
"size": "2692",
"binary": false,
"copies": "1",
"ref": "refs/heads/master",
"path": "src/app/library/button/button.component.ts",
"mode": "33188",
"license": "mit",
"language": [
{
"name": "CSS",
"bytes": "5598"
},
{
"name": "HTML",
"bytes": "35982"
},
{
"name": "JavaScript",
"bytes": "9110"
},
{
"name": "TypeScript",
"bytes": "95033"
}
],
"symlink_target": ""
} |
import React, { Component } from 'react';
import {
StyleSheet,
Text,
View,
Image
} from 'react-native';
var Message = React.createClass({
render(){
return (
<Text>message</Text>
)
},
});
const styles = StyleSheet.create({
});
module.exports = Message
| {
"content_hash": "8ee5c0bafd8f3f9ef087a0935d1ec38b",
"timestamp": "",
"source": "github",
"line_count": 22,
"max_line_length": 41,
"avg_line_length": 13.636363636363637,
"alnum_prop": 0.5766666666666667,
"repo_name": "coderZsq/coderZsq.target.swift",
"id": "0ae453060e9d8a6dfc55991b6b1d019db65329d3",
"size": "300",
"binary": false,
"copies": "1",
"ref": "refs/heads/master",
"path": "StudyNotes/ReactNative_/component/message.js",
"mode": "33188",
"license": "mit",
"language": [
{
"name": "C++",
"bytes": "68834"
},
{
"name": "CSS",
"bytes": "144"
},
{
"name": "HTML",
"bytes": "1730"
},
{
"name": "JavaScript",
"bytes": "23773"
},
{
"name": "Ruby",
"bytes": "307"
},
{
"name": "Swift",
"bytes": "473060"
},
{
"name": "Vue",
"bytes": "3017"
}
],
"symlink_target": ""
} |
Cake addin that extends Cake with support for fastlane tools.
[](https://raw.githubusercontent.com/cake-contrib/Cake.Fastlane/master/LICENSE)
| Build server | Platform | Dev | Master |
|-----------------------------|--------------|--------------|---------------------------------------------------------------------------------------------------------------------------|
| AppVeyor | Windows | [](https://ci.appveyor.com/project/cake-contrib/cake-fastlane/branch/dev) | [](https://ci.appveyor.com/project/cake-contrib/cake-fastlane/branch/master) |
| Azure Pipelines | OS X | [](https://dev.azure.com/cake-contrib/Cake.Fastlane/_build/latest?definitionId=1) | |
## Information
| | Stable |
|---|---|
|NuGet|[](https://www.nuget.org/packages/Cake.Fastlane)
## Code Coverage
[](https://coveralls.io/github/cake-contrib/Cake.Fastlane?branch=dev)
| {
"content_hash": "b038baa904bfc1650342e362a7378d33",
"timestamp": "",
"source": "github",
"line_count": 18,
"max_line_length": 399,
"avg_line_length": 79.72222222222223,
"alnum_prop": 0.6118466898954704,
"repo_name": "RLittlesII/Cake.Fastlane",
"id": "6e56e2b8872109c7a25c46f112d89474c726dbb1",
"size": "1452",
"binary": false,
"copies": "1",
"ref": "refs/heads/dev",
"path": "README.md",
"mode": "33188",
"license": "mit",
"language": [
{
"name": "C#",
"bytes": "183352"
},
{
"name": "PowerShell",
"bytes": "2937"
},
{
"name": "Shell",
"bytes": "6207"
}
],
"symlink_target": ""
} |
"""
Lädt die Favoriten eines Users
@author Markus Tacker <[email protected]>
"""
import vertx
import mutex
import time
from com.xhaus.jyson import JysonCodec as json
from oauth import Consumer
from core.event_bus import EventBus
from util import parse_date
from datetime import datetime, timedelta
config = vertx.config()
curators = []
friends = []
aday = datetime.now() - timedelta(1)
def response_handler(resp, user_id):
favs = {'user_id': user_id, 'favorites': []}
@resp.body_handler
def body_handler(body):
if resp.status_code == 200:
favs['favorites'] = json.loads(body.to_string())
else:
print "Failed to fetch favorites: %s" % body.to_string()
EventBus.send('log.event', "user.favorites.list.result")
EventBus.send('user.favorites.list.result', json.dumps(favs))
def fetch_favorites(message):
user = message.body
consumer = Consumer(api_endpoint="https://api.twitter.com/", consumer_key=config['consumer_key'], consumer_secret=config['consumer_secret'], oauth_token=config['oauth_token'], oauth_token_secret=config['oauth_token_secret'])
consumer.get("/1.1/favorites/list.json", {'user_id': user['id'], 'count': 20}, lambda resp: response_handler(resp, user['id']))
EventBus.register_handler('user.favorites.list', False, fetch_favorites)
| {
"content_hash": "705ddba3a5923096b01a445b3e3123b6",
"timestamp": "",
"source": "github",
"line_count": 38,
"max_line_length": 228,
"avg_line_length": 35.39473684210526,
"alnum_prop": 0.6877323420074349,
"repo_name": "Gruenderhub/twitter-autocurator",
"id": "e4afe5569213796864584f2909392f11c057e54f",
"size": "1361",
"binary": false,
"copies": "1",
"ref": "refs/heads/master",
"path": "fetchfavorites.py",
"mode": "33188",
"license": "mit",
"language": [
{
"name": "Python",
"bytes": "15163"
}
],
"symlink_target": ""
} |
/*
Include declarations.
*/
#include "magick/studio.h"
#include "magick/blob.h"
#include "magick/blob-private.h"
#include "magick/constitute.h"
#include "magick/delegate.h"
#include "magick/exception.h"
#include "magick/exception-private.h"
#include "magick/geometry.h"
#include "magick/image.h"
#include "magick/image-private.h"
#include "magick/layer.h"
#include "magick/list.h"
#include "magick/log.h"
#include "magick/magick.h"
#include "magick/memory_.h"
#include "magick/resource_.h"
#include "magick/quantum-private.h"
#include "magick/static.h"
#include "magick/string_.h"
#include "magick/module.h"
#include "magick/transform.h"
#include "magick/utility.h"
#include "magick/xml-tree.h"
/*
%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%
% %
% %
% %
% R e a d D N G I m a g e %
% %
% %
% %
%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%
%
% ReadDNGImage() reads an binary file in the Digital Negative format and
% returns it. It allocates the memory necessary for the new Image structure
% and returns a pointer to the new image.
%
% The format of the ReadDNGImage method is:
%
% Image *ReadDNGImage(const ImageInfo *image_info,
% ExceptionInfo *exception)
%
% A description of each parameter follows:
%
% o image_info: the image info.
%
% o exception: return any errors or warnings in this structure.
%
*/
static Image *ReadDNGImage(const ImageInfo *image_info,ExceptionInfo *exception)
{
ExceptionInfo
*sans_exception;
Image
*image;
ImageInfo
*read_info;
MagickBooleanType
status;
/*
Open image file.
*/
assert(image_info != (const ImageInfo *) NULL);
assert(image_info->signature == MagickSignature);
if (image_info->debug != MagickFalse)
(void) LogMagickEvent(TraceEvent,GetMagickModule(),"%s",
image_info->filename);
assert(exception != (ExceptionInfo *) NULL);
assert(exception->signature == MagickSignature);
image=AcquireImage(image_info);
status=OpenBlob(image_info,image,ReadBinaryBlobMode,exception);
if (status == MagickFalse)
{
image=DestroyImageList(image);
return((Image *) NULL);
}
(void) CloseBlob(image);
(void) DestroyImageList(image);
/*
Convert DNG to PPM with delegate.
*/
image=AcquireImage(image_info);
read_info=CloneImageInfo(image_info);
SetImageInfoBlob(read_info,(void *) NULL,0);
(void) InvokeDelegate(read_info,image,"dng:decode",(char *) NULL,exception);
image=DestroyImage(image);
(void) FormatLocaleString(read_info->filename,MaxTextExtent,"%s.png",
read_info->unique);
sans_exception=AcquireExceptionInfo();
image=ReadImage(read_info,sans_exception);
sans_exception=DestroyExceptionInfo(sans_exception);
if (image == (Image *) NULL)
{
(void) FormatLocaleString(read_info->filename,MaxTextExtent,"%s.ppm",
read_info->unique);
image=ReadImage(read_info,exception);
}
(void) RelinquishUniqueFileResource(read_info->filename);
if (image != (Image *) NULL)
{
char
filename[MaxTextExtent],
*xml;
ExceptionInfo
*sans;
(void) CopyMagickString(image->magick,read_info->magick,MaxTextExtent);
(void) FormatLocaleString(filename,MaxTextExtent,"%s.ufraw",
read_info->unique);
sans=AcquireExceptionInfo();
xml=FileToString(filename,MaxTextExtent,sans);
(void) RelinquishUniqueFileResource(filename);
if (xml != (char *) NULL)
{
XMLTreeInfo
*ufraw;
/*
Inject
*/
ufraw=NewXMLTree(xml,sans);
if (ufraw != (XMLTreeInfo *) NULL)
{
char
*content,
property[MaxTextExtent];
const char
*tag;
XMLTreeInfo
*next;
if (image->properties == (void *) NULL)
((Image *) image)->properties=NewSplayTree(
CompareSplayTreeString,RelinquishMagickMemory,
RelinquishMagickMemory);
next=GetXMLTreeChild(ufraw,(const char *) NULL);
while (next != (XMLTreeInfo *) NULL)
{
tag=GetXMLTreeTag(next);
if (tag == (char *) NULL)
tag="unknown";
(void) FormatLocaleString(property,MaxTextExtent,"dng:%s",tag);
content=ConstantString(GetXMLTreeContent(next));
StripString(content);
if ((LocaleCompare(tag,"log") != 0) &&
(LocaleCompare(tag,"InputFilename") != 0) &&
(LocaleCompare(tag,"OutputFilename") != 0) &&
(LocaleCompare(tag,"OutputType") != 0) &&
(strlen(content) != 0))
(void) AddValueToSplayTree((SplayTreeInfo *)
((Image *) image)->properties,ConstantString(property),
content);
next=GetXMLTreeSibling(next);
}
ufraw=DestroyXMLTree(ufraw);
}
xml=DestroyString(xml);
}
sans=DestroyExceptionInfo(sans);
}
read_info=DestroyImageInfo(read_info);
return(image);
}
/*
%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%
% %
% %
% %
% R e g i s t e r D N G I m a g e %
% %
% %
% %
%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%
%
% RegisterDNGImage() adds attributes for the DNG image format to
% the list of supported formats. The attributes include the image format
% tag, a method to read and/or write the format, whether the format
% supports the saving of more than one frame to the same file or blob,
% whether the format supports native in-memory I/O, and a brief
% description of the format.
%
% The format of the RegisterDNGImage method is:
%
% size_t RegisterDNGImage(void)
%
*/
ModuleExport size_t RegisterDNGImage(void)
{
MagickInfo
*entry;
entry=SetMagickInfo("3FR");
entry->decoder=(DecodeImageHandler *) ReadDNGImage;
entry->blob_support=MagickFalse;
entry->seekable_stream=MagickTrue;
entry->format_type=ExplicitFormatType;
entry->description=ConstantString("Hasselblad CFV/H3D39II");
entry->module=ConstantString("DNG");
(void) RegisterMagickInfo(entry);
entry=SetMagickInfo("ARW");
entry->decoder=(DecodeImageHandler *) ReadDNGImage;
entry->blob_support=MagickFalse;
entry->seekable_stream=MagickTrue;
entry->format_type=ExplicitFormatType;
entry->description=ConstantString("Sony Alpha Raw Image Format");
entry->module=ConstantString("DNG");
(void) RegisterMagickInfo(entry);
entry=SetMagickInfo("DNG");
entry->decoder=(DecodeImageHandler *) ReadDNGImage;
entry->blob_support=MagickFalse;
entry->seekable_stream=MagickTrue;
entry->format_type=ExplicitFormatType;
entry->description=ConstantString("Digital Negative");
entry->module=ConstantString("DNG");
(void) RegisterMagickInfo(entry);
entry=SetMagickInfo("CR2");
entry->decoder=(DecodeImageHandler *) ReadDNGImage;
entry->blob_support=MagickFalse;
entry->seekable_stream=MagickTrue;
entry->format_type=ExplicitFormatType;
entry->description=ConstantString("Canon Digital Camera Raw Image Format");
entry->module=ConstantString("DNG");
(void) RegisterMagickInfo(entry);
entry=SetMagickInfo("CRW");
entry->decoder=(DecodeImageHandler *) ReadDNGImage;
entry->blob_support=MagickFalse;
entry->seekable_stream=MagickTrue;
entry->format_type=ExplicitFormatType;
entry->description=ConstantString("Canon Digital Camera Raw Image Format");
entry->module=ConstantString("DNG");
(void) RegisterMagickInfo(entry);
entry=SetMagickInfo("DCR");
entry->decoder=(DecodeImageHandler *) ReadDNGImage;
entry->blob_support=MagickFalse;
entry->seekable_stream=MagickTrue;
entry->format_type=ExplicitFormatType;
entry->description=ConstantString("Kodak Digital Camera Raw Image File");
entry->module=ConstantString("DNG");
(void) RegisterMagickInfo(entry);
entry=SetMagickInfo("ERF");
entry->decoder=(DecodeImageHandler *) ReadDNGImage;
entry->blob_support=MagickFalse;
entry->seekable_stream=MagickTrue;
entry->format_type=ExplicitFormatType;
entry->description=ConstantString("Epson RAW Format");
entry->module=ConstantString("DNG");
(void) RegisterMagickInfo(entry);
entry=SetMagickInfo("KDC");
entry->decoder=(DecodeImageHandler *) ReadDNGImage;
entry->blob_support=MagickFalse;
entry->seekable_stream=MagickTrue;
entry->format_type=ExplicitFormatType;
entry->description=ConstantString("Kodak Digital Camera Raw Image Format");
entry->module=ConstantString("DNG");
(void) RegisterMagickInfo(entry);
entry=SetMagickInfo("K25");
entry->decoder=(DecodeImageHandler *) ReadDNGImage;
entry->blob_support=MagickFalse;
entry->seekable_stream=MagickTrue;
entry->format_type=ExplicitFormatType;
entry->description=ConstantString("Kodak Digital Camera Raw Image Format");
entry->module=ConstantString("DNG");
(void) RegisterMagickInfo(entry);
entry=SetMagickInfo("MRW");
entry->decoder=(DecodeImageHandler *) ReadDNGImage;
entry->blob_support=MagickFalse;
entry->seekable_stream=MagickTrue;
entry->format_type=ExplicitFormatType;
entry->description=ConstantString("Sony (Minolta) Raw Image File");
entry->module=ConstantString("DNG");
(void) RegisterMagickInfo(entry);
entry=SetMagickInfo("NEF");
entry->decoder=(DecodeImageHandler *) ReadDNGImage;
entry->blob_support=MagickFalse;
entry->seekable_stream=MagickTrue;
entry->format_type=ExplicitFormatType;
entry->description=ConstantString("Nikon Digital SLR Camera Raw Image File");
entry->module=ConstantString("DNG");
(void) RegisterMagickInfo(entry);
entry=SetMagickInfo("ORF");
entry->decoder=(DecodeImageHandler *) ReadDNGImage;
entry->blob_support=MagickFalse;
entry->seekable_stream=MagickTrue;
entry->format_type=ExplicitFormatType;
entry->description=ConstantString("Olympus Digital Camera Raw Image File");
entry->module=ConstantString("DNG");
(void) RegisterMagickInfo(entry);
entry=SetMagickInfo("PEF");
entry->decoder=(DecodeImageHandler *) ReadDNGImage;
entry->blob_support=MagickFalse;
entry->seekable_stream=MagickTrue;
entry->format_type=ExplicitFormatType;
entry->description=ConstantString("Pentax Electronic File");
entry->module=ConstantString("DNG");
(void) RegisterMagickInfo(entry);
entry=SetMagickInfo("RAF");
entry->decoder=(DecodeImageHandler *) ReadDNGImage;
entry->blob_support=MagickFalse;
entry->seekable_stream=MagickTrue;
entry->format_type=ExplicitFormatType;
entry->description=ConstantString("Fuji CCD-RAW Graphic File");
entry->module=ConstantString("DNG");
(void) RegisterMagickInfo(entry);
entry=SetMagickInfo("SRF");
entry->decoder=(DecodeImageHandler *) ReadDNGImage;
entry->blob_support=MagickFalse;
entry->seekable_stream=MagickTrue;
entry->format_type=ExplicitFormatType;
entry->description=ConstantString("Sony Raw Format");
entry->module=ConstantString("DNG");
(void) RegisterMagickInfo(entry);
entry=SetMagickInfo("SR2");
entry->decoder=(DecodeImageHandler *) ReadDNGImage;
entry->blob_support=MagickFalse;
entry->seekable_stream=MagickTrue;
entry->format_type=ExplicitFormatType;
entry->description=ConstantString("Sony Raw Format 2");
entry->module=ConstantString("DNG");
(void) RegisterMagickInfo(entry);
entry=SetMagickInfo("X3F");
entry->decoder=(DecodeImageHandler *) ReadDNGImage;
entry->blob_support=MagickFalse;
entry->seekable_stream=MagickTrue;
entry->format_type=ExplicitFormatType;
entry->description=ConstantString("Sigma Camera RAW Picture File");
entry->module=ConstantString("DNG");
(void) RegisterMagickInfo(entry);
return(MagickImageCoderSignature);
}
/*
%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%
% %
% %
% %
% U n r e g i s t e r D N G I m a g e %
% %
% %
% %
%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%
%
% UnregisterDNGImage() removes format registrations made by the
% BIM module from the list of supported formats.
%
% The format of the UnregisterBIMImage method is:
%
% UnregisterDNGImage(void)
%
*/
ModuleExport void UnregisterDNGImage(void)
{
(void) UnregisterMagickInfo("X3F");
(void) UnregisterMagickInfo("SR2");
(void) UnregisterMagickInfo("SRF");
(void) UnregisterMagickInfo("RAF");
(void) UnregisterMagickInfo("PEF");
(void) UnregisterMagickInfo("ORF");
(void) UnregisterMagickInfo("NEF");
(void) UnregisterMagickInfo("MRW");
(void) UnregisterMagickInfo("K25");
(void) UnregisterMagickInfo("KDC");
(void) UnregisterMagickInfo("DCR");
(void) UnregisterMagickInfo("CRW");
(void) UnregisterMagickInfo("CR2");
(void) UnregisterMagickInfo("DNG");
(void) UnregisterMagickInfo("ARW");
(void) UnregisterMagickInfo("3FR");
}
| {
"content_hash": "22b3db9d6019f413218393e70a399743",
"timestamp": "",
"source": "github",
"line_count": 385,
"max_line_length": 80,
"avg_line_length": 37.54025974025974,
"alnum_prop": 0.5974538158167855,
"repo_name": "x13945/Android-ImageMagick",
"id": "8937a367880e46a323f3648608de512b4f83f3f0",
"size": "17102",
"binary": false,
"copies": "3",
"ref": "refs/heads/master",
"path": "simple-library/src/main/jni/ImageMagick-6.7.3-0/coders/dng.c",
"mode": "33188",
"license": "mit",
"language": [
{
"name": "Assembly",
"bytes": "16628"
},
{
"name": "Awk",
"bytes": "61546"
},
{
"name": "Batchfile",
"bytes": "23138"
},
{
"name": "C",
"bytes": "59299549"
},
{
"name": "C#",
"bytes": "308730"
},
{
"name": "C++",
"bytes": "2707716"
},
{
"name": "CMake",
"bytes": "122172"
},
{
"name": "DIGITAL Command Language",
"bytes": "104364"
},
{
"name": "Groff",
"bytes": "861732"
},
{
"name": "HTML",
"bytes": "1785188"
},
{
"name": "Java",
"bytes": "577754"
},
{
"name": "M4",
"bytes": "205286"
},
{
"name": "Makefile",
"bytes": "4425802"
},
{
"name": "Module Management System",
"bytes": "31538"
},
{
"name": "Objective-C",
"bytes": "7860"
},
{
"name": "Perl",
"bytes": "4484"
},
{
"name": "Python",
"bytes": "31904"
},
{
"name": "Ruby",
"bytes": "22506"
},
{
"name": "SAS",
"bytes": "28396"
},
{
"name": "Shell",
"bytes": "5844522"
},
{
"name": "Smalltalk",
"bytes": "2504"
}
],
"symlink_target": ""
} |
<?xml version="1.0" encoding="utf-8"?>
<extension version="2.5" type="plugin" group="community">
<params>
<param name="count" type="text" default="5" size="3" label="PLG_MYTAGGEDVIDEOS_TOTAL_VIDEO" description="PLG_MYTAGGEDVIDEOS_XML_DESCRIPTION" />
</params>
</extension> | {
"content_hash": "522b70fac6e903b4aec849914d3dd98d",
"timestamp": "",
"source": "github",
"line_count": 6,
"max_line_length": 147,
"avg_line_length": 47.166666666666664,
"alnum_prop": 0.6925795053003534,
"repo_name": "deywibkiss/jooinworld",
"id": "c70881e003c2616b602367c81d27bc879dcef8a5",
"size": "283",
"binary": false,
"copies": "4",
"ref": "refs/heads/master",
"path": "plugins/community/mytaggedvideos/mytaggedvideos/config.xml",
"mode": "33188",
"license": "mit",
"language": [
{
"name": "CSS",
"bytes": "1306396"
},
{
"name": "JavaScript",
"bytes": "2564138"
},
{
"name": "PHP",
"bytes": "10451869"
}
],
"symlink_target": ""
} |
"""Tests for soft sorting tensorflow layers."""
import tensorflow.compat.v2 as tf
from soft_sort.matrix_factorization import data
class DataTest(tf.test.TestCase):
def setUp(self):
super().setUp()
tf.random.set_seed(0)
self._data = data.SyntheticData(
num_features=50, num_individuals=200, low_rank=10)
def test_make(self):
matrix = self._data.make()
self.assertEqual(matrix.shape, (50, 200))
if __name__ == '__main__':
tf.enable_v2_behavior()
tf.test.main()
| {
"content_hash": "4ca98cf90a9536918d2a92cb7fc854f0",
"timestamp": "",
"source": "github",
"line_count": 23,
"max_line_length": 58,
"avg_line_length": 21.869565217391305,
"alnum_prop": 0.6660039761431411,
"repo_name": "google-research/google-research",
"id": "52f354944ced07bd04e12c0d9723a1cf6c1b81d3",
"size": "1111",
"binary": false,
"copies": "1",
"ref": "refs/heads/master",
"path": "soft_sort/matrix_factorization/data_test.py",
"mode": "33188",
"license": "apache-2.0",
"language": [
{
"name": "C",
"bytes": "9817"
},
{
"name": "C++",
"bytes": "4166670"
},
{
"name": "CMake",
"bytes": "6412"
},
{
"name": "CSS",
"bytes": "27092"
},
{
"name": "Cuda",
"bytes": "1431"
},
{
"name": "Dockerfile",
"bytes": "7145"
},
{
"name": "Gnuplot",
"bytes": "11125"
},
{
"name": "HTML",
"bytes": "77599"
},
{
"name": "ImageJ Macro",
"bytes": "50488"
},
{
"name": "Java",
"bytes": "487585"
},
{
"name": "JavaScript",
"bytes": "896512"
},
{
"name": "Julia",
"bytes": "67986"
},
{
"name": "Jupyter Notebook",
"bytes": "71290299"
},
{
"name": "Lua",
"bytes": "29905"
},
{
"name": "MATLAB",
"bytes": "103813"
},
{
"name": "Makefile",
"bytes": "5636"
},
{
"name": "NASL",
"bytes": "63883"
},
{
"name": "Perl",
"bytes": "8590"
},
{
"name": "Python",
"bytes": "53790200"
},
{
"name": "R",
"bytes": "101058"
},
{
"name": "Roff",
"bytes": "1208"
},
{
"name": "Rust",
"bytes": "2389"
},
{
"name": "Shell",
"bytes": "730444"
},
{
"name": "Smarty",
"bytes": "5966"
},
{
"name": "Starlark",
"bytes": "245038"
}
],
"symlink_target": ""
} |
<a href='https://github.com/angular/angular.js/edit/v1.4.x/docs/content/error/index.ngdoc?message=docs(error%2FError Reference)%3A%20describe%20your%20change...' class='improve-docs btn btn-primary'><i class="glyphicon glyphicon-edit"> </i>Improve this Doc</a>
<h1 id="error-reference">Error Reference</h1>
<p>Use the Error Reference manual to find information about error conditions in
your AngularJS app. Errors thrown in production builds of AngularJS will log
links to this site on the console.</p>
<p>Other useful references for debugging your app include:</p>
<ul>
<li><a href="api">API Reference</a> for detailed information about specific features</li>
<li><a href="guide">Developer Guide</a> for AngularJS concepts</li>
<li><a href="tutorial">Tutorial</a> for getting started</li>
</ul>
| {
"content_hash": "0d2fbf20f1def5dd2735fe9ea1141606",
"timestamp": "",
"source": "github",
"line_count": 15,
"max_line_length": 265,
"avg_line_length": 53.666666666666664,
"alnum_prop": 0.7565217391304347,
"repo_name": "greatdreams/sails-demo",
"id": "600d60fe64be1a93cc9f198151562a40a61dce38",
"size": "805",
"binary": false,
"copies": "1",
"ref": "refs/heads/master",
"path": "assets/js/vendor/angular-1.4.0/docs/partials/error.html",
"mode": "33188",
"license": "apache-2.0",
"language": [
{
"name": "CSS",
"bytes": "593642"
},
{
"name": "JavaScript",
"bytes": "134099"
}
],
"symlink_target": ""
} |
<!--
Unsafe sample
input : get the field userData from the variable $_GET via an object, which store it in a array
sanitize : use of the function addslashes
File : unsafe, use of untrusted data in a quoted property value (CSS)
-->
<!--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.-->
<!DOCTYPE html>
<html>
<head>
<style>
<?php
class Input{
private $input;
public function getInput(){
return $this->input[1];
}
public function __construct(){
$this->input = array();
$this->input[0]= 'safe' ;
$this->input[1]= $_GET['UserData'] ;
$this->input[2]= 'safe' ;
}
}
$temp = new Input();
$tainted = $temp->getInput();
$tainted = addslashes($tainted);
//flaw
echo "body { color :\'". $tainted ."\' ; }" ;
?>
</style>
</head>
<body>
<h1>Hello World!</h1>
</body>
</html> | {
"content_hash": "40c595538c5892502c2df04557bb4a42",
"timestamp": "",
"source": "github",
"line_count": 74,
"max_line_length": 95,
"avg_line_length": 22.39189189189189,
"alnum_prop": 0.7157513578756789,
"repo_name": "stivalet/PHP-Vulnerability-test-suite",
"id": "3c783c89bc099103fb95de0534a1897ca0c26637",
"size": "1657",
"binary": false,
"copies": "1",
"ref": "refs/heads/master",
"path": "XSS/CWE_79/unsafe/CWE_79__object-Array__func_addslashes__Use_untrusted_data_propertyValue_CSS-quoted_Property_Value.php",
"mode": "33188",
"license": "mit",
"language": [
{
"name": "PHP",
"bytes": "64184004"
}
],
"symlink_target": ""
} |
/*
* generated by Xtext
*/
package person.zhoujg.parser.antlr;
import java.io.InputStream;
import org.eclipse.xtext.parser.antlr.IAntlrTokenFileProvider;
public class FeatureAntlrTokenFileProvider implements IAntlrTokenFileProvider {
@Override
public InputStream getAntlrTokenFile() {
ClassLoader classLoader = getClass().getClassLoader();
return classLoader.getResourceAsStream("person/zhoujg/parser/antlr/internal/InternalFeature.tokens");
}
}
| {
"content_hash": "b8566effecd2b7aec82c5b27f0b1980a",
"timestamp": "",
"source": "github",
"line_count": 16,
"max_line_length": 106,
"avg_line_length": 28.875,
"alnum_prop": 0.803030303030303,
"repo_name": "xiaomayimana/test1",
"id": "6ca87fb81edebb643209b9808a061e7868825ddb",
"size": "462",
"binary": false,
"copies": "2",
"ref": "refs/heads/master",
"path": "person.zhoujg.feature/src-gen/person/zhoujg/parser/antlr/FeatureAntlrTokenFileProvider.java",
"mode": "33188",
"license": "apache-2.0",
"language": [
{
"name": "GAP",
"bytes": "182624"
},
{
"name": "Java",
"bytes": "1093119"
},
{
"name": "Xtend",
"bytes": "19298"
}
],
"symlink_target": ""
} |
<!doctype html>
<html>
<head>
<title>Network | Random nodes</title>
<style type="text/css">
body {
font: 10pt sans;
}
#mynetwork {
width: 600px;
height: 600px;
border: 1px solid lightgray;
}
</style>
<script type="text/javascript" src="../../dist/vis.js"></script>
<link href="../../dist/vis.css" rel="stylesheet" type="text/css" />
<script type="text/javascript">
var nodes = null;
var edges = null;
var network = null;
function draw() {
nodes = [];
edges = [];
var connectionCount = [];
// randomly create some nodes and edges
var nodeCount = document.getElementById('nodeCount').value;
for (var i = 0; i < nodeCount; i++) {
nodes.push({
id: i,
label: String(i)
});
connectionCount[i] = 0;
// create edges in a scale-free-network way
if (i == 1) {
var from = i;
var to = 0;
edges.push({
from: from,
to: to
});
connectionCount[from]++;
connectionCount[to]++;
}
else if (i > 1) {
var conn = edges.length * 2;
var rand = Math.floor(Math.random() * conn);
var cum = 0;
var j = 0;
while (j < connectionCount.length && cum < rand) {
cum += connectionCount[j];
j++;
}
var from = i;
var to = j;
edges.push({
from: from,
to: to
});
connectionCount[from]++;
connectionCount[to]++;
}
}
// create a network
var container = document.getElementById('mynetwork');
var data = {
nodes: nodes,
edges: edges
};
var directionInput = document.getElementById("direction");
var options = {
stabilize: false,
smoothCurves: false,
hierarchicalLayout: {
direction: directionInput.value
}
};
network = new vis.Network(container, data, options);
// add event listeners
network.on('select', function(params) {
document.getElementById('selection').innerHTML = 'Selection: ' + params.nodes;
});
}
</script>
</head>
<body onload="draw();">
<h2>Hierarchical Layout - Scale-Free-Network</h2>
<div style="width:700px; font-size:14px; text-align: justify;">
This example shows the randomly generated <b>scale-free-network</b> set of nodes and connected edges from example 2.
In this example, hierarchical layout has been enabled and the vertical levels are determined automatically.
</div>
<br />
<form onsubmit="draw(); return false;">
<label for="nodeCount">Number of nodes:</label>
<input id="nodeCount" type="text" value="25" style="width: 50px;">
<input type="submit" value="Go">
</form>
<input type="button" id="btn-UD" value="Up-Down">
<input type="button" id="btn-DU" value="Down-Up">
<input type="button" id="btn-LR" value="Left-Right">
<input type="button" id="btn-RL" value="Right-Left">
<input type="hidden" id='direction' value="UD">
<script language="javascript">
var directionInput = document.getElementById("direction");
var btnUD = document.getElementById("btn-UD");
btnUD.onclick = function() {
directionInput.value = "UD";
draw();
}
var btnDU = document.getElementById("btn-DU");
btnDU.onclick = function() {
directionInput.value = "DU";
draw();
};
var btnLR = document.getElementById("btn-LR");
btnLR.onclick = function() {
directionInput.value = "LR";
draw();
};
var btnRL = document.getElementById("btn-RL");
btnRL.onclick = function() {
directionInput.value = "RL";
draw();
};
</script>
<br>
<div id="mynetwork"></div>
<p id="selection"></p>
</body>
</html>
| {
"content_hash": "6c0e5104aa5419b4d885c3e65dce2be6",
"timestamp": "",
"source": "github",
"line_count": 147,
"max_line_length": 120,
"avg_line_length": 26.360544217687075,
"alnum_prop": 0.5594838709677419,
"repo_name": "tjpeden/baby-countdown",
"id": "51f226f40f857a451ece769bc9bd2b236ead3ccb",
"size": "3875",
"binary": false,
"copies": "6",
"ref": "refs/heads/master",
"path": "bower_components/vis/examples/network/23_hierarchical_layout.html",
"mode": "33188",
"license": "mit",
"language": [],
"symlink_target": ""
} |
package org.apache.flink.table.expressions
import org.apache.calcite.rex.RexNode
import org.apache.calcite.tools.RelBuilder
import org.apache.flink.api.common.typeinfo.TypeInformation
import org.apache.flink.api.common.typeutils.CompositeType
import org.apache.flink.table.api.UnresolvedException
import org.apache.flink.table.validate.{ValidationFailure, ValidationResult, ValidationSuccess}
/**
* Flattening of composite types. All flattenings are resolved into
* `GetCompositeField` expressions.
*/
case class Flattening(child: PlannerExpression) extends UnaryExpression {
override def toString = s"$child.flatten()"
override private[flink] def resultType: TypeInformation[_] =
throw UnresolvedException(s"Invalcall to on ${this.getClass}.")
override private[flink] def validateInput(): ValidationResult =
ValidationFailure(s"Unresolved flattening of $child")
}
case class GetCompositeField(child: PlannerExpression, key: Any) extends UnaryExpression {
private var fieldIndex: Option[Int] = None
override def toString = s"$child.get($key)"
override private[flink] def validateInput(): ValidationResult = {
// check for composite type
if (!child.resultType.isInstanceOf[CompositeType[_]]) {
return ValidationFailure(s"Cannot access field of non-composite type '${child.resultType}'.")
}
val compositeType = child.resultType.asInstanceOf[CompositeType[_]]
// check key
key match {
case name: String =>
val index = compositeType.getFieldIndex(name)
if (index < 0) {
ValidationFailure(s"Field name '$name' could not be found.")
} else {
fieldIndex = Some(index)
ValidationSuccess
}
case index: Int =>
if (index >= compositeType.getArity) {
ValidationFailure(s"Field index '$index' exceeds arity.")
} else {
fieldIndex = Some(index)
ValidationSuccess
}
case _ =>
ValidationFailure(s"Invalid key '$key'.")
}
}
override private[flink] def resultType: TypeInformation[_] =
child.resultType.asInstanceOf[CompositeType[_]].getTypeAt(fieldIndex.get)
override private[flink] def toRexNode(implicit relBuilder: RelBuilder): RexNode = {
relBuilder
.getRexBuilder
.makeFieldAccess(child.toRexNode, fieldIndex.get)
}
override private[flink] def makeCopy(anyRefs: Array[AnyRef]): this.type = {
val child: PlannerExpression = anyRefs.head.asInstanceOf[PlannerExpression]
copy(child, key).asInstanceOf[this.type]
}
/**
* Gives a meaningful alias if possible (e.g. a$mypojo$field).
*/
private[flink] def aliasName(): Option[String] = child match {
case gcf: GetCompositeField =>
val alias = gcf.aliasName()
if (alias.isDefined) {
Some(s"${alias.get}$$$key")
} else {
None
}
case c: ResolvedFieldReference =>
val keySuffix = if (key.isInstanceOf[Int]) s"_$key" else key
Some(s"${c.name}$$$keySuffix")
case _ => None
}
}
| {
"content_hash": "00b7cba6c757bc4b7f1a746e1295947a",
"timestamp": "",
"source": "github",
"line_count": 92,
"max_line_length": 99,
"avg_line_length": 33.02173913043478,
"alnum_prop": 0.6869651086240948,
"repo_name": "shaoxuan-wang/flink",
"id": "1f858a10eb315b5000f031264e7d66b7b5de63b4",
"size": "3843",
"binary": false,
"copies": "1",
"ref": "refs/heads/master",
"path": "flink-table/flink-table-planner/src/main/scala/org/apache/flink/table/expressions/composite.scala",
"mode": "33188",
"license": "apache-2.0",
"language": [
{
"name": "Batchfile",
"bytes": "4588"
},
{
"name": "CSS",
"bytes": "57936"
},
{
"name": "Clojure",
"bytes": "90539"
},
{
"name": "Dockerfile",
"bytes": "10807"
},
{
"name": "FreeMarker",
"bytes": "11851"
},
{
"name": "HTML",
"bytes": "224454"
},
{
"name": "Java",
"bytes": "46844396"
},
{
"name": "JavaScript",
"bytes": "1829"
},
{
"name": "Makefile",
"bytes": "5134"
},
{
"name": "Python",
"bytes": "733285"
},
{
"name": "Scala",
"bytes": "12596192"
},
{
"name": "Shell",
"bytes": "461101"
},
{
"name": "TypeScript",
"bytes": "243702"
}
],
"symlink_target": ""
} |
<?php
return [
/*
|--------------------------------------------------------------------------
| Application Environment
|--------------------------------------------------------------------------
|
| This value determines the "environment" your application is currently
| running in. This may determine how you prefer to configure various
| services your application utilizes. Set this in your ".env" file.
|
*/
'env' => env('APP_ENV', 'production'),
/*
|--------------------------------------------------------------------------
| Application Debug Mode
|--------------------------------------------------------------------------
|
| When your application is in debug mode, detailed error messages with
| stack traces will be shown on every error that occurs within your
| application. If disabled, a simple generic error page is shown.
|
*/
'debug' => env('APP_DEBUG', false),
/*
|--------------------------------------------------------------------------
| Application URL
|--------------------------------------------------------------------------
|
| This URL is used by the console to properly generate URLs when using
| the Artisan command line tool. You should set this to the root of
| your application so that it is used when running Artisan tasks.
|
*/
'url' => env('APP_URL', 'http://localhost'),
/*
|--------------------------------------------------------------------------
| Application Timezone
|--------------------------------------------------------------------------
|
| Here you may specify the default timezone for your application, which
| will be used by the PHP date and date-time functions. We have gone
| ahead and set this to a sensible default for you out of the box.
|
*/
'timezone' => 'UTC',
/*
|--------------------------------------------------------------------------
| Application Locale Configuration
|--------------------------------------------------------------------------
|
| The application locale determines the default locale that will be used
| by the translation service provider. You are free to set this value
| to any of the locales which will be supported by the application.
|
*/
'locale' => 'es',
/*
|--------------------------------------------------------------------------
| Application Fallback Locale
|--------------------------------------------------------------------------
|
| The fallback locale determines the locale to use when the current one
| is not available. You may change the value to correspond to any of
| the language folders that are provided through your application.
|
*/
'fallback_locale' => 'en',
/*
|--------------------------------------------------------------------------
| Encryption Key
|--------------------------------------------------------------------------
|
| This key is used by the Illuminate encrypter service and should be set
| to a random, 32 character string, otherwise these encrypted strings
| will not be safe. Please do this before deploying an application!
|
*/
'key' => env('APP_KEY'),
'cipher' => 'AES-256-CBC',
/*
|--------------------------------------------------------------------------
| Logging Configuration
|--------------------------------------------------------------------------
|
| Here you may configure the log settings for your application. Out of
| the box, Laravel uses the Monolog PHP logging library. This gives
| you a variety of powerful log handlers / formatters to utilize.
|
| Available Settings: "single", "daily", "syslog", "errorlog"
|
*/
'log' => env('APP_LOG', 'single'),
/*
|--------------------------------------------------------------------------
| Autoloaded Service Providers
|--------------------------------------------------------------------------
|
| The service providers listed here will be automatically loaded on the
| request to your application. Feel free to add your own services to
| this array to grant expanded functionality to your applications.
|
*/
'providers' => [
/*
* Laravel Framework Service Providers...
*/
Illuminate\Auth\AuthServiceProvider::class,
Illuminate\Broadcasting\BroadcastServiceProvider::class,
Illuminate\Bus\BusServiceProvider::class,
Illuminate\Cache\CacheServiceProvider::class,
Illuminate\Foundation\Providers\ConsoleSupportServiceProvider::class,
Illuminate\Cookie\CookieServiceProvider::class,
Illuminate\Database\DatabaseServiceProvider::class,
Illuminate\Encryption\EncryptionServiceProvider::class,
Illuminate\Filesystem\FilesystemServiceProvider::class,
Illuminate\Foundation\Providers\FoundationServiceProvider::class,
Illuminate\Hashing\HashServiceProvider::class,
Illuminate\Mail\MailServiceProvider::class,
Illuminate\Pagination\PaginationServiceProvider::class,
Illuminate\Pipeline\PipelineServiceProvider::class,
Illuminate\Queue\QueueServiceProvider::class,
Illuminate\Redis\RedisServiceProvider::class,
Illuminate\Auth\Passwords\PasswordResetServiceProvider::class,
Illuminate\Session\SessionServiceProvider::class,
Illuminate\Translation\TranslationServiceProvider::class,
Illuminate\Validation\ValidationServiceProvider::class,
Illuminate\View\ViewServiceProvider::class,
Collective\Html\HtmlServiceProvider::class,
/*
* Application Service Providers...
*/
Fabrica\Providers\AppServiceProvider::class,
Fabrica\Providers\AuthServiceProvider::class,
Fabrica\Providers\EventServiceProvider::class,
Fabrica\Providers\RouteServiceProvider::class,
],
/*
|--------------------------------------------------------------------------
| Class Aliases
|--------------------------------------------------------------------------
|
| This array of class aliases will be registered when this application
| is started. However, feel free to register as many as you wish as
| the aliases are "lazy" loaded so they don't hinder performance.
|
*/
'aliases' => [
'App' => Illuminate\Support\Facades\App::class,
'Artisan' => Illuminate\Support\Facades\Artisan::class,
'Auth' => Illuminate\Support\Facades\Auth::class,
'Blade' => Illuminate\Support\Facades\Blade::class,
'Cache' => Illuminate\Support\Facades\Cache::class,
'Config' => Illuminate\Support\Facades\Config::class,
'Cookie' => Illuminate\Support\Facades\Cookie::class,
'Crypt' => Illuminate\Support\Facades\Crypt::class,
'DB' => Illuminate\Support\Facades\DB::class,
'Eloquent' => Illuminate\Database\Eloquent\Model::class,
'Event' => Illuminate\Support\Facades\Event::class,
'File' => Illuminate\Support\Facades\File::class,
'Gate' => Illuminate\Support\Facades\Gate::class,
'Hash' => Illuminate\Support\Facades\Hash::class,
'Lang' => Illuminate\Support\Facades\Lang::class,
'Log' => Illuminate\Support\Facades\Log::class,
'Mail' => Illuminate\Support\Facades\Mail::class,
'Password' => Illuminate\Support\Facades\Password::class,
'Queue' => Illuminate\Support\Facades\Queue::class,
'Redirect' => Illuminate\Support\Facades\Redirect::class,
'Redis' => Illuminate\Support\Facades\Redis::class,
'Request' => Illuminate\Support\Facades\Request::class,
'Response' => Illuminate\Support\Facades\Response::class,
'Route' => Illuminate\Support\Facades\Route::class,
'Schema' => Illuminate\Support\Facades\Schema::class,
'Session' => Illuminate\Support\Facades\Session::class,
'Storage' => Illuminate\Support\Facades\Storage::class,
'URL' => Illuminate\Support\Facades\URL::class,
'Validator' => Illuminate\Support\Facades\Validator::class,
'View' => Illuminate\Support\Facades\View::class,
'Form' => Collective\Html\FormFacade::class,
'Html' => Collective\Html\HtmlFacade::class,
],
];
| {
"content_hash": "6ff97e6d4e528bb0ae9cab7fd72ca05c",
"timestamp": "",
"source": "github",
"line_count": 209,
"max_line_length": 79,
"avg_line_length": 40.301435406698566,
"alnum_prop": 0.5385254659859907,
"repo_name": "05K4R1N/Fabrica-de-Software",
"id": "c1d444c66bc52cdb923ca4ece9dc31c25db22717",
"size": "8423",
"binary": false,
"copies": "1",
"ref": "refs/heads/master",
"path": "FabricaDeSoftware/config/app.php",
"mode": "33188",
"license": "mit",
"language": [
{
"name": "ApacheConf",
"bytes": "553"
},
{
"name": "HTML",
"bytes": "57604"
},
{
"name": "JavaScript",
"bytes": "299703"
},
{
"name": "PHP",
"bytes": "122978"
}
],
"symlink_target": ""
} |
package android.text;
import android.view.View;
import java.nio.CharBuffer;
/**
* Some objects that implement {@link TextDirectionHeuristic}. Use these with
* the {@link BidiFormatter#unicodeWrap unicodeWrap()} methods in {@link BidiFormatter}.
* Also notice that these direction heuristics correspond to the same types of constants
* provided in the {@link android.view.View} class for {@link android.view.View#setTextDirection
* setTextDirection()}, such as {@link android.view.View#TEXT_DIRECTION_RTL}.
* <p>To support versions lower than {@link android.os.Build.VERSION_CODES#JELLY_BEAN_MR2},
* you can use the support library's {@link android.support.v4.text.TextDirectionHeuristicsCompat}
* class.
*
*/
public class TextDirectionHeuristics {
/**
* Always decides that the direction is left to right.
*/
public static final TextDirectionHeuristic LTR =
new TextDirectionHeuristicInternal(null /* no algorithm */, false);
/**
* Always decides that the direction is right to left.
*/
public static final TextDirectionHeuristic RTL =
new TextDirectionHeuristicInternal(null /* no algorithm */, true);
/**
* Determines the direction based on the first strong directional character, including bidi
* format chars, falling back to left to right if it finds none. This is the default behavior
* of the Unicode Bidirectional Algorithm.
*/
public static final TextDirectionHeuristic FIRSTSTRONG_LTR =
new TextDirectionHeuristicInternal(FirstStrong.INSTANCE, false);
/**
* Determines the direction based on the first strong directional character, including bidi
* format chars, falling back to right to left if it finds none. This is similar to the default
* behavior of the Unicode Bidirectional Algorithm, just with different fallback behavior.
*/
public static final TextDirectionHeuristic FIRSTSTRONG_RTL =
new TextDirectionHeuristicInternal(FirstStrong.INSTANCE, true);
/**
* If the text contains any strong right to left non-format character, determines that the
* direction is right to left, falling back to left to right if it finds none.
*/
public static final TextDirectionHeuristic ANYRTL_LTR =
new TextDirectionHeuristicInternal(AnyStrong.INSTANCE_RTL, false);
/**
* Force the paragraph direction to the Locale direction. Falls back to left to right.
*/
public static final TextDirectionHeuristic LOCALE = TextDirectionHeuristicLocale.INSTANCE;
/**
* State constants for taking care about true / false / unknown
*/
private static final int STATE_TRUE = 0;
private static final int STATE_FALSE = 1;
private static final int STATE_UNKNOWN = 2;
/* Returns STATE_TRUE for strong RTL characters, STATE_FALSE for strong LTR characters, and
* STATE_UNKNOWN for everything else.
*/
private static int isRtlCodePoint(int codePoint) {
switch (Character.getDirectionality(codePoint)) {
case Character.DIRECTIONALITY_LEFT_TO_RIGHT:
return STATE_FALSE;
case Character.DIRECTIONALITY_RIGHT_TO_LEFT:
case Character.DIRECTIONALITY_RIGHT_TO_LEFT_ARABIC:
return STATE_TRUE;
case Character.DIRECTIONALITY_UNDEFINED:
// Unassigned characters still have bidi direction, defined at:
// http://www.unicode.org/Public/UCD/latest/ucd/extracted/DerivedBidiClass.txt
if ((0x0590 <= codePoint && codePoint <= 0x08FF) ||
(0xFB1D <= codePoint && codePoint <= 0xFDCF) ||
(0xFDF0 <= codePoint && codePoint <= 0xFDFF) ||
(0xFE70 <= codePoint && codePoint <= 0xFEFF) ||
(0x10800 <= codePoint && codePoint <= 0x10FFF) ||
(0x1E800 <= codePoint && codePoint <= 0x1EFFF)) {
// Unassigned RTL character
return STATE_TRUE;
} else if (
// Potentially-unassigned Default_Ignorable. Ranges are from unassigned
// characters that have Unicode property Other_Default_Ignorable_Code_Point
// plus some enlargening to cover bidi isolates and simplify checks.
(0x2065 <= codePoint && codePoint <= 0x2069) ||
(0xFFF0 <= codePoint && codePoint <= 0xFFF8) ||
(0xE0000 <= codePoint && codePoint <= 0xE0FFF) ||
// Non-character
(0xFDD0 <= codePoint && codePoint <= 0xFDEF) ||
((codePoint & 0xFFFE) == 0xFFFE) ||
// Currency symbol
(0x20A0 <= codePoint && codePoint <= 0x20CF) ||
// Unpaired surrogate
(0xD800 <= codePoint && codePoint <= 0xDFFF)) {
return STATE_UNKNOWN;
} else {
// Unassigned LTR character
return STATE_FALSE;
}
default:
return STATE_UNKNOWN;
}
}
/**
* Computes the text direction based on an algorithm. Subclasses implement
* {@link #defaultIsRtl} to handle cases where the algorithm cannot determine the
* direction from the text alone.
*/
private static abstract class TextDirectionHeuristicImpl implements TextDirectionHeuristic {
private final TextDirectionAlgorithm mAlgorithm;
public TextDirectionHeuristicImpl(TextDirectionAlgorithm algorithm) {
mAlgorithm = algorithm;
}
/**
* Return true if the default text direction is rtl.
*/
abstract protected boolean defaultIsRtl();
@Override
public boolean isRtl(char[] array, int start, int count) {
return isRtl(CharBuffer.wrap(array), start, count);
}
@Override
public boolean isRtl(CharSequence cs, int start, int count) {
if (cs == null || start < 0 || count < 0 || cs.length() - count < start) {
throw new IllegalArgumentException();
}
if (mAlgorithm == null) {
return defaultIsRtl();
}
return doCheck(cs, start, count);
}
private boolean doCheck(CharSequence cs, int start, int count) {
switch(mAlgorithm.checkRtl(cs, start, count)) {
case STATE_TRUE:
return true;
case STATE_FALSE:
return false;
default:
return defaultIsRtl();
}
}
}
private static class TextDirectionHeuristicInternal extends TextDirectionHeuristicImpl {
private final boolean mDefaultIsRtl;
private TextDirectionHeuristicInternal(TextDirectionAlgorithm algorithm,
boolean defaultIsRtl) {
super(algorithm);
mDefaultIsRtl = defaultIsRtl;
}
@Override
protected boolean defaultIsRtl() {
return mDefaultIsRtl;
}
}
/**
* Interface for an algorithm to guess the direction of a paragraph of text.
*/
private static interface TextDirectionAlgorithm {
/**
* Returns whether the range of text is RTL according to the algorithm.
*/
int checkRtl(CharSequence cs, int start, int count);
}
/**
* Algorithm that uses the first strong directional character to determine the paragraph
* direction. This is the standard Unicode Bidirectional Algorithm (steps P2 and P3), with the
* exception that if no strong character is found, UNKNOWN is returned.
*/
private static class FirstStrong implements TextDirectionAlgorithm {
@Override
public int checkRtl(CharSequence cs, int start, int count) {
int result = STATE_UNKNOWN;
int openIsolateCount = 0;
for (int cp, i = start, end = start + count;
i < end && result == STATE_UNKNOWN;
i += Character.charCount(cp)) {
cp = Character.codePointAt(cs, i);
if (0x2066 <= cp && cp <= 0x2068) { // Opening isolates
openIsolateCount += 1;
} else if (cp == 0x2069) { // POP DIRECTIONAL ISOLATE (PDI)
if (openIsolateCount > 0) openIsolateCount -= 1;
} else if (openIsolateCount == 0) {
// Only consider the characters outside isolate pairs
result = isRtlCodePoint(cp);
}
}
return result;
}
private FirstStrong() {
}
public static final FirstStrong INSTANCE = new FirstStrong();
}
/**
* Algorithm that uses the presence of any strong directional character of the type indicated
* in the constructor parameter to determine the direction of text.
*
* Characters inside isolate pairs are skipped.
*/
private static class AnyStrong implements TextDirectionAlgorithm {
private final boolean mLookForRtl;
@Override
public int checkRtl(CharSequence cs, int start, int count) {
boolean haveUnlookedFor = false;
int openIsolateCount = 0;
for (int cp, i = start, end = start + count; i < end; i += Character.charCount(cp)) {
cp = Character.codePointAt(cs, i);
if (0x2066 <= cp && cp <= 0x2068) { // Opening isolates
openIsolateCount += 1;
} else if (cp == 0x2069) { // POP DIRECTIONAL ISOLATE (PDI)
if (openIsolateCount > 0) openIsolateCount -= 1;
} else if (openIsolateCount == 0) {
// Only consider the characters outside isolate pairs
switch (isRtlCodePoint(cp)) {
case STATE_TRUE:
if (mLookForRtl) {
return STATE_TRUE;
}
haveUnlookedFor = true;
break;
case STATE_FALSE:
if (!mLookForRtl) {
return STATE_FALSE;
}
haveUnlookedFor = true;
break;
default:
break;
}
}
}
if (haveUnlookedFor) {
return mLookForRtl ? STATE_FALSE : STATE_TRUE;
}
return STATE_UNKNOWN;
}
private AnyStrong(boolean lookForRtl) {
this.mLookForRtl = lookForRtl;
}
public static final AnyStrong INSTANCE_RTL = new AnyStrong(true);
public static final AnyStrong INSTANCE_LTR = new AnyStrong(false);
}
/**
* Algorithm that uses the Locale direction to force the direction of a paragraph.
*/
private static class TextDirectionHeuristicLocale extends TextDirectionHeuristicImpl {
public TextDirectionHeuristicLocale() {
super(null);
}
@Override
protected boolean defaultIsRtl() {
final int dir = TextUtils.getLayoutDirectionFromLocale(java.util.Locale.getDefault());
return (dir == View.LAYOUT_DIRECTION_RTL);
}
public static final TextDirectionHeuristicLocale INSTANCE =
new TextDirectionHeuristicLocale();
}
}
| {
"content_hash": "d54ffb1b4c057f28e301724b502d96e6",
"timestamp": "",
"source": "github",
"line_count": 289,
"max_line_length": 99,
"avg_line_length": 40.529411764705884,
"alnum_prop": 0.5801246478272005,
"repo_name": "daiqiquan/framework-base",
"id": "354c15fae66ff02c9a7b389e6cb274287f38175d",
"size": "12332",
"binary": false,
"copies": "6",
"ref": "refs/heads/master",
"path": "core/java/android/text/TextDirectionHeuristics.java",
"mode": "33261",
"license": "apache-2.0",
"language": [
{
"name": "C",
"bytes": "10239"
},
{
"name": "C++",
"bytes": "3841417"
},
{
"name": "GLSL",
"bytes": "1500"
},
{
"name": "HTML",
"bytes": "196467"
},
{
"name": "Java",
"bytes": "56796292"
},
{
"name": "Makefile",
"bytes": "103735"
},
{
"name": "Shell",
"bytes": "423"
}
],
"symlink_target": ""
} |
package org.unitils.database.core;
import org.junit.Before;
import org.junit.Test;
import org.springframework.jdbc.core.simple.SimpleJdbcTemplate;
import org.unitils.UnitilsJUnit4;
import org.unitils.core.UnitilsException;
import org.unitils.mock.Mock;
import org.unitils.mock.PartialMock;
import static org.junit.Assert.assertEquals;
import static org.junit.Assert.fail;
/**
* @author Tim Ducheyne
*/
public class DataSourceWrapperGetTableCountTest extends UnitilsJUnit4 {
/* Tested object */
private PartialMock<DataSourceWrapper> dataSourceWrapper;
private Mock<SimpleJdbcTemplate> simpleJdbcTemplateMock;
@Before
public void initialize() {
dataSourceWrapper.returns(simpleJdbcTemplateMock).getSimpleJdbcTemplate();
}
@Test
public void getTableCount() throws Exception {
simpleJdbcTemplateMock.returns(5L).queryForObject("select count(1) from my_table", Long.class);
long result = dataSourceWrapper.getMock().getTableCount("my_table");
assertEquals(5, result);
}
@Test
public void exceptionWhenEmptyTableName() throws Exception {
try {
dataSourceWrapper.getMock().getTableCount("");
fail("UnitilsException expected");
} catch (UnitilsException e) {
assertEquals("Unable to get table count. Table name is null or empty.", e.getMessage());
}
}
@Test
public void exceptionWhenNullTableName() throws Exception {
try {
dataSourceWrapper.getMock().getTableCount("");
fail("UnitilsException expected");
} catch (UnitilsException e) {
assertEquals("Unable to get table count. Table name is null or empty.", e.getMessage());
}
}
}
| {
"content_hash": "a70fcf69773d63192aeb1ec68fb4e085",
"timestamp": "",
"source": "github",
"line_count": 60,
"max_line_length": 103,
"avg_line_length": 30.216666666666665,
"alnum_prop": 0.670711527854385,
"repo_name": "Silvermedia/unitils",
"id": "4490c0897e816c5801abb6cc11c0357460a5c29b",
"size": "2423",
"binary": false,
"copies": "1",
"ref": "refs/heads/master",
"path": "unitils-test/src/test/java/org/unitils/database/core/DataSourceWrapperGetTableCountTest.java",
"mode": "33188",
"license": "apache-2.0",
"language": [
{
"name": "Java",
"bytes": "3518075"
}
],
"symlink_target": ""
} |
/* -*- Mode: C++; tab-width: 2; indent-tabs-mode: nil; c-basic-offset: 2 -*- */
/* This Source Code Form is subject to the terms of the Mozilla Public
* License, v. 2.0. If a copy of the MPL was not distributed with this
* file, You can obtain one at http://mozilla.org/MPL/2.0/. */
//-----------------------------------------------------------------------------
var BUGNUMBER = 301738;
var summary = 'Date parse compatibilty with MSIE';
var actual = '';
var expect = '';
printBugNumber(BUGNUMBER);
printStatus (summary);
/*
Case 1. The input string contains an English month name.
The form of the string can be month f l, or f month l, or
f l month which each evaluate to the same date.
If f and l are both greater than or equal to 70, or
both less than 70, the date is invalid.
The year is taken to be the greater of the values f, l.
If the year is greater than or equal to 70 and less than 100,
it is considered to be the number of years after 1900.
*/
var month = 'January';
var f;
var l;
f = l = 0;
expect = true;
actual = isNaN(new Date(month + ' ' + f + ' ' + l));
reportCompare(expect, actual, 'January 0 0 is invalid');
actual = isNaN(new Date(f + ' ' + l + ' ' + month));
reportCompare(expect, actual, '0 0 January is invalid');
actual = isNaN(new Date(f + ' ' + month + ' ' + l));
reportCompare(expect, actual, '0 January 0 is invalid');
f = l = 70;
actual = isNaN(new Date(month + ' ' + f + ' ' + l));
reportCompare(expect, actual, 'January 70 70 is invalid');
actual = isNaN(new Date(f + ' ' + l + ' ' + month));
reportCompare(expect, actual, '70 70 January is invalid');
actual = isNaN(new Date(f + ' ' + month + ' ' + l));
reportCompare(expect, actual, '70 January 70 is invalid');
f = 100;
l = 15;
// year, month, day
expect = new Date(f, 0, l).toString();
actual = new Date(month + ' ' + f + ' ' + l).toString();
reportCompare(expect, actual, 'month f l');
actual = new Date(f + ' ' + l + ' ' + month).toString();
reportCompare(expect, actual, 'f l month');
actual = new Date(f + ' ' + month + ' ' + l).toString();
reportCompare(expect, actual, 'f month l');
f = 80;
l = 15;
// year, month, day
expect = (new Date(f, 0, l)).toString();
actual = (new Date(month + ' ' + f + ' ' + l)).toString();
reportCompare(expect, actual, 'month f l');
actual = (new Date(f + ' ' + l + ' ' + month)).toString();
reportCompare(expect, actual, 'f l month');
actual = (new Date(f + ' ' + month + ' ' + l)).toString();
reportCompare(expect, actual, 'f month l');
f = 2040;
l = 15;
// year, month, day
expect = (new Date(f, 0, l)).toString();
actual = (new Date(month + ' ' + f + ' ' + l)).toString();
reportCompare(expect, actual, 'month f l');
actual = (new Date(f + ' ' + l + ' ' + month)).toString();
reportCompare(expect, actual, 'f l month');
actual = (new Date(f + ' ' + month + ' ' + l)).toString();
reportCompare(expect, actual, 'f month l');
| {
"content_hash": "0b3111b371095e6ef3d867e7b99c48be",
"timestamp": "",
"source": "github",
"line_count": 97,
"max_line_length": 79,
"avg_line_length": 30.030927835051546,
"alnum_prop": 0.6007552351527635,
"repo_name": "wilebeast/FireFox-OS",
"id": "93a5eb99844d44ea33d7cad75273a6b51151078c",
"size": "2913",
"binary": false,
"copies": "8",
"ref": "refs/heads/master",
"path": "B2G/gecko/js/src/tests/js1_5/Date/regress-301738-01.js",
"mode": "33188",
"license": "apache-2.0",
"language": [],
"symlink_target": ""
} |
Subsets and Splits