text
stringlengths 2
1.04M
| meta
dict |
---|---|
<div class="row">
<h2 class="header">Older Appointments</h3>
<div class="container">
<!-- <h3 class="sub-header">Waiting Room Queue</h3> -->
<!-- <div class="placeholder" ng-repeat="appt in apptList">
<img my-holder="holder.js/100x100/auto/sky" class="img-responsive" alt="Generic placeholder thumbnail">
<h4>{{appt.apptWF.confirmedTS | date:'MMM d, y h:mm:ss a'}}</h4>
<span class="text-muted">{{appt.patientDetailsWF.patientName}}, {{appt.patientDetailsWF.patientSex}}, {{appt.patientDetailsWF.patientAge}}</span>
<div class="btn-group btn-group-sm" role="group" aria-label="...">
<button type="button" class="btn btn-success">Details</button>
<button type="button" class="btn btn-primary" ng-click="gotoCRoom(appt)">Room</button>
</div>
</div> -->
<div class="media" ng-repeat="appt in olderApptList">
<div class="media-left">
<a href="#">
<img my-holder="holder.js/80x80/auto/sky" class="media-object" alt="Patient">
</a>
</div>
<div class="media-body">
<h4 class="media-heading">{{appt.apptWF.confirmedTS | date:'MMM d, y h:mm:ss a'}}</h4>
<span class="text-muted">{{appt.patientDetailsWF.patientName}}, {{appt.patientDetailsWF.patientSex}}, {{appt.patientDetailsWF.patientAge}}</span>
<div>
<a href ng-click="gotoApptDetails(appt)">See Patient Details</a>
<!-- <span> or </span>
<a href ng-click="gotoCRoom(appt)">Go to Consultation Room</a> -->
</div>
<!-- <div class="btn-group btn-group-sm" role="group" aria-label="...">
<button type="button" class="btn btn-success">Details</button>
<button type="button" class="btn btn-primary" ng-click="gotoCRoom(appt)">Room</button>
</div> -->
</div>
</div>
<!-- <div class="row placeholders">
<div class="placeholder" ng-repeat="appt in apptList">
<img my-holder="holder.js/100x100/auto/sky" class="img-responsive" alt="Generic placeholder thumbnail">
<h4>{{appt.apptWF.confirmedTS | date:'MMM d, y h:mm:ss a'}}</h4>
<span class="text-muted">{{appt.patientDetailsWF.patientName}}, {{appt.patientDetailsWF.patientSex}}, {{appt.patientDetailsWF.patientAge}}</span>
<div class="btn-group btn-group-sm" role="group" aria-label="...">
<button type="button" class="btn btn-success">Details</button>
<button type="button" class="btn btn-primary" ng-click="gotoCRoom(appt)">Room</button>
</div>
</div>
</div> -->
</div>
</div> | {
"content_hash": "0ad4e7ba8016190577d92a3fc1c455fa",
"timestamp": "",
"source": "github",
"line_count": 47,
"max_line_length": 165,
"avg_line_length": 62.659574468085104,
"alnum_prop": 0.5375212224108659,
"repo_name": "prakma/hmp-web",
"id": "e108091d5eb3ce20e3b9332bdccf323221fd82dc",
"size": "2945",
"binary": false,
"copies": "1",
"ref": "refs/heads/master",
"path": "client/app/provider/dashboard/pastappt_view.html",
"mode": "33188",
"license": "apache-2.0",
"language": [
{
"name": "ApacheConf",
"bytes": "24603"
},
{
"name": "CSS",
"bytes": "31446"
},
{
"name": "HTML",
"bytes": "235223"
},
{
"name": "JavaScript",
"bytes": "120015"
},
{
"name": "Python",
"bytes": "90419"
}
],
"symlink_target": ""
} |
package org.gradoop.flink.algorithms.gelly.vertexdegrees;
import org.apache.flink.api.java.DataSet;
import org.apache.flink.graph.Graph;
import org.apache.flink.types.NullValue;
import org.gradoop.common.model.api.entities.Edge;
import org.gradoop.common.model.api.entities.GraphHead;
import org.gradoop.common.model.api.entities.Vertex;
import org.gradoop.common.model.impl.id.GradoopId;
import org.gradoop.flink.algorithms.gelly.GradoopGellyAlgorithm;
import org.gradoop.flink.algorithms.gelly.functions.EdgeToGellyEdgeWithNullValue;
import org.gradoop.flink.algorithms.gelly.functions.VertexToGellyVertexWithNullValue;
import org.gradoop.flink.algorithms.gelly.vertexdegrees.functions.DistinctVertexDegreesToAttribute;
import org.gradoop.flink.model.api.epgm.BaseGraph;
import org.gradoop.flink.model.api.epgm.BaseGraphCollection;
import org.gradoop.flink.model.impl.functions.epgm.Id;
/**
* A gradoop operator wrapping {@link org.apache.flink.graph.asm.degree.annotate.directed.VertexDegrees}.
* Multiple edges between two vertices will only be counted once per direction.
* <p>
* Note: This Gelly implementation count loops between edges like {@code (v1) -> (v2)},
* {@code (v2) -> (v1)} as one.
*
* @param <G> Gradoop graph head type.
* @param <V> Gradoop vertex type.
* @param <E> Gradoop edge type.
* @param <LG> Gradoop type of the graph.
* @param <GC> Gradoop type of the graph collection.
*/
public class DistinctVertexDegrees<
G extends GraphHead,
V extends Vertex,
E extends Edge,
LG extends BaseGraph<G, V, E, LG, GC>,
GC extends BaseGraphCollection<G, V, E, LG, GC>>
extends GradoopGellyAlgorithm<G, V, E, LG, GC, NullValue, NullValue> {
/**
* Property key to store the sum vertex degree in.
*/
private final String propertyKey;
/**
* Property key to store the in vertex degree in.
*/
private final String propertyKeyIn;
/**
* Property key to store the out vertex degree in.
*/
private final String propertyKeyOut;
/**
* Output vertices with an in-degree of zero.
*/
private final boolean includeZeroDegreeVertices;
/**
* Constructor for vertex degree with in- and out-degree and total of degrees of a graph.
*
* @param propertyKey Property key to store the sum of in- and out-degrees in.
* @param propertyKeyIn Property key to store the in-degree in.
* @param propertyKeyOut Property key to store the out-degree in.
*/
public DistinctVertexDegrees(String propertyKey, String propertyKeyIn, String propertyKeyOut) {
this(propertyKey, propertyKeyIn, propertyKeyOut, true);
}
/**
* Constructor for vertex degree with fixed set of whether to output vertices with an in-degree of zero.
*
* @param propertyKey Property key to store the sum of in- and out-degrees in.
* @param propertyKeyIn Property key to store the in-degree in.
* @param propertyKeyOut Property key to store the out-degree in.
* @param includeZeroDegreeVertices whether to output vertices with an
* in-degree of zero
*/
public DistinctVertexDegrees(String propertyKey, String propertyKeyIn, String propertyKeyOut,
boolean includeZeroDegreeVertices) {
super(new VertexToGellyVertexWithNullValue<>(), new EdgeToGellyEdgeWithNullValue<>());
this.propertyKey = propertyKey;
this.propertyKeyIn = propertyKeyIn;
this.propertyKeyOut = propertyKeyOut;
this.includeZeroDegreeVertices = includeZeroDegreeVertices;
}
@Override
public LG executeInGelly(Graph<GradoopId, NullValue, NullValue> gellyGraph) throws Exception {
DataSet<V> newVertices =
new org.apache.flink.graph.asm.degree.annotate.directed.VertexDegrees<GradoopId, NullValue, NullValue>()
.setIncludeZeroDegreeVertices(includeZeroDegreeVertices)
.run(gellyGraph)
.join(currentGraph.getVertices())
.where(0).equalTo(new Id<>())
.with(new DistinctVertexDegreesToAttribute<>(propertyKey, propertyKeyIn, propertyKeyOut));
return currentGraph.getFactory()
.fromDataSets(currentGraph.getGraphHead(), newVertices, currentGraph.getEdges());
}
}
| {
"content_hash": "a96c3a6c7e30e71df251fa9945249dfc",
"timestamp": "",
"source": "github",
"line_count": 100,
"max_line_length": 110,
"avg_line_length": 41.14,
"alnum_prop": 0.7452600875060769,
"repo_name": "galpha/gradoop",
"id": "dd525aa00c744c4ff388d38a4bcf1afe209493eb",
"size": "4751",
"binary": false,
"copies": "2",
"ref": "refs/heads/develop",
"path": "gradoop-flink/src/main/java/org/gradoop/flink/algorithms/gelly/vertexdegrees/DistinctVertexDegrees.java",
"mode": "33188",
"license": "apache-2.0",
"language": [
{
"name": "Java",
"bytes": "6550822"
},
{
"name": "Shell",
"bytes": "2289"
}
],
"symlink_target": ""
} |
<?php
namespace PhraseanetSDK\Repository;
use PhraseanetSDK\AbstractRepository;
use PhraseanetSDK\Exception\RuntimeException;
use Doctrine\Common\Collections\ArrayCollection;
use PhraseanetSDK\EntityHydrator;
class Feed extends AbstractRepository
{
/**
* Find a feed by its identifier
*
* @param integer $id The desired id
* @return \PhraseanetSDK\Entity\Feed
* @throws RuntimeException
*/
public function findById($id)
{
$response = $this->query('GET', sprintf('v1/feeds/%d/content/', $id), array(
'offset_start' => 0,
'per_page' => 0,
));
if (true !== $response->hasProperty('feed')) {
throw new RuntimeException('Missing "feed" property in response content');
}
return \PhraseanetSDK\Entity\Feed::fromValue($this->em, $response->getProperty('feed'));
}
/**
* Find all feeds
*
* @return ArrayCollection
* @throws RuntimeException
*/
public function findAll()
{
$response = $this->query('GET', 'v1/feeds/list/');
if (true !== $response->hasProperty('feeds')) {
throw new RuntimeException('Missing "feeds" property in response content');
}
return new ArrayCollection(\PhraseanetSDK\Entity\Feed::fromList(
$this->em,
$response->getProperty('feeds')
));
}
}
| {
"content_hash": "3a8b472cb85e4974914711d419203c81",
"timestamp": "",
"source": "github",
"line_count": 54,
"max_line_length": 96,
"avg_line_length": 26.537037037037038,
"alnum_prop": 0.5931612002791347,
"repo_name": "aztech-dev/Phraseanet-PHP-SDK",
"id": "c151517a387e029eea67b0cbbecbb9798595ca4c",
"size": "1645",
"binary": false,
"copies": "2",
"ref": "refs/heads/master",
"path": "src/PhraseanetSDK/Repository/Feed.php",
"mode": "33188",
"license": "mit",
"language": [
{
"name": "HTML",
"bytes": "29029"
},
{
"name": "Makefile",
"bytes": "1020"
},
{
"name": "PHP",
"bytes": "314487"
}
],
"symlink_target": ""
} |
<?php
if ( ! defined( 'ABSPATH' ) ) exit; // Exit if accessed directly
define( 'CPAC_VERSION', '2.1.5' ); // current plugin version
define( 'CPAC_UPGRADE_VERSION', '2.0.0' ); // this is the latest version which requires an upgrade
define( 'CPAC_URL', plugin_dir_url( __FILE__ ) );
define( 'CPAC_DIR', plugin_dir_path( __FILE__ ) );
// only run plugin in the admin interface
if ( ! is_admin() )
return false;
/**
* Dependencies
*
* @since 1.3.0
*/
require_once CPAC_DIR . 'classes/utility.php';
require_once CPAC_DIR . 'classes/third_party.php';
/**
* The Codepress Admin Columns Class
*
* @since 1.0.0
*
*/
class CPAC {
public $storage_models;
/**
* Constructor
*
* @since 1.0.0
*/
function __construct() {
// add capabilty to roles to manage admin columns
register_activation_hook( __FILE__, array( $this, 'set_capabilities' ) );
add_action( 'wp_loaded', array( $this, 'init') );
}
/**
* Initialize plugin.
*
* Loading sequence is determined and intialized.
*
* @since 1.0.0
*/
public function init() {
// translations
load_plugin_textdomain( 'cpac', false, dirname( plugin_basename( __FILE__ ) ) . '/languages/' );
// add settings link
add_filter( 'plugin_action_links', array( $this, 'add_settings_link'), 1, 2);
// Settings
include_once CPAC_DIR . 'classes/settings.php';
new CPAC_Settings( $this );
// Upgrade
require_once CPAC_DIR . 'classes/upgrade.php';
new CPAC_Upgrade( $this );
// load scripts
$this->init_scripts();
// set storage models
$this->set_storage_models();
// @deprecated
do_action( 'cac/controllers', $this );
/**
* Fires when Admin Columns is fully loaded
* Use this for setting up addon functionality
*
* @since 2.0.0
*
* @param CPAC $cpac_instance Main Admin Columns plugin class instance
*/
do_action( 'cac/loaded', $this );
}
/**
* Whether this request is an AJAX request
*
* @since 2.2
*
* @return bool Returns true if in an AJAX request, false otherwise
*/
function is_doing_ajax() {
$doing_ajax = defined( 'DOING_AJAX' ) && DOING_AJAX;
/**
* Filter whether the current request should be marked as an AJAX request
* Useful for custom AJAX calls
*
* @since 2.2
*
* @param bool $doing_ajax Whether the current request is an AJAX request
*/
$doing_ajax = apply_filters( 'cac/is_doing_ajax', $doing_ajax );
return $doing_ajax;
}
/**
* Whether this request is a columns screen (i.e. a content overview page)
*
* @since 2.2
*
* @return bool Returns true if the current screen is a columns screen, false otherwise
*/
function is_columns_screen() {
global $pagenow;
$columns_screen = in_array( $pagenow, array( 'edit.php', 'upload.php', 'link-manager.php', 'edit-comments.php', 'users.php', 'edit-tags.php' ) );
/**
* Filter whether the current screen is a columns screen (i.e. a content overview page)
* Useful for advanced used with custom content overview pages
*
* @since 2.2
*
* @param bool $columns_screen Whether the current request is a columns screen
*/
$columns_screen = apply_filters( 'cac/is_columns_screen', $columns_screen );
return $columns_screen;
}
/**
* Whether the current screen is the Admin Columns settings screen
*
* @since 2.2
*
* @return bool True if the current screen is the settings screen, false otherwise
*/
function is_settings_screen() {
global $pagenow;
if ( ! ( 'options-general.php' === $pagenow && isset( $_GET['page'] ) && ( 'codepress-admin-columns' === $_GET['page'] ) ) ) {
return false;
}
return true;
}
/**
* Whether the current screen is a screen in which Admin Columns is used
* Used to check whether storage models should be loaded
*
* @since 2.2
*
* @return bool Whether the current screen is an Admin Columns screen
*/
function is_cac_screen() {
/**
* Filter whether the current screen is a screen in which Admin Columns is active
*
* @since 2.2
*
* @param bool $is_cac_screen Whether the current screen is an Admin Columns screen
*/
return apply_filters( 'cac/is_cac_screen', $this->is_columns_screen() || $this->is_doing_ajax() || $this->is_settings_screen() );
}
/**
* Init scripts
*
* @since 2.1.1
*/
public function init_scripts() {
add_action( 'admin_head', array( $this, 'global_head_scripts') );
if ( ! $this->is_columns_screen() )
return;
// styling & scripts
add_action( 'admin_enqueue_scripts' , array( $this, 'column_styles') );
add_filter( 'admin_body_class', array( $this, 'admin_class' ) );
add_action( 'admin_head', array( $this, 'admin_scripts') );
}
/**
* Add user capabilities
*
* note to devs: you can use this to grant other roles this privilidge as well.
*
* @since 2.0.4
*/
public function set_capabilities() {
// add capabilty to administrator to manage admin columns
if ( $role = get_role( 'administrator' ) ) {
$role->add_cap( 'manage_admin_columns' );
}
}
/**
* Get storage models
*
* @since 2.0.0
*
*/
public function set_storage_models() {
if ( ! $this->is_cac_screen() )
return;
$storage_models = array();
// include parent and childs
require_once CPAC_DIR . 'classes/column.php';
require_once CPAC_DIR . 'classes/storage_model.php';
require_once CPAC_DIR . 'classes/storage_model/post.php';
require_once CPAC_DIR . 'classes/storage_model/user.php';
require_once CPAC_DIR . 'classes/storage_model/media.php';
require_once CPAC_DIR . 'classes/storage_model/comment.php';
require_once CPAC_DIR . 'classes/storage_model/link.php';
// add Posts
foreach ( $this->get_post_types() as $post_type ) {
$storage_model = new CPAC_Storage_Model_Post( $post_type );
$storage_models[ $storage_model->key ] = $storage_model;
}
// add User
$storage_model = new CPAC_Storage_Model_User();
$storage_models[ $storage_model->key ] = $storage_model;
// add Media
$storage_model = new CPAC_Storage_Model_Media();
$storage_models[ $storage_model->key ] = $storage_model;
// add Comment
$storage_model = new CPAC_Storage_Model_Comment();
$storage_models[ $storage_model->key ] = $storage_model;
// add Link
if ( apply_filters( 'pre_option_link_manager_enabled', false ) ) { // as of 3.5 link manager is removed
$storage_model = new CPAC_Storage_Model_Link();
$storage_models[ $storage_model->key ] = $storage_model;
}
/**
* Filter the available storage models
* Used by external plugins to add additional storage models
*
* @since 2.0.0
*
* @param array $storage_models List of storage model class instances ( [key] => [CPAC_Storage_Model object], where [key] is the storage key, such as "user", "post" or "my_custom_post_type")
*/
$this->storage_models = apply_filters( 'cac/storage_models', $storage_models );
// deprecated
do_action( 'cac/storage_models', $this->storage_models );
}
/**
* Get storage model
*
* @since 2.0.0
*
* @return array|false object Storage Model
*/
public function get_storage_model( $key ) {
if ( isset( $this->storage_models[ $key ] ) )
return $this->storage_models[ $key ];
return false;
}
/**
* Get post types - Utility Method
*
* @since 1.0.0
*
* @return array Posttypes
*/
public function get_post_types() {
$post_types = array();
if ( post_type_exists( 'post' ) )
$post_types['post'] = 'post';
if ( post_type_exists( 'page' ) )
$post_types['page'] = 'page';
$post_types = array_merge( $post_types, get_post_types( array(
'_builtin' => false,
'show_ui' => true
)));
/**
* Filter the post types for which Admin Columns is active
*
* @since 2.0.0
*
* @param array $post_types List of active post type names
*/
return apply_filters( 'cac/post_types', $post_types );
}
/**
* Add Settings link to plugin page
*
* @since 1.0.0
*
* @param string $links All settings links.
* @param string $file Plugin filename.
* @return string Link to settings page
*/
function add_settings_link( $links, $file ) {
if ( $file != plugin_basename( __FILE__ ) )
return $links;
array_unshift( $links, '<a href="' . admin_url("options-general.php") . '?page=codepress-admin-columns">' . __( 'Settings' ) . '</a>' );
return $links;
}
/**
* Register column css
*
* @since 1.0.0
*/
public function column_styles() {
wp_enqueue_style( 'cpac-columns', CPAC_URL . 'assets/css/column.css', array(), CPAC_VERSION, 'all' );
}
/**
* Admin body class
*
* Adds a body class which is used to set individual column widths
*
* @since 1.4.0
*
* @param string $classes body classes
* @return string
*/
function admin_class( $classes ) {
if ( $this->storage_models ) {
foreach ( $this->storage_models as $storage_model ) {
if ( $storage_model->is_columns_screen() ) {
$classes .= " cp-{$storage_model->key}";
}
}
}
return $classes;
}
/**
* Admin CSS to hide upgrade menu and place icon
*
* @since 1.4.0
*/
function global_head_scripts() { ?>
<style type="text/css">
#menu-settings a[href="options-general.php?page=cpac-upgrade"] { display: none; }
</style>
<?php
}
/**
* Admin CSS for Column width and Settings Icon
*
* @since 1.4.0
*/
function admin_scripts() {
$css_column_width = '';
$edit_link = '';
if ( $this->storage_models ) {
foreach ( $this->storage_models as $storage_model ) {
if ( ! $storage_model->is_columns_screen() )
continue;
// CSS: columns width
if ( $columns = $storage_model->get_stored_columns() ) {
foreach ( $columns as $name => $options ) {
if ( ! empty( $options['width'] ) && is_numeric( $options['width'] ) && $options['width'] > 0 ) {
$css_column_width .= ".cp-{$storage_model->key} .wrap table th.column-{$name} { width: {$options['width']}% !important; }";
}
}
}
// JS: edit button
$general_options = get_option( 'cpac_general_options' );
if ( current_user_can( 'manage_admin_columns' ) && isset( $general_options['show_edit_button'] ) && '1' === $general_options['show_edit_button'] ) {
$edit_link = $storage_model->get_edit_link();
}
}
}
?>
<?php if ( $css_column_width ) : ?>
<style type="text/css">
<?php echo $css_column_width; ?>
</style>
<?php endif; ?>
<?php if ( $edit_link ) : ?>
<script type="text/javascript">
jQuery(document).ready(function() {
jQuery('.tablenav.top .actions:last').append('<a href="<?php echo $edit_link; ?>" class="cpac-edit add-new-h2"><?php _e( 'Edit columns', 'cpac' ); ?></a>');
});
</script>
<?php endif; ?>
<?php
}
}
/**
* Init Class Codepress_Admin_Columns
*
* @since 1.0.0
*/
$cpac = new CPAC();
| {
"content_hash": "b158dd40ccc03169c933add3fafd1bef",
"timestamp": "",
"source": "github",
"line_count": 435,
"max_line_length": 192,
"avg_line_length": 25.751724137931035,
"alnum_prop": 0.5963220853419032,
"repo_name": "jake-cooper/wpdfhfh",
"id": "f37a29fbe66add45e8d915f83ecb922ed5bd7f25",
"size": "12283",
"binary": false,
"copies": "1",
"ref": "refs/heads/master",
"path": "wp-content/plugins/codepress-admin-columns/codepress-admin-columns.php",
"mode": "33188",
"license": "mit",
"language": [
{
"name": "CSS",
"bytes": "2561967"
},
{
"name": "JavaScript",
"bytes": "2395421"
},
{
"name": "PHP",
"bytes": "13593346"
},
{
"name": "XSLT",
"bytes": "5194"
}
],
"symlink_target": ""
} |
set -o errexit
set -o nounset
set -o pipefail
source $(git rev-parse --show-toplevel)/vendor/github.com/tektoncd/plumbing/scripts/library.sh
readonly TMP_DIFFROOT="$(mktemp -d ${REPO_ROOT_DIR}/tmpdiffroot.XXXXXX)"
cleanup() {
rm -rf "${TMP_DIFFROOT}"
}
trap "cleanup" EXIT SIGINT
cleanup
# Save working tree state
mkdir -p "${TMP_DIFFROOT}/pkg"
cp -aR "${REPO_ROOT_DIR}/pkg" "${TMP_DIFFROOT}"
mkdir -p "${TMP_DIFFROOT}/vendor"
cp -aR "${REPO_ROOT_DIR}/vendor" "${TMP_DIFFROOT}"
"${REPO_ROOT_DIR}/hack/update-codegen.sh"
echo "Diffing ${REPO_ROOT_DIR} against freshly generated codegen"
ret=0
diff -Naupr "${REPO_ROOT_DIR}/pkg" "${TMP_DIFFROOT}/pkg" || ret=1
diff -Naupr "${REPO_ROOT_DIR}/vendor" "${TMP_DIFFROOT}/vendor" || ret=1
# Restore working tree state
rm -fr "${REPO_ROOT_DIR}/pkg"
rm -fr "${REPO_ROOT_DIR}/vendor"
cp -aR "${TMP_DIFFROOT}"/* "${REPO_ROOT_DIR}"
if [[ $ret -eq 0 ]]
then
echo "${REPO_ROOT_DIR} up to date."
else
echo "${REPO_ROOT_DIR} is out of date. Please run hack/update-codegen.sh."
exit 1
fi
| {
"content_hash": "12b95aa5c79fc976d5fb4c4235e6f65e",
"timestamp": "",
"source": "github",
"line_count": 41,
"max_line_length": 94,
"avg_line_length": 25.29268292682927,
"alnum_prop": 0.6750241080038573,
"repo_name": "tektoncd/pipeline",
"id": "e91c29154089071294e94184007d801c63d4ab0e",
"size": "1641",
"binary": false,
"copies": "1",
"ref": "refs/heads/main",
"path": "hack/verify-codegen.sh",
"mode": "33261",
"license": "apache-2.0",
"language": [
{
"name": "Dockerfile",
"bytes": "282"
},
{
"name": "Go",
"bytes": "5173860"
},
{
"name": "Makefile",
"bytes": "5967"
},
{
"name": "Mustache",
"bytes": "1078"
},
{
"name": "Shell",
"bytes": "36398"
},
{
"name": "Smarty",
"bytes": "3940"
}
],
"symlink_target": ""
} |
package com.mkyong.helloworld.kubun;
import com.mkyong.helloworld.kubun.i.Kubun;
import lombok.AllArgsConstructor;
import lombok.Getter;
@AllArgsConstructor
@Getter
public enum KokyakuKubun implements Kubun<KokyakuKubun> {
通常法人("01"), 個人("02"), カフェラウンジ("03"), 特殊("99"), EMPTY("");
private String code;
}
| {
"content_hash": "3fcf834c538aaa4ea528d41facf595bf",
"timestamp": "",
"source": "github",
"line_count": 13,
"max_line_length": 58,
"avg_line_length": 23.76923076923077,
"alnum_prop": 0.7540453074433657,
"repo_name": "ShowKa/spring4-mvc-gradle-xml-hello-world",
"id": "518083aebbb4fc52e27cf0d18c0fd45123a53133",
"size": "339",
"binary": false,
"copies": "1",
"ref": "refs/heads/master",
"path": "src/main/java/com/mkyong/helloworld/kubun/KokyakuKubun.java",
"mode": "33188",
"license": "mit",
"language": [
{
"name": "CSS",
"bytes": "45"
},
{
"name": "FreeMarker",
"bytes": "1322"
},
{
"name": "Java",
"bytes": "246771"
}
],
"symlink_target": ""
} |
<?php
namespace Ems\AdminEms\controllers;
use Illuminate\Support\Facades\File;
use Intervention\Image\Facades\Image;
use Symfony\Component\HttpFoundation\File\UploadedFile;
use Unisharp\Laravelfilemanager\Events\ImageIsUploading;
use Unisharp\Laravelfilemanager\Events\ImageWasUploaded;
use Unisharp\Laravelfilemanager\controllers\LfmController as Lfm;
/**
* Class UploadController
* @package Unisharp\Laravelfilemanager\controllers
*/
class DropzoneController extends Lfm
{
/**
* Upload an image/file and (for images) create thumbnail
*
* @param UploadRequest $request
* @return string
*/
public function upload()
{
$files = request()->file('file');
$error_bag = [];
foreach (is_array($files) ? $files : [$files] as $file) {
$validation_message = $this->uploadValidator($file);
$new_filename = $this->proceedSingleUpload($file);
if ($validation_message !== 'pass') {
array_push($error_bag, $validation_message);
} elseif ($new_filename == 'invalid') {
array_push($error_bag, $response);
}
}
if (is_array($files)) {
$response = count($error_bag) > 0 ? $error_bag : parent::$success_response;
} else { // upload via ckeditor 'Upload' tab
$response = $this->useFile($new_filename);
}
return $response;
}
private function proceedSingleUpload($file)
{
$validation_message = $this->uploadValidator($file);
if ($validation_message !== 'pass') {
return $validation_message;
}
$new_filename = $this->getNewName($file);
if (File::exists(parent::getCurrentPath($new_filename))) {
$new_filename = $this->getNewName($file, true);
}
$new_file_path = parent::getCurrentPath($new_filename);
event(new ImageIsUploading($new_file_path));
try {
if (parent::fileIsImage($file) && parent::isImageToThumb($file)) {
Image::make($file->getRealPath())
->orientate() //Apply orientation from exif data
->save($new_file_path, 90);
$this->makeThumb($new_filename);
} else {
chmod($file->path(), 0644); // TODO configurable
File::move($file->path(), $new_file_path);
}
} catch (\Exception $e) {
return parent::error('invalid');
}
event(new ImageWasUploaded(realpath($new_file_path)));
return $new_filename;
}
private function uploadValidator($file)
{
$is_valid = false;
$force_invalid = false;
if (empty($file)) {
return parent::error('file-empty');
} elseif (!$file instanceof UploadedFile) {
return parent::error('instance');
} elseif ($file->getError() == UPLOAD_ERR_INI_SIZE) {
$max_size = ini_get('upload_max_filesize');
return parent::error('file-size', ['max' => $max_size]);
} elseif ($file->getError() != UPLOAD_ERR_OK) {
return 'File failed to upload. Error code: ' . $file->getError();
}
$new_filename = $this->getNewName($file);
if (File::exists(parent::getCurrentPath($new_filename))) {
$new_filename = $this->getNewName($file, true);
}
$mimetype = $file->getMimeType();
// size to kb unit is needed
$file_size = $file->getSize() / 1000;
$type_key = parent::currentLfmType();
if (config('lfm.should_validate_mime', false)) {
$mine_config = 'lfm.valid_' . $type_key . '_mimetypes';
$valid_mimetypes = config($mine_config, []);
if (false === in_array($mimetype, $valid_mimetypes)) {
return parent::error('mime') . $mimetype;
}
}
if (config('lfm.should_validate_size', false)) {
$max_size = config('lfm.max_' . $type_key . '_size', 0);
if ($file_size > $max_size) {
return parent::error('size') . $mimetype;
}
}
return 'pass';
}
private function getNewName($file, $bool = null)
{
$new_filename = parent::translateFromUtf8(trim(pathinfo($file->getClientOriginalName(), PATHINFO_FILENAME)));
if (config('lfm.rename_file') === true) {
$new_filename = uniqid();
} elseif (config('lfm.alphanumeric_filename') === true) {
$new_filename = preg_replace('/[^A-Za-z0-9\-\']/', '_', $new_filename);
}
if ($bool) {
return time().$new_filename . '.' . $file->getClientOriginalExtension();
} else {
return $new_filename . '.' . $file->getClientOriginalExtension();
}
}
private function makeThumb($new_filename)
{
// create thumb folder
parent::createFolderByPath(parent::getThumbPath());
// create thumb image
Image::make(parent::getCurrentPath($new_filename))
->fit(config('lfm.thumb_img_width', 200), config('lfm.thumb_img_height', 200))
->save(parent::getThumbPath($new_filename));
}
private function useFile($new_filename)
{
$file = parent::getFileUrl($new_filename);
return "<script type='text/javascript'>
function getUrlParam(paramName) {
var reParam = new RegExp('(?:[\?&]|&)' + paramName + '=([^&]+)', 'i');
var match = window.location.search.match(reParam);
return ( match && match.length > 1 ) ? match[1] : null;
}
var funcNum = getUrlParam('CKEditorFuncNum');
var par = window.parent,
op = window.opener,
o = (par && par.CKEDITOR) ? par : ((op && op.CKEDITOR) ? op : false);
if (op) window.close();
if (o !== false) o.CKEDITOR.tools.callFunction(funcNum, '$file');
</script>";
}
}
| {
"content_hash": "efac818fd043f694f9828fbf874d54ca",
"timestamp": "",
"source": "github",
"line_count": 180,
"max_line_length": 117,
"avg_line_length": 33.27777777777778,
"alnum_prop": 0.552253756260434,
"repo_name": "ElioMS/admin-laravel",
"id": "00756d2781c9cdaff33b25b6b1c0c414900a930c",
"size": "5990",
"binary": false,
"copies": "1",
"ref": "refs/heads/master",
"path": "src/controllers/DropzoneController.php",
"mode": "33261",
"license": "mit",
"language": [
{
"name": "CSS",
"bytes": "994188"
},
{
"name": "HTML",
"bytes": "639809"
},
{
"name": "JavaScript",
"bytes": "900366"
},
{
"name": "PHP",
"bytes": "24653"
}
],
"symlink_target": ""
} |
<?php
/**
* @category Zend
* @package Zend_Service
* @subpackage Amazon
* @copyright Copyright (c) 2005-2009 Zend Technologies USA Inc. (http://www.zend.com)
* @license http://framework.zend.com/license/new-bsd New BSD License
*/
class Zend_Service_Amazon_EditorialReview
{
/**
* @var string
*/
public $Source;
/**
* @var string
*/
public $Content;
/**
* Assigns values to properties relevant to EditorialReview
*
* @param DOMElement $dom
* @return void
*/
public function __construct(DOMElement $dom)
{
$xpath = new DOMXPath($dom->ownerDocument);
$xpath->registerNamespace('az', 'http://webservices.amazon.com/AWSECommerceService/2005-10-05');
foreach (array('Source', 'Content') as $el) {
$this->$el = (string) $xpath->query("./az:$el/text()", $dom)->item(0)->data;
}
}
}
| {
"content_hash": "c3d1fe9926ecb6d2ced7218996815142",
"timestamp": "",
"source": "github",
"line_count": 39,
"max_line_length": 104,
"avg_line_length": 23.615384615384617,
"alnum_prop": 0.5830618892508144,
"repo_name": "jodier/tmpdddf",
"id": "089c4c9b73f43838f49cca9c0e1a1a9340181ba5",
"size": "1707",
"binary": false,
"copies": "1",
"ref": "refs/heads/master",
"path": "web/private/tine20/library/Zend/Service/Amazon/EditorialReview.php",
"mode": "33188",
"license": "mit",
"language": [
{
"name": "PHP",
"bytes": "44010"
},
{
"name": "Perl",
"bytes": "794"
},
{
"name": "Shell",
"bytes": "286"
}
],
"symlink_target": ""
} |
from swgpy.object import *
def create(kernel):
result = Creature()
result.template = "object/mobile/shared_dressed_commoner_naboo_bothan_female_02.iff"
result.attribute_template_id = 9
result.stfName("npc_name","bothan_base_female")
#### BEGIN MODIFICATIONS ####
#### END MODIFICATIONS ####
return result | {
"content_hash": "f067d5dd93de67bcb129b2190fd1cce9",
"timestamp": "",
"source": "github",
"line_count": 13,
"max_line_length": 85,
"avg_line_length": 24.76923076923077,
"alnum_prop": 0.7049689440993789,
"repo_name": "anhstudios/swganh",
"id": "4c5a397282a24369e190d17e20f3828335e18041",
"size": "467",
"binary": false,
"copies": "2",
"ref": "refs/heads/develop",
"path": "data/scripts/templates/object/mobile/shared_dressed_commoner_naboo_bothan_female_02.py",
"mode": "33188",
"license": "mit",
"language": [
{
"name": "Batchfile",
"bytes": "11887"
},
{
"name": "C",
"bytes": "7699"
},
{
"name": "C++",
"bytes": "2357839"
},
{
"name": "CMake",
"bytes": "41264"
},
{
"name": "PLSQL",
"bytes": "42065"
},
{
"name": "Python",
"bytes": "7503510"
},
{
"name": "SQLPL",
"bytes": "42770"
}
],
"symlink_target": ""
} |
// Type definitions for AWS Lambda
// Definitions by: James Darbyshire (http://darb.io)
/************************************************
* *
* AWS Lambda API *
* *
************************************************/
// Context
// http://docs.aws.amazon.com/lambda/latest/dg/nodejs-prog-model-context.html
interface Context {
// Properties
functionName: string;
functionVersion: string;
invokedFunctionArn: string;
memoryLimitInMB: number;
awsRequestId: string;
logGroupName: string;
logStreamName: string;
identity?: CognitoIdentity;
clientContext?: ClientContext;
// Functions
succeed(result?: Object): void;
fail(error?: Error): void;
done(error?: Error, result?: Object): void; // result must be JSON.stringifyable
getRemainingTimeInMillis(): number;
}
interface CognitoIdentity {
cognito_identity_id: string;
cognito_identity_pool_id: string;
}
interface ClientContext {
client: ClientContextClient;
Custom?: any;
env: ClientContextEnv;
}
interface ClientContextClient {
installation_id: string;
app_title: string;
app_version_name: string;
app_version_code: string;
app_package_name: string;
}
interface ClientContextEnv {
platform_version: string;
platform: string;
make: string;
model: string;
locale: string;
} | {
"content_hash": "d99e96b46d336ae87e53ffd2f1db370f",
"timestamp": "",
"source": "github",
"line_count": 56,
"max_line_length": 84,
"avg_line_length": 26.267857142857142,
"alnum_prop": 0.5853161114887832,
"repo_name": "panacloud/learn-typed-lambda",
"id": "71a0d4efccebaaf5e6bde7388f9f078dcaa004d7",
"size": "1471",
"binary": false,
"copies": "4",
"ref": "refs/heads/master",
"path": "step02_events/typings/main/ambient/aws/lambda.d.ts",
"mode": "33188",
"license": "mit",
"language": [
{
"name": "JavaScript",
"bytes": "2016"
},
{
"name": "TypeScript",
"bytes": "1260"
}
],
"symlink_target": ""
} |
<?xml version="1.0" encoding="UTF-8"?>
<sem:triples uri="http://www.lds.org/vrl/locations/specific-locations/space/planetary-nebulas" xmlns:sem="http://marklogic.com/semantics">
<sem:triple>
<sem:subject>http://www.lds.org/vrl/locations/specific-locations/space/planetary-nebulas</sem:subject>
<sem:predicate>http://www.w3.org/2004/02/skos/core#prefLabel</sem:predicate>
<sem:object datatype="xsd:string" xml:lang="eng">Planetary Nebulas</sem:object>
</sem:triple>
<sem:triple>
<sem:subject>http://www.lds.org/vrl/locations/specific-locations/space/planetary-nebulas</sem:subject>
<sem:predicate>http://www.w3.org/2004/02/skos/core#inScheme</sem:predicate>
<sem:object datatype="sem:iri">http://www.lds.org/concept-scheme/vrl</sem:object>
</sem:triple>
<sem:triple>
<sem:subject>http://www.lds.org/vrl/locations/specific-locations/space/planetary-nebulas</sem:subject>
<sem:predicate>http://www.lds.org/core#entityType</sem:predicate>
<sem:object datatype="sem:iri">http://www.schema.org/Place</sem:object>
</sem:triple>
</sem:triples>
| {
"content_hash": "5dabcf25890d6c22857161c39cbe38d3",
"timestamp": "",
"source": "github",
"line_count": 18,
"max_line_length": 138,
"avg_line_length": 60.22222222222222,
"alnum_prop": 0.727859778597786,
"repo_name": "freshie/ml-taxonomies",
"id": "5b42cde4285e50b63135821735eab08e60abfb02",
"size": "1084",
"binary": false,
"copies": "1",
"ref": "refs/heads/master",
"path": "roxy/data/gospel-topical-explorer-v2/taxonomies/vrl/locations/specific-locations/space/planetary-nebulas.xml",
"mode": "33188",
"license": "apache-2.0",
"language": [
{
"name": "Batchfile",
"bytes": "4422"
},
{
"name": "CSS",
"bytes": "38665"
},
{
"name": "HTML",
"bytes": "356"
},
{
"name": "JavaScript",
"bytes": "411651"
},
{
"name": "Ruby",
"bytes": "259121"
},
{
"name": "Shell",
"bytes": "7329"
},
{
"name": "XQuery",
"bytes": "857170"
},
{
"name": "XSLT",
"bytes": "13753"
}
],
"symlink_target": ""
} |
package org.kie.internal.conf;
import org.kie.api.conf.SingleValueKieBaseOption;
/**
* A class for the alpha node hashing threshold configuration.
*/
public class AlphaThresholdOption implements SingleValueKieBaseOption {
private static final long serialVersionUID = 510l;
/**
* The property name for the default DIALECT
*/
public static final String PROPERTY_NAME = "drools.alphaNodeHashingThreshold";
/**
* alpha threshold
*/
private final int threshold;
/**
* Private constructor to enforce the use of the factory method
* @param threshold
*/
private AlphaThresholdOption( int threshold ) {
this.threshold = threshold;
}
/**
* This is a factory method for this Alpha Threshold configuration.
* The factory method is a best practice for the case where the
* actual object construction is changed in the future.
*
* @param threshold the threshold value for the alpha hashing option
*
* @return the actual type safe alpha threshold configuration.
*/
public static AlphaThresholdOption get( int threshold ) {
return new AlphaThresholdOption( threshold );
}
/**
* {@inheritDoc}
*/
public String getPropertyName() {
return PROPERTY_NAME;
}
/**
* Returns the threshold value for alpha hashing
*
* @return
*/
public int getThreshold() {
return threshold;
}
@Override
public int hashCode() {
final int prime = 31;
int result = 1;
result = prime * result + threshold;
return result;
}
@Override
public boolean equals(Object obj) {
if ( this == obj ) return true;
if ( obj == null ) return false;
if ( getClass() != obj.getClass() ) return false;
AlphaThresholdOption other = (AlphaThresholdOption) obj;
if ( threshold != other.threshold ) return false;
return true;
}
}
| {
"content_hash": "536b827c57f61fc76f6b7a9a10f02260",
"timestamp": "",
"source": "github",
"line_count": 80,
"max_line_length": 82,
"avg_line_length": 25.2125,
"alnum_prop": 0.6207238472979673,
"repo_name": "sutaakar/droolsjbpm-knowledge",
"id": "2bb20f2f4b7895c2ca616a18d28d57a67b0e40fe",
"size": "2610",
"binary": false,
"copies": "5",
"ref": "refs/heads/master",
"path": "kie-internal/src/main/java/org/kie/internal/conf/AlphaThresholdOption.java",
"mode": "33261",
"license": "apache-2.0",
"language": [
{
"name": "HTML",
"bytes": "1852"
},
{
"name": "Java",
"bytes": "1155171"
}
],
"symlink_target": ""
} |
package org.apache.hadoop.yarn.nodelabels;
import java.io.IOException;
import java.util.Arrays;
import java.util.HashSet;
import java.util.Map;
import java.util.Set;
import org.apache.commons.lang.StringUtils;
import org.apache.hadoop.conf.Configuration;
import org.junit.After;
import org.junit.Assert;
import org.junit.Before;
import org.junit.Test;
import com.google.common.collect.ImmutableMap;
import com.google.common.collect.ImmutableSet;
import com.google.common.collect.Sets;
public class TestCommonNodeLabelsManager extends NodeLabelTestBase {
DummyCommonNodeLabelsManager mgr = null;
@Before
public void before() {
mgr = new DummyCommonNodeLabelsManager();
mgr.init(new Configuration());
mgr.start();
}
@After
public void after() {
mgr.stop();
}
@Test(timeout = 5000)
public void testAddRemovelabel() throws Exception {
// Add some label
mgr.addToCluserNodeLabels(ImmutableSet.of("hello"));
assertCollectionEquals(mgr.lastAddedlabels, Arrays.asList("hello"));
mgr.addToCluserNodeLabels(ImmutableSet.of("world"));
mgr.addToCluserNodeLabels(toSet("hello1", "world1"));
assertCollectionEquals(mgr.lastAddedlabels,
Sets.newHashSet("hello1", "world1"));
Assert.assertTrue(mgr.getClusterNodeLabels().containsAll(
Sets.newHashSet("hello", "world", "hello1", "world1")));
// try to remove null, empty and non-existed label, should fail
for (String p : Arrays.asList(null, CommonNodeLabelsManager.NO_LABEL, "xx")) {
boolean caught = false;
try {
mgr.removeFromClusterNodeLabels(Arrays.asList(p));
} catch (IOException e) {
caught = true;
}
Assert.assertTrue("remove label should fail "
+ "when label is null/empty/non-existed", caught);
}
// Remove some label
mgr.removeFromClusterNodeLabels(Arrays.asList("hello"));
assertCollectionEquals(mgr.lastRemovedlabels, Arrays.asList("hello"));
Assert.assertTrue(mgr.getClusterNodeLabels().containsAll(
Arrays.asList("world", "hello1", "world1")));
mgr.removeFromClusterNodeLabels(Arrays
.asList("hello1", "world1", "world"));
Assert.assertTrue(mgr.lastRemovedlabels.containsAll(Sets.newHashSet(
"hello1", "world1", "world")));
Assert.assertTrue(mgr.getClusterNodeLabels().isEmpty());
}
@Test(timeout = 5000)
public void testAddlabelWithCase() throws Exception {
// Add some label, case will not ignore here
mgr.addToCluserNodeLabels(ImmutableSet.of("HeLlO"));
assertCollectionEquals(mgr.lastAddedlabels, Arrays.asList("HeLlO"));
Assert.assertFalse(mgr.getClusterNodeLabels().containsAll(Arrays.asList("hello")));
}
@Test(timeout = 5000)
public void testAddInvalidlabel() throws IOException {
boolean caught = false;
try {
Set<String> set = new HashSet<String>();
set.add(null);
mgr.addToCluserNodeLabels(set);
} catch (IOException e) {
caught = true;
}
Assert.assertTrue("null label should not add to repo", caught);
caught = false;
try {
mgr.addToCluserNodeLabels(ImmutableSet.of(CommonNodeLabelsManager.NO_LABEL));
} catch (IOException e) {
caught = true;
}
Assert.assertTrue("empty label should not add to repo", caught);
caught = false;
try {
mgr.addToCluserNodeLabels(ImmutableSet.of("-?"));
} catch (IOException e) {
caught = true;
}
Assert.assertTrue("invalid label charactor should not add to repo", caught);
caught = false;
try {
mgr.addToCluserNodeLabels(ImmutableSet.of(StringUtils.repeat("c", 257)));
} catch (IOException e) {
caught = true;
}
Assert.assertTrue("too long label should not add to repo", caught);
caught = false;
try {
mgr.addToCluserNodeLabels(ImmutableSet.of("-aaabbb"));
} catch (IOException e) {
caught = true;
}
Assert.assertTrue("label cannot start with \"-\"", caught);
caught = false;
try {
mgr.addToCluserNodeLabels(ImmutableSet.of("_aaabbb"));
} catch (IOException e) {
caught = true;
}
Assert.assertTrue("label cannot start with \"_\"", caught);
caught = false;
try {
mgr.addToCluserNodeLabels(ImmutableSet.of("a^aabbb"));
} catch (IOException e) {
caught = true;
}
Assert.assertTrue("label cannot contains other chars like ^[] ...", caught);
caught = false;
try {
mgr.addToCluserNodeLabels(ImmutableSet.of("aa[a]bbb"));
} catch (IOException e) {
caught = true;
}
Assert.assertTrue("label cannot contains other chars like ^[] ...", caught);
}
@SuppressWarnings({ "unchecked", "rawtypes" })
@Test(timeout = 5000)
public void testAddReplaceRemoveLabelsOnNodes() throws Exception {
// set a label on a node, but label doesn't exist
boolean caught = false;
try {
mgr.replaceLabelsOnNode(ImmutableMap.of(toNodeId("node"), toSet("label")));
} catch (IOException e) {
caught = true;
}
Assert.assertTrue("trying to set a label to a node but "
+ "label doesn't exist in repository should fail", caught);
// set a label on a node, but node is null or empty
try {
mgr.replaceLabelsOnNode(ImmutableMap.of(
toNodeId(CommonNodeLabelsManager.NO_LABEL), toSet("label")));
} catch (IOException e) {
caught = true;
}
Assert.assertTrue("trying to add a empty node but succeeded", caught);
// set node->label one by one
mgr.addToCluserNodeLabels(toSet("p1", "p2", "p3"));
mgr.replaceLabelsOnNode(ImmutableMap.of(toNodeId("n1"), toSet("p1")));
mgr.replaceLabelsOnNode(ImmutableMap.of(toNodeId("n1"), toSet("p2")));
mgr.replaceLabelsOnNode(ImmutableMap.of(toNodeId("n2"), toSet("p3")));
assertMapEquals(mgr.getNodeLabels(), ImmutableMap.of(toNodeId("n1"),
toSet("p2"), toNodeId("n2"), toSet("p3")));
assertMapEquals(mgr.lastNodeToLabels,
ImmutableMap.of(toNodeId("n2"), toSet("p3")));
// set bunch of node->label
mgr.replaceLabelsOnNode((Map) ImmutableMap.of(toNodeId("n3"), toSet("p3"),
toNodeId("n1"), toSet("p1")));
assertMapEquals(mgr.getNodeLabels(), ImmutableMap.of(toNodeId("n1"),
toSet("p1"), toNodeId("n2"), toSet("p3"), toNodeId("n3"), toSet("p3")));
assertMapEquals(mgr.lastNodeToLabels, ImmutableMap.of(toNodeId("n3"),
toSet("p3"), toNodeId("n1"), toSet("p1")));
/*
* n1: p1
* n2: p3
* n3: p3
*/
// remove label on node
mgr.removeLabelsFromNode(ImmutableMap.of(toNodeId("n1"), toSet("p1")));
assertMapEquals(mgr.getNodeLabels(), ImmutableMap.of(toNodeId("n2"),
toSet("p3"), toNodeId("n3"), toSet("p3")));
assertMapEquals(mgr.lastNodeToLabels,
ImmutableMap.of(toNodeId("n1"), CommonNodeLabelsManager.EMPTY_STRING_SET));
// add label on node
mgr.addLabelsToNode(ImmutableMap.of(toNodeId("n1"), toSet("p1")));
assertMapEquals(
mgr.getNodeLabels(),
ImmutableMap.of(toNodeId("n1"), toSet("p1"), toNodeId("n2"),
toSet("p3"), toNodeId("n3"), toSet("p3")));
assertMapEquals(mgr.lastNodeToLabels,
ImmutableMap.of(toNodeId("n1"), toSet("p1")));
// remove labels on node
mgr.removeLabelsFromNode(ImmutableMap.of(toNodeId("n1"), toSet("p1"),
toNodeId("n2"), toSet("p3"), toNodeId("n3"), toSet("p3")));
Assert.assertEquals(0, mgr.getNodeLabels().size());
assertMapEquals(mgr.lastNodeToLabels, ImmutableMap.of(toNodeId("n1"),
CommonNodeLabelsManager.EMPTY_STRING_SET, toNodeId("n2"),
CommonNodeLabelsManager.EMPTY_STRING_SET, toNodeId("n3"),
CommonNodeLabelsManager.EMPTY_STRING_SET));
}
@Test(timeout = 5000)
public void testRemovelabelWithNodes() throws Exception {
mgr.addToCluserNodeLabels(toSet("p1", "p2", "p3"));
mgr.replaceLabelsOnNode(ImmutableMap.of(toNodeId("n1"), toSet("p1")));
mgr.replaceLabelsOnNode(ImmutableMap.of(toNodeId("n2"), toSet("p2")));
mgr.replaceLabelsOnNode(ImmutableMap.of(toNodeId("n3"), toSet("p3")));
mgr.removeFromClusterNodeLabels(ImmutableSet.of("p1"));
assertMapEquals(mgr.getNodeLabels(),
ImmutableMap.of(toNodeId("n2"), toSet("p2"), toNodeId("n3"), toSet("p3")));
assertCollectionEquals(mgr.lastRemovedlabels, Arrays.asList("p1"));
mgr.removeFromClusterNodeLabels(ImmutableSet.of("p2", "p3"));
Assert.assertTrue(mgr.getNodeLabels().isEmpty());
Assert.assertTrue(mgr.getClusterNodeLabels().isEmpty());
assertCollectionEquals(mgr.lastRemovedlabels, Arrays.asList("p2", "p3"));
}
@Test(timeout = 5000)
public void testTrimLabelsWhenAddRemoveNodeLabels() throws IOException {
mgr.addToCluserNodeLabels(toSet(" p1"));
assertCollectionEquals(mgr.getClusterNodeLabels(), toSet("p1"));
mgr.removeFromClusterNodeLabels(toSet("p1 "));
Assert.assertTrue(mgr.getClusterNodeLabels().isEmpty());
}
@Test(timeout = 5000)
public void testTrimLabelsWhenModifyLabelsOnNodes() throws IOException {
mgr.addToCluserNodeLabels(toSet(" p1", "p2"));
mgr.addLabelsToNode(ImmutableMap.of(toNodeId("n1"), toSet("p1 ")));
assertMapEquals(
mgr.getNodeLabels(),
ImmutableMap.of(toNodeId("n1"), toSet("p1")));
mgr.replaceLabelsOnNode(ImmutableMap.of(toNodeId("n1"), toSet(" p2")));
assertMapEquals(
mgr.getNodeLabels(),
ImmutableMap.of(toNodeId("n1"), toSet("p2")));
mgr.removeLabelsFromNode(ImmutableMap.of(toNodeId("n1"), toSet(" p2 ")));
Assert.assertTrue(mgr.getNodeLabels().isEmpty());
}
@Test(timeout = 5000)
public void testNoMoreThanOneLabelExistedInOneHost() throws IOException {
boolean failed = false;
// As in YARN-2694, we temporarily disable no more than one label existed in
// one host
mgr.addToCluserNodeLabels(toSet("p1", "p2", "p3"));
try {
mgr.replaceLabelsOnNode(ImmutableMap.of(toNodeId("n1"), toSet("p1", "p2")));
} catch (IOException e) {
failed = true;
}
Assert.assertTrue("Should failed when set > 1 labels on a host", failed);
try {
mgr.addLabelsToNode(ImmutableMap.of(toNodeId("n1"), toSet("p1", "p2")));
} catch (IOException e) {
failed = true;
}
Assert.assertTrue("Should failed when add > 1 labels on a host", failed);
mgr.addLabelsToNode(ImmutableMap.of(toNodeId("n1"), toSet("p1")));
// add a same label to a node, #labels in this node is still 1, shouldn't
// fail
mgr.addLabelsToNode(ImmutableMap.of(toNodeId("n1"), toSet("p1")));
try {
mgr.addLabelsToNode(ImmutableMap.of(toNodeId("n1"), toSet("p2")));
} catch (IOException e) {
failed = true;
}
Assert.assertTrue("Should failed when #labels > 1 on a host after add",
failed);
}
} | {
"content_hash": "9d21710d45c6da77e9029bc8f5a28c04",
"timestamp": "",
"source": "github",
"line_count": 299,
"max_line_length": 87,
"avg_line_length": 36.10702341137124,
"alnum_prop": 0.6662652834383105,
"repo_name": "tecknowledgeable/hadoop",
"id": "2fb1676af46e86d7884fd708d62d3d7ab1493c0d",
"size": "11602",
"binary": false,
"copies": "2",
"ref": "refs/heads/master",
"path": "hadoop-yarn-project/hadoop-yarn/hadoop-yarn-common/src/test/java/org/apache/hadoop/yarn/nodelabels/TestCommonNodeLabelsManager.java",
"mode": "33188",
"license": "apache-2.0",
"language": [
{
"name": "AspectJ",
"bytes": "31146"
},
{
"name": "Batchfile",
"bytes": "62129"
},
{
"name": "C",
"bytes": "1367014"
},
{
"name": "C++",
"bytes": "88338"
},
{
"name": "CMake",
"bytes": "38954"
},
{
"name": "CSS",
"bytes": "44021"
},
{
"name": "HTML",
"bytes": "193140"
},
{
"name": "Java",
"bytes": "47496984"
},
{
"name": "JavaScript",
"bytes": "22681"
},
{
"name": "Perl",
"bytes": "18992"
},
{
"name": "Protocol Buffer",
"bytes": "225165"
},
{
"name": "Python",
"bytes": "11309"
},
{
"name": "Shell",
"bytes": "182021"
},
{
"name": "TeX",
"bytes": "19322"
},
{
"name": "XSLT",
"bytes": "34239"
}
],
"symlink_target": ""
} |
"""Common utility classes and functions for testing."""
import io
import os
import pytest
from google.auth import credentials
from google.auth import transport
from requests import adapters
from requests import models
import firebase_admin
def resource_filename(filename):
"""Returns the absolute path to a test resource."""
return os.path.join(os.path.dirname(__file__), 'data', filename)
def resource(filename):
"""Returns the contents of a test resource."""
with open(resource_filename(filename), 'r') as file_obj:
return file_obj.read()
def cleanup_apps():
with firebase_admin._apps_lock:
apps = list(firebase_admin._apps.values())
for app in apps:
firebase_admin.delete_app(app)
def run_without_project_id(func):
env_vars = ['GCLOUD_PROJECT', 'GOOGLE_CLOUD_PROJECT']
env_values = []
for env_var in env_vars:
gcloud_project = os.environ.get(env_var)
if gcloud_project:
del os.environ[env_var]
env_values.append(gcloud_project)
try:
func()
finally:
for idx, env_var in enumerate(env_vars):
gcloud_project = env_values[idx]
if gcloud_project:
os.environ[env_var] = gcloud_project
def new_monkeypatch():
return pytest.MonkeyPatch()
class MockResponse(transport.Response):
def __init__(self, status, response):
self._status = status
self._response = response
@property
def status(self):
return self._status
@property
def headers(self):
return {}
@property
def data(self):
return self._response.encode()
class MockRequest(transport.Request):
"""A mock HTTP requests implementation.
This can be used whenever an HTTP interaction needs to be mocked
for testing purposes. For example HTTP calls to fetch public key
certificates, and HTTP calls to retrieve access tokens can be
mocked using this class.
"""
def __init__(self, status, response):
self.response = MockResponse(status, response)
self.log = []
def __call__(self, *args, **kwargs): # pylint: disable=arguments-differ
self.log.append((args, kwargs))
return self.response
class MockFailedRequest(transport.Request):
"""A mock HTTP request that fails by raising an exception."""
def __init__(self, error):
self.error = error
self.log = []
def __call__(self, *args, **kwargs): # pylint: disable=arguments-differ
self.log.append((args, kwargs))
raise self.error
# Temporarily disable the lint rule. For more information see:
# https://github.com/googleapis/google-auth-library-python/pull/561
# pylint: disable=abstract-method
class MockGoogleCredential(credentials.Credentials):
"""A mock Google authentication credential."""
def refresh(self, request):
self.token = 'mock-token'
class MockCredential(firebase_admin.credentials.Base):
"""A mock Firebase credential implementation."""
def __init__(self):
self._g_credential = MockGoogleCredential()
def get_credential(self):
return self._g_credential
class MockMultiRequestAdapter(adapters.HTTPAdapter):
"""A mock HTTP adapter that supports multiple responses for the Python requests module."""
def __init__(self, responses, statuses, recorder):
"""Constructs a MockMultiRequestAdapter.
The lengths of the responses and statuses parameters must match.
Each incoming request consumes a response and a status, in order. If all responses and
statuses are exhausted, further requests will reuse the last response and status.
"""
adapters.HTTPAdapter.__init__(self)
if len(responses) != len(statuses):
raise ValueError('The lengths of responses and statuses do not match.')
self._current_response = 0
self._responses = list(responses) # Make a copy.
self._statuses = list(statuses)
self._recorder = recorder
def send(self, request, **kwargs): # pylint: disable=arguments-differ
request._extra_kwargs = kwargs
self._recorder.append(request)
resp = models.Response()
resp.url = request.url
resp.status_code = self._statuses[self._current_response]
resp.raw = io.BytesIO(self._responses[self._current_response].encode())
self._current_response = min(self._current_response + 1, len(self._responses) - 1)
return resp
class MockAdapter(MockMultiRequestAdapter):
"""A mock HTTP adapter for the Python requests module."""
def __init__(self, data, status, recorder):
super(MockAdapter, self).__init__([data], [status], recorder)
@property
def status(self):
return self._statuses[0]
@property
def data(self):
return self._responses[0]
| {
"content_hash": "b4e02677d6c8b5d7e07220ede4bd9fd8",
"timestamp": "",
"source": "github",
"line_count": 159,
"max_line_length": 94,
"avg_line_length": 30.68553459119497,
"alnum_prop": 0.6591514654642344,
"repo_name": "firebase/firebase-admin-python",
"id": "92755107c2a44fea231ec1475bbb907304c33def",
"size": "5455",
"binary": false,
"copies": "1",
"ref": "refs/heads/master",
"path": "tests/testutils.py",
"mode": "33188",
"license": "apache-2.0",
"language": [
{
"name": "Python",
"bytes": "1142237"
},
{
"name": "Shell",
"bytes": "1682"
}
],
"symlink_target": ""
} |
module E'7'14 where
import E'7'12 ( ins , iSort )
import Test.QuickCheck
isSorted :: (Ord a) => [a] -> Bool -- Primitive recursion:
isSorted [] = True
isSorted [ _ ] = True
isSorted ( predecessorItem : successorItem : remainingItems )
= (predecessorItem <= successorItem) && ( isSorted (successorItem : remainingItems) )
-- QuickCheck tests for "iSort" and "ins" (ex. 7.12):
prop_iSort :: [Integer] -> Bool
prop_iSort integerList
= isSorted (iSort integerList)
prop_ins :: Integer -> [Integer] -> Property
prop_ins integer integerList
= isSorted (integerList)
==> isSorted (ins integer integerList)
{- GHCi>
quickCheck prop_iSort
quickCheck prop_ins
-}
| {
"content_hash": "be46ec2bfdf18b7fbdd6f122ae628822",
"timestamp": "",
"source": "github",
"line_count": 46,
"max_line_length": 87,
"avg_line_length": 15.08695652173913,
"alnum_prop": 0.670028818443804,
"repo_name": "pascal-knodel/haskell-craft",
"id": "5a6ad3bb44f97443f7fc0019d315a0457ef18bc9",
"size": "766",
"binary": false,
"copies": "2",
"ref": "refs/heads/master",
"path": "Chapter 7/E'7'14.hs",
"mode": "33188",
"license": "mit",
"language": [
{
"name": "HTML",
"bytes": "1183"
},
{
"name": "Haskell",
"bytes": "1022558"
},
{
"name": "Shell",
"bytes": "9581"
}
],
"symlink_target": ""
} |
A simple implementation of a flat shaded low poly terrain for Unity 2017.
### What's implemented for now
* Generate a simple flat square mesh
* Apply a random color for each triangle
* Use a custom shader to apply the color in each triangle

### TODO
* Generate the Y coordinates using Perlin Noise
* Color each triangle based on it's Y coordinate
| {
"content_hash": "f754d83b7470e3705cf8e481725716b0",
"timestamp": "",
"source": "github",
"line_count": 14,
"max_line_length": 153,
"avg_line_length": 36.142857142857146,
"alnum_prop": 0.7885375494071146,
"repo_name": "fredimachado/FlatShadedLowPolyTerrain",
"id": "033f2a7aa3fb249cf4bcddcbce149694dd85a726",
"size": "546",
"binary": false,
"copies": "1",
"ref": "refs/heads/master",
"path": "README.md",
"mode": "33188",
"license": "mit",
"language": [
{
"name": "C#",
"bytes": "2379"
},
{
"name": "ShaderLab",
"bytes": "1566"
}
],
"symlink_target": ""
} |
namespace blimp {
CompressedPacketReader::CompressedPacketReader(
std::unique_ptr<PacketReader> source)
: source_(std::move(source)),
compressed_buf_(new net::GrowableIOBuffer),
weak_factory_(this) {
DCHECK(source_);
memset(&zlib_stream_, 0, sizeof(z_stream));
// MAX_WBITS means we are using the maximal window size for decompression;
// a negative value means that we are ignoring headers and CRC checks.
int init_result = inflateInit2(&zlib_stream_, -MAX_WBITS);
DCHECK_EQ(Z_OK, init_result);
}
CompressedPacketReader::~CompressedPacketReader() {
inflateEnd(&zlib_stream_);
}
void CompressedPacketReader::ReadPacket(
const scoped_refptr<net::GrowableIOBuffer>& decompressed_buf,
const net::CompletionCallback& callback) {
DCHECK(decompressed_buf);
DCHECK(!callback.is_null());
source_->ReadPacket(
compressed_buf_,
base::Bind(&CompressedPacketReader::OnCompressedPacketReceived,
weak_factory_.GetWeakPtr(), decompressed_buf, callback));
}
void CompressedPacketReader::OnCompressedPacketReceived(
const scoped_refptr<net::GrowableIOBuffer> decompressed_buf,
const net::CompletionCallback& callback,
int result) {
if (result <= 0) {
callback.Run(result);
return;
}
callback.Run(DecompressPacket(decompressed_buf, result));
}
int CompressedPacketReader::DecompressPacket(
const scoped_refptr<net::GrowableIOBuffer>& decompressed,
int size) {
compressed_buf_->set_offset(0);
decompressed->set_offset(0);
if (static_cast<size_t>(decompressed->capacity()) <
kMaxPacketPayloadSizeBytes) {
decompressed->SetCapacity(kMaxPacketPayloadSizeBytes);
}
zlib_stream_.next_in = reinterpret_cast<uint8_t*>(compressed_buf_->data());
zlib_stream_.avail_in = base::checked_cast<uint32_t>(size);
zlib_stream_.next_out = reinterpret_cast<uint8_t*>(decompressed->data());
zlib_stream_.avail_out = decompressed->RemainingCapacity();
int inflate_result = inflate(&zlib_stream_, Z_SYNC_FLUSH);
if (inflate_result != Z_OK) {
DLOG(ERROR) << "inflate() returned unexpected error code: "
<< inflate_result;
return net::ERR_UNEXPECTED;
}
DCHECK_GT(decompressed->RemainingCapacity(),
base::checked_cast<int>(zlib_stream_.avail_out));
int decompressed_size =
decompressed->RemainingCapacity() - zlib_stream_.avail_out;
// Verify that the decompressed output isn't bigger than the maximum allowable
// payload size, by checking if there are bytes waiting to be processed.
if (zlib_stream_.avail_in > 0) {
DLOG(ERROR)
<< "Decompressed buffer size exceeds allowable limits; aborting.";
return net::ERR_FILE_TOO_BIG;
}
return decompressed_size;
}
} // namespace blimp
| {
"content_hash": "fb3868bd54593b4957947b79dae0945a",
"timestamp": "",
"source": "github",
"line_count": 81,
"max_line_length": 80,
"avg_line_length": 34.098765432098766,
"alnum_prop": 0.7045619116582187,
"repo_name": "was4444/chromium.src",
"id": "92a3b9ae9dbae5985ae754130c1082c963e539a0",
"size": "3303",
"binary": false,
"copies": "6",
"ref": "refs/heads/nw15",
"path": "blimp/net/compressed_packet_reader.cc",
"mode": "33188",
"license": "bsd-3-clause",
"language": [],
"symlink_target": ""
} |
import { useMutation, queryCache } from 'react-query'
import LabRepository from '../../shared/db/LabRepository'
import Lab from '../../shared/model/Lab'
function cancelLab(lab: Lab): Promise<Lab> {
lab.canceledOn = new Date(Date.now().valueOf()).toISOString()
lab.status = 'canceled'
return LabRepository.saveOrUpdate(lab)
}
export default function useCancelLab() {
return useMutation(cancelLab, {
onSuccess: async () => {
queryCache.invalidateQueries('labs')
},
})
}
| {
"content_hash": "1e28a0b255a0256328f0444f6a20a250",
"timestamp": "",
"source": "github",
"line_count": 18,
"max_line_length": 63,
"avg_line_length": 27.5,
"alnum_prop": 0.696969696969697,
"repo_name": "HospitalRun/hospitalrun-frontend",
"id": "8a18d9ef7ca30d2d7afab9e8e331b12a898e8bc0",
"size": "495",
"binary": false,
"copies": "1",
"ref": "refs/heads/master",
"path": "src/labs/hooks/useCancelLab.ts",
"mode": "33188",
"license": "mit",
"language": [
{
"name": "Batchfile",
"bytes": "99"
},
{
"name": "CSS",
"bytes": "1931"
},
{
"name": "Dockerfile",
"bytes": "61"
},
{
"name": "HTML",
"bytes": "1688"
},
{
"name": "JavaScript",
"bytes": "4203"
},
{
"name": "Shell",
"bytes": "101"
},
{
"name": "TypeScript",
"bytes": "1026323"
}
],
"symlink_target": ""
} |
//
// TZImagePickerController.m
// TZImagePickerController
//
// Created by 谭真 on 15/12/24.
// Copyright © 2015年 谭真. All rights reserved.
// version 1.8.0 - 2017.06.03
#import "TZImagePickerController.h"
#import "TZPhotoPickerController.h"
#import "TZPhotoPreviewController.h"
#import "TZAssetModel.h"
#import "TZAssetCell.h"
#import "UIView+Layout.h"
#import "TZImageManager.h"
@interface TZImagePickerController () {
NSTimer *_timer;
UILabel *_tipLabel;
UIButton *_settingBtn;
BOOL _pushPhotoPickerVc;
BOOL _didPushPhotoPickerVc;
UIButton *_progressHUD;
UIView *_HUDContainer;
UIActivityIndicatorView *_HUDIndicatorView;
UILabel *_HUDLabel;
UIStatusBarStyle _originStatusBarStyle;
}
/// Default is 4, Use in photos collectionView in TZPhotoPickerController
/// 默认4列, TZPhotoPickerController中的照片collectionView
@property (nonatomic, assign) NSInteger columnNumber;
@end
@implementation TZImagePickerController
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Wdeprecated-declarations"
- (void)viewDidLoad {
[super viewDidLoad];
self.view.backgroundColor = [UIColor whiteColor];
self.navigationBar.barStyle = UIBarStyleBlack;
self.navigationBar.translucent = YES;
[TZImageManager manager].shouldFixOrientation = NO;
// Default appearance, you can reset these after this method
// 默认的外观,你可以在这个方法后重置
self.oKButtonTitleColorNormal = [UIColor colorWithRed:(83/255.0) green:(179/255.0) blue:(17/255.0) alpha:1.0];
self.oKButtonTitleColorDisabled = [UIColor colorWithRed:(83/255.0) green:(179/255.0) blue:(17/255.0) alpha:0.5];
if (iOS7Later) {
self.navigationBar.barTintColor = [UIColor colorWithRed:(34/255.0) green:(34/255.0) blue:(34/255.0) alpha:1.0];
self.navigationBar.tintColor = [UIColor whiteColor];
self.automaticallyAdjustsScrollViewInsets = NO;
}
}
- (void)setNaviBgColor:(UIColor *)naviBgColor {
_naviBgColor = naviBgColor;
self.navigationBar.barTintColor = naviBgColor;
}
- (void)setNaviTitleColor:(UIColor *)naviTitleColor {
_naviTitleColor = naviTitleColor;
[self configNaviTitleAppearance];
}
- (void)setNaviTitleFont:(UIFont *)naviTitleFont {
_naviTitleFont = naviTitleFont;
[self configNaviTitleAppearance];
}
- (void)configNaviTitleAppearance {
NSMutableDictionary *textAttrs = [NSMutableDictionary dictionary];
textAttrs[NSForegroundColorAttributeName] = self.naviTitleColor;
textAttrs[NSFontAttributeName] = self.naviTitleFont;
self.navigationBar.titleTextAttributes = textAttrs;
}
- (void)setBarItemTextFont:(UIFont *)barItemTextFont {
_barItemTextFont = barItemTextFont;
[self configBarButtonItemAppearance];
}
- (void)setBarItemTextColor:(UIColor *)barItemTextColor {
_barItemTextColor = barItemTextColor;
[self configBarButtonItemAppearance];
}
- (void)configBarButtonItemAppearance {
UIBarButtonItem *barItem;
if (iOS9Later) {
barItem = [UIBarButtonItem appearanceWhenContainedInInstancesOfClasses:@[[TZImagePickerController class]]];
} else {
barItem = [UIBarButtonItem appearanceWhenContainedIn:[TZImagePickerController class], nil];
}
NSMutableDictionary *textAttrs = [NSMutableDictionary dictionary];
textAttrs[NSForegroundColorAttributeName] = self.barItemTextColor;
textAttrs[NSFontAttributeName] = self.barItemTextFont;
[barItem setTitleTextAttributes:textAttrs forState:UIControlStateNormal];
}
- (void)viewWillAppear:(BOOL)animated {
[super viewWillAppear:animated];
_originStatusBarStyle = [UIApplication sharedApplication].statusBarStyle;
if (self.isStatusBarDefault) {
[UIApplication sharedApplication].statusBarStyle = iOS7Later ? UIStatusBarStyleDefault : UIStatusBarStyleBlackOpaque;
}else{
[UIApplication sharedApplication].statusBarStyle = iOS7Later ? UIStatusBarStyleLightContent : UIStatusBarStyleBlackOpaque;
}
}
- (void)viewWillDisappear:(BOOL)animated {
[super viewWillDisappear:animated];
[UIApplication sharedApplication].statusBarStyle = _originStatusBarStyle;
[self hideProgressHUD];
}
- (instancetype)initWithMaxImagesCount:(NSInteger)maxImagesCount delegate:(id<TZImagePickerControllerDelegate>)delegate {
return [self initWithMaxImagesCount:maxImagesCount columnNumber:4 delegate:delegate pushPhotoPickerVc:YES];
}
- (instancetype)initWithMaxImagesCount:(NSInteger)maxImagesCount columnNumber:(NSInteger)columnNumber delegate:(id<TZImagePickerControllerDelegate>)delegate {
return [self initWithMaxImagesCount:maxImagesCount columnNumber:columnNumber delegate:delegate pushPhotoPickerVc:YES];
}
- (instancetype)initWithMaxImagesCount:(NSInteger)maxImagesCount columnNumber:(NSInteger)columnNumber delegate:(id<TZImagePickerControllerDelegate>)delegate pushPhotoPickerVc:(BOOL)pushPhotoPickerVc {
_pushPhotoPickerVc = pushPhotoPickerVc;
TZAlbumPickerController *albumPickerVc = [[TZAlbumPickerController alloc] init];
albumPickerVc.columnNumber = columnNumber;
self = [super initWithRootViewController:albumPickerVc];
if (self) {
self.maxImagesCount = maxImagesCount > 0 ? maxImagesCount : 9; // Default is 9 / 默认最大可选9张图片
self.pickerDelegate = delegate;
self.selectedModels = [NSMutableArray array];
// Allow user picking original photo and video, you also can set No after this method
// 默认准许用户选择原图和视频, 你也可以在这个方法后置为NO
self.allowPickingOriginalPhoto = YES;
self.allowPickingVideo = YES;
self.allowPickingImage = YES;
self.allowTakePicture = YES;
self.sortAscendingByModificationDate = YES;
self.autoDismiss = YES;
self.columnNumber = columnNumber;
[self configDefaultSetting];
if (![[TZImageManager manager] authorizationStatusAuthorized]) {
_tipLabel = [[UILabel alloc] init];
_tipLabel.frame = CGRectMake(8, 120, self.view.tz_width - 16, 60);
_tipLabel.textAlignment = NSTextAlignmentCenter;
_tipLabel.numberOfLines = 0;
_tipLabel.font = [UIFont systemFontOfSize:16];
_tipLabel.textColor = [UIColor blackColor];
NSString *appName = [[NSBundle mainBundle].infoDictionary valueForKey:@"CFBundleDisplayName"];
if (!appName) appName = [[NSBundle mainBundle].infoDictionary valueForKey:@"CFBundleName"];
NSString *tipText = [NSString stringWithFormat:[NSBundle tz_localizedStringForKey:@"Allow %@ to access your album in \"Settings -> Privacy -> Photos\""],appName];
_tipLabel.text = tipText;
[self.view addSubview:_tipLabel];
_settingBtn = [UIButton buttonWithType:UIButtonTypeSystem];
[_settingBtn setTitle:self.settingBtnTitleStr forState:UIControlStateNormal];
_settingBtn.frame = CGRectMake(0, 180, self.view.tz_width, 44);
_settingBtn.titleLabel.font = [UIFont systemFontOfSize:18];
[_settingBtn addTarget:self action:@selector(settingBtnClick) forControlEvents:UIControlEventTouchUpInside];
[self.view addSubview:_settingBtn];
_timer = [NSTimer scheduledTimerWithTimeInterval:0.2 target:self selector:@selector(observeAuthrizationStatusChange) userInfo:nil repeats:YES];
} else {
[self pushPhotoPickerVc];
}
}
return self;
}
/// This init method just for previewing photos / 用这个初始化方法以预览图片
- (instancetype)initWithSelectedAssets:(NSMutableArray *)selectedAssets selectedPhotos:(NSMutableArray *)selectedPhotos index:(NSInteger)index{
TZPhotoPreviewController *previewVc = [[TZPhotoPreviewController alloc] init];
self = [super initWithRootViewController:previewVc];
if (self) {
self.selectedAssets = [NSMutableArray arrayWithArray:selectedAssets];
self.allowPickingOriginalPhoto = self.allowPickingOriginalPhoto;
[self configDefaultSetting];
previewVc.photos = [NSMutableArray arrayWithArray:selectedPhotos];
previewVc.currentIndex = index;
__weak typeof(self) weakSelf = self;
[previewVc setDoneButtonClickBlockWithPreviewType:^(NSArray<TZAssetModel *> *models, NSArray<UIImage *> *photos, NSArray *assets, BOOL isSelectOriginalPhoto) {
[weakSelf dismissViewControllerAnimated:YES completion:^{
if (weakSelf.didFinishPickingPhotosHandle) {
weakSelf.didFinishPickingPhotosHandle(models,photos,assets,isSelectOriginalPhoto);
}
}];
}];
}
return self;
}
/// This init method for crop photo / 用这个初始化方法以裁剪图片
- (instancetype)initCropTypeWithAsset:(id)asset photo:(UIImage *)photo completion:(void (^)(UIImage *cropImage,id asset))completion {
TZPhotoPreviewController *previewVc = [[TZPhotoPreviewController alloc] init];
self = [super initWithRootViewController:previewVc];
if (self) {
self.maxImagesCount = 1;
self.allowCrop = YES;
self.selectedAssets = [NSMutableArray arrayWithArray:@[asset]];
[self configDefaultSetting];
previewVc.photos = [NSMutableArray arrayWithArray:@[photo]];
previewVc.isCropImage = YES;
previewVc.currentIndex = 0;
__weak typeof(self) weakSelf = self;
[previewVc setDoneButtonClickBlockCropMode:^(UIImage *cropImage, id asset) {
[weakSelf dismissViewControllerAnimated:YES completion:^{
if (completion) {
completion(cropImage,asset);
}
}];
}];
}
return self;
}
- (void)configDefaultSetting {
self.timeout = 15;
self.photoWidth = 828.0;
self.photoPreviewMaxWidth = 600;
self.naviTitleColor = [UIColor whiteColor];
self.naviTitleFont = [UIFont systemFontOfSize:17];
self.barItemTextFont = [UIFont systemFontOfSize:15];
self.barItemTextColor = [UIColor whiteColor];
self.allowPreview = YES;
[self configDefaultImageName];
[self configDefaultBtnTitle];
}
- (void)configDefaultImageName {
self.takePictureImageName = @"takePicture.png";
self.photoSelImageName = @"photo_sel_photoPickerVc.png";
self.photoDefImageName = @"photo_def_photoPickerVc.png";
self.photoNumberIconImageName = @"photo_number_icon.png";
self.photoPreviewOriginDefImageName = @"preview_original_def.png";
self.photoOriginDefImageName = @"photo_original_def.png";
self.photoOriginSelImageName = @"photo_original_sel.png";
}
- (void)configDefaultBtnTitle {
self.doneBtnTitleStr = [NSBundle tz_localizedStringForKey:@"Done"];
self.cancelBtnTitleStr = [NSBundle tz_localizedStringForKey:@"Cancel"];
self.previewBtnTitleStr = [NSBundle tz_localizedStringForKey:@"Preview"];
self.fullImageBtnTitleStr = [NSBundle tz_localizedStringForKey:@"Full image"];
self.settingBtnTitleStr = [NSBundle tz_localizedStringForKey:@"Setting"];
self.processHintStr = [NSBundle tz_localizedStringForKey:@"Processing..."];
}
- (void)observeAuthrizationStatusChange {
if ([[TZImageManager manager] authorizationStatusAuthorized]) {
[_tipLabel removeFromSuperview];
[_settingBtn removeFromSuperview];
[_timer invalidate];
_timer = nil;
[self pushPhotoPickerVc];
}
}
- (void)pushPhotoPickerVc {
_didPushPhotoPickerVc = NO;
// 1.6.8 判断是否需要push到照片选择页,如果_pushPhotoPickerVc为NO,则不push
if (!_didPushPhotoPickerVc && _pushPhotoPickerVc) {
TZPhotoPickerController *photoPickerVc = [[TZPhotoPickerController alloc] init];
photoPickerVc.isFirstAppear = YES;
photoPickerVc.columnNumber = self.columnNumber;
[[TZImageManager manager] getCameraRollAlbum:self.allowPickingVideo allowPickingImage:self.allowPickingImage completion:^(TZAlbumModel *model) {
photoPickerVc.model = model;
[self pushViewController:photoPickerVc animated:YES];
_didPushPhotoPickerVc = YES;
}];
}
TZAlbumPickerController *albumPickerVc = (TZAlbumPickerController *)self.visibleViewController;
if ([albumPickerVc isKindOfClass:[TZAlbumPickerController class]]) {
[albumPickerVc configTableView];
}
}
- (void)showAlertWithTitle:(NSString *)title {
if (iOS8Later) {
UIAlertController *alertController = [UIAlertController alertControllerWithTitle:title message:nil preferredStyle:UIAlertControllerStyleAlert];
[alertController addAction:[UIAlertAction actionWithTitle:[NSBundle tz_localizedStringForKey:@"OK"] style:UIAlertActionStyleDefault handler:nil]];
[self presentViewController:alertController animated:YES completion:nil];
} else {
[[[UIAlertView alloc] initWithTitle:title message:nil delegate:nil cancelButtonTitle:[NSBundle tz_localizedStringForKey:@"OK"] otherButtonTitles:nil, nil] show];
}
}
- (void)showProgressHUD {
if (!_progressHUD) {
_progressHUD = [UIButton buttonWithType:UIButtonTypeCustom];
[_progressHUD setBackgroundColor:[UIColor clearColor]];
_HUDContainer = [[UIView alloc] init];
_HUDContainer.frame = CGRectMake((self.view.tz_width - 120) / 2, (self.view.tz_height - 90) / 2, 120, 90);
_HUDContainer.layer.cornerRadius = 8;
_HUDContainer.clipsToBounds = YES;
_HUDContainer.backgroundColor = [UIColor darkGrayColor];
_HUDContainer.alpha = 0.7;
_HUDIndicatorView = [[UIActivityIndicatorView alloc] initWithActivityIndicatorStyle:UIActivityIndicatorViewStyleWhite];
_HUDIndicatorView.frame = CGRectMake(45, 15, 30, 30);
_HUDLabel = [[UILabel alloc] init];
_HUDLabel.frame = CGRectMake(0,40, 120, 50);
_HUDLabel.textAlignment = NSTextAlignmentCenter;
_HUDLabel.text = self.processHintStr;
_HUDLabel.font = [UIFont systemFontOfSize:15];
_HUDLabel.textColor = [UIColor whiteColor];
[_HUDContainer addSubview:_HUDLabel];
[_HUDContainer addSubview:_HUDIndicatorView];
[_progressHUD addSubview:_HUDContainer];
}
[_HUDIndicatorView startAnimating];
[[UIApplication sharedApplication].keyWindow addSubview:_progressHUD];
// if over time, dismiss HUD automatic
__weak typeof(self) weakSelf = self;
dispatch_after(dispatch_time(DISPATCH_TIME_NOW, (int64_t)(self.timeout * NSEC_PER_SEC)), dispatch_get_main_queue(), ^{
[weakSelf hideProgressHUD];
});
}
- (void)hideProgressHUD {
if (_progressHUD) {
[_HUDIndicatorView stopAnimating];
[_progressHUD removeFromSuperview];
}
}
- (void)setMaxImagesCount:(NSInteger)maxImagesCount {
_maxImagesCount = maxImagesCount;
if (maxImagesCount > 1) {
_showSelectBtn = YES;
_allowCrop = NO;
}
}
- (void)setShowSelectBtn:(BOOL)showSelectBtn {
_showSelectBtn = showSelectBtn;
// 多选模式下,不允许让showSelectBtn为NO
if (!showSelectBtn && _maxImagesCount > 1) {
_showSelectBtn = YES;
}
}
- (void)setAllowCrop:(BOOL)allowCrop {
_allowCrop = _maxImagesCount > 1 ? NO : allowCrop;
if (allowCrop) { // 允许裁剪的时候,不能选原图和GIF
self.allowPickingOriginalPhoto = NO;
self.allowPickingGif = NO;
}
}
- (void)setCircleCropRadius:(NSInteger)circleCropRadius {
_circleCropRadius = circleCropRadius;
_cropRect = CGRectMake(self.view.tz_width / 2 - circleCropRadius, self.view.tz_height / 2 - _circleCropRadius, _circleCropRadius * 2, _circleCropRadius * 2);
}
- (CGRect)cropRect {
if (_cropRect.size.width > 0) {
return _cropRect;
}
CGFloat cropViewWH = self.view.tz_width;
return CGRectMake(0, (self.view.tz_height - self.view.tz_width) / 2, cropViewWH, cropViewWH);
}
- (void)setTimeout:(NSInteger)timeout {
_timeout = timeout;
if (timeout < 5) {
_timeout = 5;
} else if (_timeout > 60) {
_timeout = 60;
}
}
- (void)setColumnNumber:(NSInteger)columnNumber {
_columnNumber = columnNumber;
if (columnNumber <= 2) {
_columnNumber = 2;
} else if (columnNumber >= 6) {
_columnNumber = 6;
}
TZAlbumPickerController *albumPickerVc = [self.childViewControllers firstObject];
albumPickerVc.columnNumber = _columnNumber;
[TZImageManager manager].columnNumber = _columnNumber;
}
- (void)setMinPhotoWidthSelectable:(NSInteger)minPhotoWidthSelectable {
_minPhotoWidthSelectable = minPhotoWidthSelectable;
[TZImageManager manager].minPhotoWidthSelectable = minPhotoWidthSelectable;
}
- (void)setMinPhotoHeightSelectable:(NSInteger)minPhotoHeightSelectable {
_minPhotoHeightSelectable = minPhotoHeightSelectable;
[TZImageManager manager].minPhotoHeightSelectable = minPhotoHeightSelectable;
}
- (void)setHideWhenCanNotSelect:(BOOL)hideWhenCanNotSelect {
_hideWhenCanNotSelect = hideWhenCanNotSelect;
[TZImageManager manager].hideWhenCanNotSelect = hideWhenCanNotSelect;
}
- (void)setPhotoPreviewMaxWidth:(CGFloat)photoPreviewMaxWidth {
_photoPreviewMaxWidth = photoPreviewMaxWidth;
if (photoPreviewMaxWidth > 800) {
_photoPreviewMaxWidth = 800;
} else if (photoPreviewMaxWidth < 500) {
_photoPreviewMaxWidth = 500;
}
[TZImageManager manager].photoPreviewMaxWidth = _photoPreviewMaxWidth;
}
- (void)setSelectedAssets:(NSMutableArray *)selectedAssets {
_selectedAssets = selectedAssets;
for (id asset in selectedAssets) {
TZAssetModel *model = [TZAssetModel modelWithAsset:asset type:TZAssetModelMediaTypePhoto];
model.isSelected = YES;
[self.selectedModels addObject:model];
}
}
- (void)setAllowPickingImage:(BOOL)allowPickingImage {
_allowPickingImage = allowPickingImage;
NSString *allowPickingImageStr = _allowPickingImage ? @"1" : @"0";
[[NSUserDefaults standardUserDefaults] setObject:allowPickingImageStr forKey:@"tz_allowPickingImage"];
[[NSUserDefaults standardUserDefaults] synchronize];
}
- (void)setAllowPickingVideo:(BOOL)allowPickingVideo {
_allowPickingVideo = allowPickingVideo;
NSString *allowPickingVideoStr = _allowPickingVideo ? @"1" : @"0";
[[NSUserDefaults standardUserDefaults] setObject:allowPickingVideoStr forKey:@"tz_allowPickingVideo"];
[[NSUserDefaults standardUserDefaults] synchronize];
}
- (void)setSortAscendingByModificationDate:(BOOL)sortAscendingByModificationDate {
_sortAscendingByModificationDate = sortAscendingByModificationDate;
[TZImageManager manager].sortAscendingByModificationDate = sortAscendingByModificationDate;
}
- (void)settingBtnClick {
if (iOS8Later) {
[[UIApplication sharedApplication] openURL:[NSURL URLWithString:UIApplicationOpenSettingsURLString]];
} else {
NSURL *privacyUrl = [NSURL URLWithString:@"prefs:root=Privacy&path=PHOTOS"];
if ([[UIApplication sharedApplication] canOpenURL:privacyUrl]) {
[[UIApplication sharedApplication] openURL:privacyUrl];
} else {
NSString *message = [NSBundle tz_localizedStringForKey:@"Can not jump to the privacy settings page, please go to the settings page by self, thank you"];
UIAlertView * alert = [[UIAlertView alloc]initWithTitle:[NSBundle tz_localizedStringForKey:@"Sorry"] message:message delegate:nil cancelButtonTitle:[NSBundle tz_localizedStringForKey:@"OK"] otherButtonTitles: nil];
[alert show];
}
}
}
- (void)pushViewController:(UIViewController *)viewController animated:(BOOL)animated {
if (iOS7Later) viewController.automaticallyAdjustsScrollViewInsets = NO;
if (_timer) { [_timer invalidate]; _timer = nil;}
[super pushViewController:viewController animated:animated];
}
- (UIInterfaceOrientationMask)supportedInterfaceOrientations {
return UIInterfaceOrientationMaskPortrait;
}
- (void)dealloc {
// NSLog(@"%@ dealloc",NSStringFromClass(self.class));
}
#pragma mark - Getter
- (NSMutableArray<TZAssetModel *> *)selectedModels {
if (!_selectedModels) {
_selectedModels = [NSMutableArray array];
}
return _selectedModels;
}
#pragma mark - Public
- (void)cancelButtonClick {
if (self.autoDismiss) {
[self dismissViewControllerAnimated:YES completion:^{
[self callDelegateMethod];
}];
} else {
[self callDelegateMethod];
}
}
- (void)callDelegateMethod {
/*
// 兼容旧版本
if ([self.pickerDelegate respondsToSelector:@selector(imagePickerControllerDidCancel:)]) {
[self.pickerDelegate imagePickerControllerDidCancel:self];
}
*/
if ([self.pickerDelegate respondsToSelector:@selector(tz_imagePickerControllerDidCancel:)]) {
[self.pickerDelegate tz_imagePickerControllerDidCancel:self];
}
if (self.imagePickerControllerDidCancelHandle) {
self.imagePickerControllerDidCancelHandle();
}
}
@end
@interface TZAlbumPickerController ()<UITableViewDataSource,UITableViewDelegate> {
UITableView *_tableView;
}
@property (nonatomic, strong) NSMutableArray *albumArr;
@end
@implementation TZAlbumPickerController
- (void)viewDidLoad {
[super viewDidLoad];
self.view.backgroundColor = [UIColor whiteColor];
TZImagePickerController *imagePickerVc = (TZImagePickerController *)self.navigationController;
self.navigationItem.rightBarButtonItem = [[UIBarButtonItem alloc] initWithTitle:imagePickerVc.cancelBtnTitleStr style:UIBarButtonItemStylePlain target:imagePickerVc action:@selector(cancelButtonClick)];
// 1.6.10 采用微信的方式,只在相册列表页定义backBarButtonItem为返回,其余的顺系统的做法
self.navigationItem.backBarButtonItem = [[UIBarButtonItem alloc] initWithTitle:[NSBundle tz_localizedStringForKey:@"Back"] style:UIBarButtonItemStylePlain target:nil action:nil];
}
- (void)viewWillAppear:(BOOL)animated {
[super viewWillAppear:animated];
TZImagePickerController *imagePickerVc = (TZImagePickerController *)self.navigationController;
[imagePickerVc hideProgressHUD];
if (imagePickerVc.allowTakePicture) {
self.navigationItem.title = [NSBundle tz_localizedStringForKey:@"Photos"];
} else if (imagePickerVc.allowPickingVideo) {
self.navigationItem.title = [NSBundle tz_localizedStringForKey:@"Videos"];
}
[self configTableView];
}
- (void)configTableView {
dispatch_async(dispatch_get_global_queue(0, 0), ^{
TZImagePickerController *imagePickerVc = (TZImagePickerController *)self.navigationController;
[[TZImageManager manager] getAllAlbums:imagePickerVc.allowPickingVideo allowPickingImage:imagePickerVc.allowPickingImage completion:^(NSArray<TZAlbumModel *> *models) {
_albumArr = [NSMutableArray arrayWithArray:models];
for (TZAlbumModel *albumModel in _albumArr) {
albumModel.selectedModels = imagePickerVc.selectedModels;
}
dispatch_async(dispatch_get_main_queue(), ^{
if (!_tableView) {
CGFloat top = 0;
CGFloat tableViewHeight = 0;
if (self.navigationController.navigationBar.isTranslucent) {
top = 44;
if (iOS7Later) top += 20;
tableViewHeight = self.view.tz_height - top;
} else {
CGFloat navigationHeight = 44;
if (iOS7Later) navigationHeight += 20;
tableViewHeight = self.view.tz_height - navigationHeight;
}
_tableView = [[UITableView alloc] initWithFrame:CGRectMake(0, top, self.view.tz_width, tableViewHeight) style:UITableViewStylePlain];
_tableView.rowHeight = 70;
_tableView.tableFooterView = [[UIView alloc] init];
_tableView.dataSource = self;
_tableView.delegate = self;
[_tableView registerClass:[TZAlbumCell class] forCellReuseIdentifier:@"TZAlbumCell"];
[self.view addSubview:_tableView];
} else {
[_tableView reloadData];
}
});
}];
});
}
- (void)dealloc {
// NSLog(@"%@ dealloc",NSStringFromClass(self.class));
}
#pragma mark - UITableViewDataSource && Delegate
- (NSInteger)tableView:(UITableView *)tableView numberOfRowsInSection:(NSInteger)section {
return _albumArr.count;
}
- (UITableViewCell *)tableView:(UITableView *)tableView cellForRowAtIndexPath:(NSIndexPath *)indexPath {
TZAlbumCell *cell = [tableView dequeueReusableCellWithIdentifier:@"TZAlbumCell"];
TZImagePickerController *imagePickerVc = (TZImagePickerController *)self.navigationController;
cell.selectedCountButton.backgroundColor = imagePickerVc.oKButtonTitleColorNormal;
cell.model = _albumArr[indexPath.row];
cell.accessoryType = UITableViewCellAccessoryDisclosureIndicator;
return cell;
}
- (void)tableView:(UITableView *)tableView didSelectRowAtIndexPath:(NSIndexPath *)indexPath {
TZPhotoPickerController *photoPickerVc = [[TZPhotoPickerController alloc] init];
photoPickerVc.columnNumber = self.columnNumber;
TZAlbumModel *model = _albumArr[indexPath.row];
photoPickerVc.model = model;
[self.navigationController pushViewController:photoPickerVc animated:YES];
[tableView deselectRowAtIndexPath:indexPath animated:NO];
}
#pragma clang diagnostic pop
@end
@implementation UIImage (MyBundle)
+ (UIImage *)imageNamedFromMyBundle:(NSString *)name {
UIImage *image = [UIImage imageNamed:[@"TZImagePickerController.bundle" stringByAppendingPathComponent:name]];
if (image) {
return image;
} else {
image = [UIImage imageNamed:[@"Frameworks/TZImagePickerController.framework/TZImagePickerController.bundle" stringByAppendingPathComponent:name]];
if (!image) {
image = [UIImage imageNamed:name];
}
return image;
}
}
@end
| {
"content_hash": "9dc1193211c5d10db35fcc8ab9c141c9",
"timestamp": "",
"source": "github",
"line_count": 640,
"max_line_length": 226,
"avg_line_length": 40.5921875,
"alnum_prop": 0.7049155086800878,
"repo_name": "chengxianghe/MissGe",
"id": "6eb28bc2fe0a0446c3adcad80e4512cc2f16d65b",
"size": "26314",
"binary": false,
"copies": "1",
"ref": "refs/heads/master",
"path": "MissGe/Pods/TU_TZImagePickerController/TZImagePickerController/TZImagePickerController/TZImagePickerController.m",
"mode": "33188",
"license": "mit",
"language": [
{
"name": "HTML",
"bytes": "4555"
},
{
"name": "Objective-C",
"bytes": "246153"
},
{
"name": "Ruby",
"bytes": "765"
},
{
"name": "Swift",
"bytes": "533640"
}
],
"symlink_target": ""
} |
package org.jclouds.orion.config;
import javax.inject.Inject;
import javax.inject.Provider;
import org.jclouds.blobstore.config.BlobStoreObjectModule;
import org.jclouds.orion.domain.MutableBlobProperties;
import org.jclouds.orion.domain.OrionBlob;
import org.jclouds.orion.domain.internal.OrionBlobImpl;
import com.google.inject.AbstractModule;
import com.google.inject.Scopes;
/**
*
* @author timur
*
*/
public class OrionBlobModule extends AbstractModule {
@Override
protected void configure() {
install(new BlobStoreObjectModule());
bind(OrionBlob.Factory.class).to(OrionBlobFactory.class).in(Scopes.SINGLETON);
}
private static class OrionBlobFactory implements OrionBlob.Factory {
@Inject
Provider<MutableBlobProperties> metadataProvider;
@Override
public OrionBlob create(MutableBlobProperties metadata) {
return new OrionBlobImpl(metadata != null ? metadata : metadataProvider.get());
}
}
}
| {
"content_hash": "6820ac149c2c0b17e099d3d6bf6d2937",
"timestamp": "",
"source": "github",
"line_count": 38,
"max_line_length": 82,
"avg_line_length": 24.63157894736842,
"alnum_prop": 0.7863247863247863,
"repo_name": "timur87/orion-jclouds",
"id": "fac55d60b897632996a9bc93167db192b7203330",
"size": "1737",
"binary": false,
"copies": "1",
"ref": "refs/heads/master",
"path": "src/main/java/org/jclouds/orion/config/OrionBlobModule.java",
"mode": "33188",
"license": "apache-2.0",
"language": [
{
"name": "Java",
"bytes": "231171"
}
],
"symlink_target": ""
} |
#include "ActionLogic.h"
using namespace Helix::Glob;
#include <Log.h>
#include <dptr.h>
#include <File.h>
#include <EnEx.h>
#include <AnException.h>
using namespace SLib;
// Adds us to the global ActionClass Registry:
ActionClassRegister<ActionLogic> ActionLogic::reg("ActionLogic");
ActionLogic::ActionLogic(xmlNodePtr action)
{
EnEx ee(FL, "ActionLogic::ActionLogic(xmlNodePtr action)");
m_requires_session = true;
}
ActionLogic::ActionLogic(const ActionLogic& c)
{
EnEx ee(FL, "ActionLogic::ActionLogic(const ActionLogic& c)");
m_requires_session = c.m_requires_session;
}
ActionLogic& ActionLogic::operator=(const ActionLogic& c)
{
EnEx ee(FL, "ActionLogic::operator=(const ActionLogic& c)");
m_requires_session = c.m_requires_session;
return *this;
}
ActionLogic::~ActionLogic()
{
}
void ActionLogic::ExecuteRequest(IOConn& ioc)
{
EnEx ee(FL, "ActionLogic::ExecuteRequest(IOConn& ioc)", true);
// Send a simple welcome page back to the caller:
File index("../html/index.html");
dptr<unsigned char> data;
data = index.readContents();
Date expires;
ioc.SendReturn(data, index.size(), index.name(), index.lastModified(), expires);
ioc.Close();
}
| {
"content_hash": "8dda0097cce5ee7a5489e243bf8b2204",
"timestamp": "",
"source": "github",
"line_count": 56,
"max_line_length": 81,
"avg_line_length": 21.089285714285715,
"alnum_prop": 0.7265029635901779,
"repo_name": "smc314/helix",
"id": "bcd49b241f30f17ee1c220b5c4538691d20dde15",
"size": "1451",
"binary": false,
"copies": "1",
"ref": "refs/heads/master",
"path": "server/c/glob/ActionLogic.cpp",
"mode": "33188",
"license": "mit",
"language": [
{
"name": "C",
"bytes": "144970"
},
{
"name": "C#",
"bytes": "149673"
},
{
"name": "C++",
"bytes": "1273269"
},
{
"name": "CSS",
"bytes": "33151"
},
{
"name": "HTML",
"bytes": "13682406"
},
{
"name": "Java",
"bytes": "2214"
},
{
"name": "JavaScript",
"bytes": "7725953"
},
{
"name": "Makefile",
"bytes": "7470"
},
{
"name": "Python",
"bytes": "19101"
},
{
"name": "Shell",
"bytes": "71831"
}
],
"symlink_target": ""
} |
<!DOCTYPE html>
<html>
<head>
<meta charset="UTF-8">
<title>Javascript Search Engine : StoreManager</title>
<script src="libs/jquery-1.8.2.min.js"></script>
<script src="libs/qunit-1.10.0.js"></script>
<link rel="stylesheet" type="text/css" href="libs/qunit-1.10.0.css" />
<script type="text/javascript" src="../src/stores/memory_store.js"></script>
<script type="text/javascript" src="../src/stores/websql_store.js"></script>
<script type="text/javascript" src="../src/resultsets.js"></script>
<script type="text/javascript" src="../src/utils.js"></script>
<script type="text/javascript" src="../src/storemanager.js"></script>
<script type="text/javascript" src="../src/capabilities.js"></script>
<script type="text/javascript" src="common-testutils.js"></script>
<script type="text/javascript" src="test-storemanager.js"></script>
<style TYPE="text/css">
div.floatbox {
float:left; width: 300px;
}
div.resultbox {
border: 1px solid black; margin:0.5em;
color: black; background-color: #EEEEEE;
overflow: hidden;
}
textarea.typebox {
float: left;
width: 300px; height: 200px; margin:1em;"
color: black; background-color: white;
}
</style>
</head>
<body>
<h1>Testing the Stores</h1>
<div id="qunit"></div>
</body>
</html> | {
"content_hash": "ee71a7163344ae1a525a0aac8278f2b3",
"timestamp": "",
"source": "github",
"line_count": 43,
"max_line_length": 80,
"avg_line_length": 29.72093023255814,
"alnum_prop": 0.6737089201877934,
"repo_name": "reyesr/fullproof",
"id": "b432b5c1e593b277f8c077aa2f94c86a05d9b367",
"size": "1278",
"binary": false,
"copies": "2",
"ref": "refs/heads/master",
"path": "tests/storemanager.html",
"mode": "33188",
"license": "apache-2.0",
"language": [
{
"name": "JavaScript",
"bytes": "245919"
}
],
"symlink_target": ""
} |
var pgp = require('./util/pgPromise');
module.exports = function attemptToGetLock (options) {
var db = pgp(options.conString);
var result = db.query('SELECT pg_try_advisory_lock(1) AS lock');
return result.then(function (result) {
if (result[0].lock) {
options.reporter('Got lock!');
return function releaseLock () {
var result = db.query('SELECT pg_advisory_unlock(1)');
result.then(function () {
options.reporter('Released lock!');
}, function (err) {
options.reporter('Got error trying to release lock!', err);
});
return result;
};
}
var err = new Error('lock was already taken!');
err.code = 'LOCK_ALREADY_TAKEN';
throw err;
}).catch(function (err) {
if (err.code === 'LOCK_ALREADY_TAKEN') {
options.reporter('Lock was already taken.');
} else {
options.reporter('Got error while trying to get lock!', err);
}
throw err;
});
};
| {
"content_hash": "71c18465e7325278a40e5488cbdc41a9",
"timestamp": "",
"source": "github",
"line_count": 32,
"max_line_length": 79,
"avg_line_length": 34.625,
"alnum_prop": 0.5225631768953068,
"repo_name": "One-com/node-postgres-migrate",
"id": "6569227165294c2ad4f51dd445afd60d722ea01c",
"size": "1108",
"binary": false,
"copies": "1",
"ref": "refs/heads/master",
"path": "lib/attemptToGetLock.js",
"mode": "33188",
"license": "bsd-3-clause",
"language": [
{
"name": "JavaScript",
"bytes": "37534"
}
],
"symlink_target": ""
} |
""" vim:ts=4:expandtab
(c) Jerzy Kędra 2013
TODO:
1.Check only last few podcasts by date
Don't try to download older podcasts than date specified.
For example - test last week only for regular podcast
donwload.
2.Non-verbose mode to be used from cron.
"""
import os
import urllib2
import urllib
import httplib
from BeautifulSoup import BeautifulSoup, BeautifulStoneSoup
import email.utils as eut
#from datetime import datetime
import datetime
import codecs
from urlparse import urlparse
import shutil
class PodcastURLopener(urllib.FancyURLopener):
"""Create sub-class in order to overide error 206. This error means a
partial file is being sent, which is ok in this case.
Do nothing with this error.
"""
def http_error_206(self, url, fp, errcode, errmsg, headers, data=None):
pass
def reporthook(blocks_read, block_size, total_size):
"""Progress printing, it is an argument to urlretrieve."""
total_size = podsize
if not blocks_read:
return
if total_size < 0:
# Unknown size
print ' Read %d blocks' % blocks_read
else:
amount_read = blocks_read * block_size + podsiz3
print ' Read ',
if amount_read < 1024*1024 :
print '%dkB ' % (amount_read/1024),
elif amount_read > 1024*1024 :
print '%dMB ' % (amount_read/1024/1024),
print '%d%% \r' % (100*amount_read/total_size),
return
def getsize(url):
"""Returns Content-Length value for given URL. Follows redirs."""
o = urlparse(url)
conn = httplib.HTTPConnection(o.netloc)
conn.request("HEAD", o.path)
res = conn.getresponse()
if res.status == 301 or res.status == 302: # poprawic na kod opisowy
# print res.reason, ": ", res.getheader('location')
return getsize(res.getheader('location'))
elif res.status == 200:
# inne interesujace tagi: etag
# print res.getheader('content-length')
return res.getheader('content-length')
else:
print "getsize() UNKNOWN PROBLEM"
print res.reason, ": ", res.getheader('location')
print res.getheaders()
raise IOError
def descwrite(i):
"""Writes a description in a file for given podcast."""
podname = i.title.string
f = codecs.open(podftxt, encoding='utf-8', mode='w')
f.write(podname)
f.write("\n\n")
# enclosing in try-exception because of this error
# TypeError: coercing to Unicode: need string or buffer, Tag found
try:
# This is to decode </> before writing it to the file
# BeautifulStoneSoup(items[1].description.string, convertEntities=BeautifulStoneSoup.HTML_ENTITIES).contents[0]
f.write(BeautifulStoneSoup(i.description.string,
convertEntities=
BeautifulStoneSoup.HTML_ENTITIES).contents[0])
except TypeError:
f.write(i.description.string)
f.close
""" MAIN PROGRAM STARTS HERE
"""
#baseurl = 'http://feeds.feedburner.com/zdzis?format=xml/'
baseurl = 'http://feeds.feedburner.com/dailyaudiobible/'
current_page = urllib2.urlopen(baseurl)
#current_page = open('cache-soup.html')
soup = BeautifulSoup(current_page)
# SAVING THE SOUP IN A FILE
fs = open('cache-soup.html', 'w')
fs.write(soup.prettify())
exit()
"""
c = soup.find('div', {'id':'story'})
contpage = c.find('div', {'class':'articlePaged_Next'}).a['href']
soup.find('div', {'id':'story'})
if len(contpage) > 0 :
current_page = urllib2.urlopen(baseurl+contpage)
soupadd = BeautifulSoup(current_page).find('div', {'id':'story'})
items = soup.findAll('item')
print items[1].find('media:content')['url'], "\n\n\n",
items[1].title.string, "\n\n\n", items[1].description.string
"""
os.chdir('DATA')
for i in soup.findAll('item'):
podname = i.title.string
poddate = datetime.datetime(*eut.parsedate(i.pubdate.string)[:6])
podfmp3 = podname + '.mp3'
podtmp3 = podname + '.mp3.part'
podftxt = podname + '.txt'
podurl = i.find('media:content')['url']
podsiz3 = 0
posize = 0
# nie sprawdzaj starszych
if (datetime.datetime.today() - poddate).days > 30 :
continue
# sprawdźmy czy plik w ogóle da się ściągnąć
# jak nie - iterujemy od początku
try:
podsize = int(getsize(podurl))
except IOError:
continue
# write description to description file
if not os.path.exists(podftxt) :
descwrite(i)
if os.path.exists(podfmp3) :
podsiz3 = os.stat(podfmp3).st_size
if podsiz3 == podsize :
print "Skipping %s (%s)" % (podfmp3, poddate)
continue
else:
print "{} only {}<{} retrived - resuming".format(podfmp3,
podsiz3, podsize)
try:
# it takes some time for large files
urllib._urlopener = PodcastURLopener()
urllib._urlopener.addheader("Range","bytes=%s-" % (podsiz3))
urllib.urlretrieve(podurl, podtmp3, reporthook=reporthook)
urllib._urlopener = urllib.FancyURLopener()
fsrc = open(podtmp3)
fdst = open(podfmp3, "a")
shutil.copyfileobj(fsrc, fdst)
fsrc.close()
fdst.close()
os.unlink(podtmp3)
except urllib.ContentTooShortError:
print "\tfailed to retrieve ", podurl
if os.path.exists(podtmp3) :
print "\tremoving ", podtmp3
os.unlink(podtmp3)
continue
else :
print "Downloading ", podfmp3
try:
# it takes some time for large files
urllib.urlretrieve(podurl, podfmp3, reporthook=reporthook)
except urllib.ContentTooShortError:
print "\tfailed to retrieve ", podurl
if os.path.exists(podfmp3) :
print "\tremoving ", podfmp3
os.unlink(podfmp3)
continue
print "stored as ", podfmp3
| {
"content_hash": "43253e248449ce581c38047d7689bf2e",
"timestamp": "",
"source": "github",
"line_count": 195,
"max_line_length": 119,
"avg_line_length": 31.835897435897436,
"alnum_prop": 0.5958440721649485,
"repo_name": "jkedra/PodcastMirror",
"id": "6b748e57345164d5d2eeefd45509bcba413e1c2b",
"size": "6258",
"binary": false,
"copies": "1",
"ref": "refs/heads/master",
"path": "Debug.py",
"mode": "33261",
"license": "mit",
"language": [
{
"name": "Python",
"bytes": "41600"
},
{
"name": "Shell",
"bytes": "31"
}
],
"symlink_target": ""
} |
namespace morphie {
namespace ast {
namespace value {
namespace {
static void Initialize(PrimitiveType type, AST* ast) {
ast->clear_name();
ast->clear_is_nullable();
ast->mutable_p_ast()->set_type(type);
}
static void Initialize(Operator op, const AST& arg, AST* ast) {
ast->clear_name();
ast->clear_is_nullable();
ast->mutable_c_ast()->set_op(op);
AST* a = ast->mutable_c_ast()->add_arg();
*a = arg;
}
static const std::map<string, bool> bool_vals = {
{"", false}, {"true", true}, {"false", true}, {"0", false}, {"1", false} };
// The set of tests below check if ASTs represent values.
// Accept the representation of null values.
TEST(ValueCheckerTest, IsNullValue) {
AST ast;
string err;
ast.clear_name();
ast.clear_is_nullable();
ast.set_allocated_p_ast(nullptr);
EXPECT_TRUE(IsValue(ast, &err));
}
// Test representation of Boolean values.
TEST(ValueCheckerTest, IsABool) {
AST ast;
string err;
PrimitiveType ptype = PrimitiveType::BOOL;
Initialize(ptype, &ast);
ast.mutable_p_ast()->mutable_val()->set_bool_val(true);
EXPECT_TRUE(IsPrimitive(ptype, ast.p_ast().val()));
EXPECT_TRUE(IsValue(ast, &err));
ast.mutable_p_ast()->mutable_val()->set_bool_val(false);
EXPECT_TRUE(IsPrimitive(ptype, ast.p_ast().val()));
EXPECT_TRUE(IsValue(ast, &err));
ast.mutable_p_ast()->mutable_val()->set_int_val(0);
EXPECT_FALSE(IsPrimitive(ptype, ast.p_ast().val()));
EXPECT_FALSE(IsValue(ast, &err));
ast.mutable_p_ast()->mutable_val()->set_string_val("");
EXPECT_FALSE(IsPrimitive(ptype, ast.p_ast().val()));
EXPECT_FALSE(IsValue(ast, &err));
ast.mutable_p_ast()->clear_val();
EXPECT_TRUE(IsValue(ast, &err));
}
// Test representation of int values.
static const std::map<string, bool> int_vals = {
{"", false}, {"0", true}, {"00", true}, {"-0", true}, {"-00", true},
{"1", true}, {"01", true}, {"-1", true}, {"-01", true}, {"a", false},
{"1a", false}, {"-1a", false} };
TEST(ValueCheckerTest, IsAnInt) {
AST ast;
string err;
PrimitiveType ptype = PrimitiveType::INT;
Initialize(ptype, &ast);
ast.mutable_p_ast()->mutable_val()->set_int_val(0);
EXPECT_TRUE(IsPrimitive(ptype, ast.p_ast().val()));
EXPECT_TRUE(IsValue(ast, &err));
ast.mutable_p_ast()->mutable_val()->set_int_val(-1);
EXPECT_TRUE(IsPrimitive(ptype, ast.p_ast().val()));
EXPECT_TRUE(IsValue(ast, &err));
ast.mutable_p_ast()->mutable_val()->set_string_val("0");
EXPECT_FALSE(IsPrimitive(ptype, ast.p_ast().val()));
EXPECT_FALSE(IsValue(ast, &err));
ast.mutable_p_ast()->mutable_val()->set_time_val(0);
EXPECT_FALSE(IsPrimitive(ptype, ast.p_ast().val()));
EXPECT_FALSE(IsValue(ast, &err));
ast.mutable_p_ast()->clear_val();
EXPECT_TRUE(IsValue(ast, &err));
}
TEST(ValueCheckerTest, IsAString) {
AST ast;
string err;
PrimitiveType ptype = PrimitiveType::STRING;
Initialize(ptype, &ast);
ast.mutable_p_ast()->mutable_val()->set_bool_val(true);
EXPECT_FALSE(IsPrimitive(ptype, ast.p_ast().val()));
EXPECT_FALSE(IsValue(ast, &err));
ast.mutable_p_ast()->mutable_val()->set_int_val(0);
EXPECT_FALSE(IsPrimitive(ptype, ast.p_ast().val()));
EXPECT_FALSE(IsValue(ast, &err));
ast.mutable_p_ast()->mutable_val()->set_string_val("a");
EXPECT_TRUE(IsPrimitive(ptype, ast.p_ast().val()));
EXPECT_TRUE(IsValue(ast, &err));
ast.mutable_p_ast()->clear_val();
EXPECT_TRUE(IsValue(ast, &err));
}
TEST(ValueCheckerTest, IsATimestamp) {
AST ast;
string err;
PrimitiveType ptype = PrimitiveType::TIMESTAMP;
Initialize(ptype, &ast);
ast.mutable_p_ast()->mutable_val()->set_time_val(-5);
EXPECT_TRUE(IsPrimitive(ptype, ast.p_ast().val()));
EXPECT_TRUE(IsValue(ast, &err));
ast.mutable_p_ast()->clear_val();
EXPECT_TRUE(IsValue(ast, &err));
}
TEST(ValueCheckerTest, IsAnInterval) {
AST zero, one, btrue, ast;
Initialize(PrimitiveType::INT, &zero);
zero.mutable_p_ast()->mutable_val()->set_int_val(0);
Initialize(PrimitiveType::INT, &one);
zero.mutable_p_ast()->mutable_val()->set_int_val(1);
Initialize(PrimitiveType::BOOL, &btrue);
btrue.mutable_p_ast()->mutable_val()->set_bool_val(false);
string err;
// An interval cannot have only one argument.
Initialize(Operator::INTERVAL, zero, &ast);
EXPECT_FALSE(IsValue(ast, &err));
// An interval with two arguments is a value.
AST* arg = ast.mutable_c_ast()->add_arg();
*arg = one;
EXPECT_TRUE(IsValue(ast, &err));
// An interval with two arguments one of which is null, is a value.
ast.mutable_c_ast()->mutable_arg(0)->mutable_p_ast()->clear_val();
EXPECT_TRUE(IsValue(ast, &err));
*(ast.mutable_c_ast()->mutable_arg(0)) = zero;
ast.mutable_c_ast()->mutable_arg(1)->mutable_p_ast()->clear_val();
EXPECT_TRUE(IsValue(ast, &err));
// An interval with two arguments of different type is not a value.
*(ast.mutable_c_ast()->mutable_arg(0)) = btrue;
EXPECT_FALSE(IsValue(ast, &err));
// An interval with an argument that is not a value is not a value, even if
// that argument has the appropriate type.
arg = ast.mutable_c_ast()->mutable_arg(0);
arg->mutable_p_ast()->set_type(PrimitiveType::INT);
EXPECT_FALSE(IsValue(ast, &err));
// An interval with two null arguments is a value.
ast.mutable_c_ast()->mutable_arg(0)->mutable_p_ast()->clear_val();
ast.mutable_c_ast()->mutable_arg(1)->mutable_p_ast()->clear_val();
EXPECT_TRUE(IsValue(ast, &err));
// An interval with no arguments is a value.
ast.mutable_c_ast()->clear_arg();
EXPECT_TRUE(IsValue(ast, &err));
}
static void TestContainer(Operator op) {
AST zero, ast;
Initialize(PrimitiveType::INT, &zero);
zero.mutable_p_ast()->mutable_val()->set_int_val(0);
string err;
// A container with an int is a value.
Initialize(op, zero, &ast);
EXPECT_TRUE(IsValue(ast, &err));
// A container with an AST that is not a value is not a value.
AST* arg = ast.mutable_c_ast()->mutable_arg(0);
arg->mutable_p_ast()->mutable_val()->set_string_val("a");
EXPECT_FALSE(IsValue(ast, &err));
// Due to imprecision in value checking, a container with one int and one bool
// is considered a value.
arg->mutable_p_ast()->mutable_val()->set_int_val(1);
arg = ast.mutable_c_ast()->add_arg();
Initialize(PrimitiveType::BOOL, arg);
arg->mutable_p_ast()->mutable_val()->set_bool_val(false);
EXPECT_TRUE(IsValue(ast, &err));
// The empty container is a value.
ast.mutable_c_ast()->clear_arg();
EXPECT_TRUE(IsValue(ast, &err));
}
TEST(ValueCheckerTest, ListIsLikeAContainer) {
TestContainer(Operator::LIST);
}
TEST(ValueCheckerTest, SetIsLikeAContainer) {
TestContainer(Operator::SET);
}
TEST(ValueCheckerTest, TupleIsLikeAContainer) {
TestContainer(Operator::TUPLE);
}
// Tests of isomorphism checks.
// Null values with no additional type information are isomorphic.
TEST(IsomorphismTest, NullIsomorphism) {
AST val1, val2;
EXPECT_TRUE(Isomorphic(val1, val2));
val1.mutable_p_ast()->set_type(PrimitiveType::BOOL);
EXPECT_FALSE(Isomorphic(val1, val2));
val1.mutable_c_ast()->set_op(Operator::SET);
EXPECT_FALSE(Isomorphic(val1, val2));
}
// Null values of the same type are isomorphic.
TEST(IsomorphismTest, PrimitiveNullIsomorphism) {
AST val1, val2;
val1.mutable_p_ast()->set_type(PrimitiveType::BOOL);
val2.mutable_p_ast()->set_type(PrimitiveType::BOOL);
val1.mutable_p_ast()->clear_val();
val2.mutable_p_ast()->mutable_val()->set_bool_val(true);
EXPECT_FALSE(Isomorphic(val1, val2));
val2.mutable_p_ast()->clear_val();
EXPECT_TRUE(Isomorphic(val1, val2));
// Two null values must have the same type to be isomorphic.
val2.mutable_p_ast()->set_type(PrimitiveType::INT);
EXPECT_FALSE(Isomorphic(val1, val2));
}
TEST(IsomorphismTest, BoolIsomorphism) {
AST val1, val2;
Initialize(PrimitiveType::BOOL, &val1);
val1.mutable_p_ast()->mutable_val()->set_bool_val(false);
Initialize(PrimitiveType::BOOL, &val2);
val2.mutable_p_ast()->mutable_val()->set_bool_val(false);
EXPECT_TRUE(Isomorphic(val1, val2));
// ASTs with different values are not isomoprhic.
val1.mutable_p_ast()->mutable_val()->set_bool_val(true);
EXPECT_FALSE(Isomorphic(val1, val2));
// ASTs with different types but same value are not isomoprhic.
val2.mutable_p_ast()->mutable_val()->set_bool_val(true);
val2.mutable_p_ast()->set_type(PrimitiveType::INT);
EXPECT_FALSE(Isomorphic(val1, val2));
}
TEST(IsomorphismTest, IntIsomorphism) {
AST val1, val2;
Initialize(PrimitiveType::INT, &val1);
val1.mutable_p_ast()->mutable_val()->set_int_val(0);
Initialize(PrimitiveType::INT, &val2);
val2.mutable_p_ast()->mutable_val()->set_int_val(0);
EXPECT_TRUE(Isomorphic(val1, val2));
val2.mutable_p_ast()->mutable_val()->set_int_val(1);
EXPECT_FALSE(Isomorphic(val1, val2));
// Not isomorphic because values are same but types are different.
val2.mutable_p_ast()->mutable_val()->set_int_val(0);
val2.mutable_p_ast()->set_type(PrimitiveType::BOOL);
EXPECT_FALSE(Isomorphic(val1, val2));
}
TEST(IsomorphismTest, StringIsomorphism) {
AST val1, val2;
Initialize(PrimitiveType::STRING, &val1);
val1.mutable_p_ast()->mutable_val()->set_string_val("");
Initialize(PrimitiveType::STRING, &val2);
val2.mutable_p_ast()->mutable_val()->set_string_val("");
EXPECT_TRUE(Isomorphic(val1, val2));
val2.mutable_p_ast()->mutable_val()->set_string_val("a");
EXPECT_FALSE(Isomorphic(val1, val2));
}
TEST(IsomorphismTest, IntervalIsomorphism) {
AST val1, val2, zero, one, two;
Initialize(PrimitiveType::INT, &zero);
zero.mutable_p_ast()->mutable_val()->set_int_val(0);
Initialize(PrimitiveType::INT, &one);
one.mutable_p_ast()->mutable_val()->set_int_val(1);
Initialize(PrimitiveType::INT, &two);
two.mutable_p_ast()->mutable_val()->set_int_val(2);
Initialize(Operator::INTERVAL, zero, &val1);
Initialize(Operator::INTERVAL, zero, &val2);
AST* ub = val1.mutable_c_ast()->add_arg();
*ub = one;
ub = val2.mutable_c_ast()->add_arg();
*ub = one;
EXPECT_TRUE(Isomorphic(val1, val2));
// Intervals over different ranges are not isomorphic.
*(val2.mutable_c_ast()->mutable_arg(1)) = two;
EXPECT_FALSE(Isomorphic(val1, val2));
// Empty intervals have multiple non-isomorphic representations.
*(val1.mutable_c_ast()->mutable_arg(0)) = one;
*(val1.mutable_c_ast()->mutable_arg(1)) = zero;
*(val2.mutable_c_ast()->mutable_arg(0)) = two;
*(val2.mutable_c_ast()->mutable_arg(1)) = zero;
EXPECT_FALSE(Isomorphic(val1, val2));
}
void CheckIsomorphism(Operator op, AST* val1, AST* val2) {
AST zero;
AST one;
AST two;
Initialize(PrimitiveType::INT, &zero);
zero.mutable_p_ast()->mutable_val()->set_int_val(0);
Initialize(PrimitiveType::INT, &one);
one.mutable_p_ast()->mutable_val()->set_int_val(1);
Initialize(PrimitiveType::INT, &two);
two.mutable_p_ast()->mutable_val()->set_int_val(2);
Initialize(op, zero, val1);
EXPECT_FALSE(Isomorphic(*val1, *val2));
Initialize(op, zero, val2);
EXPECT_TRUE(Isomorphic(*val1, *val2));
// Isomorphism fails because val1 has two arguments but val2 has one.
AST* second = val1->mutable_c_ast()->add_arg();
*second = one;
EXPECT_FALSE(Isomorphic(*val1, *val2));
// Isomorphism succeeds because both values have the same number of arguments.
second = val2->mutable_c_ast()->add_arg();
*second = one;
EXPECT_TRUE(Isomorphic(*val1, *val2));
// Both values have two arguments but the second arguments are different.
*(val2->mutable_c_ast()->mutable_arg(1)) = two;
EXPECT_FALSE(Isomorphic(*val1, *val2));
val1->mutable_c_ast()->clear_arg();
EXPECT_FALSE(Isomorphic(*val1, *val2));
val2->mutable_c_ast()->clear_arg();
EXPECT_TRUE(Isomorphic(*val1, *val2));
}
TEST(IsomorphismTest, ListIsomorphism) {
AST val1, val2;
CheckIsomorphism(Operator::LIST, &val1, &val2);
}
TEST(IsomorphismTest, SetIsomorphism) {
AST val1, val2;
CheckIsomorphism(Operator::SET, &val1, &val2);
// The set {1, 2} has two non-isomoprhic representations depending on the
// order in which elements are added.
AST one;
AST two;
Initialize(PrimitiveType::INT, &one);
one.mutable_p_ast()->mutable_val()->set_int_val(1);
Initialize(PrimitiveType::INT, &two);
two.mutable_p_ast()->mutable_val()->set_int_val(2);
AST* arg = val1.mutable_c_ast()->add_arg();
*arg = one;
arg = val1.mutable_c_ast()->add_arg();
*arg = two;
EXPECT_FALSE(Isomorphic(val1, val2));
arg = val2.mutable_c_ast()->add_arg();
*arg = two;
arg = val2.mutable_c_ast()->add_arg();
*arg = one;
EXPECT_FALSE(Isomorphic(val1, val2));
}
TEST(IsomorphismTest, TupleIsomorphism) {
AST val1, val2;
CheckIsomorphism(Operator::TUPLE, &val1, &val2);
// The tuple (1, 2) has two non-isomoprhic representations depending on the
// order in which elements are added.
AST one;
AST two;
Initialize(PrimitiveType::INT, &one);
one.mutable_p_ast()->mutable_val()->set_int_val(1);
Initialize(PrimitiveType::INT, &two);
two.mutable_p_ast()->mutable_val()->set_int_val(2);
AST* arg = val1.mutable_c_ast()->add_arg();
*arg = one;
arg = val1.mutable_c_ast()->add_arg();
*arg = two;
EXPECT_FALSE(Isomorphic(val1, val2));
arg = val2.mutable_c_ast()->add_arg();
*arg = two;
arg = val2.mutable_c_ast()->add_arg();
*arg = one;
EXPECT_FALSE(Isomorphic(val1, val2));
}
// Test canonicalization methods.
//
// Null values of the same type are unaffected by canonicalization.
TEST(CanonicalizerTest, NullCanonicalization) {
AST val1, val2;
val1.mutable_p_ast()->set_type(PrimitiveType::BOOL);
val2.mutable_p_ast()->set_type(PrimitiveType::BOOL);
val1.mutable_p_ast()->clear_val();
val2.mutable_p_ast()->clear_val();
Canonicalize(&val2);
EXPECT_TRUE(Isomorphic(val1, val2));
}
void MakeBoolInterval(bool lb, bool ub, AST* val) {
AST lbval, ubval;
Initialize(PrimitiveType::BOOL, &lbval);
lbval.mutable_p_ast()->mutable_val()->set_bool_val(lb);
Initialize(PrimitiveType::BOOL, &ubval);
ubval.mutable_p_ast()->mutable_val()->set_bool_val(ub);
val->clear_name();
val->clear_is_nullable();
val->mutable_c_ast()->set_op(Operator::INTERVAL);
AST* arg = val->mutable_c_ast()->add_arg();
*arg = lbval;
arg = val->mutable_c_ast()->add_arg();
*arg = ubval;
}
void CanonicalizeBoolIntervals(bool lb1, bool ub1, bool lb2, bool ub2,
bool before, bool after) {
AST itv1, itv2;
MakeBoolInterval(lb1, ub1, &itv1);
MakeBoolInterval(lb2, ub2, &itv2);
EXPECT_EQ(Isomorphic(itv1, itv2), before);
Canonicalize(&itv1);
Canonicalize(&itv2);
EXPECT_EQ(Isomorphic(itv1, itv2), after);
}
TEST(CanonicalizerTest, BoolIntervalCanonicalization) {
// Isomorphic before and after canonicalization.
CanonicalizeBoolIntervals(true, true, true, true, true, true);
CanonicalizeBoolIntervals(true, false, true, false, true, true);
// Not isomorphic before or after canonicalization.
CanonicalizeBoolIntervals(true, false, false, true, false, false);
// The interval [true, false] is isomorphic to the empty interval after
// canonicalization.
AST itv1, itv2;
MakeBoolInterval(true, false, &itv1);
itv1.mutable_c_ast()->clear_arg();
MakeBoolInterval(true, false, &itv2);
EXPECT_FALSE(Isomorphic(itv1, itv2));
Canonicalize(&itv1);
Canonicalize(&itv2);
EXPECT_TRUE(Isomorphic(itv1, itv2));
}
void MakeIntInterval(int lb, int ub, AST* val) {
AST lbval, ubval;
Initialize(PrimitiveType::INT, &lbval);
lbval.mutable_p_ast()->mutable_val()->set_int_val(lb);
Initialize(PrimitiveType::INT, &ubval);
ubval.mutable_p_ast()->mutable_val()->set_int_val(ub);
val->clear_name();
val->clear_is_nullable();
val->mutable_c_ast()->set_op(Operator::INTERVAL);
AST* arg = val->mutable_c_ast()->add_arg();
*arg = lbval;
arg = val->mutable_c_ast()->add_arg();
*arg = ubval;
}
void CanonicalizeIntIntervals(int lb1, int ub1, int lb2, int ub2, int before,
int after) {
AST itv1, itv2;
MakeIntInterval(lb1, ub1, &itv1);
MakeIntInterval(lb2, ub2, &itv2);
EXPECT_EQ(Isomorphic(itv1, itv2), before);
Canonicalize(&itv1);
Canonicalize(&itv2);
EXPECT_EQ(Isomorphic(itv1, itv2), after);
}
TEST(CanonicalizerTest, IntIntervalCanonicalization) {
// Isomorphic before and after canonicalization.
CanonicalizeIntIntervals(0, 1, 0, 1, true, true);
// Not isomorphic before or after canonicalization.
CanonicalizeIntIntervals(0, -1, -1, 0, false, false);
// Isomophic to the empty interval, after canonicalization.
CanonicalizeIntIntervals(0, -1, 3, 1, false, true);
}
void MakeIntContainer(Operator op, const std::vector<int>& args, AST* val) {
val->clear_name();
val->clear_is_nullable();
val->mutable_c_ast()->set_op(op);
val->mutable_c_ast()->clear_arg();
AST element;
AST* arg_ptr;
for (int arg : args) {
Initialize(PrimitiveType::INT, &element);
element.mutable_p_ast()->mutable_val()->set_int_val(arg);
arg_ptr = val->mutable_c_ast()->add_arg();
*arg_ptr = element;
}
}
void MakeCompositeContainer(Operator op, const std::vector<AST>& args,
AST* val) {
val->clear_name();
val->clear_is_nullable();
val->mutable_c_ast()->set_op(op);
val->mutable_c_ast()->clear_arg();
AST* arg_ptr;
for (const auto& arg : args) {
arg_ptr = val->mutable_c_ast()->add_arg();
*arg_ptr = arg;
}
}
TEST(CanonicalizerTest, IntervalListCanonicalization) {
AST itv1;
MakeBoolInterval(true, false, &itv1);
std::vector<AST> args;
// A list containing the empty interval and one containing the interval
// [true,false] are only isomorphic after canonicalization.
AST list1, list2;
args.push_back(itv1);
MakeCompositeContainer(Operator::LIST, args, &list1);
args[0].mutable_c_ast()->clear_arg();
MakeCompositeContainer(Operator::LIST, args, &list2);
EXPECT_FALSE(Isomorphic(list1, list2));
Canonicalize(&list1);
Canonicalize(&list2);
EXPECT_TRUE(Isomorphic(list1, list2));
}
TEST(CanonicalizerTest, SetCanonicalization) {
std::vector<int> args;
AST set1, set2;
// The set { 0 } has non-isomorphic representations, with 0 occurring multiple
// times.
args.emplace_back(0);
MakeIntContainer(Operator::SET, args, &set1);
args.emplace_back(0);
MakeIntContainer(Operator::SET, args, &set2);
EXPECT_FALSE(Isomorphic(set1, set2));
Canonicalize(&set2);
EXPECT_TRUE(Isomorphic(set1, set2));
// The set { 0, 1 } has two, non-isomorphic representations.
args[1] = 1;
MakeIntContainer(Operator::SET, args, &set1);
args[0] = 1;
args[1] = 0;
MakeIntContainer(Operator::SET, args, &set2);
EXPECT_FALSE(Isomorphic(set1, set2));
Canonicalize(&set2);
EXPECT_TRUE(Isomorphic(set1, set2));
}
TEST(CanonicalizerTest, TupleCanonicalization) {
AST itv1;
AST one;
MakeBoolInterval(true, false, &itv1);
Initialize(PrimitiveType::INT, &one);
one.mutable_p_ast()->mutable_val()->set_int_val(1);
std::vector<AST> args;
// A tuple containing the empty interval and one containing the interval
// [true,false] are only isomorphic after canonicalization.
AST tuple1, tuple2;
args.push_back(itv1);
args.push_back(one);
MakeCompositeContainer(Operator::LIST, args, &tuple1);
args[0].mutable_c_ast()->clear_arg();
MakeCompositeContainer(Operator::LIST, args, &tuple2);
EXPECT_FALSE(Isomorphic(tuple1, tuple2));
Canonicalize(&tuple1);
Canonicalize(&tuple2);
EXPECT_TRUE(Isomorphic(tuple1, tuple2));
}
} // namespace
} // namespace value
} // namespace ast
} // namespace morphie
| {
"content_hash": "59b161a627c31f3c5019c3e7f2437f13",
"timestamp": "",
"source": "github",
"line_count": 604,
"max_line_length": 80,
"avg_line_length": 32.175496688741724,
"alnum_prop": 0.6743850982813625,
"repo_name": "google/morphie",
"id": "daeffb284661bda03fa96abd2cb4062ae5445d5d",
"size": "20187",
"binary": false,
"copies": "1",
"ref": "refs/heads/master",
"path": "graph/value_checker_test.cc",
"mode": "33188",
"license": "apache-2.0",
"language": [
{
"name": "C",
"bytes": "791"
},
{
"name": "C++",
"bytes": "580176"
},
{
"name": "CMake",
"bytes": "13850"
},
{
"name": "Protocol Buffer",
"bytes": "15342"
}
],
"symlink_target": ""
} |
module Scoutui::Commands
class ThenClause
attr_accessor :drv
def initialize(driver)
@drv=driver
@pageElt=nil
end
def self._execute(drv, thenList)
thenList.each do |_subcmd|
if _subcmd.is_a?(String)
Scoutui::Logger::LogMgr.instance.debug __FILE__ + (__LINE__).to_s + " | then => #{_subcmd}"
if _subcmd.match(/^\s*press\(__TAB__\)$/)
drv.action.send_keys(:tab).perform
elsif _subcmd.match(/^\s*press\((__ESC__|__ESCAPE__)\)$/)
drv.action.send_keys(:escape).perform
elsif _subcmd.match(/^\s*press\(__HOLD_SHIFT__\)\s*$/)
drv.action.key_down(:shift).perform
Scoutui::Base::TestContext.instance.set(:shift_down, true)
elsif _subcmd.match(/^\s*press\(__RELEASE_SHIFT__\)\s*$/)
drv.action.key_up(:shift).perform
Scoutui::Base::TestContext.instance.set(:shift_down, false)
elsif _subcmd.match(/^\s*press\(__HOLD_COMMAND__\)$/)
drv.action.key_down(:command).perform
Scoutui::Base::TestContext.instance.set(:command_down, true)
elsif _subcmd.match(/^\s*press\(__RELEASE_COMMAND__\)$/)
drv.action.key_up(:command).perform
Scoutui::Base::TestContext.instance.set(:command_down, false)
elsif _subcmd.match(/^\s*press\(__CONTROL__\)$/)
drv.driver.action.key_down(:control).perform
drv.action.key_up(:control).perform
# Check for list of elements to click
elsif _subcmd.match(/^\s*press\(__DOWN__\)$/)
Scoutui::Logger::LogMgr.instance.debug __FILE__ + (__LINE__).to_s + " Press down"
drv.action.send_keys(:arrow_down).perform
elsif _subcmd.match(/^\s*press\(__UP__\)$/)
drv.action.send_keys(:arrow_up).perform
elsif _subcmd.match(/^\s*press\(__ENTER__\)\s*$/)
drv.action.send_keys(:enter).perform
elsif _subcmd.match(/^\s*focused\.[Hh]ighlight\s*$/i)
_activeElt = drv.switch_to.active_element
if !_activeElt.nil?
Scoutui::Base::QBrowser.highlight(drv, _activeElt)
end
elsif _subcmd.match(/^\s*click\((.*)\)\s*$/)
# Click on the locator
_c = Scoutui::Commands::ClickObject.new(_subcmd)
_c.run(driver: drv)
elsif _subcmd.match(/^\s*press\(__SPACE__\)\s*$/)
drv.action.send_keys(:space).perform
elsif Scoutui::Commands::Utils.instance.isMouseOver?(_subcmd)
_cmd='MouseOver'
_c = Scoutui::Commands::MouseOver.new(_subcmd)
_c.execute(drv)
elsif Scoutui::Commands::Utils.instance.isPause?(_subcmd)
_cmd='pause'
_c = Scoutui::Commands::Pause.new(nil)
_c.execute();
elsif _subcmd.match(/^\s*press\((.*)\)\s*$/)
_locator = _subcmd.match(/^\s*press\((.*)\)\s*$/)[1].to_s
_locator = Scoutui::Base::UserVars.instance.normalize(_locator)
obj = Scoutui::Base::QBrowser.getElement(drv, _locator, Scoutui::Commands::Utils.instance.getFrameSearch(), Scoutui::Commands::Utils.instance.getTimeout)
obj.click
end
end
end
end
def execute(pageElt)
rc=true
thenList=nil
if !pageElt.nil? && pageElt.is_a?(Hash) && pageElt.has_key?('page') && pageElt['page'].has_key?('then')
@pageElt=pageElt
thenList=pageElt['page']['then']
elsif pageElt.is_a?(Array)
thenList=pageElt
end
rc=Scoutui::Commands::ThenClause._execute(@drv, pageElt['page']['then']) if thenList
rc
end
def execute_until(pageElt)
if !pageElt.nil? && pageElt['page'].has_key?('then') && pageElt['page'].has_key?('until')
thenList=pageElt['page']['then']
_loop=true
_i=0
_historyElts={}
_bUntil=false
while _loop && !_bUntil do
if thenList.is_a?(Array)
thenClause = Scoutui::Commands::ThenClause.new(@drv)
thenClause.execute(pageElt)
_activeElt = @drv.switch_to.active_element
Scoutui::Logger::LogMgr.instance.debug __FILE__ + (__LINE__).to_s + " ActiveElt => #{_activeElt.text}"
if _historyElts.size > 0 && _historyElts.has_key?(_activeElt)
Scoutui::Logger::LogMgr.instance.debug __FILE__ + (__LINE__).to_s + "****** WRAPPED ******"; #STDIN.gets
_loop=false
else
_historyElts[_activeElt]=true
end
end
if _loop && !pageElt.nil? && pageElt['page'].has_key?('until')
_expected=Scoutui::Base::VisualTestFramework::processAsserts(@drv, pageElt['page']['until'], false)
Scoutui::Logger::LogMgr.instance.debug __FILE__ + (__LINE__).to_s + " ==> until : #{_expected}"
_loop=!_expected
if _expected
_bUntil=true
end
elsif !pageElt['page'].has_key?('until')
_loop=false
_bUntil=true
end
_i+=1
if !_bUntil && _i > 75
_loop=false
Scoutui::Logger::LogMgr.instance.debug __FILE__ + (__LINE__).to_s + " ** BREAK OUT **"; #STDIN.gets
end
end # while()
_rc=_bUntil
elsif !pageElt.nil? && pageElt['page'].has_key?('then')
_rc=execute(pageElt)
else
_rc=true
end
_rc
end
end
end
| {
"content_hash": "8b1db76c112d517b1554e41be45885cc",
"timestamp": "",
"source": "github",
"line_count": 187,
"max_line_length": 166,
"avg_line_length": 29.620320855614974,
"alnum_prop": 0.5342119516158151,
"repo_name": "h20dragon/scoutui",
"id": "ed6762ecdadc83872652abe3017e56575dc89c9a",
"size": "5540",
"binary": false,
"copies": "1",
"ref": "refs/heads/master",
"path": "lib/scoutui/commands/clauses/then_clause.rb",
"mode": "33188",
"license": "mit",
"language": [
{
"name": "Ruby",
"bytes": "403618"
},
{
"name": "Shell",
"bytes": "1640"
}
],
"symlink_target": ""
} |
<!DOCTYPE html>
<html lang="en">
<head>
<meta charset="utf-8">
<meta name="viewport" content="width=device-width, initial-scale=1">
<title>interval: Not compatible 👼</title>
<link rel="shortcut icon" type="image/png" href="../../../../../favicon.png" />
<link href="../../../../../bootstrap.min.css" rel="stylesheet">
<link href="../../../../../bootstrap-custom.css" rel="stylesheet">
<link href="//maxcdn.bootstrapcdn.com/font-awesome/4.2.0/css/font-awesome.min.css" rel="stylesheet">
<script src="../../../../../moment.min.js"></script>
<!-- HTML5 Shim and Respond.js IE8 support of HTML5 elements and media queries -->
<!-- WARNING: Respond.js doesn't work if you view the page via file:// -->
<!--[if lt IE 9]>
<script src="https://oss.maxcdn.com/html5shiv/3.7.2/html5shiv.min.js"></script>
<script src="https://oss.maxcdn.com/respond/1.4.2/respond.min.js"></script>
<![endif]-->
</head>
<body>
<div class="container">
<div class="navbar navbar-default" role="navigation">
<div class="container-fluid">
<div class="navbar-header">
<a class="navbar-brand" href="../../../../.."><i class="fa fa-lg fa-flag-checkered"></i> Coq bench</a>
</div>
<div id="navbar" class="collapse navbar-collapse">
<ul class="nav navbar-nav">
<li><a href="../..">clean / released</a></li>
<li class="active"><a href="">8.7.1 / interval - 4.5.2</a></li>
</ul>
</div>
</div>
</div>
<div class="article">
<div class="row">
<div class="col-md-12">
<a href="../..">« Up</a>
<h1>
interval
<small>
4.5.2
<span class="label label-info">Not compatible 👼</span>
</small>
</h1>
<p>📅 <em><script>document.write(moment("2022-10-18 07:20:46 +0000", "YYYY-MM-DD HH:mm:ss Z").fromNow());</script> (2022-10-18 07:20:46 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.7.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://coqinterval.gitlabpages.inria.fr/"
dev-repo: "git+https://gitlab.inria.fr/coqinterval/interval.git"
bug-reports: "https://gitlab.inria.fr/coqinterval/interval/issues"
license: "CeCILL-C"
build: [
["autoconf"] {dev}
["./configure"]
["./remake" "-j%{jobs}%"]
]
install: ["./remake" "install"]
depends: [
"coq" {>= "8.8"}
"coq-bignums"
"coq-flocq" {>= "3.1"}
"coq-mathcomp-ssreflect" {>= "1.6"}
"coq-coquelicot" {>= "3.0"}
"conf-autoconf" {build & dev}
("conf-g++" {build} | "conf-clang" {build})
]
tags: [
"keyword:interval arithmetic"
"keyword:decision procedure"
"keyword:floating-point arithmetic"
"keyword:reflexive tactic"
"keyword:Taylor models"
"category:Mathematics/Real Calculus and Topology"
"category:Computer Science/Decision Procedures and Certified Algorithms/Decision procedures"
"logpath:Interval"
"date:2022-08-25"
]
authors: [
"Guillaume Melquiond <[email protected]>"
"Érik Martin-Dorel <[email protected]>"
"Pierre Roux <[email protected]>"
"Thomas Sibut-Pinote <[email protected]>"
]
synopsis: "A Coq tactic for proving bounds on real-valued expressions automatically"
url {
src: "https://coqinterval.gitlabpages.inria.fr/releases/interval-4.5.2.tar.gz"
checksum: "sha512=74be5915cb242f3a9fecab6a60d33169ddf20a21dd4479258fe869e59d77e212ec08890864d2adfcc9d27c132a9839b50d88e3d8ba8f791adba4dcc3c067b903"
}
</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-interval.4.5.2 coq.8.7.1</code></dd>
<dt>Return code</dt>
<dd>5120</dd>
<dt>Output</dt>
<dd><pre>[NOTE] Package coq is already installed (current version is 8.7.1).
The following dependencies couldn't be met:
- coq-interval -> coq >= 8.8 -> ocaml >= 4.05.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-interval.4.5.2</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": "3c9c73c85fc923e2d1bf02a00a883ade",
"timestamp": "",
"source": "github",
"line_count": 186,
"max_line_length": 159,
"avg_line_length": 41.704301075268816,
"alnum_prop": 0.562588629624855,
"repo_name": "coq-bench/coq-bench.github.io",
"id": "a35f56736f6b9d699ae806be23d10bb9f1d44d51",
"size": "7783",
"binary": false,
"copies": "1",
"ref": "refs/heads/master",
"path": "clean/Linux-x86_64-4.04.2-2.0.5/released/8.7.1/interval/4.5.2.html",
"mode": "33188",
"license": "mit",
"language": [],
"symlink_target": ""
} |
using System;
using System.Collections.Generic;
using System.IO;
using System.Reflection;
using System.Text;
using System.Xml;
using Microsoft.Build.Construction;
using Microsoft.Build.Shared;
using Microsoft.VisualStudio.TestTools.UnitTesting;
using InvalidProjectFileException = Microsoft.Build.Exceptions.InvalidProjectFileException;
namespace Microsoft.Build.UnitTests.OM.Construction
{
/// <summary>
/// Tests for the ProjectUsingTaskElement class
/// </summary>
[TestClass]
public class ProjectUsingTaskElement_Tests
{
/// <summary>
/// Read project with no usingtasks
/// </summary>
[TestMethod]
public void ReadNone()
{
ProjectRootElement project = ProjectRootElement.Create();
Assert.AreEqual(null, project.UsingTasks.GetEnumerator().Current);
}
/// <summary>
/// Read usingtask with no task name attribute
/// </summary>
[TestMethod]
[ExpectedException(typeof(InvalidProjectFileException))]
public void ReadInvalidMissingTaskName()
{
string content = @"
<Project xmlns='http://schemas.microsoft.com/developer/msbuild/2003' >
<UsingTask AssemblyFile='af'/>
</Project>
";
ProjectRootElement.Create(XmlReader.Create(new StringReader(content)));
}
/// <summary>
/// Read usingtask with empty task name attribute
/// </summary>
[TestMethod]
[ExpectedException(typeof(InvalidProjectFileException))]
public void ReadInvalidEmptyTaskName()
{
string content = @"
<Project xmlns='http://schemas.microsoft.com/developer/msbuild/2003' >
<UsingTask TaskName='' AssemblyFile='af'/>
</Project>
";
ProjectRootElement.Create(XmlReader.Create(new StringReader(content)));
}
/// <summary>
/// Read usingtask with unexpected attribute
/// </summary>
[TestMethod]
[ExpectedException(typeof(InvalidProjectFileException))]
public void ReadInvalidAttribute()
{
string content = @"
<Project xmlns='http://schemas.microsoft.com/developer/msbuild/2003' >
<UsingTask TaskName='t' AssemblyFile='af' X='Y'/>
</Project>
";
ProjectRootElement.Create(XmlReader.Create(new StringReader(content)));
}
/// <summary>
/// Read usingtask with neither AssemblyFile nor AssemblyName attributes
/// </summary>
[TestMethod]
[ExpectedException(typeof(InvalidProjectFileException))]
public void ReadInvalidMissingAssemblyFileAssemblyName()
{
string content = @"
<Project xmlns='http://schemas.microsoft.com/developer/msbuild/2003' >
<UsingTask TaskName='t'/>
</Project>
";
ProjectRootElement.Create(XmlReader.Create(new StringReader(content)));
}
/// <summary>
/// Read usingtask with only empty AssemblyFile attribute
/// </summary>
[TestMethod]
[ExpectedException(typeof(InvalidProjectFileException))]
public void ReadInvalidEmptyAssemblyFile()
{
string content = @"
<Project xmlns='http://schemas.microsoft.com/developer/msbuild/2003' >
<UsingTask TaskName='t' AssemblyFile=''/>
</Project>
";
ProjectRootElement.Create(XmlReader.Create(new StringReader(content)));
}
/// <summary>
/// Read usingtask with empty AssemblyFile attribute but AssemblyName present
/// </summary>
[TestMethod]
[ExpectedException(typeof(InvalidProjectFileException))]
public void ReadInvalidEmptyAssemblyFileAndAssemblyNameNotEmpty()
{
string content = @"
<Project xmlns='http://schemas.microsoft.com/developer/msbuild/2003' >
<UsingTask TaskName='t' AssemblyFile='' AssemblyName='n'/>
</Project>
";
ProjectRootElement.Create(XmlReader.Create(new StringReader(content)));
}
/// <summary>
/// Read usingtask with only empty AssemblyName attribute but AssemblyFile present
/// </summary>
[TestMethod]
[ExpectedException(typeof(InvalidProjectFileException))]
public void ReadInvalidEmptyAssemblyNameAndAssemblyFileNotEmpty()
{
string content = @"
<Project xmlns='http://schemas.microsoft.com/developer/msbuild/2003' >
<UsingTask TaskName='t' AssemblyName='' AssemblyFile='f'/>
</Project>
";
ProjectRootElement.Create(XmlReader.Create(new StringReader(content)));
}
/// <summary>
/// Read usingtask with both AssemblyName and AssemblyFile attributes
/// </summary>
[TestMethod]
[ExpectedException(typeof(InvalidProjectFileException))]
public void ReadInvalidBothAssemblyFileAssemblyName()
{
string content = @"
<Project xmlns='http://schemas.microsoft.com/developer/msbuild/2003' >
<UsingTask TaskName='t' AssemblyName='an' AssemblyFile='af'/>
</Project>
";
ProjectRootElement.Create(XmlReader.Create(new StringReader(content)));
}
/// <summary>
/// Read usingtask with both AssemblyName and AssemblyFile attributes but both are empty
/// </summary>
[TestMethod]
[ExpectedException(typeof(InvalidProjectFileException))]
public void ReadInvalidBothEmptyAssemblyFileEmptyAssemblyNameBoth()
{
string content = @"
<Project xmlns='http://schemas.microsoft.com/developer/msbuild/2003' >
<UsingTask TaskName='t' AssemblyName='' AssemblyFile=''/>
</Project>
";
ProjectRootElement.Create(XmlReader.Create(new StringReader(content)));
}
/// <summary>
/// Read usingtask with assembly file
/// </summary>
[TestMethod]
public void ReadBasicUsingTaskAssemblyFile()
{
ProjectUsingTaskElement usingTask = GetUsingTaskAssemblyFile();
Assert.AreEqual("t1", usingTask.TaskName);
Assert.AreEqual("af", usingTask.AssemblyFile);
Assert.AreEqual(String.Empty, usingTask.AssemblyName);
Assert.AreEqual(String.Empty, usingTask.Condition);
}
/// <summary>
/// Read usingtask with assembly name
/// </summary>
[TestMethod]
public void ReadBasicUsingTaskAssemblyName()
{
ProjectUsingTaskElement usingTask = GetUsingTaskAssemblyName();
Assert.AreEqual("t2", usingTask.TaskName);
Assert.AreEqual(String.Empty, usingTask.AssemblyFile);
Assert.AreEqual("an", usingTask.AssemblyName);
Assert.AreEqual("c", usingTask.Condition);
}
/// <summary>
/// Read usingtask with task factory, required runtime and required platform
/// </summary>
[TestMethod]
public void ReadBasicUsingTaskFactoryRuntimeAndPlatform()
{
ProjectUsingTaskElement usingTask = GetUsingTaskFactoryRuntimeAndPlatform();
Assert.AreEqual("t2", usingTask.TaskName);
Assert.AreEqual(String.Empty, usingTask.AssemblyFile);
Assert.AreEqual("an", usingTask.AssemblyName);
Assert.AreEqual("c", usingTask.Condition);
Assert.AreEqual("AssemblyFactory", usingTask.TaskFactory);
}
/// <summary>
/// Verify that passing in string.empty or null for TaskFactory will remove the element from the xml.
/// </summary>
[TestMethod]
public void RemoveUsingTaskFactoryRuntimeAndPlatform()
{
ProjectUsingTaskElement usingTask = GetUsingTaskFactoryRuntimeAndPlatform();
string value = null;
VerifyAttributesRemoved(usingTask, value);
usingTask = GetUsingTaskFactoryRuntimeAndPlatform();
value = String.Empty;
VerifyAttributesRemoved(usingTask, value);
}
/// <summary>
/// Set assembly file on a usingtask that already has assembly file
/// </summary>
[TestMethod]
public void SetUsingTaskAssemblyFileOnUsingTaskAssemblyFile()
{
ProjectUsingTaskElement usingTask = GetUsingTaskAssemblyFile();
Helpers.ClearDirtyFlag(usingTask.ContainingProject);
usingTask.AssemblyFile = "afb";
Assert.AreEqual("afb", usingTask.AssemblyFile);
Assert.AreEqual(true, usingTask.ContainingProject.HasUnsavedChanges);
}
/// <summary>
/// Set assembly name on a usingtask that already has assembly name
/// </summary>
[TestMethod]
public void SetUsingTaskAssemblyNameOnUsingTaskAssemblyName()
{
ProjectUsingTaskElement usingTask = GetUsingTaskAssemblyName();
Helpers.ClearDirtyFlag(usingTask.ContainingProject);
usingTask.AssemblyName = "anb";
Assert.AreEqual("anb", usingTask.AssemblyName);
Assert.AreEqual(true, usingTask.ContainingProject.HasUnsavedChanges);
}
/// <summary>
/// Set assembly file on a usingtask that already has assembly name
/// </summary>
[TestMethod]
[ExpectedException(typeof(InvalidOperationException))]
public void SetUsingTaskAssemblyFileOnUsingTaskAssemblyName()
{
ProjectUsingTaskElement usingTask = GetUsingTaskAssemblyName();
usingTask.AssemblyFile = "afb";
}
/// <summary>
/// Set assembly name on a usingtask that already has assembly file
/// </summary>
[TestMethod]
[ExpectedException(typeof(InvalidOperationException))]
public void SetUsingTaskAssemblyNameOnUsingTaskAssemblyFile()
{
ProjectUsingTaskElement usingTask = GetUsingTaskAssemblyFile();
usingTask.AssemblyName = "anb";
}
/// <summary>
/// Set task name
/// </summary>
[TestMethod]
public void SetTaskName()
{
ProjectRootElement project = ProjectRootElement.Create();
ProjectUsingTaskElement usingTask = project.AddUsingTask("t", "af", null);
Helpers.ClearDirtyFlag(usingTask.ContainingProject);
usingTask.TaskName = "tt";
Assert.AreEqual("tt", usingTask.TaskName);
Assert.AreEqual(true, usingTask.ContainingProject.HasUnsavedChanges);
}
/// <summary>
/// Set condition
/// </summary>
[TestMethod]
public void SetCondition()
{
ProjectRootElement project = ProjectRootElement.Create();
ProjectUsingTaskElement usingTask = project.AddUsingTask("t", "af", null);
Helpers.ClearDirtyFlag(usingTask.ContainingProject);
usingTask.Condition = "c";
Assert.AreEqual("c", usingTask.Condition);
Assert.AreEqual(true, usingTask.ContainingProject.HasUnsavedChanges);
}
/// <summary>
/// Set task factory
/// </summary>
[TestMethod]
public void SetTaskFactory()
{
ProjectRootElement project = ProjectRootElement.Create();
ProjectUsingTaskElement usingTask = project.AddUsingTask("t", "af", null);
Helpers.ClearDirtyFlag(usingTask.ContainingProject);
usingTask.TaskFactory = "AssemblyFactory";
Assert.AreEqual("AssemblyFactory", usingTask.TaskFactory);
Assert.AreEqual(true, usingTask.ContainingProject.HasUnsavedChanges);
}
/// <summary>
/// Make sure there is an exception when there are multiple parameter groups in the using task tag.
/// </summary>
[TestMethod]
[ExpectedException(typeof(InvalidProjectFileException))]
public void DuplicateParameterGroup()
{
string content = @"
<Project xmlns='http://schemas.microsoft.com/developer/msbuild/2003' >
<UsingTask TaskName='t2' AssemblyName='an' Condition='c' TaskFactory='AssemblyFactory'>
<ParameterGroup/>
<ParameterGroup/>
</UsingTask>
</Project>
";
ProjectRootElement project = ProjectRootElement.Create(XmlReader.Create(new StringReader(content)));
Assert.Fail();
}
/// <summary>
/// Make sure there is an exception when there are multiple task groups in the using task tag.
/// </summary>
[TestMethod]
[ExpectedException(typeof(InvalidProjectFileException))]
public void DuplicateTaskGroup()
{
string content = @"
<Project xmlns='http://schemas.microsoft.com/developer/msbuild/2003' >
<UsingTask TaskName='t2' AssemblyName='an' Condition='c' TaskFactory='AssemblyFactory'>
<Task/>
<Task/>
</UsingTask>
</Project>
";
ProjectRootElement project = ProjectRootElement.Create(XmlReader.Create(new StringReader(content)));
Assert.Fail();
}
/// <summary>
/// Make sure there is an exception when there is an unknown child
/// </summary>
[TestMethod]
[ExpectedException(typeof(InvalidProjectFileException))]
public void UnknownChild()
{
string content = @"
<Project xmlns='http://schemas.microsoft.com/developer/msbuild/2003' >
<UsingTask TaskName='t2' AssemblyName='an' Condition='c' TaskFactory='AssemblyFactory'>
<IAMUNKNOWN/>
</UsingTask>
</Project>
";
ProjectRootElement project = ProjectRootElement.Create(XmlReader.Create(new StringReader(content)));
Assert.Fail();
}
/// <summary>
/// Make sure there is an no exception when there are children in the using task
/// </summary>
[TestMethod]
public void WorksWithChildren()
{
string content = @"
<Project xmlns='http://schemas.microsoft.com/developer/msbuild/2003' >
<UsingTask TaskName='t2' AssemblyName='an' Condition='c' TaskFactory='AssemblyFactory'>
<ParameterGroup>
<MyParameter/>
</ParameterGroup>
<Task>
RANDOM GOO
</Task>
</UsingTask>
</Project>
";
ProjectRootElement project = ProjectRootElement.Create(XmlReader.Create(new StringReader(content)));
ProjectUsingTaskElement usingTask = (ProjectUsingTaskElement)Helpers.GetFirst(project.Children);
Assert.IsNotNull(usingTask);
Assert.AreEqual(2, usingTask.Count);
}
/// <summary>
/// Make sure there is an exception when a parameter group is added but no task factory attribute is on the using task
/// </summary>
[TestMethod]
[ExpectedException(typeof(InvalidProjectFileException))]
public void ExceptionWhenNoTaskFactoryAndHavePG()
{
string content = @"
<Project xmlns='http://schemas.microsoft.com/developer/msbuild/2003' >
<UsingTask TaskName='t2' AssemblyName='an' Condition='c'>
<ParameterGroup>
<MyParameter/>
</ParameterGroup>
</UsingTask>
</Project>
";
ProjectRootElement project = ProjectRootElement.Create(XmlReader.Create(new StringReader(content)));
ProjectUsingTaskElement usingTask = (ProjectUsingTaskElement)Helpers.GetFirst(project.Children);
Assert.Fail();
}
/// <summary>
/// Make sure there is an exception when a parameter group is added but no task factory attribute is on the using task
/// </summary>
[TestMethod]
[ExpectedException(typeof(InvalidProjectFileException))]
public void ExceptionWhenNoTaskFactoryAndHaveTask()
{
string content = @"
<Project xmlns='http://schemas.microsoft.com/developer/msbuild/2003' >
<UsingTask TaskName='t2' AssemblyName='an' Condition='c'>
<Task/>
</UsingTask>
</Project>
";
ProjectRootElement project = ProjectRootElement.Create(XmlReader.Create(new StringReader(content)));
ProjectUsingTaskElement usingTask = (ProjectUsingTaskElement)Helpers.GetFirst(project.Children);
Assert.Fail();
}
/// <summary>
/// Helper to get a ProjectUsingTaskElement with a task factory, required runtime and required platform
/// </summary>
private static ProjectUsingTaskElement GetUsingTaskFactoryRuntimeAndPlatform()
{
string content = @"
<Project xmlns='http://schemas.microsoft.com/developer/msbuild/2003' >
<UsingTask TaskName='t2' AssemblyName='an' Condition='c' TaskFactory='AssemblyFactory' />
</Project>
";
ProjectRootElement project = ProjectRootElement.Create(XmlReader.Create(new StringReader(content)));
ProjectUsingTaskElement usingTask = (ProjectUsingTaskElement)Helpers.GetFirst(project.Children);
return usingTask;
}
/// <summary>
/// Helper to get a ProjectUsingTaskElement with an assembly file set
/// </summary>
private static ProjectUsingTaskElement GetUsingTaskAssemblyFile()
{
string content = @"
<Project xmlns='http://schemas.microsoft.com/developer/msbuild/2003' >
<UsingTask TaskName='t1' AssemblyFile='af' />
<UsingTask TaskName='t2' AssemblyName='an' Condition='c'/>
</Project>
";
ProjectRootElement project = ProjectRootElement.Create(XmlReader.Create(new StringReader(content)));
ProjectUsingTaskElement usingTask = (ProjectUsingTaskElement)Helpers.GetFirst(project.Children);
return usingTask;
}
/// <summary>
/// Helper to get a ProjectUsingTaskElement with an assembly name set
/// </summary>
private static ProjectUsingTaskElement GetUsingTaskAssemblyName()
{
string content = @"
<Project xmlns='http://schemas.microsoft.com/developer/msbuild/2003' >
<UsingTask TaskName='t2' AssemblyName='an' Condition='c'/>
</Project>
";
ProjectRootElement project = ProjectRootElement.Create(XmlReader.Create(new StringReader(content)));
ProjectUsingTaskElement usingTask = (ProjectUsingTaskElement)Helpers.GetFirst(project.Children);
return usingTask;
}
/// <summary>
/// Verify the attributes are removed from the xml when string.empty and null are passed in
/// </summary>
private static void VerifyAttributesRemoved(ProjectUsingTaskElement usingTask, string value)
{
Assert.IsTrue(usingTask.ContainingProject.RawXml.Contains("TaskFactory"));
usingTask.TaskFactory = value;
Assert.IsTrue(!usingTask.ContainingProject.RawXml.Contains("TaskFactory"));
}
}
}
| {
"content_hash": "24067eb6bd2e7d4479e462870364cc7e",
"timestamp": "",
"source": "github",
"line_count": 516,
"max_line_length": 126,
"avg_line_length": 39.89728682170543,
"alnum_prop": 0.583329285471414,
"repo_name": "Chaek/msbuild",
"id": "2b953b62a68aa9ff81a205a9b86e06318db65090",
"size": "20970",
"binary": false,
"copies": "7",
"ref": "refs/heads/master",
"path": "src/XMakeBuildEngine/UnitTestsPublicOM/Construction/ProjectUsingTaskElement_Tests.cs",
"mode": "33188",
"license": "mit",
"language": [
{
"name": "Batchfile",
"bytes": "6110"
},
{
"name": "C",
"bytes": "961"
},
{
"name": "C#",
"bytes": "18938227"
},
{
"name": "C++",
"bytes": "6"
},
{
"name": "Scilab",
"bytes": "8"
},
{
"name": "XSLT",
"bytes": "69632"
}
],
"symlink_target": ""
} |
(function() {
var OgpParser;
OgpParser = (typeof exports !== "undefined" && exports !== null) && exports || (this.OgpParser = {});
OgpParser.execute = function($) {
return {
title: $("meta[property='og:title']").first().attr("content"),
summary: $("meta[property='og:description']").first().attr("content"),
image: $("meta[property='og:image']").first().attr("content"),
language: $("meta[property='og:locale']").first().attr("content"),
site: $("meta[property='og:site_name']").first().attr("content")
};
};
}).call(this);
| {
"content_hash": "d1c410203fa91c85a4e8937399f435e6",
"timestamp": "",
"source": "github",
"line_count": 16,
"max_line_length": 103,
"avg_line_length": 35.8125,
"alnum_prop": 0.5828970331588132,
"repo_name": "Anonyfox/node-htmlcarve",
"id": "f38355346eed71c724e9b654922af87e1dea96ac",
"size": "573",
"binary": false,
"copies": "1",
"ref": "refs/heads/master",
"path": "lib/ogp_parser.js",
"mode": "33188",
"license": "mit",
"language": [
{
"name": "CoffeeScript",
"bytes": "8874"
},
{
"name": "JavaScript",
"bytes": "6076"
}
],
"symlink_target": ""
} |
<?xml version="1.0" encoding="utf-8"?>
<shape xmlns:android="http://schemas.android.com/apk/res/android" >
<solid android:color="@color/widgetThemeRed" />
</shape> | {
"content_hash": "f357fd40ba618299507ceb83b2551055",
"timestamp": "",
"source": "github",
"line_count": 6,
"max_line_length": 67,
"avg_line_length": 28.333333333333332,
"alnum_prop": 0.6823529411764706,
"repo_name": "MadKauz/starcitizeninfoclient",
"id": "e923e31f09aeb64078f0dd4d91d2d481e2afdd6d",
"size": "170",
"binary": false,
"copies": "1",
"ref": "refs/heads/master",
"path": "starCitizenInformer/src/main/res/drawable/widget_theme_red_button_styleless_pressed.xml",
"mode": "33188",
"license": "apache-2.0",
"language": [
{
"name": "Java",
"bytes": "1398455"
}
],
"symlink_target": ""
} |
#include <af/dim4.hpp>
#include <af/defines.h>
#include <ArrayInfo.hpp>
#include <Array.hpp>
#include <math.hpp>
#include <morph.hpp>
#include <kernel/morph.hpp>
#include <err_opencl.hpp>
using af::dim4;
namespace opencl
{
template<typename T, bool isDilation>
Array<T> * morph3d(const Array<T> &in, const Array<T> &mask)
{
const dim4 mdims = mask.dims();
if (mdims[0]!=mdims[1] || mdims[0]!=mdims[2])
AF_ERROR("Only cube masks are supported in opencl morph currently", AF_ERR_SIZE);
if (mdims[0]>7)
AF_ERROR("Upto 7x7x7 kernels are only supported in opencl currently", AF_ERR_SIZE);
const dim4 dims = in.dims();
if (dims[3]>1)
AF_ERROR("Batch not supported for volumetic morphological operations", AF_ERR_NOT_SUPPORTED);
Array<T>* out = createEmptyArray<T>(dims);
switch(mdims[0]) {
case 3: kernel::morph3d<T, isDilation, 3>(*out, in, mask); break;
case 5: kernel::morph3d<T, isDilation, 5>(*out, in, mask); break;
case 7: kernel::morph3d<T, isDilation, 7>(*out, in, mask); break;
default: kernel::morph3d<T, isDilation, 3>(*out, in, mask); break;
}
return out;
}
}
#define INSTANTIATE(T, ISDILATE) \
template Array<T> * morph3d<T, ISDILATE>(const Array<T> &in, const Array<T> &mask);
| {
"content_hash": "3adbea464ddfc2c01fd94b6a7158cba2",
"timestamp": "",
"source": "github",
"line_count": 46,
"max_line_length": 101,
"avg_line_length": 29.52173913043478,
"alnum_prop": 0.6148748159057438,
"repo_name": "kylelutz/arrayfire",
"id": "6afe1be4f8ea9485e920bed82abf96e5dab381c2",
"size": "1689",
"binary": false,
"copies": "1",
"ref": "refs/heads/master",
"path": "src/backend/opencl/morph3d_impl.hpp",
"mode": "33188",
"license": "bsd-3-clause",
"language": [
{
"name": "C",
"bytes": "153967"
},
{
"name": "C++",
"bytes": "1537487"
},
{
"name": "Cuda",
"bytes": "63481"
},
{
"name": "Objective-C",
"bytes": "5842"
}
],
"symlink_target": ""
} |
package com.github.mikephil.charting.formatter;
import com.github.mikephil.charting.data.Entry;
import com.github.mikephil.charting.utils.ViewPortHandler;
/**
* Interface that allows custom formatting of all values inside the chart before they are
* being drawn to the screen. Simply create your own formatting class and let
* it implement ValueFormatter. Then override the getFormattedValue(...) method
* and return whatever you want.
*
* @author Philipp Jahoda
*/
public interface ValueFormatter {
/**
* Called when a value (from labels inside the chart) is formatted
* before being drawn. For performance reasons, avoid excessive calculations
* and memory allocations inside this method.
*
* @param value the value to be formatted
* @param entry the entry the value belongs to - in e.g. BarChart, this is of class BarEntry
* @param dataSetIndex the index of the DataSet the entry in focus belongs to
* @param viewPortHandler provides information about the current chart state (scale, translation, ...)
* @return the formatted label ready for being drawn
*/
String getFormattedValue(float value, Entry entry, int dataSetIndex, ViewPortHandler viewPortHandler);
}
| {
"content_hash": "a74f67b682f9b77fd514ea710dd5e90a",
"timestamp": "",
"source": "github",
"line_count": 28,
"max_line_length": 106,
"avg_line_length": 44.857142857142854,
"alnum_prop": 0.732484076433121,
"repo_name": "BD-ITAC/BD-ITAC",
"id": "1f056bf7867346394f631da16c539552226d920a",
"size": "1256",
"binary": false,
"copies": "10",
"ref": "refs/heads/master",
"path": "mobile/Alertas/MPChartLib/src/main/java/com/github/mikephil/charting/formatter/ValueFormatter.java",
"mode": "33188",
"license": "mit",
"language": [
{
"name": "Batchfile",
"bytes": "9086"
},
{
"name": "CSS",
"bytes": "22236"
},
{
"name": "HTML",
"bytes": "78542"
},
{
"name": "Java",
"bytes": "1851772"
},
{
"name": "JavaScript",
"bytes": "229128"
},
{
"name": "Python",
"bytes": "3747"
},
{
"name": "Shell",
"bytes": "37330"
},
{
"name": "XSLT",
"bytes": "1335"
}
],
"symlink_target": ""
} |
// Copyright 2000-2020 JetBrains s.r.o. Use of this source code is governed by the Apache 2.0 license that can be found in the LICENSE file.
package org.jetbrains.plugins.javaFX.packaging;
import com.intellij.testFramework.UsefulTestCase;
import com.intellij.util.containers.ContainerUtil;
import junit.framework.TestCase;
import java.io.File;
import java.util.Collections;
import java.util.HashMap;
import java.util.List;
import java.util.Map;
public class JavaFxAntTaskTest extends TestCase {
private static final String PRELOADER_CLASS = "preloaderClass";
private static final String TITLE = "title";
private static final String VERSION = "version";
private static final String ICONS = "icons";
private static final String BASE_DIR_PATH = "baseDirPath";
private static final String TEMPLATE = "template";
private static final String PLACEHOLDER = "placeholder";
private static final String PRELOADER_JAR = "preloaderJar";
private static final String SIGNED = "signed";
private static final String VERBOSE = "verbose";
public void testJarDeployNoInfo() {
doTest("""
<fx:fileset id="all_but_jarDeployNoInfo" dir="temp" includes="**/*.jar">
<exclude name="jarDeployNoInfo.jar">
</exclude>
</fx:fileset>
<fx:fileset id="all_jarDeployNoInfo" dir="temp" includes="**/*.jar">
</fx:fileset>
<fx:application id="jarDeployNoInfo_id" name="jarDeployNoInfo" mainClass="Main">
</fx:application>
<fx:jar destfile="temp/jarDeployNoInfo.jar">
<fx:application refid="jarDeployNoInfo_id">
</fx:application>
<fileset dir="temp" excludes="**/*.jar">
</fileset>
<fx:resources>
<fx:fileset refid="all_but_jarDeployNoInfo">
</fx:fileset>
</fx:resources>
</fx:jar>
<fx:deploy width="800" height="400" updatemode="background" outdir="temp/deploy" outfile="jarDeployNoInfo">
<fx:application refid="jarDeployNoInfo_id">
</fx:application>
<fx:resources>
<fx:fileset refid="all_jarDeployNoInfo">
</fx:fileset>
</fx:resources>
</fx:deploy>
""", Collections.emptyMap());
}
public void testJarDeployTitle() {
doTest("""
<fx:fileset id="all_but_jarDeployTitle" dir="temp" includes="**/*.jar">
<exclude name="jarDeployTitle.jar">
</exclude>
</fx:fileset>
<fx:fileset id="all_jarDeployTitle" dir="temp" includes="**/*.jar">
</fx:fileset>
<fx:application id="jarDeployTitle_id" name="jarDeployTitle" mainClass="Main">
</fx:application>
<fx:jar destfile="temp/jarDeployTitle.jar">
<fx:application refid="jarDeployTitle_id">
</fx:application>
<fileset dir="temp" excludes="**/*.jar">
</fileset>
<fx:resources>
<fx:fileset refid="all_but_jarDeployTitle">
</fx:fileset>
</fx:resources>
<manifest>
<attribute name="Implementation-Title" value="My App">
</attribute>
</manifest>
</fx:jar>
<fx:deploy width="800" height="400" updatemode="background" outdir="temp/deploy" outfile="jarDeployTitle">
<fx:application refid="jarDeployTitle_id">
</fx:application>
<fx:info title="My App">
</fx:info>
<fx:resources>
<fx:fileset refid="all_jarDeployTitle">
</fx:fileset>
</fx:resources>
</fx:deploy>
""", Collections.singletonMap(TITLE, "My App"));
}
public void testJarDeployIcon() {
doTest("""
<fx:fileset id="all_but_jarDeployIcon" dir="temp" includes="**/*.jar">
<exclude name="jarDeployIcon.jar">
</exclude>
</fx:fileset>
<fx:fileset id="all_jarDeployIcon" dir="temp" includes="**/*.jar">
</fx:fileset>
<fx:application id="jarDeployIcon_id" name="jarDeployIcon" mainClass="Main">
</fx:application>
<fx:jar destfile="temp/jarDeployIcon.jar">
<fx:application refid="jarDeployIcon_id">
</fx:application>
<fileset dir="temp" excludes="**/*.jar">
</fileset>
<fx:resources>
<fx:fileset refid="all_but_jarDeployIcon">
</fx:fileset>
</fx:resources>
</fx:jar>
<condition property="app.icon.path" value="${basedir}/app_icon.png">
<and>
<os family="unix">
</os>
<not>
<os family="mac">
</os>
</not>
</and>
</condition>
<condition property="app.icon.path" value="${basedir}/app_icon.icns">
<os family="mac">
</os>
</condition>
<condition property="app.icon.path" value="${basedir}/app_icon.ico">
<os family="windows">
</os>
</condition>
<fx:deploy width="800" height="400" updatemode="background" outdir="temp/deploy" outfile="jarDeployIcon" nativeBundles="all">
<fx:application refid="jarDeployIcon_id">
</fx:application>
<fx:info>
<fx:icon href="${app.icon.path}">
</fx:icon>
</fx:info>
<fx:resources>
<fx:fileset refid="all_jarDeployIcon">
</fx:fileset>
</fx:resources>
</fx:deploy>
""", new ContainerUtil.ImmutableMapBuilder<String, String>()
.put(ICONS, "/project_dir/app_icon.png,/project_dir/app_icon.icns,/project_dir/app_icon.ico")
.put(BASE_DIR_PATH, "/project_dir")
.build());
}
public void testJarDeployIconAbsolute() {
doTest("""
<fx:fileset id="all_but_jarDeployIconAbsolute" dir="temp" includes="**/*.jar">
<exclude name="jarDeployIconAbsolute.jar">
</exclude>
</fx:fileset>
<fx:fileset id="all_jarDeployIconAbsolute" dir="temp" includes="**/*.jar">
</fx:fileset>
<fx:application id="jarDeployIconAbsolute_id" name="jarDeployIconAbsolute" mainClass="Main">
</fx:application>
<fx:jar destfile="temp/jarDeployIconAbsolute.jar">
<fx:application refid="jarDeployIconAbsolute_id">
</fx:application>
<fileset dir="temp" excludes="**/*.jar">
</fileset>
<fx:resources>
<fx:fileset refid="all_but_jarDeployIconAbsolute">
</fx:fileset>
</fx:resources>
</fx:jar>
<condition property="app.icon.path" value="/project_dir/app_icon.png">
<and>
<os family="unix">
</os>
<not>
<os family="mac">
</os>
</not>
</and>
</condition>
<condition property="app.icon.path" value="/project_dir/app_icon.icns">
<os family="mac">
</os>
</condition>
<condition property="app.icon.path" value="/project_dir/app_icon.ico">
<os family="windows">
</os>
</condition>
<fx:deploy width="800" height="400" updatemode="background" outdir="temp/deploy" outfile="jarDeployIconAbsolute" nativeBundles="all">
<fx:application refid="jarDeployIconAbsolute_id">
</fx:application>
<fx:info>
<fx:icon href="${app.icon.path}">
</fx:icon>
</fx:info>
<fx:resources>
<fx:fileset refid="all_jarDeployIconAbsolute">
</fx:fileset>
</fx:resources>
</fx:deploy>
""",
Collections.singletonMap(ICONS, "/project_dir/app_icon.png,/project_dir/app_icon.icns,/project_dir/app_icon.ico"));
}
public void testJarDeployVersion() {
doTest("""
<fx:fileset id="all_but_jarDeployVersion" dir="temp" includes="**/*.jar">
<exclude name="jarDeployVersion.jar">
</exclude>
</fx:fileset>
<fx:fileset id="all_jarDeployVersion" dir="temp" includes="**/*.jar">
</fx:fileset>
<fx:application id="jarDeployVersion_id" name="jarDeployVersion" mainClass="Main" version="4.2">
</fx:application>
<fx:jar destfile="temp/jarDeployVersion.jar">
<fx:application refid="jarDeployVersion_id">
</fx:application>
<fileset dir="temp" excludes="**/*.jar">
</fileset>
<fx:resources>
<fx:fileset refid="all_but_jarDeployVersion">
</fx:fileset>
</fx:resources>
<manifest>
<attribute name="Implementation-Version" value="4.2">
</attribute>
</manifest>
</fx:jar>
<fx:deploy width="800" height="400" updatemode="background" outdir="temp/deploy" outfile="jarDeployVersion">
<fx:application refid="jarDeployVersion_id">
</fx:application>
<fx:resources>
<fx:fileset refid="all_jarDeployVersion">
</fx:fileset>
</fx:resources>
</fx:deploy>
""", Collections.singletonMap(VERSION, "4.2"));
}
public void testJarDeployTemplate() {
doTest("""
<fx:fileset id="all_but_jarDeployTemplate" dir="temp" includes="**/*.jar">
<exclude name="jarDeployTemplate.jar">
</exclude>
</fx:fileset>
<fx:fileset id="all_jarDeployTemplate" dir="temp" includes="**/*.jar">
</fx:fileset>
<fx:application id="jarDeployTemplate_id" name="jarDeployTemplate" mainClass="Main">
</fx:application>
<fx:jar destfile="temp/jarDeployTemplate.jar">
<fx:application refid="jarDeployTemplate_id">
</fx:application>
<fileset dir="temp" excludes="**/*.jar">
</fileset>
<fx:resources>
<fx:fileset refid="all_but_jarDeployTemplate">
</fx:fileset>
</fx:resources>
</fx:jar>
<fx:deploy width="800" height="400" updatemode="background" outdir="temp/deploy" outfile="jarDeployTemplate" placeholderId="app-placeholder-id">
<fx:application refid="jarDeployTemplate_id">
</fx:application>
<fx:resources>
<fx:fileset refid="all_jarDeployTemplate">
</fx:fileset>
</fx:resources>
<fx:template file="${basedir}/app_template.html" tofile="temp/deploy/app_template.html">
</fx:template>
</fx:deploy>
""", new ContainerUtil.ImmutableMapBuilder<String, String>()
.put(TEMPLATE, "/project_dir/app_template.html")
.put(PLACEHOLDER, "app-placeholder-id")
.put(BASE_DIR_PATH, "/project_dir")
.build());
}
public void testJarDeploySigned() {
doTest("""
<fx:fileset id="all_but_jarDeploySigned" dir="temp" includes="**/*.jar">
<exclude name="jarDeploySigned.jar">
</exclude>
</fx:fileset>
<fx:fileset id="all_jarDeploySigned" dir="temp" includes="**/*.jar">
</fx:fileset>
<fx:application id="jarDeploySigned_id" name="jarDeploySigned" mainClass="Main">
</fx:application>
<fx:jar destfile="temp/jarDeploySigned.jar">
<fx:application refid="jarDeploySigned_id">
</fx:application>
<fileset dir="temp" excludes="**/*.jar">
</fileset>
<fx:resources>
<fx:fileset refid="all_but_jarDeploySigned">
</fx:fileset>
</fx:resources>
</fx:jar>
<fx:deploy width="800" height="400" updatemode="background" outdir="temp/deploy" outfile="jarDeploySigned">
<fx:permissions elevated="true">
</fx:permissions>
<fx:application refid="jarDeploySigned_id">
</fx:application>
<fx:resources>
<fx:fileset refid="all_jarDeploySigned">
</fx:fileset>
</fx:resources>
</fx:deploy>
""", Collections.singletonMap(SIGNED, "true"));
}
public void testJarDeployPreloader() {
final HashMap<String, String> options = new HashMap<>();
options.put(PRELOADER_CLASS, "MyPreloader");
options.put(PRELOADER_JAR, "preloader.jar");
doTest("""
<fx:fileset id="jarDeployPreloader_preloader_files" requiredFor="preloader" dir="temp" includes="preloader.jar">
</fx:fileset>
<fx:fileset id="all_but_preloader_jarDeployPreloader" dir="temp" excludes="preloader.jar" includes="**/*.jar">
</fx:fileset>
<fx:fileset id="all_but_jarDeployPreloader" dir="temp" includes="**/*.jar">
<exclude name="jarDeployPreloader.jar">
</exclude>
<exclude name="preloader.jar">
</exclude>
</fx:fileset>
<fx:fileset id="all_jarDeployPreloader" dir="temp" includes="**/*.jar">
</fx:fileset>
<fx:application id="jarDeployPreloader_id" name="jarDeployPreloader" mainClass="Main" preloaderClass="MyPreloader">
</fx:application>
<fx:jar destfile="temp/jarDeployPreloader.jar">
<fx:application refid="jarDeployPreloader_id">
</fx:application>
<fileset dir="temp" excludes="**/*.jar">
</fileset>
<fx:resources>
<fx:fileset refid="jarDeployPreloader_preloader_files">
</fx:fileset>
<fx:fileset refid="all_but_jarDeployPreloader">
</fx:fileset>
</fx:resources>
</fx:jar>
<fx:deploy width="800" height="400" updatemode="background" outdir="temp/deploy" outfile="jarDeployPreloader">
<fx:application refid="jarDeployPreloader_id">
</fx:application>
<fx:resources>
<fx:fileset refid="jarDeployPreloader_preloader_files">
</fx:fileset>
<fx:fileset refid="all_but_preloader_jarDeployPreloader">
</fx:fileset>
</fx:resources>
</fx:deploy>
""", options);
}
public void testJarDeployVerbose() {
doTest("""
<fx:fileset id="all_but_jarDeployVerbose" dir="temp" includes="**/*.jar">
<exclude name="jarDeployVerbose.jar">
</exclude>
</fx:fileset>
<fx:fileset id="all_jarDeployVerbose" dir="temp" includes="**/*.jar">
</fx:fileset>
<fx:application id="jarDeployVerbose_id" name="jarDeployVerbose" mainClass="Main">
</fx:application>
<fx:jar destfile="temp/jarDeployVerbose.jar" verbose="true">
<fx:application refid="jarDeployVerbose_id">
</fx:application>
<fileset dir="temp" excludes="**/*.jar">
</fileset>
<fx:resources>
<fx:fileset refid="all_but_jarDeployVerbose">
</fx:fileset>
</fx:resources>
</fx:jar>
<fx:deploy width="800" height="400" updatemode="background" outdir="temp/deploy" outfile="jarDeployVerbose" verbose="true">
<fx:application refid="jarDeployVerbose_id">
</fx:application>
<fx:resources>
<fx:fileset refid="all_jarDeployVerbose">
</fx:fileset>
</fx:resources>
</fx:deploy>
""", Collections.singletonMap(VERBOSE, "true"));
}
private void doTest(final String expected, Map<String, String> options) {
final String artifactName = UsefulTestCase.getTestName(getName(), true);
final String artifactFileName = artifactName + ".jar";
final MockJavaFxPackager packager = new MockJavaFxPackager(artifactName + "/" + artifactFileName);
final String title = options.get(TITLE);
if (title != null) {
packager.setTitle(title);
}
final String version = options.get(VERSION);
if (version != null) {
packager.setVersion(version);
}
String relativeToBaseDirPath = options.get(BASE_DIR_PATH);
final String icon = options.get(ICONS);
if (icon != null) {
final String[] icons = icon.split(",");
final JavaFxApplicationIcons appIcons = new JavaFxApplicationIcons();
appIcons.setLinuxIcon(icons[0]);
appIcons.setMacIcon(icons[1]);
appIcons.setWindowsIcon(icons[2]);
packager.setIcons(appIcons);
packager.setNativeBundle(JavaFxPackagerConstants.NativeBundles.all);
}
final String template = options.get(TEMPLATE);
if (template != null) {
packager.setHtmlTemplate(template);
}
final String placeholder = options.get(PLACEHOLDER);
if (placeholder != null) {
packager.setHtmlPlaceholderId(placeholder);
}
final String preloaderClass = options.get(PRELOADER_CLASS);
if (preloaderClass != null) {
packager.setPreloaderClass(preloaderClass);
}
final String preloaderJar = options.get(PRELOADER_JAR);
if (preloaderJar != null) {
packager.setPreloaderJar(preloaderJar);
}
if (options.containsKey(SIGNED)) {
packager.setSigned(true);
}
if (options.containsKey(VERBOSE)) {
packager.setMsgOutputLevel(JavaFxPackagerConstants.MsgOutputLevel.Verbose);
}
final List<JavaFxAntGenerator.SimpleTag> temp = JavaFxAntGenerator
.createJarAndDeployTasks(packager, artifactFileName, artifactName, "temp", "temp" + "/" + "deploy", relativeToBaseDirPath);
final StringBuilder buf = new StringBuilder();
for (JavaFxAntGenerator.SimpleTag tag : temp) {
tag.generate(buf);
}
assertEquals(expected, buf.toString());
}
private static final class MockJavaFxPackager extends AbstractJavaFxPackager {
private final String myOutputPath;
private String myTitle;
private String myVendor;
private String myDescription;
private String myVersion;
private String myHtmlTemplate;
private String myHtmlPlaceholderId;
private String myHtmlParams;
private String myParams;
private String myPreloaderClass;
private String myPreloaderJar;
private boolean myConvertCss2Bin;
private boolean mySigned;
private List<JavaFxManifestAttribute> myCustomManifestAttributes;
private JavaFxApplicationIcons myIcons;
private JavaFxPackagerConstants.NativeBundles myNativeBundle = JavaFxPackagerConstants.NativeBundles.none;
private JavaFxPackagerConstants.MsgOutputLevel myMsgOutputLevel = JavaFxPackagerConstants.MsgOutputLevel.Default;
private MockJavaFxPackager(String outputPath) {
myOutputPath = outputPath;
}
private void setTitle(String title) {
myTitle = title;
}
private void setVendor(String vendor) {
myVendor = vendor;
}
private void setDescription(String description) {
myDescription = description;
}
private void setVersion(String version) {
myVersion = version;
}
private void setHtmlTemplate(String htmlTemplate) {
myHtmlTemplate = htmlTemplate;
}
private void setHtmlPlaceholderId(String htmlPlaceholderId) {
myHtmlPlaceholderId = htmlPlaceholderId;
}
private void setHtmlParams(String htmlParams) {
myHtmlParams = htmlParams;
}
private void setParams(String params) {
myParams = params;
}
private void setPreloaderClass(String preloaderClass) {
myPreloaderClass = preloaderClass;
}
private void setPreloaderJar(String preloaderJar) {
myPreloaderJar = preloaderJar;
}
public void setSigned(boolean signed) {
mySigned = signed;
}
public void setIcons(JavaFxApplicationIcons icons) {
myIcons = icons;
}
public void setNativeBundle(JavaFxPackagerConstants.NativeBundles nativeBundle) {
myNativeBundle = nativeBundle;
}
public void setMsgOutputLevel(JavaFxPackagerConstants.MsgOutputLevel msgOutputLevel) {
myMsgOutputLevel = msgOutputLevel;
}
@Override
protected String getArtifactName() {
return getArtifactRootName();
}
@Override
protected String getArtifactOutputPath() {
return new File(myOutputPath).getParent();
}
@Override
protected String getArtifactOutputFilePath() {
return myOutputPath;
}
@Override
protected String getAppClass() {
return "Main";
}
@Override
protected String getTitle() {
return myTitle;
}
@Override
protected String getVendor() {
return myVendor;
}
@Override
protected String getDescription() {
return myDescription;
}
@Override
public String getVersion() {
return myVersion;
}
@Override
protected String getWidth() {
return "800";
}
@Override
protected String getHeight() {
return "400";
}
@Override
public String getHtmlTemplateFile() {
return myHtmlTemplate;
}
@Override
public String getHtmlPlaceholderId() {
return myHtmlPlaceholderId;
}
@Override
protected String getHtmlParamFile() {
return myHtmlParams;
}
@Override
protected String getParamFile() {
return myParams;
}
@Override
protected String getUpdateMode() {
return JavaFxPackagerConstants.UPDATE_MODE_BACKGROUND;
}
@Override
protected JavaFxPackagerConstants.NativeBundles getNativeBundle() {
return myNativeBundle;
}
@Override
protected void registerJavaFxPackagerError(String message) {
}
@Override
protected void registerJavaFxPackagerInfo(String message) {
}
@Override
public String getKeypass() {
return null;
}
@Override
public String getStorepass() {
return null;
}
@Override
public String getKeystore() {
return null;
}
@Override
public String getAlias() {
return null;
}
@Override
public boolean isSelfSigning() {
return true;
}
@Override
public boolean isEnabledSigning() {
return mySigned;
}
@Override
public String getPreloaderClass() {
return myPreloaderClass;
}
@Override
public String getPreloaderJar() {
return myPreloaderJar;
}
@Override
public boolean convertCss2Bin() {
return myConvertCss2Bin;
}
@Override
public List<JavaFxManifestAttribute> getCustomManifestAttributes() {
return myCustomManifestAttributes;
}
@Override
public JavaFxApplicationIcons getIcons() {
return myIcons;
}
@Override
public JavaFxPackagerConstants.MsgOutputLevel getMsgOutputLevel() {
return myMsgOutputLevel;
}
}
}
| {
"content_hash": "bf5e9f76ddea95ef6796fa7767ec1a34",
"timestamp": "",
"source": "github",
"line_count": 676,
"max_line_length": 157,
"avg_line_length": 34.662721893491124,
"alnum_prop": 0.5836462956640491,
"repo_name": "JetBrains/intellij-community",
"id": "624717e360a7dd1f44303aaa473bd7782668bef3",
"size": "23432",
"binary": false,
"copies": "2",
"ref": "refs/heads/master",
"path": "plugins/javaFX/javaFX-CE/testSrc/org/jetbrains/plugins/javaFX/packaging/JavaFxAntTaskTest.java",
"mode": "33188",
"license": "apache-2.0",
"language": [],
"symlink_target": ""
} |
package com.microsoft.azure.management.network.v2017_10_01.implementation;
import com.microsoft.azure.management.network.v2017_10_01.AuthorizationUseStatus;
import com.fasterxml.jackson.annotation.JsonProperty;
import com.microsoft.rest.serializer.JsonFlatten;
import com.microsoft.azure.SubResource;
/**
* Authorization in an ExpressRouteCircuit resource.
*/
@JsonFlatten
public class ExpressRouteCircuitAuthorizationInner extends SubResource {
/**
* The authorization key.
*/
@JsonProperty(value = "properties.authorizationKey")
private String authorizationKey;
/**
* AuthorizationUseStatus. Possible values are: 'Available' and 'InUse'.
* Possible values include: 'Available', 'InUse'.
*/
@JsonProperty(value = "properties.authorizationUseStatus")
private AuthorizationUseStatus authorizationUseStatus;
/**
* Gets the provisioning state of the public IP resource. Possible values
* are: 'Updating', 'Deleting', and 'Failed'.
*/
@JsonProperty(value = "properties.provisioningState")
private String provisioningState;
/**
* Gets name of the resource that is unique within a resource group. This
* name can be used to access the resource.
*/
@JsonProperty(value = "name")
private String name;
/**
* A unique read-only string that changes whenever the resource is updated.
*/
@JsonProperty(value = "etag", access = JsonProperty.Access.WRITE_ONLY)
private String etag;
/**
* Get the authorization key.
*
* @return the authorizationKey value
*/
public String authorizationKey() {
return this.authorizationKey;
}
/**
* Set the authorization key.
*
* @param authorizationKey the authorizationKey value to set
* @return the ExpressRouteCircuitAuthorizationInner object itself.
*/
public ExpressRouteCircuitAuthorizationInner withAuthorizationKey(String authorizationKey) {
this.authorizationKey = authorizationKey;
return this;
}
/**
* Get authorizationUseStatus. Possible values are: 'Available' and 'InUse'. Possible values include: 'Available', 'InUse'.
*
* @return the authorizationUseStatus value
*/
public AuthorizationUseStatus authorizationUseStatus() {
return this.authorizationUseStatus;
}
/**
* Set authorizationUseStatus. Possible values are: 'Available' and 'InUse'. Possible values include: 'Available', 'InUse'.
*
* @param authorizationUseStatus the authorizationUseStatus value to set
* @return the ExpressRouteCircuitAuthorizationInner object itself.
*/
public ExpressRouteCircuitAuthorizationInner withAuthorizationUseStatus(AuthorizationUseStatus authorizationUseStatus) {
this.authorizationUseStatus = authorizationUseStatus;
return this;
}
/**
* Get gets the provisioning state of the public IP resource. Possible values are: 'Updating', 'Deleting', and 'Failed'.
*
* @return the provisioningState value
*/
public String provisioningState() {
return this.provisioningState;
}
/**
* Set gets the provisioning state of the public IP resource. Possible values are: 'Updating', 'Deleting', and 'Failed'.
*
* @param provisioningState the provisioningState value to set
* @return the ExpressRouteCircuitAuthorizationInner object itself.
*/
public ExpressRouteCircuitAuthorizationInner withProvisioningState(String provisioningState) {
this.provisioningState = provisioningState;
return this;
}
/**
* Get gets name of the resource that is unique within a resource group. This name can be used to access the resource.
*
* @return the name value
*/
public String name() {
return this.name;
}
/**
* Set gets name of the resource that is unique within a resource group. This name can be used to access the resource.
*
* @param name the name value to set
* @return the ExpressRouteCircuitAuthorizationInner object itself.
*/
public ExpressRouteCircuitAuthorizationInner withName(String name) {
this.name = name;
return this;
}
/**
* Get a unique read-only string that changes whenever the resource is updated.
*
* @return the etag value
*/
public String etag() {
return this.etag;
}
}
| {
"content_hash": "e50392b2241033a33608de9bd68d0492",
"timestamp": "",
"source": "github",
"line_count": 137,
"max_line_length": 127,
"avg_line_length": 32.44525547445255,
"alnum_prop": 0.6899887514060742,
"repo_name": "hovsepm/azure-sdk-for-java",
"id": "0f1383c81c216c96b7302fca36edd9eb6a6dd63c",
"size": "4675",
"binary": false,
"copies": "3",
"ref": "refs/heads/master",
"path": "network/resource-manager/v2017_10_01/src/main/java/com/microsoft/azure/management/network/v2017_10_01/implementation/ExpressRouteCircuitAuthorizationInner.java",
"mode": "33188",
"license": "mit",
"language": [
{
"name": "Batchfile",
"bytes": "6821"
},
{
"name": "HTML",
"bytes": "1250"
},
{
"name": "Java",
"bytes": "103388992"
},
{
"name": "JavaScript",
"bytes": "8139"
},
{
"name": "PowerShell",
"bytes": "160"
},
{
"name": "Python",
"bytes": "3855"
},
{
"name": "Shell",
"bytes": "609"
}
],
"symlink_target": ""
} |
PHALCON_BRANCH='2.1.x'
MYSQL_ROOT_PASS='pass'
# Set $HOME.
HOME=/home/vagrant
cd ~
apt-get update
apt-get upgrade -y
# Add repositories
apt-get install -y software-properties-common
# PHP5.6.x repository
add-apt-repository ppa:ondrej/php5-5.6
# Jenkins repository
wget -q -O - https://jenkins-ci.org/debian/jenkins-ci.org.key | apt-key add -
echo 'deb http://pkg.jenkins-ci.org/debian binary/' > /etc/apt/sources.list.d/jenkins.list
apt-get update
# Ignore client locale settings.
sed -i 's/AcceptEnv/#AcceptEnv/' /etc/ssh/sshd_config
# tools
apt-get install -y nano git-core
# apache
apt-get install -y apache2
mv /var/www/html/index.html /var/www/html/index.html_backup
# apache settings
a2enmod expires
a2enmod rewrite
a2enmod ssl
a2ensite default-ssl
# https://help.ubuntu.com/community/ApacheMySQLPHP#Troubleshooting_Apache
echo 'ServerName localhost' > /etc/apache2/conf-available/fqdn.conf
a2enconf fqdn
cp /vagrant/conf/apache.conf /etc/apache2/sites-available/myapache.conf
a2ensite myapache.conf
# PHP
apt-get install -y php5 php5-common php5-mcrypt curl php5-curl php5-xdebug
cp /vagrant/conf/php.ini /etc/php5/mods-available/myphp.ini
php5enmod myphp
php5dismod xdebug
# MySQL
debconf-set-selections <<< "mysql-server mysql-server/root_password password $MYSQL_ROOT_PASS"
debconf-set-selections <<< "mysql-server mysql-server/root_password_again password $MYSQL_ROOT_PASS"
apt-get install -y mariadb-server php5-mysqlnd
cp /vagrant/conf/mysql.cnf /etc/mysql/conf.d/mysql.cnf
service mysql restart
mysql_tzinfo_to_sql /usr/share/zoneinfo | mysql -u root -p${MYSQL_ROOT_PASS} mysql
# phpMyAdmin
debconf-set-selections <<< "phpmyadmin phpmyadmin/reconfigure-webserver multiselect apache2"
debconf-set-selections <<< "phpmyadmin phpmyadmin/dbconfig-install boolean true"
debconf-set-selections <<< "phpmyadmin phpmyadmin/mysql/admin-pass password $MYSQL_ROOT_PASS"
debconf-set-selections <<< "phpmyadmin phpmyadmin/mysql/app-pass password"
apt-get -y install phpmyadmin
echo "\$cfg['LoginCookieValidity'] = 14400;" >> /etc/phpmyadmin/config.inc.php
# memcached
apt-get -y install php5-memcached memcached
# Jenkins
apt-get install -y jenkins
# Enable sudo in Jenkins
echo 'jenkins ALL=(ALL) NOPASSWD:ALL' > /etc/sudoers.d/jenkins
# Phalcon
apt-get install -y php5-dev gcc libpcre3-dev re2c
git clone -b $PHALCON_BRANCH --depth=1 git://github.com/phalcon/cphalcon.git
cd ~/cphalcon/build/
./install
cd ~
rm -rf cphalcon/
echo 'extension=phalcon.so' > /etc/php5/mods-available/phalcon.ini
php5enmod phalcon
# Zephir
git clone https://github.com/phalcon/zephir
cd zephir
./install-json
./install -c
cd ~
# Composer(global)
curl -sS https://getcomposer.org/installer | php
mv composer.phar /usr/local/bin/composer
echo 'PATH="$HOME/.composer/vendor/bin:$PATH"' >> .profile
echo 'Defaults !secure_path' > /etc/sudoers.d/00-keep-env-path
echo 'Defaults env_keep+="PATH"' >> /etc/sudoers.d/00-keep-env-path
# Phalcon DevTools
composer global require phalcon/devtools:dev-master
ln -s /home/vagrant/.composer/vendor/bin/phalcon.php /home/vagrant/.composer/vendor/bin/phalcon
# Codeception
composer global require codeception/codeception
# auto security update
cp /usr/share/unattended-upgrades/20auto-upgrades /etc/apt/apt.conf.d/20auto-upgrades
chown -R vagrant:vagrant $HOME
apt-get autoremove -y
service apache2 restart
| {
"content_hash": "6e0e63a3b8c55ad11df6cf7861e1e727",
"timestamp": "",
"source": "github",
"line_count": 109,
"max_line_length": 100,
"avg_line_length": 30.678899082568808,
"alnum_prop": 0.771232057416268,
"repo_name": "ryomo/vagrant-phalcon",
"id": "d0f984918631d1e1a4a1f881d63a89e7fc5ffe38",
"size": "3357",
"binary": false,
"copies": "2",
"ref": "refs/heads/master",
"path": "conf/provision.sh",
"mode": "33188",
"license": "mit",
"language": [
{
"name": "Shell",
"bytes": "3357"
}
],
"symlink_target": ""
} |
// Copyright (c) Microsoft. All rights reserved.
// Licensed under the MIT license. See LICENSE file in the project root for full license information.
using System.Reflection;
using System.Runtime.CompilerServices;
using System.Runtime.InteropServices;
// General Information about an assembly is controlled through the following
// set of attributes. Change these attribute values to modify the information
// associated with an assembly.
[assembly: AssemblyTitle("Microsoft.Azure.Devices.Client")]
[assembly: AssemblyDescription("")]
[assembly: AssemblyConfiguration("")]
// Setting ComVisible to false makes the types in this assembly not visible
// to COM components. If you need to access a type in this assembly from
// COM, set the ComVisible attribute to true on that type.
[assembly: ComVisible(false)]
// The following GUID is for the ID of the typelib if this project is exposed to COM
[assembly: Guid("4680cfbc-a5f8-4d62-9aa4-44a7b62a02d3")]
[assembly: AssemblyVersion("1.0.0.0")]
#if (RELEASE_DELAY_SIGN)
[assembly: AssemblyDelaySignAttribute(true)]
[assembly: AssemblyKeyFileAttribute("35MSSharedLib1024.snk")]
#else
[assembly: InternalsVisibleTo("Microsoft.Azure.Devices.Client.Test")]
[assembly: InternalsVisibleTo("DynamicProxyGenAssembly2")]
#endif
// Version information for an assembly follows semantic versioning 1.0.0 (because
// NuGet didn't support semver 2.0.0 before VS 2015). See semver.org for details.
[assembly: AssemblyInformationalVersion("1.0.0-preview-007")]
| {
"content_hash": "5c30311233b83285493ae5428ad05f37",
"timestamp": "",
"source": "github",
"line_count": 35,
"max_line_length": 101,
"avg_line_length": 42.91428571428571,
"alnum_prop": 0.7842876165113183,
"repo_name": "faister/azure-iot-sdks",
"id": "5f6074a468d67d5f0341e5a8d17a07d0b6fe451f",
"size": "1504",
"binary": false,
"copies": "1",
"ref": "refs/heads/master",
"path": "csharp/device/Microsoft.Azure.Devices.Client/Properties/AssemblyInfo.cs",
"mode": "33188",
"license": "mit",
"language": [
{
"name": "Batchfile",
"bytes": "108884"
},
{
"name": "C",
"bytes": "3070943"
},
{
"name": "C#",
"bytes": "1514351"
},
{
"name": "C++",
"bytes": "4676189"
},
{
"name": "CMake",
"bytes": "68331"
},
{
"name": "CSS",
"bytes": "492583"
},
{
"name": "HTML",
"bytes": "481"
},
{
"name": "Java",
"bytes": "1276298"
},
{
"name": "JavaScript",
"bytes": "4491607"
},
{
"name": "Makefile",
"bytes": "7082"
},
{
"name": "Objective-C",
"bytes": "2177"
},
{
"name": "PowerShell",
"bytes": "18836"
},
{
"name": "Shell",
"bytes": "28392"
}
],
"symlink_target": ""
} |
<div class="commune_descr limited">
<p>
Agenville est
un village
localisé dans le département de Somme en Picardie. Elle totalisait 105 habitants en 2008.</p>
<p>Le nombre d'habitations, à Agenville, se décomposait en 2011 en zero appartements et 43 maisons soit
un marché relativement équilibré.</p>
<p>Si vous pensez venir habiter à Agenville, vous pourrez facilement trouver une maison à acheter. </p>
<p>À proximité de Agenville sont situées les communes de
<a href="{{VLROOT}}/immobilier/domleger-longvillers_80245/">Domléger-Longvillers</a> localisée à 1 km, 265 habitants,
<a href="{{VLROOT}}/immobilier/mesnil-domqueur_80537/">Mesnil-Domqueur</a> située à 3 km, 80 habitants,
<a href="{{VLROOT}}/immobilier/conteville_80208/">Conteville</a> localisée à 2 km, 191 habitants,
<a href="{{VLROOT}}/immobilier/bernatre_80085/">Bernâtre</a> à 3 km, 49 habitants,
<a href="{{VLROOT}}/immobilier/beaumetz_80068/">Beaumetz</a> localisée à 2 km, 195 habitants,
<a href="{{VLROOT}}/immobilier/cramont_80221/">Cramont</a> à 3 km, 287 habitants,
entre autres. De plus, Agenville est située à seulement 20 km de <a href="{{VLROOT}}/immobilier/abbeville_80001/">Abbeville</a>.</p>
</div>
| {
"content_hash": "4b42ceb7c4eadd5a616a3f0079460cc2",
"timestamp": "",
"source": "github",
"line_count": 17,
"max_line_length": 138,
"avg_line_length": 72.58823529411765,
"alnum_prop": 0.7398703403565641,
"repo_name": "donaldinou/frontend",
"id": "5c959154c8d17236a5b9408eab55b303dfc8b07d",
"size": "1260",
"binary": false,
"copies": "1",
"ref": "refs/heads/master",
"path": "src/Viteloge/CoreBundle/Resources/descriptions/80005.html",
"mode": "33188",
"license": "mit",
"language": [
{
"name": "ApacheConf",
"bytes": "3073"
},
{
"name": "CSS",
"bytes": "111338"
},
{
"name": "HTML",
"bytes": "58634405"
},
{
"name": "JavaScript",
"bytes": "88564"
},
{
"name": "PHP",
"bytes": "841919"
}
],
"symlink_target": ""
} |
var $live = $('#live'),
showlive = $('#showlive')[0];
/**
* Defer callable. Kinda tricky to explain. Basically:
* "Don't make newFn callable until I tell you via this trigger callback."
*
* Example:
// Only start logging after 3 seconds
var log = function (str) { console.log(str); };
var deferredLog = deferCallable(log, function (done) {
setTimeout(done, 3000);
});
setInterval(function () {
deferredLog(Date.now(), 500);
});
*/
var deferCallable = function (newFn, trigger) {
var args,
pointerFn = function () {
// Initially, the pointer basically does nothing, waiting for the
// trigger to fire, but we save the arguments that wrapper was called
// with so that they can be passed to the newFn when it's ready.
args = [].slice.call(arguments);
};
// Immediately call the trigger so that the user can inform us of when
// the newFn is callable.
// When it is, swap round the pointers and, if the wrapper was aleady called,
// immediately call the pointerFn.
trigger(function () {
pointerFn = newFn;
if (args) {
pointerFn.apply(null, args);
}
});
// Wrapper the pointer function. This means we can swap pointerFn around
// without breaking external references.
return function wrapper() {
return pointerFn.apply(null, [].slice.call(arguments));
};
};
/**
* =============================================================================
* =============================================================================
* =============================================================================
*/
function sendReload() {
if (saveChecksum) {
$.ajax({
url: jsbin.getURL() + '/reload',
data: {
code: jsbin.state.code,
revision: jsbin.state.revision,
checksum: saveChecksum
},
type: 'post'
});
}
}
function codeChangeLive(event, data) {
clearTimeout(deferredLiveRender);
var editor,
line,
panel = jsbin.panels.panels.live;
if (jsbin.panels.ready) {
if (jsbin.settings.includejs === false && data.panelId === 'javascript') {
// ignore
} else if (panel.visible) {
// test to see if they're write a while loop
if (!jsbin.lameEditor && jsbin.panels.focused && jsbin.panels.focused.id === 'javascript') {
// check the current line doesn't match a for or a while or a do - which could trip in to an infinite loop
editor = jsbin.panels.focused.editor;
line = editor.getLine(editor.getCursor().line);
if (ignoreDuringLive.test(line) === true) {
// ignore
deferredLiveRender = setTimeout(function () {
codeChangeLive(event, data);
}, 1000);
} else {
renderLivePreview();
}
} else {
renderLivePreview();
}
}
}
}
/** ============================================================================
* JS Bin Renderer
* Messages to and from the runner.
* ========================================================================== */
var renderer = (function () {
var renderer = {};
/**
* Store what runner origin *should* be
* TODO this should allow anything if x-origin protection should be disabled
*/
renderer.runner = {};
renderer.runner.origin = '*';
/**
* Setup the renderer
*/
renderer.setup = function (runnerFrame) {
renderer.runner.window = runnerFrame.contentWindow;
renderer.runner.iframe = runnerFrame;
};
/**
* Log error messages, indicating that it's from the renderer.
*/
renderer.error = function () {
// it's quite likely that the error that fires on this handler actually comes
// from another service on the page, like a browser plugin, which we can
// safely ignore.
window.console.warn.apply(console, ['Renderer:'].concat([].slice.call(arguments)));
};
/**
* Handle all incoming postMessages to the renderer
*/
renderer.handleMessage = function (event) {
if (!event.origin) return;
var data = event.data;
if (typeof data !== 'string') {
// this event isn't for us (i.e. comes from a browser ext)
return;
}
// specific change to handle reveal embedding
try {
if (event.data.indexOf('slide:') === 0 || event.data === 'jsbin:refresh') {
// reset the state of the panel visibility
jsbin.panels.allEditors(function (p) {
p.visible = false;
});
jsbin.panels.restore();
return;
}
} catch (e) {}
try {
data = typeof event.data === 'string' ? JSON.parse(event.data) : event.data;
} catch (e) {
return renderer.error('Error parsing event data:', e.message);
}
if (typeof renderer[data.type] !== 'function') {
return false; //renderer.error('No matching handler for event', data);
}
try {
renderer[data.type](data.data);
} catch (e) {
renderer.error(e.message);
}
};
/**
* Send message to the runner window
*/
renderer.postMessage = function (type, data) {
if (!renderer.runner.window) {
return renderer.error('postMessage: No connection to runner window.');
}
renderer.runner.window.postMessage(JSON.stringify({
type: type,
data: data
}), renderer.runner.origin);
};
/**
* When the renderer is complete, it means we didn't hit an initial
* infinite loop
*/
renderer.complete = function () {
try {
store.sessionStorage.removeItem('runnerPending');
} catch (e) {}
};
/**
* Pass loop protection hit calls up to the error UI
*/
renderer.loopProtectHit = function (line) {
var cm = jsbin.panels.panels.javascript.editor;
// grr - more setTimeouts to the rescue. We need this to go in *after*
// jshint does it's magic, but jshint set on a setTimeout, so we have to
// schedule after.
setTimeout(function () {
var annotations = cm.state.lint.annotations || [];
if (typeof cm.updateLinting !== 'undefined') {
// note: this just updated the *source* reference
annotations = annotations.filter(function (a) {
return a.source !== 'loopProtectLine:' + line;
});
annotations.push({
from: CodeMirror.Pos(line-1, 0),
to: CodeMirror.Pos(line-1, 0),
message: 'Exiting potential infinite loop.\nTo disable loop protection: add "// noprotect" to your code',
severity: 'warning',
source: 'loopProtectLine:' + line
});
cm.updateLinting(annotations);
}
}, cm.state.lint.options.delay || 0);
};
/**
* When the iframe resizes, update the size text
*/
renderer.resize = (function () {
var size = $live.find('.size');
var hide = throttle(function () {
size.fadeOut(200);
}, 2000);
var embedResizeDone = false;
return function (data) {
if (!jsbin.embed) {
// Display the iframe size in px in the JS Bin UI
size.show().html(data.width + 'px');
hide();
}
if (jsbin.embed && self !== top && embedResizeDone === false) {
embedResizeDone = true;
// Inform the outer page of a size change
var height = ($body.outerHeight(true) - $(renderer.runner.iframe).height()) + data.offsetHeight;
window.parent.postMessage({ height: height }, '*');
}
};
}());
/**
* When the iframe focuses, simulate that here
*/
renderer.focus = function () {
jsbin.panels.focus(jsbin.panels.panels.live);
// also close any open dropdowns
closedropdown();
};
/**
* Proxy console logging to JS Bin's console
*/
renderer.console = function (data) {
var method = data.method,
args = data.args;
if (!window._console) {return;}
if (!window._console[method]) {method = 'log';}
// skip the entire console rendering if the console is hidden
if (!jsbin.panels.panels.console.visible) { return; }
window._console[method].apply(window._console, args);
};
/**
* Load scripts into rendered iframe
*/
renderer['console:load:script:success'] = function (url) {
$document.trigger('console:load:script:success', url);
};
renderer['console:load:script:error'] = function (err) {
$document.trigger('console:load:script:error', err);
};
/**
* Load DOME into rendered iframe
* TODO abstract these so that they are automatically triggered
*/
renderer['console:load:dom:success'] = function (url) {
$document.trigger('console:load:dom:success', url);
};
renderer['console:load:dom:error'] = function (err) {
$document.trigger('console:load:dom:error', err);
};
return renderer;
}());
/** ============================================================================
* Live rendering.
*
* Comes in two tasty flavours. Basic mode, which is essentially an IE7
* fallback. Take a look at https://github.com/jsbin/jsbin/issues/651 for more.
* It uses the iframe's name and JS Bin's event-stream support to keep the
* page up-to-date.
*
* The second mode uses postMessage to inform the runner of changes to code,
* config and anything that affects rendering, and also listens for messages
* coming back to update the JS Bin UI.
* ========================================================================== */
/**
* Render live preview.
* Create the runner iframe, and if postMe wait until the iframe is loaded to
* start postMessaging the runner.
*/
var renderLivePreview = (function () {
// Runner iframe
var iframe;
// Basic mode
// This adds the runner iframe to the page. It's only run once.
if (!$live.find('iframe').length) {
iframe = document.createElement('iframe');
iframe.setAttribute('class', 'stretch');
iframe.setAttribute('sandbox', 'allow-modals allow-forms allow-pointer-lock allow-popups allow-same-origin allow-scripts');
iframe.setAttribute('frameBorder', '0');
iframe.setAttribute('name', '<proxy>');
$live.prepend(iframe);
iframe.src = jsbin.runner;
try {
iframe.contentWindow.name = '/' + jsbin.state.code + '/' + jsbin.state.revision;
} catch (e) {
// ^- this shouldn't really fail, but if we're honest, it's a fucking mystery as to why it even works.
// problem is: if this throws (because iframe.contentWindow is undefined), then the execution exits
// and `var renderLivePreview` is set to undefined. The knock on effect is that the calls to renderLivePreview
// then fail, and jsbin doesn't boot up. Tears all round, so we catch.
}
}
// The big daddy that handles postmessaging the runner.
var renderLivePreview = function (requested) {
// No postMessage? Don't render – the event-stream will handle it.
if (!window.postMessage) { return; }
// Inform other pages event streaming render to reload
if (requested) {
sendReload();
jsbin.state.hasBody = false;
}
getPreparedCode().then(function (source) {
var includeJsInRealtime = jsbin.settings.includejs;
// Tell the iframe to reload
var visiblePanels = jsbin.panels.getVisible();
var outputPanelOpen = visiblePanels.indexOf(jsbin.panels.panels.live) > -1;
var consolePanelOpen = visiblePanels.indexOf(jsbin.panels.panels.console) > -1;
if (!outputPanelOpen && !consolePanelOpen) {
return;
}
// this is a flag that helps detect crashed runners
if (jsbin.settings.includejs) {
store.sessionStorage.setItem('runnerPending', 1);
}
renderer.postMessage('render', {
source: source,
options: {
injectCSS: jsbin.state.hasBody && jsbin.panels.focused.id === 'css',
requested: requested,
debug: jsbin.settings.debug,
includeJsInRealtime: jsbin.settings.includejs,
},
});
jsbin.state.hasBody = true;
});
};
/**
* Events
*/
$document.on('codeChange.live', function (event, arg) {
if (arg.origin === 'setValue' || arg.origin === undefined) {
return;
}
store.sessionStorage.removeItem('runnerPending');
});
// Listen for console input and post it to the iframe
$document.on('console:run', function (event, cmd) {
renderer.postMessage('console:run', cmd);
});
$document.on('console:load:script', function (event, url) {
renderer.postMessage('console:load:script', url);
});
$document.on('console:load:dom', function (event, html) {
renderer.postMessage('console:load:dom', html);
});
// When the iframe loads, swap round the callbacks and immediately invoke
// if renderLivePreview was called already.
return deferCallable(throttle(renderLivePreview, 200), function (done) {
iframe.onload = function () {
if (window.postMessage) {
// Setup postMessage listening to the runner
$window.on('message', function (event) {
renderer.handleMessage(event.originalEvent);
});
renderer.setup(iframe);
}
done();
};
});
}());
// this needs to be after renderLivePreview is set (as it's defined using
// var instead of a first class function).
var liveScrollTop = null;
// timer value: used in the delayed render (because iframes don't have
// innerHeight/Width) in Chrome & WebKit
var deferredLiveRender = null;
$document.bind('codeChange.live', codeChangeLive);
| {
"content_hash": "6c62aaca3d0c5aa686609a125680fc44",
"timestamp": "",
"source": "github",
"line_count": 436,
"max_line_length": 127,
"avg_line_length": 30.775229357798164,
"alnum_prop": 0.601878074228648,
"repo_name": "johnmichel/jsbin",
"id": "8ab41aec0014bfa6f3e8f6535b1bb2f303d0f374",
"size": "13420",
"binary": false,
"copies": "5",
"ref": "refs/heads/master",
"path": "public/js/render/live.js",
"mode": "33188",
"license": "mit",
"language": [
{
"name": "CSS",
"bytes": "275433"
},
{
"name": "HTML",
"bytes": "143718"
},
{
"name": "JavaScript",
"bytes": "950805"
},
{
"name": "SQLPL",
"bytes": "230"
}
],
"symlink_target": ""
} |
(function(){
"use strict";
// Store API data in global variable to get access everywhere in the app
var dataStore = null;
// App settings
var app = {
init: function () {
// Get hash from url
var route = window.location.hash;
// If no hash is in the URL add default hash
if (!route) {
route = "#countries";
window.location.href = window.location.href + route;
}
// Load request result
request.countries();
}
};
// AJAX requests
var request = {
// Request to country API - Get all countries at once so we need 1 AJAX cal
countries: function () {
// Check if there is localStorage, and if not run AJAX call
if (localStorage.getItem("countries") === null) {
// When there is no localStorage
// The AJAX call with the aja.js library
aja()
.method("get")
.url(apiURL)
.on("200", function (response) {
// Store response data in global variable dataStore
if (typeof(Storage) !== "undefined") {
// If the browser does does support localStorage
// Store data in localStorage for better performance.
// The data needs to be converted to a string because localStorage only supports Strings and then in the dataStore variable it needs to be converted to a JSON syntax.
localStorage.setItem("countries", JSON.stringify(response));
dataStore = JSON.parse(localStorage.getItem("countries"));
} else {
// If the browser does not support localStorage
dataStore = response;
}
// Start routers only when AJAX call is a succes
routers.listen();
// Remove loader
loader.remove();
// Fade in response
responseContainer.style.opacity = 1;
})
.on("40x", function () {
// Error message for user
routers.failed();
// Remove loader
loader.remove();
})
.on("500", function () {
// Error message for user
routers.failed();
// Remove loader
loader.remove();
})
.go();
} else {
// if there is localStorage
dataStore = JSON.parse(localStorage.getItem("countries"));
// Start routers only when AJAX call is a succes
routers.listen();
// Remove loader
loader.remove();
// Fade in response
responseContainer.style.opacity = 1;
}
}
};
// Routers we can access within the app
var routers = {
// Listen loads when data from API is successfully loaded
listen: function () {
// Routers
routie({
"countries": function() {
// Hide Google Maps on overview
document.getElementById("map").classList.add("hide");
document.getElementById("map").classList.remove("show");
// Overview of all the countries
sections.overviewCountries();
// hide not selected sections
sections.hide();
// Add active to the section that needs te be displayed
document.getElementById("countries").classList.add("active");
filterRegion.select();
},
"countries/:country": function() {
// Show Google Maps on single
document.getElementById("map").classList.add("show");
document.getElementById("map").classList.remove("hide");
// Overview of single country
sections.singulairCountries();
// hide not selected sections
sections.hide();
// Add active to the section that needs te be displayed
document.getElementById("country").classList.add("active");
}
});
},
// Failed loads when data from API is NOT successfully loaded
failed: function () {
// Hide Google Maps on overview
document.getElementById("map").classList.add("hide");
document.getElementById("map").classList.remove("show");
// Show failed content
document.getElementById("failed").classList.add("show");
document.getElementById("failed").classList.remove("hide");
}
};
// Sections
var sections = {
hide: function () {
// Hide other sections
var hidden = document.getElementsByTagName("section");
// Loop in all sections
for (var i = 0; i < hidden.length; i++) {
// Hide other sections
hidden[i].classList.remove("active");
}
},
overviewCountries: function () {
// Filter buttons loaded
filterRegion.buttons();
// Render country name and link with alpha3Code with the library Transparency.js
var countrySingle = {
country: {
text: function() {
// Get name of country
return this.name;
},
value: function() {
// Get alpha3Code of country
return this.alpha3Code;
},
href: function() {
// Generate link to single page of country
return window.location.href + "/" + this.alpha3Code;
}
}
};
// Render overview list of countries
Transparency.render(document.getElementById("countriesOverview"), dataStore, countrySingle);
// Render dropdown list of countries
Transparency.render(document.getElementById("countriesSearch"), dataStore, countrySingle);
// Select region with the filters
document.getElementById("allClickButtons").addEventListener("click",function (e) {
// Create dropdown select html element
filterRegion.select();
// Filter for regions activated
filterRegion.active(e);
// When click on 1 filter item close filter section
document.getElementById("showFilters").checked = false;
});
},
singulairCountries: function () {
// Back to top of window
window.scrollTo(0, 0);
// Get the right country by hash
var initialPage = window.location.hash;
var countryLink = initialPage.split("/")[1];
// Filter the selected country
var singleCountry = dataStore.filter(function(value) {
return value.alpha3Code == countryLink;
});
// Render single countries, the selected one
Transparency.render(document.getElementById("countryContainer"), singleCountry);
// Google maps update
var latValue = singleCountry[0].latlng[0];
var lngValue = singleCountry[0].latlng[1];
// Sent lat en lng to Google Maps the render the new map
this.googleMaps(latValue, lngValue);
// Generate summery for country based on the data from the API
var summery = singleCountry.reduce(function(buffer, object) {
var summeryString = object.name + " (or native name: " + object.nativeName + ") is a country located on the " + object.region + " continent." + " The surface is: " + object.area + " km\u00B2 for a population of " + object.population + " human beings." + " The capital city is named: " + object.capital;
return summeryString;
}, "");
// Render summery
Transparency.render(document.getElementById("summery"), {inner: summery});
},
googleMaps: function (lat, lng) {
// Needed to reload Google Maps, because if the marker updates it needed a redraw.
// lat and lng from the selected country
var latlng = new google.maps.LatLng(lat, lng);
var mapOptions = {
center: latlng,
zoom: 3,
mapTypeId: google.maps.MapTypeId.ROADMAP,
disableDefaultUI: true,
// Config in separate file because it's ugly maps.config.js
styles: mapsConfig
};
// Render new map
var map = new google.maps.Map(document.getElementById("map"), mapOptions);
// Place marker in the center of the map
var marker = new google.maps.Marker({
position: latlng,
map: map
});
}
};
var filterRegion = {
// Filter buttons for regions aka continents
buttons: function () {
// Map data to get only the region name
var regions = dataStore.map(function(objectItem) {
return { region: objectItem.region };
});
// Filter all regions so we don't have any duplicated one's
var regionArray = [], regionOutput = [], l = regions.length, i;
for( i=0; i<l; i++) {
if( regionArray[regions[i].region]) continue;
regionArray[regions[i].region] = true;
// Do not add empty values
if(regions[i].region != "") {
regionOutput.push(regions[i].region);
}
}
// Sort region names alphabetically
regionOutput.sort();
// Render regions for filter
var filterButtons = {
region: {
text: function() {
return this.value;
},
value: function() {
return this.value;
},
for: function() {
return this.value;
}
},
regionGroup: {
value: function() {
return this.value;
},
id: function() {
return this.value;
}
}
};
// Render HTML
Transparency.render(document.getElementById("filterButtons"), regionOutput, filterButtons);
},
active: function (e) {
if (e.target && e.target.matches(".regionRadio")) {
// Filter on region
var filteredRegion;
if (e.target.value == "all") {
filteredRegion = dataStore;
} else {
filteredRegion = dataStore.filter(function(value) {
return value.region == e.target.value;
});
}
// Render country name and link with alpha3Code
var countrySingle = {
country: {
text: function() {
return this.name;
},
value: function() {
return this.alpha3Code;
},
href: function() {
return window.location.href + "/" + this.alpha3Code;
}
}
};
// Render overview list of countries
Transparency.render(document.getElementById("countriesOverview"), filteredRegion, countrySingle);
// Render dropdown list of countries
Transparency.render(document.getElementById("countriesSearch"), filteredRegion, countrySingle);
}
},
select: function () {
// Default selected item in dropdown after loaded countries
var countryDropdown = document.getElementById("countriesSearch");
// Create default option
var option = document.createElement("option");
option.text = "Select a country..";
// Set ID
option.setAttribute("id", "defaultSelected");
// Set as selected item
option.setAttribute("selected", "selected");
// Set as disabled so it can't be selected by the user
option.setAttribute("disabled", "disabled");
// add Default selected item to dropdown only when not exist
var defaultSelected = document.getElementById("defaultSelected");
if (defaultSelected) {
// First remove then add
defaultSelected.remove();
countryDropdown.add(option, countryDropdown[0]);
} else {
// Add
countryDropdown.add(option, countryDropdown[0]);
}
// Go to selected country
document.getElementById("countriesSearch").addEventListener("change",function () {
if (this.value) {
window.location.href = "#countries/" + this.value;
}
});
}
};
app.init();
}()); | {
"content_hash": "936f8ad618eef0ed6b417d33a6eb1d99",
"timestamp": "",
"source": "github",
"line_count": 320,
"max_line_length": 318,
"avg_line_length": 44.16875,
"alnum_prop": 0.48379793405971416,
"repo_name": "TimoVerkroost/minor-web-app-from-scratch",
"id": "976d5aaf5d3a84f602f8d467da3e41034e9e6f9f",
"size": "14134",
"binary": false,
"copies": "1",
"ref": "refs/heads/master",
"path": "srv/w3-assignment-1-ajax/assets/js/app.js",
"mode": "33188",
"license": "mit",
"language": [
{
"name": "CSS",
"bytes": "11684"
},
{
"name": "HTML",
"bytes": "14068"
},
{
"name": "JavaScript",
"bytes": "73847"
}
],
"symlink_target": ""
} |
/**
* @ngdoc directive
* @name mdProgressCircular
* @module material.components.progressCircular
* @restrict E
*
* @description
* The circular progress directive is used to make loading content in your app as delightful and
* painless as possible by minimizing the amount of visual change a user sees before they can view
* and interact with content.
*
* For operations where the percentage of the operation completed can be determined, use a
* determinate indicator. They give users a quick sense of how long an operation will take.
*
* For operations where the user is asked to wait a moment while something finishes up, and it’s
* not necessary to expose what's happening behind the scenes and how long it will take, use an
* indeterminate indicator.
*
* @param {string} md-mode Select from one of two modes: **'determinate'** and **'indeterminate'**.
*
* Note: if the `md-mode` value is set as undefined or specified as not 1 of the two (2) valid modes, then **'indeterminate'**
* will be auto-applied as the mode.
*
* Note: if not configured, the `md-mode="indeterminate"` will be auto injected as an attribute.
* If `value=""` is also specified, however, then `md-mode="determinate"` would be auto-injected instead.
* @param {number=} value In determinate mode, this number represents the percentage of the
* circular progress. Default: 0
* @param {number=} md-diameter This specifies the diameter of the circular progress. The value
* should be a pixel-size value (eg '100'). If this attribute is
* not present then a default value of '50px' is assumed.
*
* @param {boolean=} ng-disabled Determines whether to disable the progress element.
*
* @usage
* <hljs lang="html">
* <md-progress-circular md-mode="determinate" value="..."></md-progress-circular>
*
* <md-progress-circular md-mode="determinate" ng-value="..."></md-progress-circular>
*
* <md-progress-circular md-mode="determinate" value="..." md-diameter="100"></md-progress-circular>
*
* <md-progress-circular md-mode="indeterminate"></md-progress-circular>
* </hljs>
*/
angular
.module('material.components.progressCircular')
.directive('mdProgressCircular', MdProgressCircularDirective);
/* @ngInject */
function MdProgressCircularDirective($window, $mdProgressCircular, $mdTheming,
$mdUtil, $interval, $log) {
// Note that this shouldn't use use $$rAF, because it can cause an infinite loop
// in any tests that call $animate.flush.
var rAF = $window.requestAnimationFrame ||
$window.webkitRequestAnimationFrame ||
angular.noop;
var cAF = $window.cancelAnimationFrame ||
$window.webkitCancelAnimationFrame ||
$window.webkitCancelRequestAnimationFrame ||
angular.noop;
var DEGREE_IN_RADIANS = $window.Math.PI / 180;
var MODE_DETERMINATE = 'determinate';
var MODE_INDETERMINATE = 'indeterminate';
var DISABLED_CLASS = '_md-progress-circular-disabled';
var INDETERMINATE_CLASS = 'md-mode-indeterminate';
return {
restrict: 'E',
scope: {
value: '@',
mdDiameter: '@',
mdMode: '@'
},
template:
'<svg xmlns="http://www.w3.org/2000/svg">' +
'<path fill="none"/>' +
'</svg>',
compile: function(element, attrs) {
element.attr({
'aria-valuemin': 0,
'aria-valuemax': 100,
'role': 'progressbar'
});
if (angular.isUndefined(attrs.mdMode)) {
var mode = attrs.hasOwnProperty('value') ? MODE_DETERMINATE : MODE_INDETERMINATE;
attrs.$set('mdMode', mode);
} else {
attrs.$set('mdMode', attrs.mdMode.trim());
}
return MdProgressCircularLink;
}
};
function MdProgressCircularLink(scope, element, attrs) {
var node = element[0];
var svg = angular.element(node.querySelector('svg'));
var path = angular.element(node.querySelector('path'));
var startIndeterminate = $mdProgressCircular.startIndeterminate;
var endIndeterminate = $mdProgressCircular.endIndeterminate;
var rotationIndeterminate = 0;
var lastAnimationId = 0;
var lastDrawFrame;
var interval;
$mdTheming(element);
element.toggleClass(DISABLED_CLASS, attrs.hasOwnProperty('disabled'));
// If the mode is indeterminate, it doesn't need to
// wait for the next digest. It can start right away.
if(scope.mdMode === MODE_INDETERMINATE){
startIndeterminateAnimation();
}
scope.$on('$destroy', function(){
cleanupIndeterminateAnimation();
if (lastDrawFrame) {
cAF(lastDrawFrame);
}
});
scope.$watchGroup(['value', 'mdMode', function() {
var isDisabled = node.disabled;
// Sometimes the browser doesn't return a boolean, in
// which case we should check whether the attribute is
// present.
if (isDisabled === true || isDisabled === false){
return isDisabled;
}
return angular.isDefined(element.attr('disabled'));
}], function(newValues, oldValues) {
var mode = newValues[1];
var isDisabled = newValues[2];
var wasDisabled = oldValues[2];
if (isDisabled !== wasDisabled) {
element.toggleClass(DISABLED_CLASS, !!isDisabled);
}
if (isDisabled) {
cleanupIndeterminateAnimation();
} else {
if (mode !== MODE_DETERMINATE && mode !== MODE_INDETERMINATE) {
mode = MODE_INDETERMINATE;
attrs.$set('mdMode', mode);
}
if (mode === MODE_INDETERMINATE) {
startIndeterminateAnimation();
} else {
var newValue = clamp(newValues[0]);
cleanupIndeterminateAnimation();
element.attr('aria-valuenow', newValue);
renderCircle(clamp(oldValues[0]), newValue);
}
}
});
// This is in a separate watch in order to avoid layout, unless
// the value has actually changed.
scope.$watch('mdDiameter', function(newValue) {
var diameter = getSize(newValue);
var strokeWidth = getStroke(diameter);
var value = clamp(scope.value);
var transformOrigin = (diameter / 2) + 'px';
var dimensions = {
width: diameter + 'px',
height: diameter + 'px'
};
// The viewBox has to be applied via setAttribute, because it is
// case-sensitive. If jQuery is included in the page, `.attr` lowercases
// all attribute names.
svg[0].setAttribute('viewBox', '0 0 ' + diameter + ' ' + diameter);
// Usually viewBox sets the dimensions for the SVG, however that doesn't
// seem to be the case on IE10.
// Important! The transform origin has to be set from here and it has to
// be in the format of "Ypx Ypx Ypx", otherwise the rotation wobbles in
// IE and Edge, because they don't account for the stroke width when
// rotating. Also "center" doesn't help in this case, it has to be a
// precise value.
svg
.css(dimensions)
.css('transform-origin', transformOrigin + ' ' + transformOrigin + ' ' + transformOrigin);
element.css(dimensions);
path.css('stroke-width', strokeWidth + 'px');
renderCircle(value, value);
});
function renderCircle(animateFrom, animateTo, easing, duration, rotation) {
var id = ++lastAnimationId;
var startTime = $mdUtil.now();
var changeInValue = animateTo - animateFrom;
var diameter = getSize(scope.mdDiameter);
var pathDiameter = diameter - getStroke(diameter);
var ease = easing || $mdProgressCircular.easeFn;
var animationDuration = duration || $mdProgressCircular.duration;
// No need to animate it if the values are the same
if (animateTo === animateFrom) {
path.attr('d', getSvgArc(animateTo, diameter, pathDiameter, rotation));
} else {
lastDrawFrame = rAF(function animation() {
var currentTime = $window.Math.max(0, $window.Math.min($mdUtil.now() - startTime, animationDuration));
path.attr('d', getSvgArc(
ease(currentTime, animateFrom, changeInValue, animationDuration),
diameter,
pathDiameter,
rotation
));
// Do not allow overlapping animations
if (id === lastAnimationId && currentTime < animationDuration) {
lastDrawFrame = rAF(animation);
}
});
}
}
function animateIndeterminate() {
renderCircle(
startIndeterminate,
endIndeterminate,
$mdProgressCircular.easeFnIndeterminate,
$mdProgressCircular.durationIndeterminate,
rotationIndeterminate
);
// The % 100 technically isn't necessary, but it keeps the rotation
// under 100, instead of becoming a crazy large number.
rotationIndeterminate = (rotationIndeterminate + endIndeterminate) % 100;
var temp = startIndeterminate;
startIndeterminate = -endIndeterminate;
endIndeterminate = -temp;
}
function startIndeterminateAnimation() {
if (!interval) {
// Note that this interval isn't supposed to trigger a digest.
interval = $interval(
animateIndeterminate,
$mdProgressCircular.durationIndeterminate + 50,
0,
false
);
animateIndeterminate();
element
.addClass(INDETERMINATE_CLASS)
.removeAttr('aria-valuenow');
}
}
function cleanupIndeterminateAnimation() {
if (interval) {
$interval.cancel(interval);
interval = null;
element.removeClass(INDETERMINATE_CLASS);
}
}
}
/**
* Generates an arc following the SVG arc syntax.
* Syntax spec: https://www.w3.org/TR/SVG/paths.html#PathDataEllipticalArcCommands
*
* @param {number} current Current value between 0 and 100.
* @param {number} diameter Diameter of the container.
* @param {number} pathDiameter Diameter of the path element.
* @param {number=0} rotation The point at which the semicircle should start rendering.
* Used for doing the indeterminate animation.
*
* @returns {string} String representation of an SVG arc.
*/
function getSvgArc(current, diameter, pathDiameter, rotation) {
// The angle can't be exactly 360, because the arc becomes hidden.
var maximumAngle = 359.99 / 100;
var startPoint = rotation || 0;
var radius = diameter / 2;
var pathRadius = pathDiameter / 2;
var startAngle = startPoint * maximumAngle;
var endAngle = current * maximumAngle;
var start = polarToCartesian(radius, pathRadius, startAngle);
var end = polarToCartesian(radius, pathRadius, endAngle + startAngle);
var arcSweep = endAngle < 0 ? 0 : 1;
var largeArcFlag;
if (endAngle < 0) {
largeArcFlag = endAngle >= -180 ? 0 : 1;
} else {
largeArcFlag = endAngle <= 180 ? 0 : 1;
}
return 'M' + start + 'A' + pathRadius + ',' + pathRadius +
' 0 ' + largeArcFlag + ',' + arcSweep + ' ' + end;
}
/**
* Converts Polar coordinates to Cartesian.
*
* @param {number} radius Radius of the container.
* @param {number} pathRadius Radius of the path element
* @param {number} angleInDegress Angle at which to place the point.
*
* @returns {string} Cartesian coordinates in the format of `x,y`.
*/
function polarToCartesian(radius, pathRadius, angleInDegrees) {
var angleInRadians = (angleInDegrees - 90) * DEGREE_IN_RADIANS;
return (radius + (pathRadius * $window.Math.cos(angleInRadians))) +
',' + (radius + (pathRadius * $window.Math.sin(angleInRadians)));
}
/**
* Limits a value between 0 and 100.
*/
function clamp(value) {
return $window.Math.max(0, $window.Math.min(value || 0, 100));
}
/**
* Determines the size of a progress circle, based on the provided
* value in the following formats: `X`, `Ypx`, `Z%`.
*/
function getSize(value) {
var defaultValue = $mdProgressCircular.progressSize;
if (value) {
var parsed = parseFloat(value);
if (value.lastIndexOf('%') === value.length - 1) {
parsed = (parsed / 100) * defaultValue;
}
return parsed;
}
return defaultValue;
}
/**
* Determines the circle's stroke width, based on
* the provided diameter.
*/
function getStroke(diameter) {
return $mdProgressCircular.strokeWidth / 100 * diameter;
}
}
| {
"content_hash": "47636d0201f4c56e6a1f01a1b3d95cb0",
"timestamp": "",
"source": "github",
"line_count": 366,
"max_line_length": 126,
"avg_line_length": 33.95355191256831,
"alnum_prop": 0.6429548563611491,
"repo_name": "SamDLT/material",
"id": "4cb029643d8b28e182bf58fb5c8ed34072bf6325",
"size": "12429",
"binary": false,
"copies": "1",
"ref": "refs/heads/master",
"path": "src/components/progressCircular/js/progressCircularDirective.js",
"mode": "33188",
"license": "mit",
"language": [
{
"name": "CSS",
"bytes": "257551"
},
{
"name": "HTML",
"bytes": "189553"
},
{
"name": "JavaScript",
"bytes": "2283014"
},
{
"name": "PHP",
"bytes": "7211"
},
{
"name": "Shell",
"bytes": "10354"
}
],
"symlink_target": ""
} |
<?php
namespace Goth\UpcomingConcertsBundle\Tests\Provider;
use Goth\UpcomingConcertsBundle\Provider\Http;
use PHPUnit\Framework\TestCase;
class HttpTest extends TestCase
{
public function testParseParams()
{
$http = new class extends Http {
public function _parseParams(array $params = array()) : string
{
return $this->parseParams($params);
}
};
$params = array(
'apikey' => 'test',
'order' => 'desc'
);
$expectedResult = '?apikey=test&order=desc';
$parsedParams = $http->_parseParams($params);
$this->assertEquals($expectedResult, $parsedParams);
}
} | {
"content_hash": "da5b267861ce6171ef1cbbe76d5b7075",
"timestamp": "",
"source": "github",
"line_count": 30,
"max_line_length": 74,
"avg_line_length": 23.466666666666665,
"alnum_prop": 0.5838068181818182,
"repo_name": "goth-pl/upcoming-concerts-bundle",
"id": "7ee5f179552eefc0c0fb1e9213710841dcea0d58",
"size": "704",
"binary": false,
"copies": "1",
"ref": "refs/heads/master",
"path": "Tests/Provider/HttpTest.php",
"mode": "33188",
"license": "mit",
"language": [
{
"name": "CSS",
"bytes": "1459"
},
{
"name": "HTML",
"bytes": "1579"
},
{
"name": "PHP",
"bytes": "23384"
}
],
"symlink_target": ""
} |
var data = require("../data.json");
exports.addTask = function(req, res) {
// Your code goes here
var name = req.query.name;
var sub1 = req.query.subtask1;
var sub2 = req.query.subtask2;
var sub3 = req.query.subtask3;
var sub1s = req.query.subtask1status;
var sub2s = req.query.subtask2status;
var sub3s = req.query.subtask3status;
var diff = req.query.difficulty;
var dur = req.query.duration;
var startd = req.query.startdate;
var startr = req.query.startreminder;
var endd = req.query.enddate;
var endr = req.query.endreminder;
var prog = req.query.progress;
var comp = req.query.complete;
console.log(sub2);
//var desc = req.query.description;
//var img = 'http://lorempixel.com/400/400/people';
data.tasks.push({name: name, subtask1: sub1, subtask2: sub2, subtask3: sub3,
subtask1status: sub1s, subtask2status: sub2s, subtask3status: sub3s,
difficulty: diff, duration: dur, startdate: startd,
startreminder: startr, enddate: endd,
endreminder: endr, progress: prog, complete: comp});
console.log(data);
res.render('index', data);
}
| {
"content_hash": "5c0d33174854a2c12e2528ac9073b75c",
"timestamp": "",
"source": "github",
"line_count": 33,
"max_line_length": 83,
"avg_line_length": 35,
"alnum_prop": 0.6675324675324675,
"repo_name": "rermert/CSE170EmpaStat",
"id": "a31ee8e33f97d46dcc1ccce5a8e4b124dc460881",
"size": "1155",
"binary": false,
"copies": "1",
"ref": "refs/heads/master",
"path": "Application 1/routes/add.js",
"mode": "33188",
"license": "mit",
"language": [
{
"name": "CSS",
"bytes": "135721"
},
{
"name": "HTML",
"bytes": "87289"
},
{
"name": "JavaScript",
"bytes": "30838"
},
{
"name": "PHP",
"bytes": "90"
}
],
"symlink_target": ""
} |
package guitests;
import guitests.guihandles.*;
import javafx.stage.Stage;
import org.junit.After;
import org.junit.Before;
import org.junit.BeforeClass;
import org.junit.Rule;
import org.junit.rules.TestName;
import org.testfx.api.FxToolkit;
import seedu.tasklist.TestApp;
import seedu.tasklist.commons.core.EventsCenter;
import seedu.tasklist.model.TaskList;
import seedu.tasklist.model.task.ReadOnlyTask;
import seedu.tasklist.testutil.TestUtil;
import seedu.tasklist.testutil.TypicalTestTasks;
import java.util.concurrent.TimeoutException;
import static org.junit.Assert.assertEquals;
import static org.junit.Assert.assertTrue;
/**
* A GUI Test class for TaskList.
*/
public abstract class TaskListGuiTest {
/* The TestName Rule makes the current test name available inside test methods */
@Rule
public TestName name = new TestName();
TestApp testApp;
protected TypicalTestTasks td = new TypicalTestTasks();
/*
* Handles to GUI elements present at the start up are created in advance
* for easy access from child classes.
*/
protected MainGuiHandle mainGui;
protected MainMenuHandle mainMenu;
protected TaskListPanelHandle taskListPanel;
protected ResultDisplayHandle resultDisplay;
protected CommandBoxHandle commandBox;
private Stage stage;
@BeforeClass
public static void setupSpec() {
try {
FxToolkit.registerPrimaryStage();
FxToolkit.hideStage();
} catch (TimeoutException e) {
e.printStackTrace();
}
}
@Before
public void setup() throws Exception {
FxToolkit.setupStage((stage) -> {
mainGui = new MainGuiHandle(new GuiRobot(), stage);
mainMenu = mainGui.getMainMenu();
taskListPanel = mainGui.getTasksListPanel();
resultDisplay = mainGui.getResultDisplay();
commandBox = mainGui.getCommandBox();
this.stage = stage;
});
EventsCenter.clearSubscribers();
testApp = (TestApp) FxToolkit.setupApplication(() -> new TestApp(this::getInitialData, getDataFileLocation()));
FxToolkit.showStage();
while (!stage.isShowing());
mainGui.focusOnMainApp();
if (mainMenu.isFullScreen()) {
mainMenu.toggleFullScreen();
}
}
/**
* Override this in child classes to set the initial local data.
* Return null to use the data in the file specified in {@link #getDataFileLocation()}
*/
protected TaskList getInitialData() {
TaskList ab = TestUtil.generateEmptyTaskList();
TypicalTestTasks.loadTaskListWithSampleData(ab);
return ab;
}
/**
* Override this in child classes to set the data file location.
* @return
*/
protected String getDataFileLocation() {
return TestApp.SAVE_LOCATION_FOR_TESTING;
}
@After
public void cleanup() throws TimeoutException {
FxToolkit.cleanupStages();
}
/**
* Asserts the task shown in the card is same as the given task
*/
public void assertMatching(ReadOnlyTask task, TaskCardHandle card) {
assertTrue(TestUtil.compareCardAndTask(card, task));
}
/**
* Asserts the task shown in the marked card is same as the given task
*/
public void assertMarked(ReadOnlyTask task, TaskCardHandle card) {
assertTrue(TestUtil.compareCardAndMarkedTask(card, task));
}
/**
* Asserts the task shown in the unmarked card is same as the given task
*/
public void assertUnmarked(ReadOnlyTask task, TaskCardHandle card) {
assertTrue(TestUtil.compareCardAndUnmarkedTask(card, task));
}
/**
* Asserts the size of the task list is equal to the given number.
*/
protected void assertListSize(int size) {
int numberOfTasks = taskListPanel.getNumberOfTasks();
assertEquals(size, numberOfTasks);
}
/**
* Asserts the message shown in the Result Display area is same as the given string.
* @param expected
*/
protected void assertResultMessage(String expected) {
assertEquals(expected, resultDisplay.getText());
}
}
| {
"content_hash": "fc1ad14125cdd058b3d55590ea0ed047",
"timestamp": "",
"source": "github",
"line_count": 137,
"max_line_length": 119,
"avg_line_length": 30.744525547445257,
"alnum_prop": 0.6733143399810066,
"repo_name": "CS2103AUG2016-F09-C1/main",
"id": "fc9fe33eafd788e4bded0f1426c1c917fa2d9da4",
"size": "4212",
"binary": false,
"copies": "1",
"ref": "refs/heads/master",
"path": "src/test/java/guitests/TaskListGuiTest.java",
"mode": "33188",
"license": "mit",
"language": [
{
"name": "CSS",
"bytes": "6347"
},
{
"name": "Java",
"bytes": "372708"
},
{
"name": "XSLT",
"bytes": "6290"
}
],
"symlink_target": ""
} |
<?xml version="1.0" encoding="utf-8"?>
<manifest xmlns:android="http://schemas.android.com/apk/res/android"
package="com.bgstation0.android.sample.searchableinfo_"
android:versionCode="1"
android:versionName="1.0" >
<uses-sdk
android:minSdkVersion="15"
android:targetSdkVersion="15" />
<application
android:allowBackup="true"
android:icon="@drawable/ic_launcher"
android:label="@string/app_name"
android:theme="@style/AppTheme" >
<provider android:name=".CustomContentProvider"
android:authorities="com.bgstation0.android.sample.searchableinfo_.CustomContentProvider" >
</provider>
<activity
android:name=".MainActivity"
android:label="@string/app_name" >
<intent-filter>
<action android:name="android.intent.action.MAIN" />
<category android:name="android.intent.category.LAUNCHER" />
</intent-filter>
<intent-filter>
<action android:name="android.intent.action.SEARCH" />
<category android:name="android.intent.category.DEFAULT" />
</intent-filter>
<meta-data android:name="android.app.searchable"
android:resource="@xml/searchable" />
</activity>
</application>
</manifest>
| {
"content_hash": "7e765e992c603c21100847f367229d6b",
"timestamp": "",
"source": "github",
"line_count": 36,
"max_line_length": 103,
"avg_line_length": 37.111111111111114,
"alnum_prop": 0.6227544910179641,
"repo_name": "bg1bgst333/Sample",
"id": "be64a26ac2d668a193aa65299066efe6de48506e",
"size": "1336",
"binary": false,
"copies": "2",
"ref": "refs/heads/master",
"path": "android/SearchableInfo/getSuggestThreshold/src/SearchableInfo/SearchableInfo_/bin/AndroidManifest.xml",
"mode": "33188",
"license": "mit",
"language": [
{
"name": "ASP.NET",
"bytes": "306893"
},
{
"name": "C",
"bytes": "1135468"
},
{
"name": "C#",
"bytes": "1243665"
},
{
"name": "C++",
"bytes": "4221060"
},
{
"name": "CMake",
"bytes": "147011"
},
{
"name": "CSS",
"bytes": "92700"
},
{
"name": "D",
"bytes": "504"
},
{
"name": "Go",
"bytes": "714"
},
{
"name": "HTML",
"bytes": "22314"
},
{
"name": "Java",
"bytes": "6233694"
},
{
"name": "JavaScript",
"bytes": "9675"
},
{
"name": "Kotlin",
"bytes": "252"
},
{
"name": "Makefile",
"bytes": "34822"
},
{
"name": "PHP",
"bytes": "12476"
},
{
"name": "Perl",
"bytes": "86739"
},
{
"name": "Python",
"bytes": "6272"
},
{
"name": "Raku",
"bytes": "160"
},
{
"name": "Roff",
"bytes": "1054"
},
{
"name": "Ruby",
"bytes": "747"
},
{
"name": "Rust",
"bytes": "209"
},
{
"name": "Shell",
"bytes": "186"
}
],
"symlink_target": ""
} |
<?php
namespace Drupal\Core\Plugin;
use Drupal\Component\Plugin\Discovery\CachedDiscoveryInterface;
/**
* Defines a class which is capable of clearing the cache on plugin managers.
*/
class CachedDiscoveryClearer implements CachedDiscoveryClearerInterface {
/**
* The stored discoveries.
*
* @var \Drupal\Component\Plugin\Discovery\CachedDiscoveryInterface[]
*/
protected $cachedDiscoveries = array();
/**
* {@inheritdoc}
*/
public function addCachedDiscovery(CachedDiscoveryInterface $cached_discovery) {
$this->cachedDiscoveries[] = $cached_discovery;
}
/**
* {@inheritdoc}
*/
public function clearCachedDefinitions() {
foreach ($this->cachedDiscoveries as $cached_discovery) {
$cached_discovery->clearCachedDefinitions();
}
}
}
| {
"content_hash": "681abbb21ee554edeb18244237512380",
"timestamp": "",
"source": "github",
"line_count": 35,
"max_line_length": 82,
"avg_line_length": 22.8,
"alnum_prop": 0.7105263157894737,
"repo_name": "hrod/agile-california",
"id": "3689df59615fff18c0a72ea1902a01def06edcc5",
"size": "798",
"binary": false,
"copies": "282",
"ref": "refs/heads/master",
"path": "docroot/core/lib/Drupal/Core/Plugin/CachedDiscoveryClearer.php",
"mode": "33188",
"license": "mit",
"language": [
{
"name": "ApacheConf",
"bytes": "27457"
},
{
"name": "CSS",
"bytes": "421251"
},
{
"name": "Cucumber",
"bytes": "308"
},
{
"name": "HTML",
"bytes": "491100"
},
{
"name": "JavaScript",
"bytes": "877020"
},
{
"name": "Nginx",
"bytes": "1025"
},
{
"name": "PHP",
"bytes": "29519528"
},
{
"name": "Shell",
"bytes": "76785"
}
],
"symlink_target": ""
} |
'use strict';
const FSM = require('../index');
// a._onEnter : a.test(22) : a._onExit : b._onEnter : b.test : b.test2 : b._onExit : a._onEnter : a.test(57)
let flag = true;
new FSM({
initialState: 'a',
states: {
a: {
_onEnter: function() {
console.log('Entering A...');
if (flag) {
flag = false;
// This is kinda strange?
// handle.a will be executed before the transition does because the
// transition into the initial state won't be complete until this _onEnter returns
// That is unless we deferEvents until the next time we enter A
this.deferEvents();
this.handle('a', 'test', 22);
this.transition('b');
}
},
test: function(count) {
console.log('(A) TEST: I can count this high: ', count);
},
_onExit: function() {
console.log('Preparing to leave A...');
this.handle('b', 'test', 'Peter');
},
},
b: {
_onEnter: function() {
console.log('Entering B...');
},
test: function(name) {
console.log('(B) TEST: My name is: ', name);
this.handle('b', 'test2', name.toUpperCase());
},
test2: function(uName) {
console.log('(B) TEST2: My serious name is: ', uName);
// Conversely to the a._onEnter
// This transition will begin executing immediately..
// Which means the this.handle is racing with the transition which may or may not queue
// But it should still be called properly...I think...
this.transition('a');
this.handle('a', 'test', 57);
},
_onExit: function() {
console.log('Preparing to leave B...');
},
},
},
});
| {
"content_hash": "b7f872fddf7babffdac0cad75599c40b",
"timestamp": "",
"source": "github",
"line_count": 59,
"max_line_length": 108,
"avg_line_length": 29.627118644067796,
"alnum_prop": 0.5354691075514875,
"repo_name": "UseAlloy/FacileStateMachine",
"id": "c980592b854d9f57c8eaf0c949f2ecee8ecefdff",
"size": "1748",
"binary": false,
"copies": "1",
"ref": "refs/heads/master",
"path": "examples/advanced.js",
"mode": "33188",
"license": "mit",
"language": [
{
"name": "JavaScript",
"bytes": "7071"
}
],
"symlink_target": ""
} |
import * as ILogger from 'bunyan';
const Hp = require('hemera-plugin');
import * as Hemera from 'nats-hemera';
import { Container } from 'inversify';
const HemeraJoi = require('hemera-joi');
import { NatsPubSub } from 'graphql-nats-subscriptions';
function WorkspaceServicePlugin(hemera: Hemera, options: { settings: any, client: any }, done) {
const { settings, client } = options;
const topic = `${HemeraTopics.ActivityCollector}/${settings.subTopic}`;
const pubsub = new NatsPubSub({ client, logger: hemera.log });
let container = new Container();
}
module.exports = Hp(WorkspaceServicePlugin, {
hemera: '>=2.0.0-0',
name: require('../../package.json').name,
});
| {
"content_hash": "fd648ca73cb873a467ab70cb5890a10d",
"timestamp": "",
"source": "github",
"line_count": 23,
"max_line_length": 96,
"avg_line_length": 29.782608695652176,
"alnum_prop": 0.6963503649635037,
"repo_name": "cdmbase/fullstack-pro",
"id": "3cd1ca7b458bfa5e495c0116db6c3fcc5878ee8e",
"size": "685",
"binary": false,
"copies": "1",
"ref": "refs/heads/master",
"path": "tools/templates/module/server/src/plugin/index.ts",
"mode": "33261",
"license": "mit",
"language": [
{
"name": "Dockerfile",
"bytes": "2459"
},
{
"name": "EJS",
"bytes": "557"
},
{
"name": "Groovy",
"bytes": "585"
},
{
"name": "HTML",
"bytes": "3085"
},
{
"name": "JavaScript",
"bytes": "87678"
},
{
"name": "TypeScript",
"bytes": "457902"
}
],
"symlink_target": ""
} |
@interface SCMoveView : UIView
@property (nonatomic, assign) float keyboardHeight; //获取键盘的高度
@property (nonatomic, assign) float viewMovedHeight; //view移动的的高度
- (void)addKeyboardWillShowNotification;
- (NSMutableArray*)theCoordinateYAndHeightOfTheSelectedTextField : (UITextField*)aTextField; //获取要编辑的textField的Y轴坐标和textField的高度
- (void) moveTheViewUpForTheTextField : (UITextField*)aTextField onTheView : (UIView*)theView; //开始编辑textField时上移整个View
- (void) moveTheViewDownForTheTextField : (UITextField*)aTextField onTheView : (UIView*)theView; //结束编辑TextField时下移整个View
@end
| {
"content_hash": "d63c0c0ff14f732c2916f41ad36c1433",
"timestamp": "",
"source": "github",
"line_count": 17,
"max_line_length": 129,
"avg_line_length": 34.705882352941174,
"alnum_prop": 0.8033898305084746,
"repo_name": "SC-Stefen/SCMoveView",
"id": "80650aefb73eed2c42c34bbf4fc66e1f8723666e",
"size": "837",
"binary": false,
"copies": "2",
"ref": "refs/heads/master",
"path": "SCMoveView/SCMoveView.h",
"mode": "33188",
"license": "mit",
"language": [
{
"name": "Objective-C",
"bytes": "24651"
},
{
"name": "Ruby",
"bytes": "6148"
}
],
"symlink_target": ""
} |
.class Lcom/google/common/collect/Maps$ImprovedAbstractMap$2;
.super Lcom/google/common/collect/Maps$Values;
.source "Maps.java"
# annotations
.annotation system Ldalvik/annotation/EnclosingMethod;
value = Lcom/google/common/collect/Maps$ImprovedAbstractMap;->values()Ljava/util/Collection;
.end annotation
.annotation system Ldalvik/annotation/InnerClass;
accessFlags = 0x0
name = null
.end annotation
.annotation system Ldalvik/annotation/Signature;
value = {
"Lcom/google/common/collect/Maps$Values",
"<TK;TV;>;"
}
.end annotation
# instance fields
.field final synthetic this$0:Lcom/google/common/collect/Maps$ImprovedAbstractMap;
# direct methods
.method constructor <init>(Lcom/google/common/collect/Maps$ImprovedAbstractMap;)V
.locals 0
.prologue
.line 1961
.local p0, "this":Lcom/google/common/collect/Maps$ImprovedAbstractMap$2;, "Lcom/google/common/collect/Maps$ImprovedAbstractMap.2;"
iput-object p1, p0, Lcom/google/common/collect/Maps$ImprovedAbstractMap$2;->this$0:Lcom/google/common/collect/Maps$ImprovedAbstractMap;
invoke-direct {p0}, Lcom/google/common/collect/Maps$Values;-><init>()V
return-void
.end method
# virtual methods
.method map()Ljava/util/Map;
.locals 1
.annotation system Ldalvik/annotation/Signature;
value = {
"()",
"Ljava/util/Map",
"<TK;TV;>;"
}
.end annotation
.prologue
.line 1963
.local p0, "this":Lcom/google/common/collect/Maps$ImprovedAbstractMap$2;, "Lcom/google/common/collect/Maps$ImprovedAbstractMap.2;"
iget-object v0, p0, Lcom/google/common/collect/Maps$ImprovedAbstractMap$2;->this$0:Lcom/google/common/collect/Maps$ImprovedAbstractMap;
return-object v0
.end method
| {
"content_hash": "f5b3e38f383bac6b7eec7e81565c5863",
"timestamp": "",
"source": "github",
"line_count": 60,
"max_line_length": 139,
"avg_line_length": 29.616666666666667,
"alnum_prop": 0.7186268992684299,
"repo_name": "Zecozhang/click_project",
"id": "5608cf2ee2f4fe96452595a4072757dff5787080",
"size": "1777",
"binary": false,
"copies": "1",
"ref": "refs/heads/master",
"path": "APP/Music-master/smali/com/google/common/collect/Maps$ImprovedAbstractMap$2.smali",
"mode": "33188",
"license": "apache-2.0",
"language": [
{
"name": "CSS",
"bytes": "10265"
},
{
"name": "HTML",
"bytes": "37165"
},
{
"name": "Java",
"bytes": "1183235"
},
{
"name": "JavaScript",
"bytes": "5866"
},
{
"name": "Smali",
"bytes": "21017973"
}
],
"symlink_target": ""
} |
<!DOCTYPE html PUBLIC "-//W3C//DTD HTML 4.01 Transitional//EN" "http://www.w3.org/TR/html4/loose.dtd">
<html><meta http-equiv="Content-Type" content="text/html; charset=utf-8">
<title>std::istream &operator>>(std::istream &, basic_outcome<T, EC, EP, NoValuePolicy> &) - Boost.Outcome documentation</title>
<link rel="stylesheet" href="../../../css/boost.css" type="text/css">
<meta name="generator" content="Hugo 0.52 with Boostdoc theme">
<meta name="viewport" content="width=device-width,initial-scale=1.0"/>
<link rel="icon" href="../../../images/favicon.ico" type="image/ico"/>
<body><div class="spirit-nav">
<a accesskey="p" href="../../../reference/functions/iostream.html"><img src="../../../images/prev.png" alt="Prev"></a>
<a accesskey="u" href="../../../reference/functions/iostream.html"><img src="../../../images/up.png" alt="Up"></a>
<a accesskey="h" href="../../../index.html"><img src="../../../images/home.png" alt="Home"></a><a accesskey="n" href="../../../reference/functions/iostream/result_operator_in.html"><img src="../../../images/next.png" alt="Next"></a></div><div id="content">
<div class="titlepage"><div><div><h1 style="clear: both"><code>std::istream &operator>>(std::istream &, basic_outcome<T, EC, EP, NoValuePolicy> &)</code></h1></div></div></div>
<p>Deserialises a <code>basic_outcome</code> from a <code>std::istream</code>.</p>
<p>Serialisation format is:</p>
<pre><code><unsigned int flags><space><value_type if set and not void><error_type if set and not void><exception_type if set and not void>
</code></pre>
<p><em>Overridable</em>: Not overridable.</p>
<p><em>Requires</em>: That <code>operator>></code> is a valid expression for <code>std::istream</code> and <code>T</code>, <code>EC</code> and <code>EP</code>.</p>
<p><em>Namespace</em>: <code>BOOST_OUTCOME_V2_NAMESPACE</code></p>
<p><em>Header</em>: <code><boost/outcome/iostream_support.hpp></code> (must be explicitly included manually).</p>
</div><p><small>Last revised: March 03, 2019 at 21:04:29 UTC</small></p>
<hr>
<div class="spirit-nav">
<a accesskey="p" href="../../../reference/functions/iostream.html"><img src="../../../images/prev.png" alt="Prev"></a>
<a accesskey="u" href="../../../reference/functions/iostream.html"><img src="../../../images/up.png" alt="Up"></a>
<a accesskey="h" href="../../../index.html"><img src="../../../images/home.png" alt="Home"></a><a accesskey="n" href="../../../reference/functions/iostream/result_operator_in.html"><img src="../../../images/next.png" alt="Next"></a></div></body>
</html>
| {
"content_hash": "8d5d2f06b18b5132304aee6ae488784e",
"timestamp": "",
"source": "github",
"line_count": 36,
"max_line_length": 260,
"avg_line_length": 73.83333333333333,
"alnum_prop": 0.6448457486832204,
"repo_name": "wiltonlazary/arangodb",
"id": "2f9760603cbd1536c48387aa238c452208cc2f00",
"size": "2658",
"binary": false,
"copies": "4",
"ref": "refs/heads/devel",
"path": "3rdParty/boost/1.78.0/libs/outcome/doc/html/reference/functions/iostream/outcome_operator_in.html",
"mode": "33188",
"license": "apache-2.0",
"language": [
{
"name": "Assembly",
"bytes": "61827"
},
{
"name": "C",
"bytes": "309788"
},
{
"name": "C++",
"bytes": "34723629"
},
{
"name": "CMake",
"bytes": "383904"
},
{
"name": "CSS",
"bytes": "210549"
},
{
"name": "EJS",
"bytes": "231166"
},
{
"name": "HTML",
"bytes": "23114"
},
{
"name": "JavaScript",
"bytes": "33741286"
},
{
"name": "LLVM",
"bytes": "14975"
},
{
"name": "NASL",
"bytes": "269512"
},
{
"name": "NSIS",
"bytes": "47138"
},
{
"name": "Pascal",
"bytes": "75391"
},
{
"name": "Perl",
"bytes": "9811"
},
{
"name": "PowerShell",
"bytes": "7869"
},
{
"name": "Python",
"bytes": "184352"
},
{
"name": "SCSS",
"bytes": "255542"
},
{
"name": "Shell",
"bytes": "134504"
},
{
"name": "TypeScript",
"bytes": "179074"
},
{
"name": "Yacc",
"bytes": "79620"
}
],
"symlink_target": ""
} |
<!DOCTYPE html>
<html lang="en">
<head>
<meta charset="utf-8">
<meta http-equiv="X-UA-Compatible" content="IE=edge,chrome=1">
<title>SUPERSCROLLORAMA - Simple Demo #1</title>
<link href='http://fonts.googleapis.com/css?family=Luckiest+Guy' rel='stylesheet' type='text/css'>
<link rel="stylesheet" href="css/normalize.css" type="text/css">
<link rel="stylesheet" href="css/style.css" type="text/css">
</head>
<body class="simple-demo">
<div id="content-wrapper">
<div id="examples-1">
<h2 id="fade-it">Fade It</h2>
<h2 id="fly-it">Fly It</h2>
<h2 id="spin-it">Spin It</h2>
<h2 id="scale-it">Scale It</h2>
<h2 id="smush-it">Smush It</h2>
</div>
</div>
<script type="text/javascript" src="js/greensock/TweenMax.min.js"></script>
<script src="http://ajax.googleapis.com/ajax/libs/jquery/1.9.1/jquery.min.js"></script>
<script>window.jQuery || document.write('<script src="_/js/jquery-1.9.1.min.js"><\/script>')</script>
<script src="js/jquery.superscrollorama.js"></script>
<script>
$(document).ready(function() {
var controller = $.superscrollorama();
// individual element tween examples
controller.addTween('#fade-it', TweenMax.from( $('#fade-it'), .5, {css:{opacity: 0}}));
controller.addTween('#fly-it', TweenMax.from( $('#fly-it'), .25, {css:{right:'1000px'}, ease:Quad.easeInOut}));
controller.addTween('#spin-it', TweenMax.from( $('#spin-it'), .25, {css:{opacity:0, rotation: 720}, ease:Quad.easeOut}));
controller.addTween('#scale-it', TweenMax.fromTo( $('#scale-it'), .25, {css:{opacity:0, fontSize:'20px'}, immediateRender:true, ease:Quad.easeInOut}, {css:{opacity:1, fontSize:'240px'}, ease:Quad.easeInOut}));
controller.addTween('#smush-it', TweenMax.fromTo( $('#smush-it'), .25, {css:{opacity:0, 'letter-spacing':'30px'}, immediateRender:true, ease:Quad.easeInOut}, {css:{opacity:1, 'letter-spacing':'-10px'}, ease:Quad.easeInOut}), 0, 100); // 100 px offset for better timing
});
</script>
</body></html> | {
"content_hash": "e530c19189626c43c7280d3d03da36c5",
"timestamp": "",
"source": "github",
"line_count": 40,
"max_line_length": 271,
"avg_line_length": 49.625,
"alnum_prop": 0.6619647355163728,
"repo_name": "scrollmaniac/scrollmaniac.github.io",
"id": "0144b0ad91d243da52cabb36f1f976dcadacc533",
"size": "1985",
"binary": false,
"copies": "5",
"ref": "refs/heads/master",
"path": "superscrollorama-master/simpledemo.html",
"mode": "33261",
"license": "mit",
"language": [
{
"name": "CSS",
"bytes": "302180"
},
{
"name": "HTML",
"bytes": "1138219"
},
{
"name": "JavaScript",
"bytes": "1297838"
},
{
"name": "Ruby",
"bytes": "11675"
}
],
"symlink_target": ""
} |
id: 5e9a093a74c4063ca6f7c14f
title: How to use Jupyter Notebooks Intro
challengeType: 11
videoId: h8caJq2Bb9w
dashedName: how-to-use-jupyter-notebooks-intro
---
# --description--
*Instead of using notebooks.ai like it shows in the video, you can use Google Colab instead.*
More resources:
- [Notebooks on GitHub](https://github.com/ine-rmotr-curriculum/ds-content-interactive-jupyterlab-tutorial)
- [How to open Notebooks from GitHub using Google Colab.](https://colab.research.google.com/github/googlecolab/colabtools/blob/master/notebooks/colab-github-demo.ipynb)
# --question--
## --text--
What is **not** allowed in a Jupyter Notebook's cell?
## --answers--
Markdown
---
Python code
---
An Excel sheet
## --video-solution--
3
| {
"content_hash": "517287990442cf5741b3b09f8e9001b0",
"timestamp": "",
"source": "github",
"line_count": 38,
"max_line_length": 170,
"avg_line_length": 19.736842105263158,
"alnum_prop": 0.74,
"repo_name": "FreeCodeCamp/FreeCodeCamp",
"id": "1dd69ee8d9c28c59b42a18b94740f768e7b8ccff",
"size": "754",
"binary": false,
"copies": "2",
"ref": "refs/heads/i18n-sync-client",
"path": "curriculum/challenges/espanol/08-data-analysis-with-python/data-analysis-with-python-course/how-to-use-jupyter-notebooks-intro.md",
"mode": "33188",
"license": "bsd-3-clause",
"language": [
{
"name": "CSS",
"bytes": "190263"
},
{
"name": "HTML",
"bytes": "160430"
},
{
"name": "JavaScript",
"bytes": "546299"
}
],
"symlink_target": ""
} |
//===--- OperandOwnership.cpp ---------------------------------------------===//
//
// This source file is part of the Swift.org open source project
//
// Copyright (c) 2014 - 2018 Apple Inc. and the Swift project authors
// Licensed under Apache License v2.0 with Runtime Library Exception
//
// See https://swift.org/LICENSE.txt for license information
// See https://swift.org/CONTRIBUTORS.txt for the list of Swift project authors
//
//===----------------------------------------------------------------------===//
#include "swift/SIL/ApplySite.h"
#include "swift/SIL/OwnershipUtils.h"
#include "swift/SIL/SILBuiltinVisitor.h"
#include "swift/SIL/SILInstruction.h"
#include "swift/SIL/SILValue.h"
#include "swift/SIL/SILVisitor.h"
using namespace swift;
//===----------------------------------------------------------------------===//
// OperandOwnershipKindClassifier
//===----------------------------------------------------------------------===//
namespace {
class OperandOwnershipKindClassifier
: public SILInstructionVisitor<OperandOwnershipKindClassifier,
OperandOwnershipKindMap> {
public:
using Map = OperandOwnershipKindMap;
private:
LLVM_ATTRIBUTE_UNUSED SILModule &mod;
const Operand &op;
bool checkingSubObject;
public:
/// Create a new OperandOwnershipKindClassifier.
///
/// In most cases, one should only pass in \p Op and \p BaseValue will be set
/// to Op.get(). In cases where one is trying to verify subobjects, Op.get()
/// should be the subobject and Value should be the parent object. An example
/// of where one would want to do this is in the case of value projections
/// like struct_extract.
OperandOwnershipKindClassifier(
SILModule &mod, const Operand &op,
bool checkingSubObject)
: mod(mod), op(op),
checkingSubObject(checkingSubObject) {}
bool isCheckingSubObject() const { return checkingSubObject; }
SILValue getValue() const { return op.get(); }
ValueOwnershipKind getOwnershipKind() const {
assert(getValue().getOwnershipKind() == op.get().getOwnershipKind() &&
"Expected ownership kind of parent value and operand");
return getValue().getOwnershipKind();
}
unsigned getOperandIndex() const { return op.getOperandNumber(); }
SILType getType() const { return op.get()->getType(); }
bool compatibleWithOwnership(ValueOwnershipKind kind) const {
return getOwnershipKind().isCompatibleWith(kind);
}
bool hasExactOwnership(ValueOwnershipKind kind) const {
return getOwnershipKind() == kind;
}
bool isAddressOrTrivialType() const {
if (getType().isAddress())
return true;
return getOwnershipKind() == ValueOwnershipKind::None;
}
OperandOwnershipKindMap visitForwardingInst(SILInstruction *i,
ArrayRef<Operand> ops);
OperandOwnershipKindMap visitForwardingInst(SILInstruction *i) {
return visitForwardingInst(i, i->getAllOperands());
}
OperandOwnershipKindMap
visitApplyParameter(ValueOwnershipKind requiredConvention,
UseLifetimeConstraint requirement);
OperandOwnershipKindMap visitFullApply(FullApplySite apply);
OperandOwnershipKindMap visitCallee(CanSILFunctionType substCalleeType);
OperandOwnershipKindMap
checkTerminatorArgumentMatchesDestBB(SILBasicBlock *destBB, unsigned opIndex);
// Create declarations for all instructions, so we get a warning at compile
// time if any instructions do not have an implementation.
#define INST(Id, Parent) OperandOwnershipKindMap visit##Id(Id *);
#include "swift/SIL/SILNodes.def"
};
} // end anonymous namespace
/// Implementation for instructions that we should never visit since they are
/// not valid in ossa or do not have operands. Since we should never visit
/// these, we just assert.
#define SHOULD_NEVER_VISIT_INST(INST) \
OperandOwnershipKindMap OperandOwnershipKindClassifier::visit##INST##Inst( \
INST##Inst *i) { \
llvm::errs() << "Unhandled inst: " << *i; \
llvm::report_fatal_error( \
"Visited instruction that should never be visited?!"); \
}
SHOULD_NEVER_VISIT_INST(AllocBox)
SHOULD_NEVER_VISIT_INST(AllocExistentialBox)
SHOULD_NEVER_VISIT_INST(AllocGlobal)
SHOULD_NEVER_VISIT_INST(AllocStack)
SHOULD_NEVER_VISIT_INST(DifferentiabilityWitnessFunction)
SHOULD_NEVER_VISIT_INST(FloatLiteral)
SHOULD_NEVER_VISIT_INST(FunctionRef)
SHOULD_NEVER_VISIT_INST(DynamicFunctionRef)
SHOULD_NEVER_VISIT_INST(PreviousDynamicFunctionRef)
SHOULD_NEVER_VISIT_INST(GlobalAddr)
SHOULD_NEVER_VISIT_INST(GlobalValue)
SHOULD_NEVER_VISIT_INST(IntegerLiteral)
SHOULD_NEVER_VISIT_INST(Metatype)
SHOULD_NEVER_VISIT_INST(ObjCProtocol)
SHOULD_NEVER_VISIT_INST(RetainValue)
SHOULD_NEVER_VISIT_INST(RetainValueAddr)
SHOULD_NEVER_VISIT_INST(StringLiteral)
SHOULD_NEVER_VISIT_INST(StrongRetain)
SHOULD_NEVER_VISIT_INST(Unreachable)
SHOULD_NEVER_VISIT_INST(Unwind)
SHOULD_NEVER_VISIT_INST(ReleaseValue)
SHOULD_NEVER_VISIT_INST(ReleaseValueAddr)
SHOULD_NEVER_VISIT_INST(StrongRelease)
#define ALWAYS_OR_SOMETIMES_LOADABLE_CHECKED_REF_STORAGE(Name, ...) \
SHOULD_NEVER_VISIT_INST(StrongRetain##Name) \
SHOULD_NEVER_VISIT_INST(Name##Retain)
#include "swift/AST/ReferenceStorage.def"
#undef SHOULD_NEVER_VISIT_INST
/// Instructions that are interior pointers into a guaranteed value.
#define INTERIOR_POINTER_PROJECTION(INST) \
OperandOwnershipKindMap OperandOwnershipKindClassifier::visit##INST##Inst( \
INST##Inst *i) { \
assert(i->getNumOperands() && "Expected to have non-zero operands"); \
return Map::compatibilityMap(ValueOwnershipKind::Guaranteed, \
UseLifetimeConstraint::MustBeLive); \
}
INTERIOR_POINTER_PROJECTION(RefElementAddr)
INTERIOR_POINTER_PROJECTION(RefTailAddr)
#undef INTERIOR_POINTER_PROJECTION
/// Instructions whose arguments are always compatible with one convention.
#define CONSTANT_OWNERSHIP_INST(OWNERSHIP, USE_LIFETIME_CONSTRAINT, INST) \
OperandOwnershipKindMap OperandOwnershipKindClassifier::visit##INST##Inst( \
INST##Inst *i) { \
assert(i->getNumOperands() && "Expected to have non-zero operands"); \
return Map::compatibilityMap( \
ValueOwnershipKind::OWNERSHIP, \
UseLifetimeConstraint::USE_LIFETIME_CONSTRAINT); \
}
CONSTANT_OWNERSHIP_INST(Guaranteed, MustBeLive, OpenExistentialValue)
CONSTANT_OWNERSHIP_INST(Guaranteed, MustBeLive, OpenExistentialBoxValue)
CONSTANT_OWNERSHIP_INST(Guaranteed, MustBeLive, OpenExistentialBox)
CONSTANT_OWNERSHIP_INST(Owned, MustBeInvalidated, AutoreleaseValue)
CONSTANT_OWNERSHIP_INST(Owned, MustBeInvalidated, DeallocBox)
CONSTANT_OWNERSHIP_INST(Owned, MustBeInvalidated, DeallocExistentialBox)
CONSTANT_OWNERSHIP_INST(Owned, MustBeInvalidated, DeallocRef)
CONSTANT_OWNERSHIP_INST(Owned, MustBeInvalidated, DestroyValue)
CONSTANT_OWNERSHIP_INST(Owned, MustBeInvalidated, EndLifetime)
CONSTANT_OWNERSHIP_INST(None, MustBeLive, AbortApply)
CONSTANT_OWNERSHIP_INST(None, MustBeLive, AddressToPointer)
CONSTANT_OWNERSHIP_INST(None, MustBeLive, BeginAccess)
CONSTANT_OWNERSHIP_INST(None, MustBeLive, BeginUnpairedAccess)
CONSTANT_OWNERSHIP_INST(None, MustBeLive, BindMemory)
CONSTANT_OWNERSHIP_INST(None, MustBeLive, CheckedCastAddrBranch)
CONSTANT_OWNERSHIP_INST(None, MustBeLive, CondFail)
CONSTANT_OWNERSHIP_INST(None, MustBeLive, CopyAddr)
CONSTANT_OWNERSHIP_INST(None, MustBeLive, DeallocStack)
CONSTANT_OWNERSHIP_INST(None, MustBeLive, DebugValueAddr)
CONSTANT_OWNERSHIP_INST(None, MustBeLive, DeinitExistentialAddr)
CONSTANT_OWNERSHIP_INST(None, MustBeLive, DestroyAddr)
CONSTANT_OWNERSHIP_INST(None, MustBeLive, EndAccess)
CONSTANT_OWNERSHIP_INST(None, MustBeLive, EndApply)
CONSTANT_OWNERSHIP_INST(None, MustBeLive, EndUnpairedAccess)
CONSTANT_OWNERSHIP_INST(None, MustBeLive, IndexAddr)
CONSTANT_OWNERSHIP_INST(None, MustBeLive, IndexRawPointer)
CONSTANT_OWNERSHIP_INST(None, MustBeLive, InitBlockStorageHeader)
CONSTANT_OWNERSHIP_INST(None, MustBeLive, InitEnumDataAddr)
CONSTANT_OWNERSHIP_INST(None, MustBeLive, InitExistentialAddr)
CONSTANT_OWNERSHIP_INST(None, MustBeLive, InitExistentialMetatype)
CONSTANT_OWNERSHIP_INST(None, MustBeLive, InjectEnumAddr)
CONSTANT_OWNERSHIP_INST(None, MustBeLive, IsUnique)
CONSTANT_OWNERSHIP_INST(None, MustBeLive, Load)
CONSTANT_OWNERSHIP_INST(None, MustBeLive, LoadBorrow)
CONSTANT_OWNERSHIP_INST(None, MustBeLive, MarkFunctionEscape)
CONSTANT_OWNERSHIP_INST(None, MustBeLive, ObjCExistentialMetatypeToObject)
CONSTANT_OWNERSHIP_INST(None, MustBeLive, ObjCMetatypeToObject)
CONSTANT_OWNERSHIP_INST(None, MustBeLive, ObjCToThickMetatype)
CONSTANT_OWNERSHIP_INST(None, MustBeLive, OpenExistentialAddr)
CONSTANT_OWNERSHIP_INST(None, MustBeLive, OpenExistentialMetatype)
CONSTANT_OWNERSHIP_INST(None, MustBeLive, PointerToAddress)
CONSTANT_OWNERSHIP_INST(None, MustBeLive, PointerToThinFunction)
CONSTANT_OWNERSHIP_INST(None, MustBeLive, ProjectBlockStorage)
CONSTANT_OWNERSHIP_INST(None, MustBeLive, ProjectValueBuffer)
CONSTANT_OWNERSHIP_INST(None, MustBeLive, RawPointerToRef)
CONSTANT_OWNERSHIP_INST(None, MustBeLive, SelectEnumAddr)
CONSTANT_OWNERSHIP_INST(None, MustBeLive, SelectValue)
CONSTANT_OWNERSHIP_INST(None, MustBeLive, StructElementAddr)
CONSTANT_OWNERSHIP_INST(None, MustBeLive, SwitchEnumAddr)
CONSTANT_OWNERSHIP_INST(None, MustBeLive, SwitchValue)
CONSTANT_OWNERSHIP_INST(None, MustBeLive, TailAddr)
CONSTANT_OWNERSHIP_INST(None, MustBeLive, ThickToObjCMetatype)
CONSTANT_OWNERSHIP_INST(None, MustBeLive, ThinFunctionToPointer)
CONSTANT_OWNERSHIP_INST(None, MustBeLive, ThinToThickFunction)
CONSTANT_OWNERSHIP_INST(None, MustBeLive, TupleElementAddr)
CONSTANT_OWNERSHIP_INST(None, MustBeLive, UncheckedAddrCast)
CONSTANT_OWNERSHIP_INST(None, MustBeLive, UncheckedRefCastAddr)
CONSTANT_OWNERSHIP_INST(None, MustBeLive, UncheckedTakeEnumDataAddr)
CONSTANT_OWNERSHIP_INST(None, MustBeLive, UnconditionalCheckedCastAddr)
CONSTANT_OWNERSHIP_INST(None, MustBeLive, AllocValueBuffer)
CONSTANT_OWNERSHIP_INST(None, MustBeLive, DeallocValueBuffer)
#define NEVER_LOADABLE_CHECKED_REF_STORAGE(Name, ...) \
CONSTANT_OWNERSHIP_INST(None, MustBeLive, Load##Name)
#define ALWAYS_LOADABLE_CHECKED_REF_STORAGE(Name, ...) \
CONSTANT_OWNERSHIP_INST(Owned, MustBeInvalidated, Name##Release)
#define SOMETIMES_LOADABLE_CHECKED_REF_STORAGE(Name, ...) \
NEVER_LOADABLE_CHECKED_REF_STORAGE(Name, "...") \
ALWAYS_LOADABLE_CHECKED_REF_STORAGE(Name, "...")
#define UNCHECKED_REF_STORAGE(Name, ...) \
CONSTANT_OWNERSHIP_INST(None, MustBeLive, Name##ToRef)
#include "swift/AST/ReferenceStorage.def"
#undef CONSTANT_OWNERSHIP_INST
/// Instructions whose arguments are always compatible with one convention.
#define CONSTANT_OR_NONE_OWNERSHIP_INST(OWNERSHIP, USE_LIFETIME_CONSTRAINT, \
INST) \
OperandOwnershipKindMap OperandOwnershipKindClassifier::visit##INST##Inst( \
INST##Inst *i) { \
assert(i->getNumOperands() && "Expected to have non-zero operands"); \
return Map::compatibilityMap( \
ValueOwnershipKind::OWNERSHIP, \
UseLifetimeConstraint::USE_LIFETIME_CONSTRAINT); \
}
CONSTANT_OR_NONE_OWNERSHIP_INST(Owned, MustBeInvalidated,
CheckedCastValueBranch)
CONSTANT_OR_NONE_OWNERSHIP_INST(Owned, MustBeInvalidated,
UnconditionalCheckedCastValue)
CONSTANT_OR_NONE_OWNERSHIP_INST(Owned, MustBeInvalidated, InitExistentialValue)
CONSTANT_OR_NONE_OWNERSHIP_INST(Owned, MustBeInvalidated,
DeinitExistentialValue)
#undef CONSTANT_OR_NONE_OWNERSHIP_INST
#define ACCEPTS_ANY_OWNERSHIP_INST(INST) \
OperandOwnershipKindMap OperandOwnershipKindClassifier::visit##INST##Inst( \
INST##Inst *i) { \
return Map::allLive(); \
}
ACCEPTS_ANY_OWNERSHIP_INST(BeginBorrow)
ACCEPTS_ANY_OWNERSHIP_INST(CopyValue)
ACCEPTS_ANY_OWNERSHIP_INST(DebugValue)
ACCEPTS_ANY_OWNERSHIP_INST(FixLifetime)
ACCEPTS_ANY_OWNERSHIP_INST(UncheckedBitwiseCast) // Is this right?
ACCEPTS_ANY_OWNERSHIP_INST(WitnessMethod) // Is this right?
ACCEPTS_ANY_OWNERSHIP_INST(ProjectBox) // The result is a T*.
ACCEPTS_ANY_OWNERSHIP_INST(DynamicMethodBranch)
ACCEPTS_ANY_OWNERSHIP_INST(UncheckedTrivialBitCast)
ACCEPTS_ANY_OWNERSHIP_INST(ExistentialMetatype)
ACCEPTS_ANY_OWNERSHIP_INST(ValueMetatype)
ACCEPTS_ANY_OWNERSHIP_INST(UncheckedOwnershipConversion)
ACCEPTS_ANY_OWNERSHIP_INST(ValueToBridgeObject)
ACCEPTS_ANY_OWNERSHIP_INST(IsEscapingClosure)
ACCEPTS_ANY_OWNERSHIP_INST(ClassMethod)
ACCEPTS_ANY_OWNERSHIP_INST(ObjCMethod)
ACCEPTS_ANY_OWNERSHIP_INST(ObjCSuperMethod)
ACCEPTS_ANY_OWNERSHIP_INST(SuperMethod)
ACCEPTS_ANY_OWNERSHIP_INST(BridgeObjectToWord)
ACCEPTS_ANY_OWNERSHIP_INST(ClassifyBridgeObject)
ACCEPTS_ANY_OWNERSHIP_INST(CopyBlock)
ACCEPTS_ANY_OWNERSHIP_INST(RefToRawPointer)
ACCEPTS_ANY_OWNERSHIP_INST(SetDeallocating)
ACCEPTS_ANY_OWNERSHIP_INST(ProjectExistentialBox)
ACCEPTS_ANY_OWNERSHIP_INST(UnmanagedRetainValue)
ACCEPTS_ANY_OWNERSHIP_INST(UnmanagedReleaseValue)
ACCEPTS_ANY_OWNERSHIP_INST(UnmanagedAutoreleaseValue)
ACCEPTS_ANY_OWNERSHIP_INST(ConvertEscapeToNoEscape)
#define ALWAYS_OR_SOMETIMES_LOADABLE_CHECKED_REF_STORAGE(Name, ...) \
ACCEPTS_ANY_OWNERSHIP_INST(RefTo##Name) \
ACCEPTS_ANY_OWNERSHIP_INST(Name##ToRef) \
ACCEPTS_ANY_OWNERSHIP_INST(StrongCopy##Name##Value)
#define UNCHECKED_REF_STORAGE(Name, ...) \
ACCEPTS_ANY_OWNERSHIP_INST(RefTo##Name) \
ACCEPTS_ANY_OWNERSHIP_INST(StrongCopy##Name##Value)
#include "swift/AST/ReferenceStorage.def"
#undef ACCEPTS_ANY_OWNERSHIP_INST
OperandOwnershipKindMap
OperandOwnershipKindClassifier::visitForwardingInst(SILInstruction *i,
ArrayRef<Operand> ops) {
assert(i->getNumOperands() && "Expected to have non-zero operands");
assert(isOwnershipForwardingInst(i) &&
"Expected to have an ownership forwarding inst");
// Merge all of the ownership of our operands. If we get back a .none from the
// merge, then we return an empty compatibility map. This ensures that we will
// not be compatible with /any/ input triggering a special error in the
// ownership verifier.
Optional<ValueOwnershipKind> optionalKind =
ValueOwnershipKind::merge(makeOptionalTransformRange(
ops, [&i](const Operand &op) -> Optional<ValueOwnershipKind> {
if (i->isTypeDependentOperand(op))
return None;
return op.get().getOwnershipKind();
}));
if (!optionalKind)
return Map();
auto kind = optionalKind.getValue();
if (kind == ValueOwnershipKind::None)
return Map::allLive();
auto lifetimeConstraint = kind.getForwardingLifetimeConstraint();
return Map::compatibilityMap(kind, lifetimeConstraint);
}
#define FORWARD_ANY_OWNERSHIP_INST(INST) \
OperandOwnershipKindMap OperandOwnershipKindClassifier::visit##INST##Inst( \
INST##Inst *i) { \
return visitForwardingInst(i); \
}
FORWARD_ANY_OWNERSHIP_INST(Tuple)
FORWARD_ANY_OWNERSHIP_INST(Struct)
FORWARD_ANY_OWNERSHIP_INST(Object)
FORWARD_ANY_OWNERSHIP_INST(Enum)
FORWARD_ANY_OWNERSHIP_INST(OpenExistentialRef)
FORWARD_ANY_OWNERSHIP_INST(Upcast)
FORWARD_ANY_OWNERSHIP_INST(UncheckedRefCast)
FORWARD_ANY_OWNERSHIP_INST(ConvertFunction)
FORWARD_ANY_OWNERSHIP_INST(RefToBridgeObject)
FORWARD_ANY_OWNERSHIP_INST(BridgeObjectToRef)
FORWARD_ANY_OWNERSHIP_INST(UnconditionalCheckedCast)
FORWARD_ANY_OWNERSHIP_INST(UncheckedEnumData)
FORWARD_ANY_OWNERSHIP_INST(DestructureStruct)
FORWARD_ANY_OWNERSHIP_INST(DestructureTuple)
FORWARD_ANY_OWNERSHIP_INST(InitExistentialRef)
FORWARD_ANY_OWNERSHIP_INST(DifferentiableFunction)
FORWARD_ANY_OWNERSHIP_INST(LinearFunction)
#undef FORWARD_ANY_OWNERSHIP_INST
// An instruction that forwards a constant ownership or trivial ownership.
#define FORWARD_CONSTANT_OR_NONE_OWNERSHIP_INST(OWNERSHIP, \
USE_LIFETIME_CONSTRAINT, INST) \
OperandOwnershipKindMap OperandOwnershipKindClassifier::visit##INST##Inst( \
INST##Inst *i) { \
assert(i->getNumOperands() && "Expected to have non-zero operands"); \
assert(isGuaranteedForwardingInst(i) && \
"Expected an ownership forwarding inst"); \
OperandOwnershipKindMap map; \
map.addCompatibilityConstraint( \
ValueOwnershipKind::OWNERSHIP, \
UseLifetimeConstraint::USE_LIFETIME_CONSTRAINT); \
return map; \
}
FORWARD_CONSTANT_OR_NONE_OWNERSHIP_INST(Guaranteed, MustBeLive, TupleExtract)
FORWARD_CONSTANT_OR_NONE_OWNERSHIP_INST(Guaranteed, MustBeLive, StructExtract)
FORWARD_CONSTANT_OR_NONE_OWNERSHIP_INST(Guaranteed, MustBeLive,
DifferentiableFunctionExtract)
FORWARD_CONSTANT_OR_NONE_OWNERSHIP_INST(Guaranteed, MustBeLive,
LinearFunctionExtract)
FORWARD_CONSTANT_OR_NONE_OWNERSHIP_INST(Owned, MustBeInvalidated,
MarkUninitialized)
#undef CONSTANT_OR_NONE_OWNERSHIP_INST
OperandOwnershipKindMap
OperandOwnershipKindClassifier::visitDeallocPartialRefInst(
DeallocPartialRefInst *i) {
if (getValue() == i->getInstance()) {
return Map::compatibilityMap(ValueOwnershipKind::Owned,
UseLifetimeConstraint::MustBeInvalidated);
}
return Map::allLive();
}
OperandOwnershipKindMap
OperandOwnershipKindClassifier::visitSelectEnumInst(SelectEnumInst *i) {
if (getValue() == i->getEnumOperand()) {
return Map::allLive();
}
return visitForwardingInst(i, i->getAllOperands().drop_front());
}
OperandOwnershipKindMap
OperandOwnershipKindClassifier::visitAllocRefInst(AllocRefInst *i) {
assert(i->getNumOperands() != 0 &&
"If we reach this point, we must have a tail operand");
return Map::allLive();
}
OperandOwnershipKindMap
OperandOwnershipKindClassifier::visitAllocRefDynamicInst(
AllocRefDynamicInst *i) {
assert(i->getNumOperands() != 0 &&
"If we reach this point, we must have a tail operand");
return Map::allLive();
}
OperandOwnershipKindMap
OperandOwnershipKindClassifier::checkTerminatorArgumentMatchesDestBB(
SILBasicBlock *destBB, unsigned opIndex) {
// Grab the ownership kind of the destination block.
ValueOwnershipKind destBlockArgOwnershipKind =
destBB->getArgument(opIndex)->getOwnershipKind();
auto lifetimeConstraint =
destBlockArgOwnershipKind.getForwardingLifetimeConstraint();
return Map::compatibilityMap(destBlockArgOwnershipKind, lifetimeConstraint);
}
OperandOwnershipKindMap
OperandOwnershipKindClassifier::visitBranchInst(BranchInst *bi) {
ValueOwnershipKind destBlockArgOwnershipKind =
bi->getDestBB()->getArgument(getOperandIndex())->getOwnershipKind();
// If we have a guaranteed parameter, treat this as consuming.
if (destBlockArgOwnershipKind == ValueOwnershipKind::Guaranteed) {
return Map::compatibilityMap(destBlockArgOwnershipKind,
UseLifetimeConstraint::MustBeInvalidated);
}
// Otherwise, defer to defaults.
auto lifetimeConstraint =
destBlockArgOwnershipKind.getForwardingLifetimeConstraint();
return Map::compatibilityMap(destBlockArgOwnershipKind, lifetimeConstraint);
}
OperandOwnershipKindMap
OperandOwnershipKindClassifier::visitCondBranchInst(CondBranchInst *cbi) {
// In ossa, cond_br insts are not allowed to take non-trivial values. Thus, we
// just accept anything since we know all of our operands will be trivial.
return Map::allLive();
}
OperandOwnershipKindMap
OperandOwnershipKindClassifier::visitSwitchEnumInst(SwitchEnumInst *sei) {
auto opTy = sei->getOperand()->getType();
// If our passed in type is trivial, we shouldn't have any non-trivial
// successors. Just bail early returning trivial.
if (opTy.isTrivial(*sei->getFunction()))
return Map::allLive();
// Otherwise, go through the ownership constraints of our successor arguments
// and merge them.
auto mergedKind = ValueOwnershipKind::merge(makeTransformRange(
sei->getSuccessorBlockArgumentLists(),
[&](ArrayRef<SILArgument *> array) -> ValueOwnershipKind {
// If the array is empty, we have a non-payloaded case. Return any.
if (array.empty())
return ValueOwnershipKind::None;
// Otherwise, we should have a single element since a payload is
// a tuple.
assert(std::distance(array.begin(), array.end()) == 1);
return array.front()->getOwnershipKind();
}));
// If we failed to merge, return an empty map so we will fail to pattern match
// with any operand. This is a known signal to the verifier that we failed to
// merge in a forwarding context.
if (!mergedKind)
return Map();
auto kind = mergedKind.getValue();
if (kind == ValueOwnershipKind::None)
return Map::allLive();
auto lifetimeConstraint = kind.getForwardingLifetimeConstraint();
return Map::compatibilityMap(kind, lifetimeConstraint);
}
OperandOwnershipKindMap
OperandOwnershipKindClassifier::visitCheckedCastBranchInst(
CheckedCastBranchInst *ccbi) {
// TODO: Simplify this using ValueOwnershipKind::merge.
Optional<OperandOwnershipKindMap> map;
for (auto argArray : ccbi->getSuccessorBlockArgumentLists()) {
assert(!argArray.empty());
auto argOwnershipKind = argArray[getOperandIndex()]->getOwnershipKind();
// If we do not have a map yet, initialize it and continue.
if (!map) {
auto lifetimeConstraint =
argOwnershipKind.getForwardingLifetimeConstraint();
map = Map::compatibilityMap(argOwnershipKind, lifetimeConstraint);
continue;
}
// Otherwise, make sure that we can accept the rest of our
// arguments. If not, we return an empty ownership kind to make
// sure that we flag everything as an error.
if (map->canAcceptKind(argOwnershipKind)) {
continue;
}
return OperandOwnershipKindMap();
}
return map.getValue();
}
//// FIX THIS HERE
OperandOwnershipKindMap
OperandOwnershipKindClassifier::visitReturnInst(ReturnInst *ri) {
auto *f =ri->getFunction();
// If we have a trivial value, return allLive().
bool isTrivial = ri->getOperand()->getType().isTrivial(*f);
if (isTrivial) {
return Map::allLive();
}
SILFunctionConventions fnConv = f->getConventions();
auto results = fnConv.getDirectSILResults();
if (results.empty())
return Map();
auto ownershipKindRange = makeTransformRange(results,
[&](const SILResultInfo &info) {
return info.getOwnershipKind(*f, f->getLoweredFunctionType());
});
// Then merge all of our ownership kinds. If we fail to merge, return an empty
// map so we fail on all operands.
auto mergedBase = ValueOwnershipKind::merge(ownershipKindRange);
if (!mergedBase)
return Map();
auto base = *mergedBase;
return Map::compatibilityMap(base, base.getForwardingLifetimeConstraint());
}
OperandOwnershipKindMap
OperandOwnershipKindClassifier::visitEndBorrowInst(EndBorrowInst *i) {
// If we are checking a subobject, make sure that we are from a guaranteed
// basic block argument.
if (isCheckingSubObject()) {
auto *phiArg = cast<SILPhiArgument>(op.get());
(void)phiArg;
return Map::compatibilityMap(ValueOwnershipKind::Guaranteed,
UseLifetimeConstraint::MustBeLive);
}
/// An end_borrow is modeled as invalidating the guaranteed value preventing
/// any further uses of the value.
return Map::compatibilityMap(ValueOwnershipKind::Guaranteed,
UseLifetimeConstraint::MustBeInvalidated);
}
OperandOwnershipKindMap
OperandOwnershipKindClassifier::visitThrowInst(ThrowInst *i) {
return Map::compatibilityMap(ValueOwnershipKind::Owned,
UseLifetimeConstraint::MustBeInvalidated);
}
#define NEVER_LOADABLE_CHECKED_REF_STORAGE(Name, ...) \
OperandOwnershipKindMap \
OperandOwnershipKindClassifier::visitStore##Name##Inst( \
Store##Name##Inst *i) { \
/* A store instruction implies that the value to be stored to be live, */ \
/* but it does not touch the strong reference count of the value. We */ \
/* also just care about liveness for the dest. So just match everything */ \
/* as must be live. */ \
return Map::allLive(); \
}
#define SOMETIMES_LOADABLE_CHECKED_REF_STORAGE(Name, ...) \
NEVER_LOADABLE_CHECKED_REF_STORAGE(Name, "...")
#include "swift/AST/ReferenceStorage.def"
OperandOwnershipKindMap
OperandOwnershipKindClassifier::visitStoreBorrowInst(StoreBorrowInst *i) {
if (getValue() == i->getSrc()) {
return Map::compatibilityMap(ValueOwnershipKind::Guaranteed,
UseLifetimeConstraint::MustBeLive);
}
return Map::allLive();
}
// FIXME: Why not use SILArgumentConvention here?
OperandOwnershipKindMap OperandOwnershipKindClassifier::visitCallee(
CanSILFunctionType substCalleeType) {
ParameterConvention conv = substCalleeType->getCalleeConvention();
switch (conv) {
case ParameterConvention::Indirect_In:
case ParameterConvention::Indirect_In_Constant:
assert(!SILModuleConventions(mod).isSILIndirect(
SILParameterInfo(substCalleeType, conv)));
return Map::compatibilityMap(ValueOwnershipKind::Owned,
UseLifetimeConstraint::MustBeInvalidated);
case ParameterConvention::Indirect_In_Guaranteed:
assert(!SILModuleConventions(mod).isSILIndirect(
SILParameterInfo(substCalleeType, conv)));
return Map::compatibilityMap(ValueOwnershipKind::Guaranteed,
UseLifetimeConstraint::MustBeLive);
case ParameterConvention::Indirect_Inout:
case ParameterConvention::Indirect_InoutAliasable:
llvm_unreachable("Illegal convention for callee");
case ParameterConvention::Direct_Unowned:
return Map::allLive();
case ParameterConvention::Direct_Owned:
return Map::compatibilityMap(ValueOwnershipKind::Owned,
UseLifetimeConstraint::MustBeInvalidated);
case ParameterConvention::Direct_Guaranteed:
if (substCalleeType->isNoEscape())
return Map::allLive();
// We want to accept guaranteed/owned in this position since we
// treat the use of an owned parameter as an instantaneously
// borrowed value for the duration of the call.
return Map::compatibilityMap(
{{ValueOwnershipKind::Guaranteed, UseLifetimeConstraint::MustBeLive},
{ValueOwnershipKind::Owned, UseLifetimeConstraint::MustBeLive}});
}
llvm_unreachable("Unhandled ParameterConvention in switch.");
}
// We allow for trivial cases of enums with non-trivial cases to be passed in
// non-trivial argument positions. This fits with modeling of a
// SILFunctionArgument as a phi in a global program graph.
OperandOwnershipKindMap OperandOwnershipKindClassifier::visitApplyParameter(
ValueOwnershipKind kind, UseLifetimeConstraint requirement) {
// Check against the passed in convention. We allow for owned to be passed to
// apply parameters.
if (kind != ValueOwnershipKind::Owned) {
return Map::compatibilityMap(
{{kind, requirement},
{ValueOwnershipKind::Owned, UseLifetimeConstraint::MustBeLive}});
}
return Map::compatibilityMap(kind, requirement);
}
// Handle Apply and TryApply.
OperandOwnershipKindMap
OperandOwnershipKindClassifier::visitFullApply(FullApplySite apply) {
// If we are visiting the callee operand, handle it specially.
if (apply.isCalleeOperand(op)) {
return visitCallee(apply.getSubstCalleeType());
}
// Indirect return arguments are address types.
if (apply.isIndirectResultOperand(op)) {
return Map::allLive();
}
// If we have a type dependent operand, return an empty map.
if (apply.getInstruction()->isTypeDependentOperand(op))
return Map();
unsigned argIndex = apply.getCalleeArgIndex(op);
auto conv = apply.getSubstCalleeConv();
SILParameterInfo paramInfo = conv.getParamInfoForSILArg(argIndex);
switch (paramInfo.getConvention()) {
case ParameterConvention::Direct_Owned:
return visitApplyParameter(ValueOwnershipKind::Owned,
UseLifetimeConstraint::MustBeInvalidated);
case ParameterConvention::Direct_Unowned:
return Map::allLive();
case ParameterConvention::Indirect_In: {
// This expects an @trivial if we have lowered addresses and @
if (conv.useLoweredAddresses()) {
return Map::allLive();
}
// TODO: Once trivial is subsumed in any, this goes away.
auto map = visitApplyParameter(ValueOwnershipKind::Owned,
UseLifetimeConstraint::MustBeInvalidated);
return map;
}
case ParameterConvention::Indirect_In_Guaranteed: {
// This expects an @trivial if we have lowered addresses and @
if (conv.useLoweredAddresses()) {
return Map::allLive();
}
return visitApplyParameter(ValueOwnershipKind::Guaranteed,
UseLifetimeConstraint::MustBeLive);
}
// The following conventions should take address types and thus be
// trivial.
case ParameterConvention::Indirect_In_Constant:
case ParameterConvention::Indirect_Inout:
case ParameterConvention::Indirect_InoutAliasable:
return Map::allLive();
case ParameterConvention::Direct_Guaranteed:
// A +1 value may be passed to a guaranteed argument. From the caller's
// point of view, this is just like a normal non-consuming use.
// Direct_Guaranteed only accepts non-trivial types, but trivial types are
// already handled above.
return visitApplyParameter(ValueOwnershipKind::Guaranteed,
UseLifetimeConstraint::MustBeLive);
}
llvm_unreachable("unhandled convension");
}
OperandOwnershipKindMap
OperandOwnershipKindClassifier::visitBeginApplyInst(BeginApplyInst *i) {
return visitFullApply(i);
}
OperandOwnershipKindMap
OperandOwnershipKindClassifier::visitApplyInst(ApplyInst *i) {
return visitFullApply(i);
}
OperandOwnershipKindMap
OperandOwnershipKindClassifier::visitTryApplyInst(TryApplyInst *i) {
return visitFullApply(i);
}
OperandOwnershipKindMap
OperandOwnershipKindClassifier::visitPartialApplyInst(PartialApplyInst *i) {
// partial_apply [stack] does not take ownership of its operands.
if (i->isOnStack())
return Map::allLive();
return Map::compatibilityMap(
// All non-trivial types should be captured.
ValueOwnershipKind::Owned, UseLifetimeConstraint::MustBeInvalidated);
}
// TODO: FIX THIS
OperandOwnershipKindMap
OperandOwnershipKindClassifier::visitYieldInst(YieldInst *i) {
// Indirect return arguments are address types.
//
// TODO: Change this to check if this operand is an indirect result
if (isAddressOrTrivialType())
return Map::allLive();
auto fnType = i->getFunction()->getLoweredFunctionType();
auto yieldInfo = fnType->getYields()[getOperandIndex()];
switch (yieldInfo.getConvention()) {
case ParameterConvention::Indirect_In:
case ParameterConvention::Direct_Owned:
return visitApplyParameter(ValueOwnershipKind::Owned,
UseLifetimeConstraint::MustBeInvalidated);
case ParameterConvention::Indirect_In_Constant:
case ParameterConvention::Direct_Unowned:
// We accept unowned, owned, and guaranteed in unowned positions.
return Map::allLive();
case ParameterConvention::Indirect_In_Guaranteed:
case ParameterConvention::Direct_Guaranteed:
return visitApplyParameter(ValueOwnershipKind::Guaranteed,
UseLifetimeConstraint::MustBeLive);
// The following conventions should take address types.
case ParameterConvention::Indirect_Inout:
case ParameterConvention::Indirect_InoutAliasable:
llvm_unreachable("Unexpected non-trivial parameter convention.");
}
llvm_unreachable("unhandled convension");
}
OperandOwnershipKindMap
OperandOwnershipKindClassifier::visitAssignInst(AssignInst *i) {
if (getValue() != i->getSrc()) {
return Map::allLive();
}
return Map::compatibilityMap(ValueOwnershipKind::Owned,
UseLifetimeConstraint::MustBeInvalidated);
}
OperandOwnershipKindMap
OperandOwnershipKindClassifier::visitAssignByWrapperInst(AssignByWrapperInst *i) {
if (getValue() != i->getSrc()) {
return Map::allLive();
}
return Map::compatibilityMap(ValueOwnershipKind::Owned,
UseLifetimeConstraint::MustBeInvalidated);
}
OperandOwnershipKindMap
OperandOwnershipKindClassifier::visitStoreInst(StoreInst *i) {
if (getValue() != i->getSrc()) {
return Map::allLive();
}
return Map::compatibilityMap(ValueOwnershipKind::Owned,
UseLifetimeConstraint::MustBeInvalidated);
}
OperandOwnershipKindMap
OperandOwnershipKindClassifier::visitCopyBlockWithoutEscapingInst(
CopyBlockWithoutEscapingInst *i) {
// Consumes the closure parameter.
if (getValue() == i->getClosure()) {
return Map::compatibilityMap(ValueOwnershipKind::Owned,
UseLifetimeConstraint::MustBeInvalidated);
}
return Map::allLive();
}
OperandOwnershipKindMap OperandOwnershipKindClassifier::visitMarkDependenceInst(
MarkDependenceInst *mdi) {
// If we are analyzing "the value", we forward ownership.
if (getValue() == mdi->getValue()) {
auto kind = mdi->getOwnershipKind();
if (kind == ValueOwnershipKind::None)
return Map::allLive();
auto lifetimeConstraint = kind.getForwardingLifetimeConstraint();
return Map::compatibilityMap(kind, lifetimeConstraint);
}
// If we are not the "value" of the mark_dependence, then we must be the
// "base". This means that any use that would destroy "value" can not be moved
// before any uses of "base". We treat this as non-consuming and rely on the
// rest of the optimizer to respect the movement restrictions.
return Map::allLive();
}
OperandOwnershipKindMap
OperandOwnershipKindClassifier::visitKeyPathInst(KeyPathInst *I) {
// KeyPath moves the value in memory out of address operands, but the
// ownership checker doesn't reason about that yet.
return Map::compatibilityMap(
ValueOwnershipKind::Owned, UseLifetimeConstraint::MustBeInvalidated);
}
//===----------------------------------------------------------------------===//
// Builtin Use Checker
//===----------------------------------------------------------------------===//
namespace {
struct OperandOwnershipKindBuiltinClassifier
: SILBuiltinVisitor<OperandOwnershipKindBuiltinClassifier,
OperandOwnershipKindMap> {
using Map = OperandOwnershipKindMap;
OperandOwnershipKindMap visitLLVMIntrinsic(BuiltinInst *bi,
llvm::Intrinsic::ID id) {
// LLVM intrinsics do not traffic in ownership, so if we have a result, it
// must be trivial.
return Map::allLive();
}
// BUILTIN_TYPE_CHECKER_OPERATION does not live past the type checker.
#define BUILTIN_TYPE_CHECKER_OPERATION(ID, NAME)
#define BUILTIN(ID, NAME, ATTRS) \
OperandOwnershipKindMap visit##ID(BuiltinInst *bi, StringRef attr);
#include "swift/AST/Builtins.def"
OperandOwnershipKindMap check(BuiltinInst *bi) { return visit(bi); }
};
} // end anonymous namespace
#define ANY_OWNERSHIP_BUILTIN(ID) \
OperandOwnershipKindMap OperandOwnershipKindBuiltinClassifier::visit##ID( \
BuiltinInst *, StringRef) { \
return Map::allLive(); \
}
ANY_OWNERSHIP_BUILTIN(ErrorInMain)
ANY_OWNERSHIP_BUILTIN(UnexpectedError)
ANY_OWNERSHIP_BUILTIN(WillThrow)
ANY_OWNERSHIP_BUILTIN(AShr)
ANY_OWNERSHIP_BUILTIN(GenericAShr)
ANY_OWNERSHIP_BUILTIN(Add)
ANY_OWNERSHIP_BUILTIN(GenericAdd)
ANY_OWNERSHIP_BUILTIN(Alignof)
ANY_OWNERSHIP_BUILTIN(AllocRaw)
ANY_OWNERSHIP_BUILTIN(And)
ANY_OWNERSHIP_BUILTIN(GenericAnd)
ANY_OWNERSHIP_BUILTIN(AssertConf)
ANY_OWNERSHIP_BUILTIN(AssignCopyArrayNoAlias)
ANY_OWNERSHIP_BUILTIN(AssignCopyArrayFrontToBack)
ANY_OWNERSHIP_BUILTIN(AssignCopyArrayBackToFront)
ANY_OWNERSHIP_BUILTIN(AssignTakeArray)
ANY_OWNERSHIP_BUILTIN(AssumeNonNegative)
ANY_OWNERSHIP_BUILTIN(AssumeTrue)
ANY_OWNERSHIP_BUILTIN(AtomicLoad)
ANY_OWNERSHIP_BUILTIN(AtomicRMW)
ANY_OWNERSHIP_BUILTIN(AtomicStore)
ANY_OWNERSHIP_BUILTIN(BitCast)
ANY_OWNERSHIP_BUILTIN(CanBeObjCClass)
ANY_OWNERSHIP_BUILTIN(CondFailMessage)
ANY_OWNERSHIP_BUILTIN(CmpXChg)
ANY_OWNERSHIP_BUILTIN(CondUnreachable)
ANY_OWNERSHIP_BUILTIN(CopyArray)
ANY_OWNERSHIP_BUILTIN(DeallocRaw)
ANY_OWNERSHIP_BUILTIN(DestroyArray)
ANY_OWNERSHIP_BUILTIN(ExactSDiv)
ANY_OWNERSHIP_BUILTIN(GenericExactSDiv)
ANY_OWNERSHIP_BUILTIN(ExactUDiv)
ANY_OWNERSHIP_BUILTIN(GenericExactUDiv)
ANY_OWNERSHIP_BUILTIN(ExtractElement)
ANY_OWNERSHIP_BUILTIN(FAdd)
ANY_OWNERSHIP_BUILTIN(GenericFAdd)
ANY_OWNERSHIP_BUILTIN(FCMP_OEQ)
ANY_OWNERSHIP_BUILTIN(FCMP_OGE)
ANY_OWNERSHIP_BUILTIN(FCMP_OGT)
ANY_OWNERSHIP_BUILTIN(FCMP_OLE)
ANY_OWNERSHIP_BUILTIN(FCMP_OLT)
ANY_OWNERSHIP_BUILTIN(FCMP_ONE)
ANY_OWNERSHIP_BUILTIN(FCMP_ORD)
ANY_OWNERSHIP_BUILTIN(FCMP_UEQ)
ANY_OWNERSHIP_BUILTIN(FCMP_UGE)
ANY_OWNERSHIP_BUILTIN(FCMP_UGT)
ANY_OWNERSHIP_BUILTIN(FCMP_ULE)
ANY_OWNERSHIP_BUILTIN(FCMP_ULT)
ANY_OWNERSHIP_BUILTIN(FCMP_UNE)
ANY_OWNERSHIP_BUILTIN(FCMP_UNO)
ANY_OWNERSHIP_BUILTIN(FDiv)
ANY_OWNERSHIP_BUILTIN(GenericFDiv)
ANY_OWNERSHIP_BUILTIN(FMul)
ANY_OWNERSHIP_BUILTIN(GenericFMul)
ANY_OWNERSHIP_BUILTIN(FNeg)
ANY_OWNERSHIP_BUILTIN(FPExt)
ANY_OWNERSHIP_BUILTIN(FPToSI)
ANY_OWNERSHIP_BUILTIN(FPToUI)
ANY_OWNERSHIP_BUILTIN(FPTrunc)
ANY_OWNERSHIP_BUILTIN(FRem)
ANY_OWNERSHIP_BUILTIN(GenericFRem)
ANY_OWNERSHIP_BUILTIN(FSub)
ANY_OWNERSHIP_BUILTIN(GenericFSub)
ANY_OWNERSHIP_BUILTIN(Fence)
ANY_OWNERSHIP_BUILTIN(GetObjCTypeEncoding)
ANY_OWNERSHIP_BUILTIN(ICMP_EQ)
ANY_OWNERSHIP_BUILTIN(ICMP_NE)
ANY_OWNERSHIP_BUILTIN(ICMP_SGE)
ANY_OWNERSHIP_BUILTIN(ICMP_SGT)
ANY_OWNERSHIP_BUILTIN(ICMP_SLE)
ANY_OWNERSHIP_BUILTIN(ICMP_SLT)
ANY_OWNERSHIP_BUILTIN(ICMP_UGE)
ANY_OWNERSHIP_BUILTIN(ICMP_UGT)
ANY_OWNERSHIP_BUILTIN(ICMP_ULE)
ANY_OWNERSHIP_BUILTIN(ICMP_ULT)
ANY_OWNERSHIP_BUILTIN(InsertElement)
ANY_OWNERSHIP_BUILTIN(IntToFPWithOverflow)
ANY_OWNERSHIP_BUILTIN(IntToPtr)
ANY_OWNERSHIP_BUILTIN(IsOptionalType)
ANY_OWNERSHIP_BUILTIN(IsPOD)
ANY_OWNERSHIP_BUILTIN(IsConcrete)
ANY_OWNERSHIP_BUILTIN(IsBitwiseTakable)
ANY_OWNERSHIP_BUILTIN(IsSameMetatype)
ANY_OWNERSHIP_BUILTIN(LShr)
ANY_OWNERSHIP_BUILTIN(GenericLShr)
ANY_OWNERSHIP_BUILTIN(Mul)
ANY_OWNERSHIP_BUILTIN(GenericMul)
ANY_OWNERSHIP_BUILTIN(OnFastPath)
ANY_OWNERSHIP_BUILTIN(Once)
ANY_OWNERSHIP_BUILTIN(OnceWithContext)
ANY_OWNERSHIP_BUILTIN(Or)
ANY_OWNERSHIP_BUILTIN(GenericOr)
ANY_OWNERSHIP_BUILTIN(PtrToInt)
ANY_OWNERSHIP_BUILTIN(SAddOver)
ANY_OWNERSHIP_BUILTIN(SDiv)
ANY_OWNERSHIP_BUILTIN(GenericSDiv)
ANY_OWNERSHIP_BUILTIN(SExt)
ANY_OWNERSHIP_BUILTIN(SExtOrBitCast)
ANY_OWNERSHIP_BUILTIN(SIToFP)
ANY_OWNERSHIP_BUILTIN(SMulOver)
ANY_OWNERSHIP_BUILTIN(SRem)
ANY_OWNERSHIP_BUILTIN(GenericSRem)
ANY_OWNERSHIP_BUILTIN(SSubOver)
ANY_OWNERSHIP_BUILTIN(SToSCheckedTrunc)
ANY_OWNERSHIP_BUILTIN(SToUCheckedTrunc)
ANY_OWNERSHIP_BUILTIN(Expect)
ANY_OWNERSHIP_BUILTIN(Shl)
ANY_OWNERSHIP_BUILTIN(GenericShl)
ANY_OWNERSHIP_BUILTIN(Sizeof)
ANY_OWNERSHIP_BUILTIN(StaticReport)
ANY_OWNERSHIP_BUILTIN(Strideof)
ANY_OWNERSHIP_BUILTIN(StringObjectOr)
ANY_OWNERSHIP_BUILTIN(Sub)
ANY_OWNERSHIP_BUILTIN(GenericSub)
ANY_OWNERSHIP_BUILTIN(TakeArrayNoAlias)
ANY_OWNERSHIP_BUILTIN(TakeArrayBackToFront)
ANY_OWNERSHIP_BUILTIN(TakeArrayFrontToBack)
ANY_OWNERSHIP_BUILTIN(Trunc)
ANY_OWNERSHIP_BUILTIN(TruncOrBitCast)
ANY_OWNERSHIP_BUILTIN(TSanInoutAccess)
ANY_OWNERSHIP_BUILTIN(UAddOver)
ANY_OWNERSHIP_BUILTIN(UDiv)
ANY_OWNERSHIP_BUILTIN(GenericUDiv)
ANY_OWNERSHIP_BUILTIN(UIToFP)
ANY_OWNERSHIP_BUILTIN(UMulOver)
ANY_OWNERSHIP_BUILTIN(URem)
ANY_OWNERSHIP_BUILTIN(GenericURem)
ANY_OWNERSHIP_BUILTIN(USubOver)
ANY_OWNERSHIP_BUILTIN(UToSCheckedTrunc)
ANY_OWNERSHIP_BUILTIN(UToUCheckedTrunc)
ANY_OWNERSHIP_BUILTIN(Unreachable)
ANY_OWNERSHIP_BUILTIN(UnsafeGuaranteedEnd)
ANY_OWNERSHIP_BUILTIN(Xor)
ANY_OWNERSHIP_BUILTIN(GenericXor)
ANY_OWNERSHIP_BUILTIN(ZExt)
ANY_OWNERSHIP_BUILTIN(ZExtOrBitCast)
ANY_OWNERSHIP_BUILTIN(ZeroInitializer)
ANY_OWNERSHIP_BUILTIN(Swift3ImplicitObjCEntrypoint)
ANY_OWNERSHIP_BUILTIN(PoundAssert)
ANY_OWNERSHIP_BUILTIN(GlobalStringTablePointer)
ANY_OWNERSHIP_BUILTIN(TypePtrAuthDiscriminator)
#undef ANY_OWNERSHIP_BUILTIN
// This is correct today since we do not have any builtins which return
// @guaranteed parameters. This means that we can only have a lifetime ending
// use with our builtins if it is owned.
#define CONSTANT_OWNERSHIP_BUILTIN(OWNERSHIP, USE_LIFETIME_CONSTRAINT, ID) \
OperandOwnershipKindMap OperandOwnershipKindBuiltinClassifier::visit##ID( \
BuiltinInst *, StringRef) { \
return Map::compatibilityMap( \
ValueOwnershipKind::OWNERSHIP, \
UseLifetimeConstraint::USE_LIFETIME_CONSTRAINT); \
}
CONSTANT_OWNERSHIP_BUILTIN(Owned, MustBeInvalidated, UnsafeGuaranteed)
#undef CONSTANT_OWNERSHIP_BUILTIN
// Builtins that should be lowered to SIL instructions so we should never see
// them.
#define BUILTIN_SIL_OPERATION(ID, NAME, CATEGORY) \
OperandOwnershipKindMap OperandOwnershipKindBuiltinClassifier::visit##ID( \
BuiltinInst *, StringRef) { \
llvm_unreachable("Builtin should have been lowered to SIL instruction?!"); \
}
#define BUILTIN(X, Y, Z)
#include "swift/AST/Builtins.def"
OperandOwnershipKindMap
OperandOwnershipKindClassifier::visitBuiltinInst(BuiltinInst *bi) {
return OperandOwnershipKindBuiltinClassifier().check(bi);
}
//===----------------------------------------------------------------------===//
// Top Level Entrypoint
//===----------------------------------------------------------------------===//
OperandOwnershipKindMap
Operand::getOwnershipKindMap(bool isForwardingSubValue) const {
OperandOwnershipKindClassifier classifier(
getUser()->getModule(), *this,
isForwardingSubValue);
return classifier.visit(const_cast<SILInstruction *>(getUser()));
}
| {
"content_hash": "0fa2ce43ba605ef210a6ef3303ab4368",
"timestamp": "",
"source": "github",
"line_count": 1052,
"max_line_length": 82,
"avg_line_length": 42.18821292775665,
"alnum_prop": 0.7033707358839169,
"repo_name": "aschwaighofer/swift",
"id": "dc5ba790c88b368737427d8ac9f2b54f10cd29a9",
"size": "44382",
"binary": false,
"copies": "1",
"ref": "refs/heads/master",
"path": "lib/SIL/IR/OperandOwnership.cpp",
"mode": "33188",
"license": "apache-2.0",
"language": [
{
"name": "Batchfile",
"bytes": "13516"
},
{
"name": "C",
"bytes": "251927"
},
{
"name": "C++",
"bytes": "37266151"
},
{
"name": "CMake",
"bytes": "592998"
},
{
"name": "D",
"bytes": "1107"
},
{
"name": "DTrace",
"bytes": "2593"
},
{
"name": "Emacs Lisp",
"bytes": "57302"
},
{
"name": "LLVM",
"bytes": "70652"
},
{
"name": "MATLAB",
"bytes": "2576"
},
{
"name": "Makefile",
"bytes": "1841"
},
{
"name": "Objective-C",
"bytes": "446918"
},
{
"name": "Objective-C++",
"bytes": "251237"
},
{
"name": "Python",
"bytes": "1713191"
},
{
"name": "Roff",
"bytes": "3495"
},
{
"name": "Ruby",
"bytes": "2117"
},
{
"name": "Shell",
"bytes": "177887"
},
{
"name": "Swift",
"bytes": "33804432"
},
{
"name": "Vim Script",
"bytes": "19683"
},
{
"name": "sed",
"bytes": "1050"
}
],
"symlink_target": ""
} |
package com.oath.cyclops.anym.transformers;
import java.util.function.BiPredicate;
import java.util.function.Predicate;
import cyclops.data.Vector;
import cyclops.monads.Witness.reactiveSeq;
import cyclops.monads.Witness;
import cyclops.monads.transformers.SeqT;
import cyclops.monads.transformers.VectorT;
import cyclops.reactive.ReactiveSeq;
import cyclops.monads.transformers.ListT;
import cyclops.reactive.collections.mutable.ListX;
/**
* Represents a Traversable Monad Transformer, the monad transformer instance manipulates a nested non-scalar data type
*
* @author johnmcclean
*
* @param <T> Data type of the elements stored inside the traversable manipulated by this monad transformer
*/
@Deprecated
public interface TransformerTraversable<T>{
default VectorT<reactiveSeq,T> groupedT(final int groupSize) {
return VectorT.fromStream(stream().grouped(groupSize));
}
default SeqT<reactiveSeq,T> slidingT(final int windowSize, final int increment) {
return SeqT.fromStream(stream().sliding(windowSize, increment));
}
default SeqT<reactiveSeq,T> slidingT(final int windowSize) {
return SeqT.fromStream(stream().sliding(windowSize));
}
default VectorT<reactiveSeq,T> groupedUntilT(final Predicate<? super T> predicate) {
return VectorT.fromStream(stream().groupedUntil(predicate));
}
default VectorT<reactiveSeq,T> groupedUntilT(final BiPredicate<Vector<? super T>, ? super T> predicate) {
return VectorT.fromStream(stream().groupedUntil(predicate));
}
default VectorT<reactiveSeq,T> groupedWhileT(final Predicate<? super T> predicate) {
return VectorT.fromStream(stream().groupedUntil(predicate));
}
public ReactiveSeq<T> stream();
}
| {
"content_hash": "24f4c172d5555ad183889e46b420c265",
"timestamp": "",
"source": "github",
"line_count": 56,
"max_line_length": 119,
"avg_line_length": 31.428571428571427,
"alnum_prop": 0.7505681818181819,
"repo_name": "aol/cyclops-react",
"id": "1c8a69c4712c526733cf78f14aefa51c3f27948f",
"size": "1760",
"binary": false,
"copies": "2",
"ref": "refs/heads/master",
"path": "cyclops-anym/src/main/java/com/oath/cyclops/anym/transformers/TransformerTraversable.java",
"mode": "33188",
"license": "apache-2.0",
"language": [
{
"name": "Java",
"bytes": "9298098"
}
],
"symlink_target": ""
} |
<!-- Navigation -->
<nav class="navbar navbar-default navbar-fixed-top">
<div class="container">
<!-- Brand and toggle get grouped for better mobile display -->
<div class="navbar-header page-scroll">
<button type="button" class="navbar-toggle" data-toggle="collapse" data-target="#bs-example-navbar-collapse-1">
<span class="sr-only">Toggle navigation</span>
<span class="icon-bar"></span>
<span class="icon-bar"></span>
<span class="icon-bar"></span>
</button>
<div class="logobrand">
<a class="page-scroll" href="#page-top"><img src="img/logo.png"/></a>
</div>
</div>
<!-- Collect the nav links, forms, and other content for toggling -->
<div class="collapse navbar-collapse" id="bs-example-navbar-collapse-1">
<ul class="nav navbar-nav navbar-right">
<li class="hidden">
<a href="#page-top"></a>
</li>
<!-- <li>
<a class="page-scroll" href="#pledge">Join Us</a>
</li> -->
<li>
<a class="page-scroll" href="#about">About</a>
</li>
<li>
<li>
<a class="page-scroll" href="#volunteer">Get Involved</a>
</li>
<li>
<a class="page-scroll"href="#press">Press</a>
</li>
<li>
<a class="page-scroll" href="#partners">Partners</a>
</li>
<li>
<a href="https://secure.actblue.com/contribute/page/mvp?refcode=mvpwebsite&amount=25.00" target="_blank">Donate</a>
</li>
<li><a href="http://shpg.org/166/175616/facebook" target="_blank"><i class="fa fa-facebook-square"></i></a>
<li><a href="http://shpg.org/166/175617/twitter" target="_blank"><i class="fa fa-twitter-square"></i></a>
</ul>
</div>
<!-- /.navbar-collapse -->
</div>
<!-- /.container-fluid -->
</nav>
<!-- Header -->
<header>
<div class="row">
{% include pledge.html %}
</div> <!-- end of row -->
<!-- <div class="video-container">
<iframe width="560" heigh="315" src="https://www.youtube.com/embed/5MTt3xOYI9M?rel=0&controls=0&showinfo=0&loop=1&autoplay=0" frameborder="0" allowfullscreen></iframe>
<div class="intro-text">
<div class="intro-heading">It's Nice To Meet You</div>
<a href="#about" class="page-scroll btn btn-xl">Tell Me More</a>
</div>
</div> -->
</header>
<!--
{% for page in site.pages %}
{% if page.title %}<a class="page-link" href="{{ page.url | prepend: site.baseurl }}">{{ page.title }}</a>{% endif %}
{% endfor %}
-->
| {
"content_hash": "a5cba4c52a21d9522ecd7902367d350a",
"timestamp": "",
"source": "github",
"line_count": 68,
"max_line_length": 187,
"avg_line_length": 46.73529411764706,
"alnum_prop": 0.45311516677155445,
"repo_name": "champala/mvpwmap",
"id": "6f947b973b9d25d82a05ed0a20f81f937a19c698",
"size": "3178",
"binary": false,
"copies": "1",
"ref": "refs/heads/master",
"path": "_includes/header.html",
"mode": "33261",
"license": "apache-2.0",
"language": [
{
"name": "CSS",
"bytes": "22402"
},
{
"name": "HTML",
"bytes": "532122"
},
{
"name": "JavaScript",
"bytes": "86518"
},
{
"name": "PHP",
"bytes": "3261"
},
{
"name": "Ruby",
"bytes": "715"
}
],
"symlink_target": ""
} |
class User < ActiveRecord::Base
has_secure_password
validates :user_name, :email, :password, :birthday, presence: true
validates :user_name, :email, uniqueness: true
validates_length_of :password, in: 7..30, message: "Password must be between 7 and 30 characters"
validates_length_of :first_name, maximum: 50, message: "50 character max"
validates_length_of :last_name, maximum: 50, message: "50 character max"
validates_length_of :user_name, maximum: 50, message: "50 character max"
validates_length_of :email, maximum: 100, message: "over character limit"
validates_length_of :bio, maximum: 200, message: "over character limit"
has_attached_file :photo,
styles: { small: "100x100>", thumb: "60x60>" },
convert_options: { thumb: "-quality 75 -strip", small: "-quality 75 -strip" },
default_url: "missing_:style.png"
validates_attachment :photo, content_type: { content_type: ["image/jpeg", "image/gif", "image/png"] }
validates :user_name, format: {
with: /\A[a-zA-Z0-9_\-\.]+\z/,
message: "Invalid characters: Acceptable characters are A-Z, a-z, 0-9, _, -, ."}
has_many :reviews
has_many :user_venues
has_many :favorites, through: :user_venues, source: :venue
has_many :user_events
has_many :events, through: :user_events
has_many :user_reports
def full_name
self.first_name + " " + self.last_name
end
def has_favorited?(venue)
self.favorites.include?(venue)
end
def has_favorites?
!self.favorites.empty?
end
def has_upcoming_events?
!self.events.empty?
end
def has_created_events?
!self.created_events.empty?
end
def created_events
events = Event.where(user_id: self.id)
sorted_events = events.sort_by &:date
sorted_events.reverse
end
def attending_events
self.events
end
def all_events
events = self.created_events + self.attending_events
end
def upcoming_events
events = self.all_events.select { |event| event.date >= Date.yesterday }
events.sort_by &:date
end
def past_events
self.all_events.select { |event| event.date < Date.today }
end
def update_favorites(selected_venue)
if self.favorites.include?(selected_venue)
self.favorites.delete(selected_venue)
else
self.favorites << selected_venue
end
self.favorites.length
end
def old_password
end
def new_password
end
def self.find_user(params)
param = params[:user_name] || params[:user_id] || params[:id]
user = User.find_by(user_name: param) || User.find_by(id: param)
return user
end
def update_password(password, confirmation)
if password == confirmation
self.update_attribute("password", password)
notice = ["Password successfully updated"]
else
notice = ["Password failed to update"]
end
end
def favorite_added?(prev_num_of_favs)
self.favorites.length > prev_num_of_favs
end
def favorite_removed?(prev_num_of_favs)
!self.favorite_added?(prev_num_of_favs)
end
def display_bio
self.bio.split("\r\n")
end
def slug
user_name.gsub(" ", "-")
end
def to_param
"#{slug}"
end
end
| {
"content_hash": "0de2fb6d247564768e468d9761625ac8",
"timestamp": "",
"source": "github",
"line_count": 121,
"max_line_length": 103,
"avg_line_length": 25.09090909090909,
"alnum_prop": 0.6936758893280632,
"repo_name": "juli212/pub_gamer",
"id": "04dbadf4b02d879565395c0b251f4b155f7e53f3",
"size": "3036",
"binary": false,
"copies": "1",
"ref": "refs/heads/master",
"path": "app/models/user.rb",
"mode": "33188",
"license": "mit",
"language": [
{
"name": "CSS",
"bytes": "56094"
},
{
"name": "HTML",
"bytes": "71259"
},
{
"name": "JavaScript",
"bytes": "29938"
},
{
"name": "Ruby",
"bytes": "84910"
}
],
"symlink_target": ""
} |
/* vi: set sw=4 ts=4: */
/*
* Licensed under GPLv2 or later, see file LICENSE in this source tree.
*/
#ifndef BUSYBOX_H
#define BUSYBOX_H 1
#include "libbb.h"
/* BB_DIR_foo and BB_SUID_bar constants: */
#include "applet_metadata.h"
PUSH_AND_SET_FUNCTION_VISIBILITY_TO_HIDDEN
/* Defined in appletlib.c (by including generated applet_tables.h) */
/* Keep in sync with applets/applet_tables.c! */
extern const char applet_names[];
extern int (*const applet_main[])(int argc, char **argv);
extern const uint16_t applet_nameofs[];
extern const uint8_t applet_install_loc[];
#if ENABLE_FEATURE_SUID || ENABLE_FEATURE_PREFER_APPLETS
# define APPLET_NAME(i) (applet_names + (applet_nameofs[i] & 0x0fff))
#else
# define APPLET_NAME(i) (applet_names + applet_nameofs[i])
#endif
#if ENABLE_FEATURE_PREFER_APPLETS
# define APPLET_IS_NOFORK(i) (applet_nameofs[i] & (1 << 12))
# define APPLET_IS_NOEXEC(i) (applet_nameofs[i] & (1 << 13))
#else
# define APPLET_IS_NOFORK(i) 0
# define APPLET_IS_NOEXEC(i) 0
#endif
#if ENABLE_FEATURE_SUID
# define APPLET_SUID(i) ((applet_nameofs[i] >> 14) & 0x3)
#endif
#if ENABLE_FEATURE_INSTALLER
#define APPLET_INSTALL_LOC(i) ({ \
unsigned v = (i); \
if (v & 1) v = applet_install_loc[v/2] >> 4; \
else v = applet_install_loc[v/2] & 0xf; \
v; })
#endif
/* Length of these names has effect on size of libbusybox
* and "individual" binaries. Keep them short.
*/
#if ENABLE_BUILD_LIBBUSYBOX
#if ENABLE_FEATURE_SHARED_BUSYBOX
int lbb_main(char **argv) EXTERNALLY_VISIBLE;
#else
int lbb_main(char **argv);
#endif
#endif
POP_SAVED_FUNCTION_VISIBILITY
#endif
| {
"content_hash": "4952f226e701af7b1733f138574d1560",
"timestamp": "",
"source": "github",
"line_count": 61,
"max_line_length": 71,
"avg_line_length": 26.098360655737704,
"alnum_prop": 0.6984924623115578,
"repo_name": "wilebeast/FireFox-OS",
"id": "315ef8f266bec04ff96c673883cb8d73fbbe1899",
"size": "1592",
"binary": false,
"copies": "55",
"ref": "refs/heads/master",
"path": "B2G/external/busybox/include/busybox.h",
"mode": "33188",
"license": "apache-2.0",
"language": [],
"symlink_target": ""
} |
<style>
.ta-editor {
min-height: 300px;
height: auto;
overflow: auto;
font-family: inherit;
font-size: 100%;
margin:20px 0;
}
</style>
<div id="ta-container" ng-controller="wysiwygeditor" class="col-md-12">
<div class="input-group" style="width: inherit">
<input type="title" name="new_page_title" ng-model="pagetitle" placeholder="Adicione um título à página" class="form-control">
<hr>
</div>
<div text-angular="text-angular" name="htmlcontent" ng-model="htmlcontent" ta-disabled='disabled' ta-toolbar="toolbar" placeholder="Bem vindo à caravana Origami"></div>
<div class="row">
<div class="col-md-2 col-md-offset-7">
<div id="save-button" class="btn btn-primary">Salvar</div>
</div>
<div class="col-md-2">
<div id="discharge-button" class="btn btn-danger">Descartar</div>
</div>
</div>
</div>
| {
"content_hash": "6e15dbf614f38fb3e2f480e79d758c49",
"timestamp": "",
"source": "github",
"line_count": 25,
"max_line_length": 172,
"avg_line_length": 37.8,
"alnum_prop": 0.5989417989417989,
"repo_name": "kaabsimas/caravana",
"id": "f1eccc66a29366f925cc0f37650dd7546a8f3f9d",
"size": "949",
"binary": false,
"copies": "1",
"ref": "refs/heads/master",
"path": "application/views/admin/pages.php",
"mode": "33188",
"license": "mit",
"language": [
{
"name": "ApacheConf",
"bytes": "240"
},
{
"name": "CSS",
"bytes": "30673"
},
{
"name": "HTML",
"bytes": "5633"
},
{
"name": "JavaScript",
"bytes": "199137"
},
{
"name": "PHP",
"bytes": "1820431"
}
],
"symlink_target": ""
} |
using UnityEngine;
using UnityEditor;
using System.Collections;
using System.IO;
public class ExcelToJsonConverterWindow : EditorWindow
{
public static string kExcelToJsonConverterInputPathPrefsName = "ExcelToJson.InputPath";
public static string kExcelToJsonConverterOuputPathPrefsName = "ExcelToJson.OutputPath";
public static string kExcelToJsonConverterModifiedFilesOnlyPrefsName = "ExcelToJson.OnlyModifiedFiles";
private string _inputPath;
private string _outputPath;
private bool _onlyModifiedFiles;
private ExcelToJsonConverter _excelProcessor;
[MenuItem ("Tools/Excel To Json Converter")]
public static void ShowWindow()
{
EditorWindow.GetWindow(typeof(ExcelToJsonConverterWindow), true, "Excel To Json Converter", true);
}
public void OnEnable()
{
if (_excelProcessor == null)
{
_excelProcessor = new ExcelToJsonConverter();
}
_inputPath = EditorPrefs.GetString(kExcelToJsonConverterInputPathPrefsName, Application.dataPath);
_outputPath = EditorPrefs.GetString(kExcelToJsonConverterOuputPathPrefsName, Application.dataPath);
_onlyModifiedFiles = EditorPrefs.GetBool(kExcelToJsonConverterModifiedFilesOnlyPrefsName, false);
}
public void OnDisable()
{
EditorPrefs.SetString(kExcelToJsonConverterInputPathPrefsName, _inputPath);
EditorPrefs.SetString(kExcelToJsonConverterOuputPathPrefsName, _outputPath);
EditorPrefs.SetBool(kExcelToJsonConverterModifiedFilesOnlyPrefsName, _onlyModifiedFiles);
}
void OnGUI()
{
GUILayout.BeginHorizontal();
GUIContent inputFolderContent = new GUIContent("Input Folder", "Select the folder where the excel files to be processed are located.");
EditorGUIUtility.labelWidth = 120.0f;
EditorGUILayout.TextField(inputFolderContent, _inputPath, GUILayout.MinWidth(120), GUILayout.MaxWidth(500));
if (GUILayout.Button(new GUIContent("Select Folder"), GUILayout.MinWidth(80), GUILayout.MaxWidth(100)))
{
_inputPath = EditorUtility.OpenFolderPanel("Select Folder with Excel Files", _inputPath, Application.dataPath);
}
GUILayout.EndHorizontal();
GUILayout.BeginHorizontal();
GUIContent outputFolderContent = new GUIContent("Output Folder", "Select the folder where the converted json files should be saved.");
EditorGUILayout.TextField(outputFolderContent, _outputPath, GUILayout.MinWidth(120), GUILayout.MaxWidth(500));
if (GUILayout.Button(new GUIContent("Select Folder"), GUILayout.MinWidth(80), GUILayout.MaxWidth(100)))
{
_outputPath = EditorUtility.OpenFolderPanel("Select Folder to save json files", _outputPath, Application.dataPath);
}
GUILayout.EndHorizontal();
GUIContent modifiedToggleContent = new GUIContent("Modified Files Only", "If checked, only excel files which have been newly added or updated since the last conversion will be processed.");
_onlyModifiedFiles = EditorGUILayout.Toggle(modifiedToggleContent, _onlyModifiedFiles);
if (string.IsNullOrEmpty(_inputPath) || string.IsNullOrEmpty(_outputPath))
{
GUI.enabled = false;
}
GUILayout.BeginArea(new Rect((Screen.width / 2) - (200 / 2), (Screen.height / 2) - (25 / 2), 200, 25));
if (GUILayout.Button("Convert Excel Files"))
{
_excelProcessor.ConvertExcelFilesToJson(_inputPath, _outputPath, _onlyModifiedFiles);
}
GUILayout.EndArea();
GUI.enabled = true;
}
}
[InitializeOnLoad]
public class ExcelToJsonAutoConverter
{
/// <summary>
/// Class attribute [InitializeOnLoad] triggers calling the static constructor on every refresh.
/// </summary>
static ExcelToJsonAutoConverter()
{
string inputPath = EditorPrefs.GetString(ExcelToJsonConverterWindow.kExcelToJsonConverterInputPathPrefsName, Application.dataPath);
string outputPath = EditorPrefs.GetString(ExcelToJsonConverterWindow.kExcelToJsonConverterOuputPathPrefsName, Application.dataPath);
bool onlyModifiedFiles = EditorPrefs.GetBool(ExcelToJsonConverterWindow.kExcelToJsonConverterModifiedFilesOnlyPrefsName, false);
ExcelToJsonConverter excelProcessor = new ExcelToJsonConverter();
excelProcessor.ConvertExcelFilesToJson(inputPath, outputPath, onlyModifiedFiles);
}
}
| {
"content_hash": "01b5659fff1354c18f6730380df51287",
"timestamp": "",
"source": "github",
"line_count": 104,
"max_line_length": 191,
"avg_line_length": 39.34615384615385,
"alnum_prop": 0.7903225806451613,
"repo_name": "Benzino/ExcelToJsonConverter",
"id": "dd6c50e788c6dd8accfde3131921b054af4c0de0",
"size": "4094",
"binary": false,
"copies": "2",
"ref": "refs/heads/master",
"path": "ExcelToJsonConveterExample/Assets/Editor/ExcelToJsonConverter/ExcelToJsonConverterWindow.cs",
"mode": "33188",
"license": "mit",
"language": [
{
"name": "C#",
"bytes": "35085"
}
],
"symlink_target": ""
} |
// Copyright 2000-2018 JetBrains s.r.o. Use of this source code is governed by the Apache 2.0 license that can be found in the LICENSE file.
package com.intellij.openapi.externalSystem.service.project;
import com.intellij.openapi.components.PersistentStateComponent;
import com.intellij.openapi.components.State;
import com.intellij.openapi.components.Storage;
import com.intellij.openapi.components.StoragePathMacros;
import com.intellij.openapi.extensions.ExtensionPointName;
import com.intellij.openapi.externalSystem.model.project.ProjectCoordinate;
import com.intellij.openapi.module.Module;
import com.intellij.openapi.util.registry.Registry;
import com.intellij.util.xmlb.annotations.MapAnnotation;
import com.intellij.util.xmlb.annotations.Property;
import org.jetbrains.annotations.ApiStatus;
import org.jetbrains.annotations.NotNull;
import org.jetbrains.annotations.Nullable;
import java.util.Map;
import java.util.Set;
/**
* @author Vladislav.Soroka
*/
@ApiStatus.Experimental
@State(name = "externalSubstitutions", storages = {@Storage(StoragePathMacros.WORKSPACE_FILE)})
public class ExternalProjectsWorkspaceImpl implements PersistentStateComponent<ExternalProjectsWorkspaceImpl.State> {
static final ExtensionPointName<ExternalProjectsWorkspaceImpl.Contributor> EP_NAME =
ExtensionPointName.create("com.intellij.externalSystemWorkspaceContributor");
@ApiStatus.Experimental
public interface Contributor {
@Nullable
ProjectCoordinate findProjectId(Module module, IdeModifiableModelsProvider modelsProvider);
}
static class State {
@Property(surroundWithTag = false)
@MapAnnotation(surroundWithTag = false, surroundValueWithTag = false, surroundKeyWithTag = false,
keyAttributeName = "name", entryTagName = "module")
public Map<String, Set<String>> substitutions;
@Property(surroundWithTag = false)
@MapAnnotation(surroundWithTag = false, surroundValueWithTag = false, surroundKeyWithTag = false,
keyAttributeName = "module", valueAttributeName = "lib")
public Map<String, String> names;
}
private State myState = new State();
@Override
public State getState() {
return myState;
}
@Override
public void loadState(@NotNull State state) {
myState = state;
}
public static boolean isDependencySubstitutionEnabled() {
return Registry.is("external.system.substitute.library.dependencies");
}
public ModifiableWorkspace createModifiableWorkspace(AbstractIdeModifiableModelsProvider modelsProvider) {
return new ModifiableWorkspace(myState, modelsProvider);
}
}
| {
"content_hash": "0399ebfc30c7c29486de0b8f5d2e5284",
"timestamp": "",
"source": "github",
"line_count": 67,
"max_line_length": 140,
"avg_line_length": 38.507462686567166,
"alnum_prop": 0.7953488372093023,
"repo_name": "siosio/intellij-community",
"id": "8fdd9f945c036610c44a92c453266cf872eb7fc9",
"size": "2580",
"binary": false,
"copies": "3",
"ref": "refs/heads/master",
"path": "platform/external-system-impl/src/com/intellij/openapi/externalSystem/service/project/ExternalProjectsWorkspaceImpl.java",
"mode": "33188",
"license": "apache-2.0",
"language": [],
"symlink_target": ""
} |
//
// Questo file è stato generato dall'architettura JavaTM per XML Binding (JAXB) Reference Implementation, v2.2.8-b130911.1802
// Vedere <a href="http://java.sun.com/xml/jaxb">http://java.sun.com/xml/jaxb</a>
// Qualsiasi modifica a questo file andrà persa durante la ricompilazione dello schema di origine.
// Generato il: 2016.09.12 alle 10:18:45 PM CEST
//
package org.docbook.ns.docbook;
import java.util.ArrayList;
import java.util.List;
import javax.xml.bind.annotation.XmlAccessType;
import javax.xml.bind.annotation.XmlAccessorType;
import javax.xml.bind.annotation.XmlAttribute;
import javax.xml.bind.annotation.XmlElementRef;
import javax.xml.bind.annotation.XmlElementRefs;
import javax.xml.bind.annotation.XmlID;
import javax.xml.bind.annotation.XmlIDREF;
import javax.xml.bind.annotation.XmlMixed;
import javax.xml.bind.annotation.XmlRootElement;
import javax.xml.bind.annotation.XmlSchemaType;
import javax.xml.bind.annotation.XmlType;
import javax.xml.bind.annotation.adapters.CollapsedStringAdapter;
import javax.xml.bind.annotation.adapters.XmlJavaTypeAdapter;
/**
* <p>Classe Java per anonymous complex type.
*
* <p>Il seguente frammento di schema specifica il contenuto previsto contenuto in questa classe.
*
* <pre>
* <complexType>
* <complexContent>
* <restriction base="{http://www.w3.org/2001/XMLSchema}anyType">
* <choice maxOccurs="unbounded" minOccurs="0">
* <element ref="{http://docbook.org/ns/docbook}itemizedlist"/>
* <element ref="{http://docbook.org/ns/docbook}orderedlist"/>
* <element ref="{http://docbook.org/ns/docbook}procedure"/>
* <element ref="{http://docbook.org/ns/docbook}simplelist"/>
* <element ref="{http://docbook.org/ns/docbook}variablelist"/>
* <element ref="{http://docbook.org/ns/docbook}segmentedlist"/>
* <element ref="{http://docbook.org/ns/docbook}glosslist"/>
* <element ref="{http://docbook.org/ns/docbook}bibliolist"/>
* <element ref="{http://docbook.org/ns/docbook}calloutlist"/>
* <element ref="{http://docbook.org/ns/docbook}qandaset"/>
* <element ref="{http://docbook.org/ns/docbook}caution"/>
* <element ref="{http://docbook.org/ns/docbook}important"/>
* <element ref="{http://docbook.org/ns/docbook}note"/>
* <element ref="{http://docbook.org/ns/docbook}tip"/>
* <element ref="{http://docbook.org/ns/docbook}warning"/>
* <element ref="{http://docbook.org/ns/docbook}example"/>
* <element ref="{http://docbook.org/ns/docbook}figure"/>
* <element ref="{http://docbook.org/ns/docbook}table"/>
* <element ref="{http://docbook.org/ns/docbook}informalexample"/>
* <element ref="{http://docbook.org/ns/docbook}informalfigure"/>
* <element ref="{http://docbook.org/ns/docbook}informaltable"/>
* <element ref="{http://docbook.org/ns/docbook}sidebar"/>
* <element ref="{http://docbook.org/ns/docbook}blockquote"/>
* <element ref="{http://docbook.org/ns/docbook}address"/>
* <element ref="{http://docbook.org/ns/docbook}epigraph"/>
* <element ref="{http://docbook.org/ns/docbook}mediaobject"/>
* <element ref="{http://docbook.org/ns/docbook}screenshot"/>
* <element ref="{http://docbook.org/ns/docbook}task"/>
* <element ref="{http://docbook.org/ns/docbook}productionset"/>
* <element ref="{http://docbook.org/ns/docbook}constraintdef"/>
* <element ref="{http://docbook.org/ns/docbook}msgset"/>
* <element ref="{http://docbook.org/ns/docbook}programlisting"/>
* <element ref="{http://docbook.org/ns/docbook}screen"/>
* <element ref="{http://docbook.org/ns/docbook}literallayout"/>
* <element ref="{http://docbook.org/ns/docbook}synopsis"/>
* <element ref="{http://docbook.org/ns/docbook}programlistingco"/>
* <element ref="{http://docbook.org/ns/docbook}screenco"/>
* <element ref="{http://docbook.org/ns/docbook}cmdsynopsis"/>
* <element ref="{http://docbook.org/ns/docbook}funcsynopsis"/>
* <element ref="{http://docbook.org/ns/docbook}classsynopsis"/>
* <element ref="{http://docbook.org/ns/docbook}methodsynopsis"/>
* <element ref="{http://docbook.org/ns/docbook}constructorsynopsis"/>
* <element ref="{http://docbook.org/ns/docbook}destructorsynopsis"/>
* <element ref="{http://docbook.org/ns/docbook}fieldsynopsis"/>
* <element ref="{http://docbook.org/ns/docbook}bridgehead"/>
* <element ref="{http://docbook.org/ns/docbook}remark"/>
* <element ref="{http://docbook.org/ns/docbook}revhistory"/>
* <element ref="{http://docbook.org/ns/docbook}indexterm"/>
* <element ref="{http://docbook.org/ns/docbook}equation"/>
* <element ref="{http://docbook.org/ns/docbook}informalequation"/>
* <element ref="{http://docbook.org/ns/docbook}anchor"/>
* <element ref="{http://docbook.org/ns/docbook}para"/>
* <element ref="{http://docbook.org/ns/docbook}formalpara"/>
* <element ref="{http://docbook.org/ns/docbook}simpara"/>
* <element ref="{http://docbook.org/ns/docbook}annotation"/>
* </choice>
* <attGroup ref="{http://docbook.org/ns/docbook}db.common.linking.attributes"/>
* <attGroup ref="{http://docbook.org/ns/docbook}db.common.attributes"/>
* <attribute name="role" type="{http://www.w3.org/2001/XMLSchema}anySimpleType" />
* <attribute name="class" type="{http://www.w3.org/2001/XMLSchema}anySimpleType" />
* <attribute name="style" type="{http://www.w3.org/2001/XMLSchema}anySimpleType" />
* <attribute name="title" type="{http://www.w3.org/2001/XMLSchema}anySimpleType" />
* <attribute name="lang" type="{http://www.w3.org/2001/XMLSchema}anySimpleType" />
* <attribute name="onclick" type="{http://www.w3.org/2001/XMLSchema}anySimpleType" />
* <attribute name="ondblclick" type="{http://www.w3.org/2001/XMLSchema}anySimpleType" />
* <attribute name="onmousedown" type="{http://www.w3.org/2001/XMLSchema}anySimpleType" />
* <attribute name="onmouseup" type="{http://www.w3.org/2001/XMLSchema}anySimpleType" />
* <attribute name="onmouseover" type="{http://www.w3.org/2001/XMLSchema}anySimpleType" />
* <attribute name="onmousemove" type="{http://www.w3.org/2001/XMLSchema}anySimpleType" />
* <attribute name="onmouseout" type="{http://www.w3.org/2001/XMLSchema}anySimpleType" />
* <attribute name="onkeypress" type="{http://www.w3.org/2001/XMLSchema}anySimpleType" />
* <attribute name="onkeydown" type="{http://www.w3.org/2001/XMLSchema}anySimpleType" />
* <attribute name="onkeyup" type="{http://www.w3.org/2001/XMLSchema}anySimpleType" />
* </restriction>
* </complexContent>
* </complexType>
* </pre>
*
*
*/
@XmlAccessorType(XmlAccessType.FIELD)
@XmlType(name = "", propOrder = {
"content"
})
@XmlRootElement(name = "caption")
public class Caption {
@XmlElementRefs({
@XmlElementRef(name = "productionset", namespace = "http://docbook.org/ns/docbook", type = Productionset.class, required = false),
@XmlElementRef(name = "cmdsynopsis", namespace = "http://docbook.org/ns/docbook", type = Cmdsynopsis.class, required = false),
@XmlElementRef(name = "sidebar", namespace = "http://docbook.org/ns/docbook", type = Sidebar.class, required = false),
@XmlElementRef(name = "screenco", namespace = "http://docbook.org/ns/docbook", type = Screenco.class, required = false),
@XmlElementRef(name = "informaltable", namespace = "http://docbook.org/ns/docbook", type = Informaltable.class, required = false),
@XmlElementRef(name = "fieldsynopsis", namespace = "http://docbook.org/ns/docbook", type = Fieldsynopsis.class, required = false),
@XmlElementRef(name = "remark", namespace = "http://docbook.org/ns/docbook", type = Remark.class, required = false),
@XmlElementRef(name = "classsynopsis", namespace = "http://docbook.org/ns/docbook", type = Classsynopsis.class, required = false),
@XmlElementRef(name = "programlisting", namespace = "http://docbook.org/ns/docbook", type = Programlisting.class, required = false),
@XmlElementRef(name = "constructorsynopsis", namespace = "http://docbook.org/ns/docbook", type = Constructorsynopsis.class, required = false),
@XmlElementRef(name = "destructorsynopsis", namespace = "http://docbook.org/ns/docbook", type = Destructorsynopsis.class, required = false),
@XmlElementRef(name = "task", namespace = "http://docbook.org/ns/docbook", type = Task.class, required = false),
@XmlElementRef(name = "equation", namespace = "http://docbook.org/ns/docbook", type = Equation.class, required = false),
@XmlElementRef(name = "synopsis", namespace = "http://docbook.org/ns/docbook", type = Synopsis.class, required = false),
@XmlElementRef(name = "anchor", namespace = "http://docbook.org/ns/docbook", type = Anchor.class, required = false),
@XmlElementRef(name = "orderedlist", namespace = "http://docbook.org/ns/docbook", type = Orderedlist.class, required = false),
@XmlElementRef(name = "informalequation", namespace = "http://docbook.org/ns/docbook", type = Informalequation.class, required = false),
@XmlElementRef(name = "screen", namespace = "http://docbook.org/ns/docbook", type = Screen.class, required = false),
@XmlElementRef(name = "bibliolist", namespace = "http://docbook.org/ns/docbook", type = Bibliolist.class, required = false),
@XmlElementRef(name = "qandaset", namespace = "http://docbook.org/ns/docbook", type = Qandaset.class, required = false),
@XmlElementRef(name = "simpara", namespace = "http://docbook.org/ns/docbook", type = Simpara.class, required = false),
@XmlElementRef(name = "informalfigure", namespace = "http://docbook.org/ns/docbook", type = Informalfigure.class, required = false),
@XmlElementRef(name = "programlistingco", namespace = "http://docbook.org/ns/docbook", type = Programlistingco.class, required = false),
@XmlElementRef(name = "para", namespace = "http://docbook.org/ns/docbook", type = Para.class, required = false),
@XmlElementRef(name = "glosslist", namespace = "http://docbook.org/ns/docbook", type = Glosslist.class, required = false),
@XmlElementRef(name = "annotation", namespace = "http://docbook.org/ns/docbook", type = Annotation.class, required = false),
@XmlElementRef(name = "msgset", namespace = "http://docbook.org/ns/docbook", type = Msgset.class, required = false),
@XmlElementRef(name = "literallayout", namespace = "http://docbook.org/ns/docbook", type = Literallayout.class, required = false),
@XmlElementRef(name = "methodsynopsis", namespace = "http://docbook.org/ns/docbook", type = Methodsynopsis.class, required = false),
@XmlElementRef(name = "blockquote", namespace = "http://docbook.org/ns/docbook", type = Blockquote.class, required = false),
@XmlElementRef(name = "variablelist", namespace = "http://docbook.org/ns/docbook", type = Variablelist.class, required = false),
@XmlElementRef(name = "calloutlist", namespace = "http://docbook.org/ns/docbook", type = Calloutlist.class, required = false),
@XmlElementRef(name = "indexterm", namespace = "http://docbook.org/ns/docbook", type = Indexterm.class, required = false),
@XmlElementRef(name = "caution", namespace = "http://docbook.org/ns/docbook", type = Caution.class, required = false),
@XmlElementRef(name = "itemizedlist", namespace = "http://docbook.org/ns/docbook", type = Itemizedlist.class, required = false),
@XmlElementRef(name = "segmentedlist", namespace = "http://docbook.org/ns/docbook", type = Segmentedlist.class, required = false),
@XmlElementRef(name = "example", namespace = "http://docbook.org/ns/docbook", type = Example.class, required = false),
@XmlElementRef(name = "mediaobject", namespace = "http://docbook.org/ns/docbook", type = Mediaobject.class, required = false),
@XmlElementRef(name = "simplelist", namespace = "http://docbook.org/ns/docbook", type = Simplelist.class, required = false),
@XmlElementRef(name = "note", namespace = "http://docbook.org/ns/docbook", type = Note.class, required = false),
@XmlElementRef(name = "formalpara", namespace = "http://docbook.org/ns/docbook", type = Formalpara.class, required = false),
@XmlElementRef(name = "table", namespace = "http://docbook.org/ns/docbook", type = Table.class, required = false),
@XmlElementRef(name = "epigraph", namespace = "http://docbook.org/ns/docbook", type = Epigraph.class, required = false),
@XmlElementRef(name = "important", namespace = "http://docbook.org/ns/docbook", type = Important.class, required = false),
@XmlElementRef(name = "tip", namespace = "http://docbook.org/ns/docbook", type = Tip.class, required = false),
@XmlElementRef(name = "funcsynopsis", namespace = "http://docbook.org/ns/docbook", type = Funcsynopsis.class, required = false),
@XmlElementRef(name = "constraintdef", namespace = "http://docbook.org/ns/docbook", type = Constraintdef.class, required = false),
@XmlElementRef(name = "figure", namespace = "http://docbook.org/ns/docbook", type = Figure.class, required = false),
@XmlElementRef(name = "address", namespace = "http://docbook.org/ns/docbook", type = Address.class, required = false),
@XmlElementRef(name = "revhistory", namespace = "http://docbook.org/ns/docbook", type = Revhistory.class, required = false),
@XmlElementRef(name = "procedure", namespace = "http://docbook.org/ns/docbook", type = Procedure.class, required = false),
@XmlElementRef(name = "bridgehead", namespace = "http://docbook.org/ns/docbook", type = Bridgehead.class, required = false),
@XmlElementRef(name = "screenshot", namespace = "http://docbook.org/ns/docbook", type = Screenshot.class, required = false),
@XmlElementRef(name = "warning", namespace = "http://docbook.org/ns/docbook", type = Warning.class, required = false),
@XmlElementRef(name = "informalexample", namespace = "http://docbook.org/ns/docbook", type = Informalexample.class, required = false)
})
@XmlMixed
protected List<Object> content;
@XmlAttribute(name = "role")
@XmlSchemaType(name = "anySimpleType")
protected String role;
@XmlAttribute(name = "class")
@XmlSchemaType(name = "anySimpleType")
protected String clazz;
@XmlAttribute(name = "style")
@XmlSchemaType(name = "anySimpleType")
protected String style;
@XmlAttribute(name = "title")
@XmlSchemaType(name = "anySimpleType")
protected String title;
@XmlAttribute(name = "lang")
@XmlSchemaType(name = "anySimpleType")
protected String lang;
@XmlAttribute(name = "onclick")
@XmlSchemaType(name = "anySimpleType")
protected String onclick;
@XmlAttribute(name = "ondblclick")
@XmlSchemaType(name = "anySimpleType")
protected String ondblclick;
@XmlAttribute(name = "onmousedown")
@XmlSchemaType(name = "anySimpleType")
protected String onmousedown;
@XmlAttribute(name = "onmouseup")
@XmlSchemaType(name = "anySimpleType")
protected String onmouseup;
@XmlAttribute(name = "onmouseover")
@XmlSchemaType(name = "anySimpleType")
protected String onmouseover;
@XmlAttribute(name = "onmousemove")
@XmlSchemaType(name = "anySimpleType")
protected String onmousemove;
@XmlAttribute(name = "onmouseout")
@XmlSchemaType(name = "anySimpleType")
protected String onmouseout;
@XmlAttribute(name = "onkeypress")
@XmlSchemaType(name = "anySimpleType")
protected String onkeypress;
@XmlAttribute(name = "onkeydown")
@XmlSchemaType(name = "anySimpleType")
protected String onkeydown;
@XmlAttribute(name = "onkeyup")
@XmlSchemaType(name = "anySimpleType")
protected String onkeyup;
@XmlAttribute(name = "linkend")
@XmlIDREF
@XmlSchemaType(name = "IDREF")
protected Object linkend;
@XmlAttribute(name = "href", namespace = "http://www.w3.org/1999/xlink")
@XmlSchemaType(name = "anySimpleType")
protected String href;
@XmlAttribute(name = "type", namespace = "http://www.w3.org/1999/xlink")
@XmlSchemaType(name = "anySimpleType")
protected String xlinkType;
@XmlAttribute(name = "role", namespace = "http://www.w3.org/1999/xlink")
@XmlSchemaType(name = "anySimpleType")
protected String xlinkRole;
@XmlAttribute(name = "arcrole", namespace = "http://www.w3.org/1999/xlink")
@XmlSchemaType(name = "anySimpleType")
protected String arcrole;
@XmlAttribute(name = "title", namespace = "http://www.w3.org/1999/xlink")
@XmlSchemaType(name = "anySimpleType")
protected String xlinkTitle;
@XmlAttribute(name = "show", namespace = "http://www.w3.org/1999/xlink")
@XmlJavaTypeAdapter(CollapsedStringAdapter.class)
protected String show;
@XmlAttribute(name = "actuate", namespace = "http://www.w3.org/1999/xlink")
@XmlJavaTypeAdapter(CollapsedStringAdapter.class)
protected String actuate;
@XmlAttribute(name = "id", namespace = "http://www.w3.org/XML/1998/namespace")
@XmlJavaTypeAdapter(CollapsedStringAdapter.class)
@XmlID
@XmlSchemaType(name = "ID")
protected String id;
@XmlAttribute(name = "version")
@XmlSchemaType(name = "anySimpleType")
protected String commonVersion;
@XmlAttribute(name = "lang", namespace = "http://www.w3.org/XML/1998/namespace")
@XmlSchemaType(name = "anySimpleType")
protected String xmlLang;
@XmlAttribute(name = "base", namespace = "http://www.w3.org/XML/1998/namespace")
@XmlSchemaType(name = "anySimpleType")
protected String base;
@XmlAttribute(name = "remap")
@XmlSchemaType(name = "anySimpleType")
protected String remap;
@XmlAttribute(name = "xreflabel")
@XmlSchemaType(name = "anySimpleType")
protected String xreflabel;
@XmlAttribute(name = "revisionflag")
@XmlJavaTypeAdapter(CollapsedStringAdapter.class)
protected String revisionflag;
@XmlAttribute(name = "dir")
@XmlJavaTypeAdapter(CollapsedStringAdapter.class)
protected String dir;
@XmlAttribute(name = "arch")
@XmlSchemaType(name = "anySimpleType")
protected String arch;
@XmlAttribute(name = "audience")
@XmlSchemaType(name = "anySimpleType")
protected String audience;
@XmlAttribute(name = "condition")
@XmlSchemaType(name = "anySimpleType")
protected String condition;
@XmlAttribute(name = "conformance")
@XmlSchemaType(name = "anySimpleType")
protected String conformance;
@XmlAttribute(name = "os")
@XmlSchemaType(name = "anySimpleType")
protected String os;
@XmlAttribute(name = "revision")
@XmlSchemaType(name = "anySimpleType")
protected String commonRevision;
@XmlAttribute(name = "security")
@XmlSchemaType(name = "anySimpleType")
protected String security;
@XmlAttribute(name = "userlevel")
@XmlSchemaType(name = "anySimpleType")
protected String userlevel;
@XmlAttribute(name = "vendor")
@XmlSchemaType(name = "anySimpleType")
protected String vendor;
@XmlAttribute(name = "wordsize")
@XmlSchemaType(name = "anySimpleType")
protected String wordsize;
@XmlAttribute(name = "annotations")
@XmlSchemaType(name = "anySimpleType")
protected String annotations;
/**
* Gets the value of the content property.
*
* <p>
* This accessor method returns a reference to the live list,
* not a snapshot. Therefore any modification you make to the
* returned list will be present inside the JAXB object.
* This is why there is not a <CODE>set</CODE> method for the content property.
*
* <p>
* For example, to add a new item, do as follows:
* <pre>
* getContent().add(newItem);
* </pre>
*
*
* <p>
* Objects of the following type(s) are allowed in the list
* {@link Productionset }
* {@link Cmdsynopsis }
* {@link Sidebar }
* {@link Screenco }
* {@link Informaltable }
* {@link Fieldsynopsis }
* {@link Remark }
* {@link Classsynopsis }
* {@link Programlisting }
* {@link Constructorsynopsis }
* {@link Destructorsynopsis }
* {@link Task }
* {@link Equation }
* {@link Synopsis }
* {@link Anchor }
* {@link Orderedlist }
* {@link Informalequation }
* {@link Screen }
* {@link Bibliolist }
* {@link Qandaset }
* {@link Simpara }
* {@link Informalfigure }
* {@link Programlistingco }
* {@link Para }
* {@link Glosslist }
* {@link Annotation }
* {@link Msgset }
* {@link Literallayout }
* {@link Methodsynopsis }
* {@link Blockquote }
* {@link Variablelist }
* {@link Calloutlist }
* {@link Indexterm }
* {@link Caution }
* {@link Itemizedlist }
* {@link Segmentedlist }
* {@link Example }
* {@link Mediaobject }
* {@link Simplelist }
* {@link Note }
* {@link Formalpara }
* {@link Table }
* {@link Epigraph }
* {@link Important }
* {@link Tip }
* {@link Funcsynopsis }
* {@link Constraintdef }
* {@link Figure }
* {@link Address }
* {@link Revhistory }
* {@link Procedure }
* {@link Bridgehead }
* {@link String }
* {@link Screenshot }
* {@link Warning }
* {@link Informalexample }
*
*
*/
public List<Object> getContent() {
if (content == null) {
content = new ArrayList<Object>();
}
return this.content;
}
/**
* Recupera il valore della proprietà role.
*
* @return
* possible object is
* {@link String }
*
*/
public String getRole() {
return role;
}
/**
* Imposta il valore della proprietà role.
*
* @param value
* allowed object is
* {@link String }
*
*/
public void setRole(String value) {
this.role = value;
}
/**
* Recupera il valore della proprietà clazz.
*
* @return
* possible object is
* {@link String }
*
*/
public String getClazz() {
return clazz;
}
/**
* Imposta il valore della proprietà clazz.
*
* @param value
* allowed object is
* {@link String }
*
*/
public void setClazz(String value) {
this.clazz = value;
}
/**
* Recupera il valore della proprietà style.
*
* @return
* possible object is
* {@link String }
*
*/
public String getStyle() {
return style;
}
/**
* Imposta il valore della proprietà style.
*
* @param value
* allowed object is
* {@link String }
*
*/
public void setStyle(String value) {
this.style = value;
}
/**
* Recupera il valore della proprietà title.
*
* @return
* possible object is
* {@link String }
*
*/
public String getTitle() {
return title;
}
/**
* Imposta il valore della proprietà title.
*
* @param value
* allowed object is
* {@link String }
*
*/
public void setTitle(String value) {
this.title = value;
}
/**
* Recupera il valore della proprietà lang.
*
* @return
* possible object is
* {@link String }
*
*/
public String getLang() {
return lang;
}
/**
* Imposta il valore della proprietà lang.
*
* @param value
* allowed object is
* {@link String }
*
*/
public void setLang(String value) {
this.lang = value;
}
/**
* Recupera il valore della proprietà onclick.
*
* @return
* possible object is
* {@link String }
*
*/
public String getOnclick() {
return onclick;
}
/**
* Imposta il valore della proprietà onclick.
*
* @param value
* allowed object is
* {@link String }
*
*/
public void setOnclick(String value) {
this.onclick = value;
}
/**
* Recupera il valore della proprietà ondblclick.
*
* @return
* possible object is
* {@link String }
*
*/
public String getOndblclick() {
return ondblclick;
}
/**
* Imposta il valore della proprietà ondblclick.
*
* @param value
* allowed object is
* {@link String }
*
*/
public void setOndblclick(String value) {
this.ondblclick = value;
}
/**
* Recupera il valore della proprietà onmousedown.
*
* @return
* possible object is
* {@link String }
*
*/
public String getOnmousedown() {
return onmousedown;
}
/**
* Imposta il valore della proprietà onmousedown.
*
* @param value
* allowed object is
* {@link String }
*
*/
public void setOnmousedown(String value) {
this.onmousedown = value;
}
/**
* Recupera il valore della proprietà onmouseup.
*
* @return
* possible object is
* {@link String }
*
*/
public String getOnmouseup() {
return onmouseup;
}
/**
* Imposta il valore della proprietà onmouseup.
*
* @param value
* allowed object is
* {@link String }
*
*/
public void setOnmouseup(String value) {
this.onmouseup = value;
}
/**
* Recupera il valore della proprietà onmouseover.
*
* @return
* possible object is
* {@link String }
*
*/
public String getOnmouseover() {
return onmouseover;
}
/**
* Imposta il valore della proprietà onmouseover.
*
* @param value
* allowed object is
* {@link String }
*
*/
public void setOnmouseover(String value) {
this.onmouseover = value;
}
/**
* Recupera il valore della proprietà onmousemove.
*
* @return
* possible object is
* {@link String }
*
*/
public String getOnmousemove() {
return onmousemove;
}
/**
* Imposta il valore della proprietà onmousemove.
*
* @param value
* allowed object is
* {@link String }
*
*/
public void setOnmousemove(String value) {
this.onmousemove = value;
}
/**
* Recupera il valore della proprietà onmouseout.
*
* @return
* possible object is
* {@link String }
*
*/
public String getOnmouseout() {
return onmouseout;
}
/**
* Imposta il valore della proprietà onmouseout.
*
* @param value
* allowed object is
* {@link String }
*
*/
public void setOnmouseout(String value) {
this.onmouseout = value;
}
/**
* Recupera il valore della proprietà onkeypress.
*
* @return
* possible object is
* {@link String }
*
*/
public String getOnkeypress() {
return onkeypress;
}
/**
* Imposta il valore della proprietà onkeypress.
*
* @param value
* allowed object is
* {@link String }
*
*/
public void setOnkeypress(String value) {
this.onkeypress = value;
}
/**
* Recupera il valore della proprietà onkeydown.
*
* @return
* possible object is
* {@link String }
*
*/
public String getOnkeydown() {
return onkeydown;
}
/**
* Imposta il valore della proprietà onkeydown.
*
* @param value
* allowed object is
* {@link String }
*
*/
public void setOnkeydown(String value) {
this.onkeydown = value;
}
/**
* Recupera il valore della proprietà onkeyup.
*
* @return
* possible object is
* {@link String }
*
*/
public String getOnkeyup() {
return onkeyup;
}
/**
* Imposta il valore della proprietà onkeyup.
*
* @param value
* allowed object is
* {@link String }
*
*/
public void setOnkeyup(String value) {
this.onkeyup = value;
}
/**
* Recupera il valore della proprietà linkend.
*
* @return
* possible object is
* {@link Object }
*
*/
public Object getLinkend() {
return linkend;
}
/**
* Imposta il valore della proprietà linkend.
*
* @param value
* allowed object is
* {@link Object }
*
*/
public void setLinkend(Object value) {
this.linkend = value;
}
/**
* Recupera il valore della proprietà href.
*
* @return
* possible object is
* {@link String }
*
*/
public String getHref() {
return href;
}
/**
* Imposta il valore della proprietà href.
*
* @param value
* allowed object is
* {@link String }
*
*/
public void setHref(String value) {
this.href = value;
}
/**
* Recupera il valore della proprietà xlinkType.
*
* @return
* possible object is
* {@link String }
*
*/
public String getXlinkType() {
return xlinkType;
}
/**
* Imposta il valore della proprietà xlinkType.
*
* @param value
* allowed object is
* {@link String }
*
*/
public void setXlinkType(String value) {
this.xlinkType = value;
}
/**
* Recupera il valore della proprietà xlinkRole.
*
* @return
* possible object is
* {@link String }
*
*/
public String getXlinkRole() {
return xlinkRole;
}
/**
* Imposta il valore della proprietà xlinkRole.
*
* @param value
* allowed object is
* {@link String }
*
*/
public void setXlinkRole(String value) {
this.xlinkRole = value;
}
/**
* Recupera il valore della proprietà arcrole.
*
* @return
* possible object is
* {@link String }
*
*/
public String getArcrole() {
return arcrole;
}
/**
* Imposta il valore della proprietà arcrole.
*
* @param value
* allowed object is
* {@link String }
*
*/
public void setArcrole(String value) {
this.arcrole = value;
}
/**
* Recupera il valore della proprietà xlinkTitle.
*
* @return
* possible object is
* {@link String }
*
*/
public String getXlinkTitle() {
return xlinkTitle;
}
/**
* Imposta il valore della proprietà xlinkTitle.
*
* @param value
* allowed object is
* {@link String }
*
*/
public void setXlinkTitle(String value) {
this.xlinkTitle = value;
}
/**
* Recupera il valore della proprietà show.
*
* @return
* possible object is
* {@link String }
*
*/
public String getShow() {
return show;
}
/**
* Imposta il valore della proprietà show.
*
* @param value
* allowed object is
* {@link String }
*
*/
public void setShow(String value) {
this.show = value;
}
/**
* Recupera il valore della proprietà actuate.
*
* @return
* possible object is
* {@link String }
*
*/
public String getActuate() {
return actuate;
}
/**
* Imposta il valore della proprietà actuate.
*
* @param value
* allowed object is
* {@link String }
*
*/
public void setActuate(String value) {
this.actuate = value;
}
/**
* Recupera il valore della proprietà id.
*
* @return
* possible object is
* {@link String }
*
*/
public String getId() {
return id;
}
/**
* Imposta il valore della proprietà id.
*
* @param value
* allowed object is
* {@link String }
*
*/
public void setId(String value) {
this.id = value;
}
/**
* Recupera il valore della proprietà commonVersion.
*
* @return
* possible object is
* {@link String }
*
*/
public String getCommonVersion() {
return commonVersion;
}
/**
* Imposta il valore della proprietà commonVersion.
*
* @param value
* allowed object is
* {@link String }
*
*/
public void setCommonVersion(String value) {
this.commonVersion = value;
}
/**
* Recupera il valore della proprietà xmlLang.
*
* @return
* possible object is
* {@link String }
*
*/
public String getXmlLang() {
return xmlLang;
}
/**
* Imposta il valore della proprietà xmlLang.
*
* @param value
* allowed object is
* {@link String }
*
*/
public void setXmlLang(String value) {
this.xmlLang = value;
}
/**
* Recupera il valore della proprietà base.
*
* @return
* possible object is
* {@link String }
*
*/
public String getBase() {
return base;
}
/**
* Imposta il valore della proprietà base.
*
* @param value
* allowed object is
* {@link String }
*
*/
public void setBase(String value) {
this.base = value;
}
/**
* Recupera il valore della proprietà remap.
*
* @return
* possible object is
* {@link String }
*
*/
public String getRemap() {
return remap;
}
/**
* Imposta il valore della proprietà remap.
*
* @param value
* allowed object is
* {@link String }
*
*/
public void setRemap(String value) {
this.remap = value;
}
/**
* Recupera il valore della proprietà xreflabel.
*
* @return
* possible object is
* {@link String }
*
*/
public String getXreflabel() {
return xreflabel;
}
/**
* Imposta il valore della proprietà xreflabel.
*
* @param value
* allowed object is
* {@link String }
*
*/
public void setXreflabel(String value) {
this.xreflabel = value;
}
/**
* Recupera il valore della proprietà revisionflag.
*
* @return
* possible object is
* {@link String }
*
*/
public String getRevisionflag() {
return revisionflag;
}
/**
* Imposta il valore della proprietà revisionflag.
*
* @param value
* allowed object is
* {@link String }
*
*/
public void setRevisionflag(String value) {
this.revisionflag = value;
}
/**
* Recupera il valore della proprietà dir.
*
* @return
* possible object is
* {@link String }
*
*/
public String getDir() {
return dir;
}
/**
* Imposta il valore della proprietà dir.
*
* @param value
* allowed object is
* {@link String }
*
*/
public void setDir(String value) {
this.dir = value;
}
/**
* Recupera il valore della proprietà arch.
*
* @return
* possible object is
* {@link String }
*
*/
public String getArch() {
return arch;
}
/**
* Imposta il valore della proprietà arch.
*
* @param value
* allowed object is
* {@link String }
*
*/
public void setArch(String value) {
this.arch = value;
}
/**
* Recupera il valore della proprietà audience.
*
* @return
* possible object is
* {@link String }
*
*/
public String getAudience() {
return audience;
}
/**
* Imposta il valore della proprietà audience.
*
* @param value
* allowed object is
* {@link String }
*
*/
public void setAudience(String value) {
this.audience = value;
}
/**
* Recupera il valore della proprietà condition.
*
* @return
* possible object is
* {@link String }
*
*/
public String getCondition() {
return condition;
}
/**
* Imposta il valore della proprietà condition.
*
* @param value
* allowed object is
* {@link String }
*
*/
public void setCondition(String value) {
this.condition = value;
}
/**
* Recupera il valore della proprietà conformance.
*
* @return
* possible object is
* {@link String }
*
*/
public String getConformance() {
return conformance;
}
/**
* Imposta il valore della proprietà conformance.
*
* @param value
* allowed object is
* {@link String }
*
*/
public void setConformance(String value) {
this.conformance = value;
}
/**
* Recupera il valore della proprietà os.
*
* @return
* possible object is
* {@link String }
*
*/
public String getOs() {
return os;
}
/**
* Imposta il valore della proprietà os.
*
* @param value
* allowed object is
* {@link String }
*
*/
public void setOs(String value) {
this.os = value;
}
/**
* Recupera il valore della proprietà commonRevision.
*
* @return
* possible object is
* {@link String }
*
*/
public String getCommonRevision() {
return commonRevision;
}
/**
* Imposta il valore della proprietà commonRevision.
*
* @param value
* allowed object is
* {@link String }
*
*/
public void setCommonRevision(String value) {
this.commonRevision = value;
}
/**
* Recupera il valore della proprietà security.
*
* @return
* possible object is
* {@link String }
*
*/
public String getSecurity() {
return security;
}
/**
* Imposta il valore della proprietà security.
*
* @param value
* allowed object is
* {@link String }
*
*/
public void setSecurity(String value) {
this.security = value;
}
/**
* Recupera il valore della proprietà userlevel.
*
* @return
* possible object is
* {@link String }
*
*/
public String getUserlevel() {
return userlevel;
}
/**
* Imposta il valore della proprietà userlevel.
*
* @param value
* allowed object is
* {@link String }
*
*/
public void setUserlevel(String value) {
this.userlevel = value;
}
/**
* Recupera il valore della proprietà vendor.
*
* @return
* possible object is
* {@link String }
*
*/
public String getVendor() {
return vendor;
}
/**
* Imposta il valore della proprietà vendor.
*
* @param value
* allowed object is
* {@link String }
*
*/
public void setVendor(String value) {
this.vendor = value;
}
/**
* Recupera il valore della proprietà wordsize.
*
* @return
* possible object is
* {@link String }
*
*/
public String getWordsize() {
return wordsize;
}
/**
* Imposta il valore della proprietà wordsize.
*
* @param value
* allowed object is
* {@link String }
*
*/
public void setWordsize(String value) {
this.wordsize = value;
}
/**
* Recupera il valore della proprietà annotations.
*
* @return
* possible object is
* {@link String }
*
*/
public String getAnnotations() {
return annotations;
}
/**
* Imposta il valore della proprietà annotations.
*
* @param value
* allowed object is
* {@link String }
*
*/
public void setAnnotations(String value) {
this.annotations = value;
}
}
| {
"content_hash": "9f6a2dcc85eb4be79ae5708f0e9a3504",
"timestamp": "",
"source": "github",
"line_count": 1406,
"max_line_length": 150,
"avg_line_length": 29.75533428165007,
"alnum_prop": 0.5768237881250597,
"repo_name": "mcaliman/dochi",
"id": "b584f20e741bde951ab08a73948a07b0a594d040",
"size": "41922",
"binary": false,
"copies": "1",
"ref": "refs/heads/master",
"path": "src/org/docbook/ns/docbook/Caption.java",
"mode": "33188",
"license": "mit",
"language": [
{
"name": "Java",
"bytes": "10135803"
}
],
"symlink_target": ""
} |
package org.apache.spark.sql.execution
import java.util.concurrent.atomic.AtomicLong
import org.apache.spark.SparkContext
import org.apache.spark.sql.SQLContext
import org.apache.spark.sql.execution.ui.SparkPlanGraph
import org.apache.spark.util.Utils
private[sql] object SQLExecution {
val EXECUTION_ID_KEY = "spark.sql.execution.id"
private val _nextExecutionId = new AtomicLong(0)
private def nextExecutionId: Long = _nextExecutionId.getAndIncrement
/**
* Wrap an action that will execute "queryExecution" to track all Spark jobs in the body so that
* we can connect them with an execution.
*/
def withNewExecutionId[T](
sqlContext: SQLContext, queryExecution: SQLContext#QueryExecution)(body: => T): T = {
val sc = sqlContext.sparkContext
val oldExecutionId = sc.getLocalProperty(EXECUTION_ID_KEY)
if (oldExecutionId == null) {
val executionId = SQLExecution.nextExecutionId
sc.setLocalProperty(EXECUTION_ID_KEY, executionId.toString)
val r = try {
val callSite = Utils.getCallSite()
sqlContext.listener.onExecutionStart(
executionId,
callSite.shortForm,
callSite.longForm,
queryExecution.toString,
SparkPlanGraph(queryExecution.executedPlan),
System.currentTimeMillis())
try {
body
} finally {
// Ideally, we need to make sure onExecutionEnd happens after onJobStart and onJobEnd.
// However, onJobStart and onJobEnd run in the listener thread. Because we cannot add new
// SQL event types to SparkListener since it's a public API, we cannot guarantee that.
//
// SQLListener should handle the case that onExecutionEnd happens before onJobEnd.
//
// The worst case is onExecutionEnd may happen before onJobStart when the listener thread
// is very busy. If so, we cannot track the jobs for the execution. It seems acceptable.
sqlContext.listener.onExecutionEnd(executionId, System.currentTimeMillis())
}
} finally {
sc.setLocalProperty(EXECUTION_ID_KEY, null)
}
r
} else {
// Don't support nested `withNewExecutionId`. This is an example of the nested
// `withNewExecutionId`:
//
// class DataFrame {
// def foo: T = withNewExecutionId { something.createNewDataFrame().collect() }
// }
//
// Note: `collect` will call withNewExecutionId
// In this case, only the "executedPlan" for "collect" will be executed. The "executedPlan"
// for the outer DataFrame won't be executed. So it's meaningless to create a new Execution
// for the outer DataFrame. Even if we track it, since its "executedPlan" doesn't run,
// all accumulator metrics will be 0. It will confuse people if we show them in Web UI.
//
// A real case is the `DataFrame.count` method.
throw new IllegalArgumentException(s"$EXECUTION_ID_KEY is already set")
}
}
/**
* Wrap an action with a known executionId. When running a different action in a different
* thread from the original one, this method can be used to connect the Spark jobs in this action
* with the known executionId, e.g., `BroadcastHashJoin.broadcastFuture`.
*/
def withExecutionId[T](sc: SparkContext, executionId: String)(body: => T): T = {
val oldExecutionId = sc.getLocalProperty(SQLExecution.EXECUTION_ID_KEY)
try {
sc.setLocalProperty(SQLExecution.EXECUTION_ID_KEY, executionId)
body
} finally {
sc.setLocalProperty(SQLExecution.EXECUTION_ID_KEY, oldExecutionId)
}
}
}
| {
"content_hash": "73495b472577795769a1d4d7e51570f9",
"timestamp": "",
"source": "github",
"line_count": 90,
"max_line_length": 99,
"avg_line_length": 40.58888888888889,
"alnum_prop": 0.6840952641664385,
"repo_name": "practice-vishnoi/dev-spark-1",
"id": "cee58218a885b4036384343e509b5875de0b110b",
"size": "4453",
"binary": false,
"copies": "2",
"ref": "refs/heads/master",
"path": "sql/core/src/main/scala/org/apache/spark/sql/execution/SQLExecution.scala",
"mode": "33188",
"license": "apache-2.0",
"language": [
{
"name": "Batchfile",
"bytes": "26914"
},
{
"name": "C",
"bytes": "1493"
},
{
"name": "CSS",
"bytes": "15314"
},
{
"name": "Java",
"bytes": "1671515"
},
{
"name": "JavaScript",
"bytes": "68648"
},
{
"name": "Makefile",
"bytes": "7771"
},
{
"name": "Python",
"bytes": "1553781"
},
{
"name": "R",
"bytes": "452786"
},
{
"name": "Roff",
"bytes": "23131"
},
{
"name": "SQLPL",
"bytes": "3603"
},
{
"name": "Scala",
"bytes": "13756868"
},
{
"name": "Shell",
"bytes": "147300"
},
{
"name": "Thrift",
"bytes": "2016"
}
],
"symlink_target": ""
} |
<?php
namespace Nwidart\Modules\Tests;
use Nwidart\Modules\Support\Migrations\SchemaParser;
class SchemaParserTest extends \PHPUnit\Framework\TestCase
{
/** @test */
public function it_generates_migration_method_calls()
{
$parser = new SchemaParser('username:string, password:integer');
$expected = <<<TEXT
\t\t\t\$table->string('username');
\t\t\t\$table->integer('password');\n
TEXT;
self::assertEquals($expected, $parser->render());
}
/** @test */
public function it_generates_migration_methods_for_up_method()
{
$parser = new SchemaParser('username:string, password:integer');
$expected = <<<TEXT
\t\t\t\$table->string('username');
\t\t\t\$table->integer('password');\n
TEXT;
self::assertEquals($expected, $parser->up());
}
/** @test */
public function it_generates_migration_methods_for_down_method()
{
$parser = new SchemaParser('username:string, password:integer');
$expected = <<<TEXT
\t\t\t\$table->dropColumn('username');
\t\t\t\$table->dropColumn('password');\n
TEXT;
self::assertEquals($expected, $parser->down());
}
}
| {
"content_hash": "b3a9733da41f5f86645c8206a07c3de0",
"timestamp": "",
"source": "github",
"line_count": 47,
"max_line_length": 72,
"avg_line_length": 24.72340425531915,
"alnum_prop": 0.6342512908777969,
"repo_name": "nWidart/laravel-modules",
"id": "d4016087a02f9e6dcf9c79c948868ffd6a851db4",
"size": "1162",
"binary": false,
"copies": "1",
"ref": "refs/heads/master",
"path": "tests/SchemaParserTest.php",
"mode": "33188",
"license": "mit",
"language": [
{
"name": "Blade",
"bytes": "13619"
},
{
"name": "PHP",
"bytes": "485465"
}
],
"symlink_target": ""
} |
(function(T) {
'use strict';
/**
* Represents a rectangle.
* @name T.Rect
* @class
* @param {Number} x Horizontal pixel position
* @param {Number} y Vertical pixel position
* @param {Number} width The width of the rectangle
* @param {Number} height The height of the rectangle
*/
T.Rect = function(x, y, width, height) {
this.x = x;
this.y = y;
this.width = width;
this.height = height;
};
/**
* Determine if a point is inside this rectangle using an optional threshold.
* @name T.Rect#pointInside
* @function
* @param {T.Point} point The point to evaluate
* @param {Number} threshold (Optional) The pixel threshold
* @returns {Boolean} Whether the point is inside the rectangle
*/
T.Rect.prototype.pointInside = function(point, threshold) {
threshold = threshold || 0;
var minX = this.x - threshold,
minY = this.y - threshold,
maxX = this.x + this.width + threshold,
maxY = this.y + this.height + threshold;
return point.x >= minX && point.x <= maxX && point.y >= minY && point.y <= maxY;
};
})(window.Touche); | {
"content_hash": "374fb3dfa9bb50d10fb45de98798a861",
"timestamp": "",
"source": "github",
"line_count": 37,
"max_line_length": 82,
"avg_line_length": 29.027027027027028,
"alnum_prop": 0.6536312849162011,
"repo_name": "stoffeastrom/touche",
"id": "af9cd0b9cbf02e195c80975c11ba1bfac82c06bb",
"size": "1074",
"binary": false,
"copies": "1",
"ref": "refs/heads/gh-pages",
"path": "lib/core/rect.js",
"mode": "33188",
"license": "mit",
"language": [
{
"name": "CSS",
"bytes": "3678"
},
{
"name": "HTML",
"bytes": "1688"
},
{
"name": "JavaScript",
"bytes": "258509"
}
],
"symlink_target": ""
} |
<?xml version="1.0" encoding="UTF-8"?>
<!--
~ Copyright 2015 Red Hat, Inc. and/or its affiliates.
~
~ Licensed under the Apache License version 2.0, available at http://www.apache.org/licenses/LICENSE-2.0
-->
<project xmlns="http://maven.apache.org/POM/4.0.0" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" xsi:schemaLocation="http://maven.apache.org/POM/4.0.0 http://maven.apache.org/xsd/maven-4.0.0.xsd">
<modelVersion>4.0.0</modelVersion>
<parent>
<groupId>org.wildfly.swarm</groupId>
<artifactId>testsuite</artifactId>
<version>2017.1.0-SNAPSHOT</version>
<relativePath>../</relativePath>
</parent>
<groupId>org.wildfly.swarm</groupId>
<artifactId>testsuite-swagger-webapp</artifactId>
<name>Test Suite: Swagger Web App</name>
<description>Test Suite: Swagger Web App</description>
<packaging>jar</packaging>
<dependencies>
<dependency>
<groupId>org.wildfly.swarm</groupId>
<artifactId>logging</artifactId>
</dependency>
<dependency>
<groupId>org.wildfly.swarm</groupId>
<artifactId>swagger-webapp</artifactId>
</dependency>
<dependency>
<groupId>org.wildfly.swarm</groupId>
<artifactId>arquillian</artifactId>
<scope>test</scope>
</dependency>
<dependency>
<groupId>org.jboss.arquillian.junit</groupId>
<artifactId>arquillian-junit-container</artifactId>
<scope>test</scope>
</dependency>
</dependencies>
</project>
| {
"content_hash": "b892fc41d7573ba6a7d5bb756c13f91f",
"timestamp": "",
"source": "github",
"line_count": 46,
"max_line_length": 204,
"avg_line_length": 31.956521739130434,
"alnum_prop": 0.6857142857142857,
"repo_name": "Ladicek/wildfly-swarm",
"id": "2a5518ba67fcc57897200bd6f82506eccbab558e",
"size": "1470",
"binary": false,
"copies": "3",
"ref": "refs/heads/master",
"path": "testsuite/testsuite-swagger-webapp/pom.xml",
"mode": "33188",
"license": "apache-2.0",
"language": [
{
"name": "Batchfile",
"bytes": "5821"
},
{
"name": "HTML",
"bytes": "7184"
},
{
"name": "Java",
"bytes": "1908070"
},
{
"name": "JavaScript",
"bytes": "12845"
},
{
"name": "Ruby",
"bytes": "5349"
},
{
"name": "Shell",
"bytes": "8275"
}
],
"symlink_target": ""
} |
<resources>
<!--
TODO: Before you run your application, you need a Google Maps API key.
To get one, follow this link, follow the directions and press "Create" at the end:
https://console.developers.google.com/flows/enableapi?apiid=maps_android_backend&keyType=CLIENT_SIDE_ANDROID&r=80:00:7C:48:47:0F:71:28:F3:6E:9C:22:45:9C:B6:1F:44:63:1D:90%3Bcom.chrisyazbek.holla
You can also add your credentials to an existing key, using this line:
80:00:7C:48:47:0F:71:28:F3:6E:9C:22:45:9C:B6:1F:44:63:1D:90;com.chrisyazbek.holla
Alternatively, follow the directions here:
https://developers.google.com/maps/documentation/android/start#get-key
Once you have your key (it starts with "AIza"), replace the "google_maps_key"
string in this file.
-->
<string name="google_maps_key" templateMergeStrategy="preserve" translatable="false">
AIzaSyAECXcaf1aJNYHQCPY1i_hqJk8bgLJfRa0
</string>
</resources>
| {
"content_hash": "86091f8a87fa3dd492595b2e35fbad64",
"timestamp": "",
"source": "github",
"line_count": 21,
"max_line_length": 198,
"avg_line_length": 45.23809523809524,
"alnum_prop": 0.7221052631578947,
"repo_name": "cyazbek/holla",
"id": "1ee93e0ae654e159b50feadd758bb425d4520031",
"size": "950",
"binary": false,
"copies": "1",
"ref": "refs/heads/master",
"path": "Holla/app/src/debug/res/values/google_maps_api.xml",
"mode": "33188",
"license": "mit",
"language": [
{
"name": "Java",
"bytes": "34297"
}
],
"symlink_target": ""
} |
<!DOCTYPE HTML PUBLIC "-//W3C//DTD HTML 4.01 Transitional//EN" "http://www.w3.org/TR/html4/loose.dtd">
<!-- NewPage -->
<html lang="en">
<head>
<!-- Generated by javadoc (1.8.0-google-v7) on Wed Sep 02 13:30:31 PDT 2015 -->
<title>PostLoad (Google App Engine Java API)</title>
<meta name="date" content="2015-09-02">
<link rel="stylesheet" type="text/css" href="../../../../../stylesheet.css" title="Style">
<script type="text/javascript" src="../../../../../script.js"></script>
</head>
<body>
<script type="text/javascript"><!--
try {
if (location.href.indexOf('is-external=true') == -1) {
parent.document.title="PostLoad (Google App Engine Java API)";
}
}
catch(err) {
}
//-->
</script>
<noscript>
<div>JavaScript is disabled on your browser.</div>
</noscript>
<!-- ========= START OF TOP NAVBAR ======= -->
<div class="topNav"><a name="navbar.top">
<!-- -->
</a>
<div class="skipNav"><a href="#skip.navbar.top" title="Skip navigation links">Skip navigation links</a></div>
<a name="navbar.top.firstrow">
<!-- -->
</a>
<ul class="navList" title="Navigation">
<li><a href="../../../../../overview-summary.html">Overview</a></li>
<li><a href="package-summary.html">Package</a></li>
<li class="navBarCell1Rev">Class</li>
<li><a href="package-tree.html">Tree</a></li>
<li><a href="../../../../../deprecated-list.html">Deprecated</a></li>
<li><a href="../../../../../index-all.html">Index</a></li>
<li><a href="../../../../../help-doc.html">Help</a></li>
</ul>
</div>
<div class="subNav">
<ul class="navList">
<li><a href="../../../../../com/google/appengine/api/datastore/PostDelete.html" title="annotation in com.google.appengine.api.datastore"><span class="typeNameLink">Prev Class</span></a></li>
<li><a href="../../../../../com/google/appengine/api/datastore/PostLoadContext.html" title="class in com.google.appengine.api.datastore"><span class="typeNameLink">Next Class</span></a></li>
</ul>
<ul class="navList">
<li><a href="../../../../../index.html?com/google/appengine/api/datastore/PostLoad.html" target="_top">Frames</a></li>
<li><a href="PostLoad.html" target="_top">No Frames</a></li>
</ul>
<ul class="navList" id="allclasses_navbar_top">
<li><a href="../../../../../allclasses-noframe.html">All Classes</a></li>
</ul>
<div>
<script type="text/javascript"><!--
allClassesLink = document.getElementById("allclasses_navbar_top");
if(window==top) {
allClassesLink.style.display = "block";
}
else {
allClassesLink.style.display = "none";
}
//-->
</script>
</div>
<div>
<ul class="subNavList">
<li>Summary: </li>
<li>Field | </li>
<li>Required | </li>
<li><a href="#annotation.type.optional.element.summary">Optional</a></li>
</ul>
<ul class="subNavList">
<li>Detail: </li>
<li>Field | </li>
<li><a href="#annotation.type.element.detail">Element</a></li>
</ul>
</div>
<a name="skip.navbar.top">
<!-- -->
</a></div>
<!-- ========= END OF TOP NAVBAR ========= -->
<!-- ======== START OF CLASS DATA ======== -->
<div class="header">
<div class="subTitle">com.google.appengine.api.datastore</div>
<h2 title="Annotation Type PostLoad" class="title">Annotation Type PostLoad</h2>
</div>
<div class="contentContainer">
<div class="description">
<ul class="blockList">
<li class="blockList">
<hr>
<br>
<pre>@Target(value=METHOD)
@Retention(value=RUNTIME)
public @interface <span class="memberNameLabel">PostLoad</span></pre>
<div class="block">Identifies a callback method to be invoked after an <a href="../../../../../com/google/appengine/api/datastore/Entity.html" title="class in com.google.appengine.api.datastore"><code>Entity</code></a> of any of
the specified kinds is loaded from the datastore. This can happen as the
result of a get() operation or a query. If <a href="../../../../../com/google/appengine/api/datastore/PostLoad.html#kinds--"><code>kinds()</code></a> is
not provided the callback will execute for all kinds. Methods with this
annotation must return <code>void</code>, must accept a single argument of type
<a href="../../../../../com/google/appengine/api/datastore/PostLoadContext.html" title="class in com.google.appengine.api.datastore"><code>PostLoadContext</code></a>, must not throw any checked exceptions, must not be
static, and must belong to a class with a no-arg constructor. Neither the
method nor the no-arg constructor of the class to which it belongs are
required to be public. Methods with this annotation are free to throw any
unchecked exception they like. Throwing an unchecked exception will prevent
callbacks that have not yet been executed from running, and the exception
will propagate to the code that invoked the datastore operation that
resulted in the invocation of the callback. Throwing an unchecked exception
from a callback will <b>not</b> have any impact on the result of the
datastore operation. Methods with this annotation will not be invoked if
the datastore operation fails.</div>
</li>
</ul>
</div>
<div class="summary">
<ul class="blockList">
<li class="blockList">
<!-- =========== ANNOTATION TYPE OPTIONAL MEMBER SUMMARY =========== -->
<ul class="blockList">
<li class="blockList"><a name="annotation.type.optional.element.summary">
<!-- -->
</a>
<h3>Optional Element Summary</h3>
<table class="memberSummary" border="0" cellpadding="3" cellspacing="0" summary="Optional Element Summary table, listing optional elements, and an explanation">
<caption><span>Optional Elements</span><span class="tabEnd"> </span></caption>
<tr>
<th class="colFirst" scope="col">Modifier and Type</th>
<th class="colLast" scope="col">Optional Element and Description</th>
</tr>
<tr class="altColor">
<td class="colFirst"><code>java.lang.String[]</code></td>
<td class="colLast"><code><span class="memberNameLink"><a href="../../../../../com/google/appengine/api/datastore/PostLoad.html#kinds--">kinds</a></span></code>
<div class="block">The kinds to which this callback applies.</div>
</td>
</tr>
</table>
</li>
</ul>
</li>
</ul>
</div>
<div class="details">
<ul class="blockList">
<li class="blockList">
<!-- ============ ANNOTATION TYPE MEMBER DETAIL =========== -->
<ul class="blockList">
<li class="blockList"><a name="annotation.type.element.detail">
<!-- -->
</a>
<h3>Element Detail</h3>
<a name="kinds--">
<!-- -->
</a>
<ul class="blockListLast">
<li class="blockList">
<h4>kinds</h4>
<pre>public abstract java.lang.String[] kinds</pre>
<div class="block">The kinds to which this callback applies. The default value is an empty
array, which indicates that the callback should run for all kinds.</div>
<dl>
<dt><span class="returnLabel">Returns:</span></dt>
<dd>The kinds to which this callback applies.</dd>
</dl>
<dl>
<dt>Default:</dt>
<dd>{}</dd>
</dl>
</li>
</ul>
</li>
</ul>
</li>
</ul>
</div>
</div>
<!-- ========= END OF CLASS DATA ========= -->
<!-- ======= START OF BOTTOM NAVBAR ====== -->
<div class="bottomNav"><a name="navbar.bottom">
<!-- -->
</a>
<div class="skipNav"><a href="#skip.navbar.bottom" title="Skip navigation links">Skip navigation links</a></div>
<a name="navbar.bottom.firstrow">
<!-- -->
</a>
<ul class="navList" title="Navigation">
<li><a href="../../../../../overview-summary.html">Overview</a></li>
<li><a href="package-summary.html">Package</a></li>
<li class="navBarCell1Rev">Class</li>
<li><a href="package-tree.html">Tree</a></li>
<li><a href="../../../../../deprecated-list.html">Deprecated</a></li>
<li><a href="../../../../../index-all.html">Index</a></li>
<li><a href="../../../../../help-doc.html">Help</a></li>
</ul>
</div>
<div class="subNav">
<ul class="navList">
<li><a href="../../../../../com/google/appengine/api/datastore/PostDelete.html" title="annotation in com.google.appengine.api.datastore"><span class="typeNameLink">Prev Class</span></a></li>
<li><a href="../../../../../com/google/appengine/api/datastore/PostLoadContext.html" title="class in com.google.appengine.api.datastore"><span class="typeNameLink">Next Class</span></a></li>
</ul>
<ul class="navList">
<li><a href="../../../../../index.html?com/google/appengine/api/datastore/PostLoad.html" target="_top">Frames</a></li>
<li><a href="PostLoad.html" target="_top">No Frames</a></li>
</ul>
<ul class="navList" id="allclasses_navbar_bottom">
<li><a href="../../../../../allclasses-noframe.html">All Classes</a></li>
</ul>
<div>
<script type="text/javascript"><!--
allClassesLink = document.getElementById("allclasses_navbar_bottom");
if(window==top) {
allClassesLink.style.display = "block";
}
else {
allClassesLink.style.display = "none";
}
//-->
</script>
</div>
<div>
<ul class="subNavList">
<li>Summary: </li>
<li>Field | </li>
<li>Required | </li>
<li><a href="#annotation.type.optional.element.summary">Optional</a></li>
</ul>
<ul class="subNavList">
<li>Detail: </li>
<li>Field | </li>
<li><a href="#annotation.type.element.detail">Element</a></li>
</ul>
</div>
<a name="skip.navbar.bottom">
<!-- -->
</a></div>
<!-- ======== END OF BOTTOM NAVBAR ======= -->
</body>
</html>
| {
"content_hash": "c097388d4f402d65185dcde23a8810ed",
"timestamp": "",
"source": "github",
"line_count": 239,
"max_line_length": 228,
"avg_line_length": 38.12133891213389,
"alnum_prop": 0.6527274722862474,
"repo_name": "kopaka7/Visual-Summary",
"id": "62b0161f3ebc18897eed4c87bfb267eecfa91238",
"size": "9111",
"binary": false,
"copies": "1",
"ref": "refs/heads/master",
"path": "appengine-java-sdk-1.9.27/docs/javadoc/com/google/appengine/api/datastore/PostLoad.html",
"mode": "33188",
"license": "apache-2.0",
"language": [
{
"name": "AMPL",
"bytes": "2466"
},
{
"name": "Batchfile",
"bytes": "1579"
},
{
"name": "CSS",
"bytes": "7487"
},
{
"name": "HTML",
"bytes": "3792"
},
{
"name": "Java",
"bytes": "581986"
},
{
"name": "Shell",
"bytes": "4680"
}
],
"symlink_target": ""
} |
package com.google.cloud.spark.bigquery.write;
import org.apache.hadoop.conf.Configuration;
import org.apache.hadoop.fs.FileSystem;
import org.apache.hadoop.fs.Path;
import org.slf4j.Logger;
import org.slf4j.LoggerFactory;
/**
* Responsible for recursively deleting the intermediate path. Implementing Runnable in order to act
* as shutdown hook.
*/
public class IntermediateDataCleaner extends Thread {
private static final Logger logger = LoggerFactory.getLogger(IntermediateDataCleaner.class);
/** the path to delete */
private final Path path;
/** the hadoop configuration */
private final Configuration conf;
public IntermediateDataCleaner(Path path, Configuration conf) {
this.path = path;
this.conf = conf;
}
@Override
public void run() {
deletePath();
}
public void deletePath() {
try {
FileSystem fs = path.getFileSystem(conf);
if (pathExists(fs, path)) {
fs.delete(path, true);
}
} catch (Exception e) {
logger.error("Failed to delete path " + path, e);
}
}
// fs.exists can throw exception on missing path
private boolean pathExists(FileSystem fs, Path path) {
try {
return fs.exists(path);
} catch (Exception e) {
return false;
}
}
}
| {
"content_hash": "cb3f3c5de9788684f5cc843d73b85408",
"timestamp": "",
"source": "github",
"line_count": 50,
"max_line_length": 100,
"avg_line_length": 25.32,
"alnum_prop": 0.688783570300158,
"repo_name": "GoogleCloudDataproc/spark-bigquery-connector",
"id": "ae308305fb7fe96a17a0467e104bd7ae01458f8c",
"size": "1883",
"binary": false,
"copies": "1",
"ref": "refs/heads/master",
"path": "spark-bigquery-connector-common/src/main/java/com/google/cloud/spark/bigquery/write/IntermediateDataCleaner.java",
"mode": "33188",
"license": "apache-2.0",
"language": [
{
"name": "Dockerfile",
"bytes": "80"
},
{
"name": "Java",
"bytes": "1052532"
},
{
"name": "Python",
"bytes": "4333"
},
{
"name": "Scala",
"bytes": "340812"
},
{
"name": "Shell",
"bytes": "3822"
}
],
"symlink_target": ""
} |
<bill session="115" type="h" number="319" updated="2017-08-30T17:56:01Z">
<state datetime="2017-01-05">REFERRED</state>
<status>
<introduced datetime="2017-01-05"/>
</status>
<introduced datetime="2017-01-05"/>
<titles>
<title type="official" as="introduced">To amend the Federal Election Campaign Act of 1971 to reduce the limit on the amount of certain contributions which may be made to a candidate with respect to an election for Federal office.</title>
<title type="display">To amend the Federal Election Campaign Act of 1971 to reduce the limit on the amount of certain contributions which may be made to a candidate with respect to an election for Federal office.</title>
</titles>
<sponsor bioguide_id="C001037"/>
<cosponsors/>
<actions>
<action datetime="2017-01-05">
<text>Introduced in House</text>
</action>
<action datetime="2017-01-05" state="REFERRED">
<text>Referred to the House Committee on House Administration.</text>
</action>
</actions>
<committees>
<committee subcommittee="" code="HSHA" name="House Administration" activity="Referral"/>
</committees>
<relatedbills/>
<subjects>
<term name="Government operations and politics"/>
<term name="Congressional elections"/>
<term name="Elections, voting, political campaign regulation"/>
</subjects>
<amendments/>
<summary date="2017-01-05T05:00:00Z" status="Introduced in House">This bill amends the Federal Election Campaign Act of 1971 to reduce from $2,000 to $1,000 the maximum contribution that may be made to candidates for federal office for elections occurring after 2018. An increase to this reduced contribution level, based on increases in the price index, must be made in calendar years after 2018.</summary>
<committee-reports/>
</bill>
| {
"content_hash": "fc876a25b5809a80d672f4762a2b3522",
"timestamp": "",
"source": "github",
"line_count": 33,
"max_line_length": 409,
"avg_line_length": 54.84848484848485,
"alnum_prop": 0.7276243093922652,
"repo_name": "peter765/power-polls",
"id": "43cd9dc0c8102b9a6b39f18c7ec1fb8df5454736",
"size": "1810",
"binary": false,
"copies": "1",
"ref": "refs/heads/master",
"path": "db/bills/hr/hr319/data.xml",
"mode": "33188",
"license": "mit",
"language": [
{
"name": "HTML",
"bytes": "58567"
},
{
"name": "JavaScript",
"bytes": "7370"
},
{
"name": "Python",
"bytes": "22988"
}
],
"symlink_target": ""
} |
import { select, put, getContext } from 'redux-saga/effects'
import configureStore from 'redux-mock-store'
import { globalAction } from 'redux-subspace'
import subspaced from '../../src/sagas/subspaced'
describe('subspaced Tests', () => {
it('should get substate for saga', () => {
const state = {
subState: {
value: "expected"
},
value: "wrong"
}
const mockStore = configureStore()(state)
function* saga() {
const value = yield select((state) => state.value)
yield put({ type: "SET_VALUE", value })
}
const subspacedSaga = subspaced(state => state.subState)(saga)
const iterator = subspacedSaga()
expect(iterator.next().value).to.deep.equal(getContext('store'))
expect(iterator.next(mockStore).value).to.deep.equal(getContext('sagaMiddlewareOptions'))
expect(iterator.next(undefined).value).to.be.ok
expect(iterator.next({ type: "TEST" }).done).to.be.true
expect(mockStore.getActions()).to.deep.equal([{ type: "SET_VALUE", value: "expected" }])
})
it('should namespace actions for saga', () => {
const state = {
subState: {
value: "expected"
},
value: "wrong"
}
const mockStore = configureStore()(state)
function* saga() {
const value = yield select((state) => state.value)
yield put({ type: "SET_VALUE", value })
}
const subspacedSaga = subspaced(state => state.subState, "test")(saga)
const iterator = subspacedSaga()
expect(iterator.next().value).to.deep.equal(getContext('store'))
expect(iterator.next(mockStore).value).to.deep.equal(getContext('sagaMiddlewareOptions'))
expect(iterator.next(undefined).value).to.be.ok
expect(iterator.next({ type: "test/TEST" }).done).to.be.true
expect(mockStore.getActions()).to.deep.equal([{ type: "test/SET_VALUE", value: "expected" }])
})
it('should use namespace for substate for saga', () => {
const state = {
subState: {
value: "expected"
},
value: "wrong"
}
const mockStore = configureStore()(state)
function* saga() {
const value = yield select((state) => state.value)
yield put({ type: "SET_VALUE", value })
}
const subspacedSaga = subspaced("subState")(saga)
const iterator = subspacedSaga()
expect(iterator.next().value).to.deep.equal(getContext('store'))
expect(iterator.next(mockStore).value).to.deep.equal(getContext('sagaMiddlewareOptions'))
expect(iterator.next(undefined).value).to.be.ok
expect(iterator.next({ type: "TEST" }).done).to.be.true
expect(mockStore.getActions()).to.deep.equal([{ type: "subState/SET_VALUE", value: "expected" }])
})
it('should accept global actions for saga', () => {
const state = {
subState: {
value: "expected"
},
value: "wrong"
}
const mockStore = configureStore()(state)
function* saga() {
const value = yield select((state) => state.value)
yield put({ type: "SET_VALUE", value })
}
const subspacedSaga = subspaced(state => state.subState, "test")(saga)
const iterator = subspacedSaga()
expect(iterator.next().value).to.deep.equal(getContext('store'))
expect(iterator.next(mockStore).value).to.deep.equal(getContext('sagaMiddlewareOptions'))
expect(iterator.next(undefined).value).to.be.ok
expect(iterator.next(globalAction({ type: "TEST" })).done).to.be.true
expect(mockStore.getActions()).to.deep.equal([{ type: "test/SET_VALUE", value: "expected" }])
})
it('should not namespace global actions for saga', () => {
const state = {
subState: {
value: "expected"
},
value: "wrong"
}
const mockStore = configureStore()(state)
function* saga() {
const value = yield select((state) => state.value)
yield put(globalAction({ type: "SET_VALUE", value }))
}
const subspacedSaga = subspaced(state => state.subState, "test")(saga)
const iterator = subspacedSaga()
expect(iterator.next().value).to.deep.equal(getContext('store'))
expect(iterator.next(mockStore).value).to.deep.equal(getContext('sagaMiddlewareOptions'))
expect(iterator.next(undefined).value).to.be.ok
expect(iterator.next({ type: "test/TEST" }).done).to.be.true
expect(mockStore.getActions()).to.deep.equal([globalAction({ type: "SET_VALUE", value: "expected" })])
})
it('should get context for subspaced saga', () => {
const state = {
subState: {
value: "also wrong"
},
value: "wrong"
}
const mockStore = configureStore()(state)
function* saga() {
const value = yield getContext('value')
yield put({ type: "SET_VALUE", value })
}
const subspacedSaga = subspaced(state => state.subState)(saga)
const iterator = subspacedSaga()
expect(iterator.next().value).to.deep.equal(getContext('store'))
expect(iterator.next(mockStore).value).to.deep.equal(getContext('sagaMiddlewareOptions'))
expect(iterator.next({ context: { value: 'expected' } }).value).to.be.ok
expect(iterator.next({ type: "TEST" }).done).to.be.true
expect(mockStore.getActions()).to.deep.equal([{ type: "SET_VALUE", value: "expected" }])
})
})
| {
"content_hash": "8f19f0b8947e64942ce6379f03a8dbeb",
"timestamp": "",
"source": "github",
"line_count": 177,
"max_line_length": 110,
"avg_line_length": 32.92655367231639,
"alnum_prop": 0.5729238160603981,
"repo_name": "ioof-holdings/redux-subspace",
"id": "64b63259f5ff632c6a897e2a8c2de85f8f52e6fc",
"size": "6036",
"binary": false,
"copies": "2",
"ref": "refs/heads/master",
"path": "packages/redux-subspace-saga/test/sagas/subspaced-spec.js",
"mode": "33188",
"license": "bsd-3-clause",
"language": [
{
"name": "JavaScript",
"bytes": "214645"
},
{
"name": "TypeScript",
"bytes": "26794"
}
],
"symlink_target": ""
} |
using base::ProcessEntry;
using content::BrowserThread;
namespace {
struct Process {
pid_t pid;
pid_t parent;
};
typedef std::map<pid_t, Process> ProcessMap;
// Get information on all the processes running on the system.
ProcessMap GetProcesses() {
ProcessMap map;
base::ProcessIterator process_iter(NULL);
while (const ProcessEntry* process_entry = process_iter.NextProcessEntry()) {
Process process;
process.pid = process_entry->pid();
process.parent = process_entry->parent_pid();
map.insert(std::make_pair(process.pid, process));
}
return map;
}
// For each of a list of pids, collect memory information about that process.
ProcessData GetProcessDataMemoryInformation(
const std::vector<pid_t>& pids) {
ProcessData process_data;
for (pid_t pid : pids) {
ProcessMemoryInformation pmi;
pmi.pid = pid;
pmi.num_processes = 1;
if (pmi.pid == base::GetCurrentProcId())
pmi.process_type = content::PROCESS_TYPE_BROWSER;
else
pmi.process_type = content::PROCESS_TYPE_UNKNOWN;
std::unique_ptr<base::ProcessMetrics> metrics(
base::ProcessMetrics::CreateProcessMetrics(pid));
metrics->GetWorkingSetKBytes(&pmi.working_set);
process_data.processes.push_back(pmi);
}
return process_data;
}
// Find all children of the given process with pid |root|.
std::vector<pid_t> GetAllChildren(const ProcessMap& processes, pid_t root) {
std::vector<pid_t> children;
children.push_back(root);
std::set<pid_t> wavefront, next_wavefront;
wavefront.insert(root);
while (wavefront.size()) {
for (const auto& entry : processes) {
const Process& process = entry.second;
if (wavefront.count(process.parent)) {
children.push_back(process.pid);
next_wavefront.insert(process.pid);
}
}
wavefront.clear();
wavefront.swap(next_wavefront);
}
return children;
}
} // namespace
MemoryDetails::MemoryDetails() {
}
ProcessData* MemoryDetails::ChromeBrowser() {
return &process_data_[0];
}
void MemoryDetails::CollectProcessData(
const std::vector<ProcessMemoryInformation>& child_info) {
DCHECK(BrowserThread::GetBlockingPool()->RunsTasksOnCurrentThread());
ProcessMap process_map = GetProcesses();
std::set<pid_t> browsers_found;
ProcessData current_browser =
GetProcessDataMemoryInformation(GetAllChildren(process_map, getpid()));
current_browser.name = l10n_util::GetStringUTF16(IDS_SHORT_PRODUCT_NAME);
current_browser.process_name = base::ASCIIToUTF16("chrome");
for (std::vector<ProcessMemoryInformation>::iterator
i = current_browser.processes.begin();
i != current_browser.processes.end(); ++i) {
// Check if this is one of the child processes whose data we collected
// on the IO thread, and if so copy over that data.
for (size_t child = 0; child < child_info.size(); child++) {
if (child_info[child].pid != i->pid)
continue;
i->titles = child_info[child].titles;
i->process_type = child_info[child].process_type;
break;
}
}
process_data_.push_back(current_browser);
#if defined(OS_CHROMEOS)
base::GetSwapInfo(&swap_info_);
#endif
// Finally return to the browser thread.
BrowserThread::PostTask(
BrowserThread::UI, FROM_HERE,
base::Bind(&MemoryDetails::CollectChildInfoOnUIThread, this));
}
| {
"content_hash": "690aea4dc8d09519c88619aac848d62b",
"timestamp": "",
"source": "github",
"line_count": 119,
"max_line_length": 79,
"avg_line_length": 28.210084033613445,
"alnum_prop": 0.6916890080428955,
"repo_name": "wuhengzhi/chromium-crosswalk",
"id": "a86310955afb3267f11448ab013bdeae3eb0ea85",
"size": "4219",
"binary": false,
"copies": "9",
"ref": "refs/heads/master",
"path": "chrome/browser/memory_details_linux.cc",
"mode": "33188",
"license": "bsd-3-clause",
"language": [],
"symlink_target": ""
} |
var csrf_token = $.cookie('csrftoken');
$.ajaxSetup({
beforeSend: function(xhr) {
xhr.setRequestHeader("X-CSRFToken", csrf_token);
}
});
function ExplorerEditor(queryId, dataUrl) {
this.queryId = queryId;
this.dataUrl = dataUrl;
this.$table = $('#preview');
this.$rows = $('#rows');
this.$form = $("form");
this.$snapshotField = $("#id_snapshot");
this.$paramFields = this.$form.find(".param");
this.$submit = $("#refresh_play_button, #save_button");
if (!this.$submit.length) { this.$submit = $("#refresh_button"); }
this.editor = CodeMirror.fromTextArea(document.getElementById('id_sql'), {
mode: "text/x-sql",
lineNumbers: 't',
autofocus: true,
height: 500,
extraKeys: {
"Ctrl-Enter": function() { this.doCodeMirrorSubmit(); }.bind(this),
"Cmd-Enter": function() { this.doCodeMirrorSubmit(); }.bind(this)
}
});
this.bind();
}
ExplorerEditor.prototype.getParams = function() {
var o = false;
if(this.$paramFields.length) {
o = {};
this.$paramFields.each(function() {
o[$(this).data('param')] = $(this).val();
});
}
return o;
};
ExplorerEditor.prototype.serializeParams = function(params) {
var args = [];
for(var key in params) {
args.push(key + '%3A' + params[key]);
}
return args.join('%7C');
};
ExplorerEditor.prototype.doCodeMirrorSubmit = function() {
// Captures the cmd+enter keystroke and figures out which button to trigger.
this.$submit.click();
};
ExplorerEditor.prototype.savePivotState = function(state) {
bmark = btoa(JSON.stringify(_(state).pick('aggregatorName', 'rows', 'cols', 'rendererName', 'vals')));
$el = $('#pivot-bookmark')
$el.attr('href', $el.data('baseurl') + '#' + bmark)
};
ExplorerEditor.prototype.updateQueryString = function(key, value, url) {
// http://stackoverflow.com/a/11654596/221390
if (!url) url = window.location.href;
var re = new RegExp("([?&])" + key + "=.*?(&|#|$)(.*)", "gi");
if (re.test(url)) {
if (typeof value !== 'undefined' && value !== null)
return url.replace(re, '$1' + key + "=" + value + '$2$3');
else {
var hash = url.split('#');
url = hash[0].replace(re, '$1$3').replace(/(&|\?)$/, '');
if (typeof hash[1] !== 'undefined' && hash[1] !== null)
url += '#' + hash[1];
return url;
}
}
else {
if (typeof value !== 'undefined' && value !== null) {
var separator = url.indexOf('?') !== -1 ? '&' : '?',
hash = url.split('#');
url = hash[0] + separator + key + '=' + value;
if (typeof hash[1] !== 'undefined' && hash[1] !== null)
url += '#' + hash[1];
return url;
}
else
return url;
}
};
ExplorerEditor.prototype.formatSql = function() {
$.post('../format/', {sql: this.editor.getValue() }, function(data) {
this.editor.setValue(data.formatted);
}.bind(this));
};
ExplorerEditor.prototype.showRows = function() {
var rows = this.$rows.val(),
$form = $("#editor");
$form.attr('action', this.updateQueryString("rows", rows, window.location.href));
$form.submit();
};
ExplorerEditor.prototype.bind = function() {
$("#show_schema_button").click(function() {
$("#schema_frame").attr('src', '../schema/');
$("#query_area").addClass("col-md-9");
var schema$ = $("#schema");
schema$.addClass("col-md-3");
schema$.show();
$(this).hide();
$("#hide_schema_button").show();
return false;
});
$("#hide_schema_button").click(function() {
$("#query_area").removeClass("col-md-9");
var schema$ = $("#schema");
schema$.removeClass("col-md-3");
schema$.hide();
$(this).hide();
$("#show_schema_button").show();
return false;
});
$("#format_button").click(function(e) {
e.preventDefault();
this.formatSql();
}.bind(this));
$("#save_button").click(function() {
var params = this.getParams(this);
if(params) {
this.$form.attr('action', '../' + this.queryId + '/?params=' + this.serializeParams(params));
}
this.$snapshotField.hide();
this.$form.append(this.$snapshotField);
}.bind(this));
$("#refresh_button").click(function(e) {
e.preventDefault();
var params = this.getParams();
if(params) {
window.location.href = '../' + this.queryId + '/?params=' + this.serializeParams(params);
} else {
window.location.href = '../' + this.queryId + '/';
}
}.bind(this));
$("#refresh_play_button").click(function() {
this.$form.attr('action', '../play/');
}.bind(this));
$("#playground_button").click(function() {
this.$form.prepend("<input type=hidden name=show value='' />");
this.$form.attr('action', '../play/');
}.bind(this));
$("#download_play_button").click(function() {
this.$form.attr('action', '../csv');
}.bind(this));
$(".download_button").click(function(e) {
e.preventDefault();
var dl_link = 'download';
var params = this.getParams(this);
if(params) { dl_link = dl_link + '?params=' + this.serializeParams(params); }
window.open(dl_link, '_blank');
}.bind(this));
$("#create_button").click(function() {
this.$form.attr('action', '../new/');
}.bind(this));
$(".stats-expand").click(function(e) {
e.preventDefault();
$(".stats-expand").hide();
$(".stats-wrapper").show();
this.$table.floatThead('reflow');
}.bind(this));
$(".sort").click(function(e) {
var t = $(e.target).data('sort');
var dir = $(e.target).data('dir');
$('.sort').css('background-image', 'url(http://cdn.datatables.net/1.10.0/images/sort_both.png)')
if (dir == 'asc'){
$(e.target).data('dir', 'desc');
$(e.target).css('background-image', 'url(http://cdn.datatables.net/1.10.0/images/sort_asc.png)')
} else {
$(e.target).data('dir', 'asc');
$(e.target).css('background-image', 'url(http://cdn.datatables.net/1.10.0/images/sort_desc.png)')
}
var vals = [];
var ct = 0;
while (ct < this.$table.find('th').length) {
vals.push(ct++);
}
var options = {
valueNames: vals
};
var tableList = new List('preview', options);
tableList.sort(t, { order: dir });
}.bind(this));
$("#preview-tab-label").click(function() {
this.$table.floatThead('reflow');
}.bind(this));
var pivotState = window.location.hash;
var navToPivot = false;
if (!pivotState) {
pivotState = {onRefresh: this.savePivotState};
} else {
pivotState = JSON.parse(atob(pivotState.substr(1)));
pivotState['onRefresh'] = this.savePivotState;
navToPivot = true;
}
$(".pivot-table").pivotUI(this.$table, pivotState);
if (navToPivot) {
$("#pivot-tab-label").tab('show');
}
this.$table.floatThead({
scrollContainer: function() {
return this.$table.closest('.overflow-wrapper');
}.bind(this)
});
this.$rows.change(function() { this.showRows(); }.bind(this));
this.$rows.keyup(function(event) {
if(event.keyCode == 13){ this.showRows(); }
}.bind(this));
}; | {
"content_hash": "f2418ff31249029e747cda8d86e40fee",
"timestamp": "",
"source": "github",
"line_count": 236,
"max_line_length": 109,
"avg_line_length": 32.45762711864407,
"alnum_prop": 0.5300261096605744,
"repo_name": "tzangms/django-sql-explorer",
"id": "dd8d85e51e6e528cf71f995736b08b847e93ad5d",
"size": "7660",
"binary": false,
"copies": "1",
"ref": "refs/heads/master",
"path": "explorer/static/explorer/explorer.js",
"mode": "33188",
"license": "mit",
"language": [
{
"name": "CSS",
"bytes": "1390"
},
{
"name": "HTML",
"bytes": "28852"
},
{
"name": "JavaScript",
"bytes": "9220"
},
{
"name": "Python",
"bytes": "105164"
}
],
"symlink_target": ""
} |
#ifndef PingLoader_h
#define PingLoader_h
#include "core/CoreExport.h"
#include "core/fetch/ResourceLoaderOptions.h"
#include "platform/heap/Handle.h"
#include "platform/heap/SelfKeepAlive.h"
#include "public/platform/WebURLLoaderClient.h"
#include "wtf/Forward.h"
#include "wtf/Noncopyable.h"
#include <memory>
namespace blink {
class Blob;
class DOMArrayBufferView;
class EncodedFormData;
class FormData;
class LocalFrame;
class KURL;
// Issue an asynchronous, one-directional request at some resources, ignoring
// any response. The request is made independent of any LocalFrame staying
// alive, and must only stay alive until the transmission has completed
// successfully (or not -- errors are not propagated back either.) Upon
// transmission, the the load is cancelled and the loader cancels itself.
//
// The ping loader is used by audit pings, beacon transmissions and image loads
// during page unloading.
class CORE_EXPORT PingLoader {
public:
enum ViolationReportType {
ContentSecurityPolicyViolationReport,
XSSAuditorViolationReport
};
static void loadImage(LocalFrame*, const KURL&);
static void sendLinkAuditPing(LocalFrame*,
const KURL& pingURL,
const KURL& destinationURL);
static void sendViolationReport(LocalFrame*,
const KURL& reportURL,
PassRefPtr<EncodedFormData> report,
ViolationReportType);
// The last argument is guaranteed to be set to the size of payload if
// these method return true. If these method returns false, the value
// shouldn't be used.
static bool sendBeacon(LocalFrame*, int, const KURL&, const String&, int&);
static bool sendBeacon(LocalFrame*,
int,
const KURL&,
DOMArrayBufferView*,
int&);
static bool sendBeacon(LocalFrame*, int, const KURL&, Blob*, int&);
static bool sendBeacon(LocalFrame*, int, const KURL&, FormData*, int&);
};
} // namespace blink
#endif // PingLoader_h
| {
"content_hash": "346abb37c89f7ffea5fb100e391f7b97",
"timestamp": "",
"source": "github",
"line_count": 63,
"max_line_length": 79,
"avg_line_length": 33.92063492063492,
"alnum_prop": 0.6696303228825456,
"repo_name": "google-ar/WebARonARCore",
"id": "96e8ea19f8fa1488af9da5c038eea7991230169c",
"size": "3702",
"binary": false,
"copies": "1",
"ref": "refs/heads/webarcore_57.0.2987.5",
"path": "third_party/WebKit/Source/core/loader/PingLoader.h",
"mode": "33188",
"license": "apache-2.0",
"language": [],
"symlink_target": ""
} |
IpFinder is a simple command line tool for discovering the IP addresses of sub-domains.
It is intended for discovering the IP address of a server behind a proxy or CDN by locating a
sub domain that connects directly to the IP address of the server, for example, to give SSH
access to a server behind Cloud Flare.
A second legally questionable use is to identify the IP address of a website that is hateful,
abusive, or harassing. You should discuss such use with a lawyer prior to use because establishing
connections for this purpose could be illegal. Use of this tool for this purpose is not supported
by anyone and you are advised to determine whether it will be legal.
Use
---------
The IpFinder tool is run from the command line as a single command to support shell scripting.
The simplest option is to run the command with the domain that you want to test subdomains of.
`python ipFinder.py google.com`
There are a few options that you can use to change the behavior of the script.
`-sM` will not record domains that have previously discovered IP addresses. You should use this
if the domain has a DNS wildcard record.
`-cS` followed by a number will select the character set to use when enumerating sub domains. You
can view the help screen `-h` or `--help` for a list of character sets.
IP addresses will be recorded in the ip.log file.
| {
"content_hash": "c9747c84dc29383842fe48bd7a7e2f5a",
"timestamp": "",
"source": "github",
"line_count": 25,
"max_line_length": 99,
"avg_line_length": 54.28,
"alnum_prop": 0.7818717759764185,
"repo_name": "x86penguin/IpFinder",
"id": "f19ea6fa4970d1fe3aa88d99e759626b83a5cf1e",
"size": "1368",
"binary": false,
"copies": "1",
"ref": "refs/heads/master",
"path": "README.md",
"mode": "33188",
"license": "mit",
"language": [
{
"name": "Python",
"bytes": "2271"
}
],
"symlink_target": ""
} |
git subtree pull --prefix python_lib python_lib master --squash
| {
"content_hash": "0f28f6ead24c4cbcdad7d660ea401e90",
"timestamp": "",
"source": "github",
"line_count": 1,
"max_line_length": 63,
"avg_line_length": 64,
"alnum_prop": 0.78125,
"repo_name": "johnnadratowski/git-reviewers",
"id": "efbecb06d9ad5ed252f2b8e108caf88474ee10f0",
"size": "77",
"binary": false,
"copies": "1",
"ref": "refs/heads/master",
"path": "pull_subtree.sh",
"mode": "33261",
"license": "mit",
"language": [
{
"name": "Python",
"bytes": "44785"
},
{
"name": "Shell",
"bytes": "77"
}
],
"symlink_target": ""
} |
using System;
namespace _06.Point_on_Rectangle_Border
{
class Program
{
static void Main()
{
var x1 = double.Parse(Console.ReadLine());
var y1 = double.Parse(Console.ReadLine());
var x2 = double.Parse(Console.ReadLine());
var y2 = double.Parse(Console.ReadLine());
var x = double.Parse(Console.ReadLine());
var y = double.Parse(Console.ReadLine());
bool border = ((x == x1 || x == x2) && (y1 <= y && y <= y2)) || ((x1 <= x && x <= x2) && (y == y1 || y == y2));
if (border)
{
Console.WriteLine("Border");
}
else
{
Console.WriteLine("Inside / Outside");
}
}
}
}
| {
"content_hash": "9aea656ffc1dfbfc79a08a35286173e4",
"timestamp": "",
"source": "github",
"line_count": 27,
"max_line_length": 123,
"avg_line_length": 29.14814814814815,
"alnum_prop": 0.44599745870393903,
"repo_name": "metodiobetsanov/Tech-Module-CSharp",
"id": "f5ecc4a3038603a60bf846d97e5c26aaf6b7231f",
"size": "789",
"binary": false,
"copies": "1",
"ref": "refs/heads/master",
"path": "Entry Module/CSharp/04. Complex Conditional Statements/06. Point on Rectangle Border/Point on Rectangle Border.cs",
"mode": "33188",
"license": "mit",
"language": [
{
"name": "C#",
"bytes": "511022"
}
],
"symlink_target": ""
} |
[中文版本(Chinese version)](README.zh-cn.md)
Apache CouchDB is an open-source document-oriented NoSQL database, implemented in Erlang.
Apache CouchDB is written in Erlang and so it has built-in support for distributed computing (clustering). The cluster nodes communicate using the Erlang/OTP Distribution Protocol, which provides for the possibility of executing OS command requests as the user running the software.
In order to connect and run OS commands, one needs to know the secret phrase or in Erlang terms the "cookie". The CouchDB installer in versions 3.2.1 and below, by default, sets the cookie to "monster".
References:
- <https://docs.couchdb.org/en/3.2.2-docs/cve/2022-24706.html>
- <https://insinuator.net/2017/10/erlang-distribution-rce-and-a-cookie-bruteforcer/>
- <https://github.com/rapid7/metasploit-framework/blob/master//modules/exploits/multi/misc/erlang_cookie_rce.rb>
- <https://github.com/sadshade/CVE-2022-24706-CouchDB-Exploit>
## Vulnerability Environment
Execute following command to start a Apache CouchDB 3.2.1:
```
docker-compose up -d
```
After service is started, 3 port will be listening on `target-ip`:
- 5984: Web interface for Apache CouchDB
- 4369: Erlang port mapper daemon (epmd)
- 9100: clustered operation and runtime introspection port (command is actually executed through this port)
In practice, Web interface and epmd service port is fixed, clustered operation port is random. We can accesses the EPMD service to obtain the clustered operation port number.
## Exploit
We can just use [this poc](poc.py) to exploit this vulnerability. The poc does 2 things, firstly obtain the clustered operation port from epmd service, then use default cookie to execute arbitrary commands in clusters.
```
python poc.py target-ip 4369
```

| {
"content_hash": "e12e288c43b69f4b1328f50f9a661399",
"timestamp": "",
"source": "github",
"line_count": 40,
"max_line_length": 282,
"avg_line_length": 44.875,
"alnum_prop": 0.777715877437326,
"repo_name": "vulhub/vulhub",
"id": "8ed03625dc7dfdfb88e4e2722e7f6bba02af655b",
"size": "1876",
"binary": false,
"copies": "1",
"ref": "refs/heads/master",
"path": "couchdb/CVE-2022-24706/README.md",
"mode": "33188",
"license": "mit",
"language": [
{
"name": "CSS",
"bytes": "1291"
},
{
"name": "Dockerfile",
"bytes": "160217"
},
{
"name": "Groovy",
"bytes": "1024"
},
{
"name": "HTML",
"bytes": "21869"
},
{
"name": "Java",
"bytes": "88531"
},
{
"name": "JavaScript",
"bytes": "10944"
},
{
"name": "PHP",
"bytes": "23161"
},
{
"name": "Perl",
"bytes": "108"
},
{
"name": "Python",
"bytes": "112836"
},
{
"name": "Ruby",
"bytes": "4681"
},
{
"name": "Shell",
"bytes": "69140"
}
],
"symlink_target": ""
} |
/**
* Tests whether or not an item has any content. No content means being either undefined, null, NaN or an empty array, object or string.
* @param {*} item The item to test
* @return {boolean} True if the item has any content.
*/
export default item => {
if (typeof item === 'undefined' || item === null || Number.isNaN(item)) {
return false;
} else if (Array.isArray(item)) {
return item.length > 0;
} else if (typeof item === 'string') {
return item.trim() !== '';
} else if (typeof item === 'object') {
return !(Object.keys(item).length === 0 && item.constructor === Object);
} else {
return true;
}
}; | {
"content_hash": "6e2e7cbedc825ae01d888420141b1c91",
"timestamp": "",
"source": "github",
"line_count": 18,
"max_line_length": 136,
"avg_line_length": 37.5,
"alnum_prop": 0.5881481481481482,
"repo_name": "yngwi/jml-tools",
"id": "a44768955d5d1046db9d65594f046e2afa445887",
"size": "675",
"binary": false,
"copies": "1",
"ref": "refs/heads/master",
"path": "src/utils/hasContent.js",
"mode": "33188",
"license": "mit",
"language": [
{
"name": "JavaScript",
"bytes": "104773"
}
],
"symlink_target": ""
} |
<!DOCTYPE html>
<html lang="en">
<head>
<meta charset="utf-8">
<meta name="viewport" content="width=device-width, initial-scale=1">
<title>reglang: 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.8.0 / reglang - 1.1.1</a></li>
</ul>
</div>
</div>
</div>
<div class="article">
<div class="row">
<div class="col-md-12">
<a href="../..">« Up</a>
<h1>
reglang
<small>
1.1.1
<span class="label label-info">Not compatible 👼</span>
</small>
</h1>
<p>📅 <em><script>document.write(moment("2022-06-28 21:48:48 +0000", "YYYY-MM-DD HH:mm:ss Z").fromNow());</script> (2022-06-28 21:48:48 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-ocamlbuild base OCamlbuild binary and libraries 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.0 Formal proof management system
num 0 The Num library for arbitrary-precision integer and rational arithmetic
ocaml 4.02.3 The OCaml compiler (virtual package)
ocaml-base-compiler 4.02.3 Official 4.02.3 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-community/reglang"
dev-repo: "git+https://github.com/coq-community/reglang.git"
bug-reports: "https://github.com/coq-community/reglang/issues"
doc: "https://coq-community.org/reglang/"
license: "CECILL-B"
synopsis: "Representations of regular languages (i.e., regexps, various types of automata, and WS1S) with equivalence proofs, in Coq and MathComp"
description: """
This library provides definitions and verified translations between
different representations of regular languages: various forms of
automata (deterministic, nondeterministic, one-way, two-way),
regular expressions, and the logic WS1S. It also contains various
decidability results and closure properties of regular languages."""
build: [make "-j%{jobs}%"]
install: [make "install"]
depends: [
"coq" {>= "8.10" & < "8.13~"}
"coq-mathcomp-ssreflect" {>= "1.9" & < "1.12~"}
]
tags: [
"category:Computer Science/Formal Languages Theory and Automata"
"keyword:regular languages"
"keyword:regular expressions"
"keyword:finite automata"
"keyword:two-way automata"
"keyword:monadic second-order logic"
"logpath:RegLang"
"date:2020-10-05"
]
authors: [
"Christian Doczkal"
"Jan-Oliver Kaiser"
"Gert Smolka"
]
url {
src: "https://github.com/coq-community/reglang/archive/v1.1.1.tar.gz"
checksum: "sha512=f3b92695d1c3fedd37dc0a6289c9cdc4bf051f0a7134123b633d9875e5ad01e260304488de3d12810e3de9054069362cbd46eedd3d59e3baf4b008862fafc783"
}
</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-reglang.1.1.1 coq.8.8.0</code></dd>
<dt>Return code</dt>
<dd>5120</dd>
<dt>Output</dt>
<dd><pre>[NOTE] Package coq is already installed (current version is 8.8.0).
The following dependencies couldn't be met:
- coq-reglang -> coq >= 8.10 -> ocaml >= 4.05.0
base of this switch (use `--unlock-base' to force)
No solution found, exiting
</pre></dd>
</dl>
<p>Dry install without Coq/switch base, to test if the problem was incompatibility with the current Coq/OCaml version:</p>
<dl class="dl-horizontal">
<dt>Command</dt>
<dd><code>opam remove -y coq; opam install -y --show-action --unlock-base coq-reglang.1.1.1</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": "1d8fd1b8693cba27690ed6f38bc06e03",
"timestamp": "",
"source": "github",
"line_count": 181,
"max_line_length": 159,
"avg_line_length": 42.43646408839779,
"alnum_prop": 0.5663325087879182,
"repo_name": "coq-bench/coq-bench.github.io",
"id": "bf0e5d352e7b4bfa02dc20cee562e9d3e15f4397",
"size": "7706",
"binary": false,
"copies": "1",
"ref": "refs/heads/master",
"path": "clean/Linux-x86_64-4.02.3-2.0.6/released/8.8.0/reglang/1.1.1.html",
"mode": "33188",
"license": "mit",
"language": [],
"symlink_target": ""
} |
<!DOCTYPE HTML PUBLIC "-//W3C//DTD HTML 4.01 Transitional//EN">
<html>
<head>
<meta http-equiv="Content-Type" content="text/html; charset=ISO-8859-1">
<title>Boost.Geometry (aka GGL, Generic Geometry Library)</title>
<link href="doxygen.css" rel="stylesheet" type="text/css">
<link href="tabs.css" rel="stylesheet" type="text/css">
</head>
<table cellpadding="2" width="100%">
<tbody>
<tr>
<td valign="top">
<img alt="Boost.Geometry" src="images/ggl-logo-big.png" height="80" width="200">
</td>
<td valign="top" align="right">
<a href="http://www.boost.org">
<img alt="Boost C++ Libraries" src="images/accepted_by_boost.png" height="80" width="230" border="0">
</a>
</td>
</tr>
</tbody>
</table>
<!-- Generated by Doxygen 1.7.6.1 -->
<div id="navrow1" class="tabs">
<ul class="tablist">
<li><a href="index.html"><span>Main Page</span></a></li>
<li><a href="pages.html"><span>Related Pages</span></a></li>
<li><a href="modules.html"><span>Modules</span></a></li>
<li><a href="namespaces.html"><span>Namespaces</span></a></li>
<li><a href="annotated.html"><span>Classes</span></a></li>
<li class="current"><a href="files.html"><span>Files</span></a></li>
<li><a href="examples.html"><span>Examples</span></a></li>
</ul>
</div>
<div id="navrow2" class="tabs2">
<ul class="tablist">
<li><a href="files.html"><span>File List</span></a></li>
<li><a href="globals.html"><span>File Members</span></a></li>
</ul>
</div>
</div>
<div class="header">
<div class="summary">
<a href="#nested-classes">Classes</a> |
<a href="#namespaces">Namespaces</a> </div>
<div class="headertitle">
<div class="title">/home/travis/build/boostorg/boost/boost/geometry/strategies/agnostic/point_in_box_by_side.hpp File Reference</div> </div>
</div><!--header-->
<div class="contents">
<table class="memberdecls">
<tr><td colspan="2"><h2><a name="nested-classes"></a>
Classes</h2></td></tr>
<tr><td class="memItemLeft" align="right" valign="top">struct  </td><td class="memItemRight" valign="bottom"><a class="el" href="structboost_1_1geometry_1_1strategy_1_1within_1_1decide__covered__by.html">boost::geometry::strategy::within::decide_covered_by</a></td></tr>
<tr><td class="memItemLeft" align="right" valign="top">struct  </td><td class="memItemRight" valign="bottom"><a class="el" href="structboost_1_1geometry_1_1strategy_1_1within_1_1decide__within.html">boost::geometry::strategy::within::decide_within</a></td></tr>
<tr><td class="memItemLeft" align="right" valign="top">struct  </td><td class="memItemRight" valign="bottom"><a class="el" href="structboost_1_1geometry_1_1strategy_1_1within_1_1point__in__box__by__side.html">boost::geometry::strategy::within::point_in_box_by_side< Point, Box, Decide ></a></td></tr>
<tr><td colspan="2"><h2><a name="namespaces"></a>
Namespaces</h2></td></tr>
<tr><td class="memItemLeft" align="right" valign="top">namespace  </td><td class="memItemRight" valign="bottom"><a class="el" href="namespaceboost.html">boost</a></td></tr>
<tr><td class="memItemLeft" align="right" valign="top">namespace  </td><td class="memItemRight" valign="bottom"><a class="el" href="namespaceboost_1_1geometry.html">boost::geometry</a></td></tr>
<tr><td class="memItemLeft" align="right" valign="top">namespace  </td><td class="memItemRight" valign="bottom"><a class="el" href="namespaceboost_1_1geometry_1_1strategy.html">boost::geometry::strategy</a></td></tr>
<tr><td class="memItemLeft" align="right" valign="top">namespace  </td><td class="memItemRight" valign="bottom"><a class="el" href="namespaceboost_1_1geometry_1_1strategy_1_1within.html">boost::geometry::strategy::within</a></td></tr>
</table>
</div><!-- contents -->
<hr size="1">
<table width="100%">
<tbody>
<tr>
<td align="left"><small>
<p>April 2, 2011</p>
</small></td>
<td align="right">
<small>
Copyright © 2007-2011 Barend Gehrels, Amsterdam, the Netherlands<br>
Copyright © 2008-2011 Bruno Lalande, Paris, France<br>
Copyright © 2009-2010 Mateusz Loskot, London, UK<br>
</small>
</td>
</tr>
</tbody>
</table>
<address style="text-align: right;"><small>
Documentation is generated by <a href="http://www.doxygen.org/index.html">Doxygen</a>
</small></address>
</body>
</html>
| {
"content_hash": "c560b646458c1a1282619691ab610f45",
"timestamp": "",
"source": "github",
"line_count": 88,
"max_line_length": 311,
"avg_line_length": 49.13636363636363,
"alnum_prop": 0.6695189639222942,
"repo_name": "yinchunlong/abelkhan-1",
"id": "d935107fde1f25cae00a147b1896c2c8a4720fef",
"size": "4324",
"binary": false,
"copies": "4",
"ref": "refs/heads/master",
"path": "ext/c++/thirdpart/c++/boost/libs/geometry/doc/doxy/doxygen_output/html_by_doxygen/point__in__box__by__side_8hpp.html",
"mode": "33188",
"license": "mit",
"language": [
{
"name": "ASP",
"bytes": "118649"
},
{
"name": "Assembly",
"bytes": "223360"
},
{
"name": "Batchfile",
"bytes": "32410"
},
{
"name": "C",
"bytes": "2956993"
},
{
"name": "C#",
"bytes": "219949"
},
{
"name": "C++",
"bytes": "184617089"
},
{
"name": "CMake",
"bytes": "125437"
},
{
"name": "CSS",
"bytes": "427629"
},
{
"name": "Cuda",
"bytes": "52444"
},
{
"name": "DIGITAL Command Language",
"bytes": "6246"
},
{
"name": "FORTRAN",
"bytes": "1856"
},
{
"name": "Groff",
"bytes": "5189"
},
{
"name": "HTML",
"bytes": "234939732"
},
{
"name": "IDL",
"bytes": "14"
},
{
"name": "JavaScript",
"bytes": "682223"
},
{
"name": "Lex",
"bytes": "1231"
},
{
"name": "M4",
"bytes": "29689"
},
{
"name": "Makefile",
"bytes": "1083341"
},
{
"name": "Max",
"bytes": "36857"
},
{
"name": "Objective-C",
"bytes": "11406"
},
{
"name": "Objective-C++",
"bytes": "630"
},
{
"name": "PHP",
"bytes": "59030"
},
{
"name": "Perl",
"bytes": "38649"
},
{
"name": "Perl6",
"bytes": "2053"
},
{
"name": "Python",
"bytes": "1780184"
},
{
"name": "QML",
"bytes": "593"
},
{
"name": "QMake",
"bytes": "16692"
},
{
"name": "Rebol",
"bytes": "354"
},
{
"name": "Ruby",
"bytes": "5532"
},
{
"name": "Shell",
"bytes": "354720"
},
{
"name": "Tcl",
"bytes": "1172"
},
{
"name": "TeX",
"bytes": "32117"
},
{
"name": "XSLT",
"bytes": "552736"
},
{
"name": "Yacc",
"bytes": "19623"
}
],
"symlink_target": ""
} |
<?xml version="1.0" encoding="utf-8" ?>
<resources>
<!-- Base application theme. -->
<style name="AppTheme" parent="Theme.AppCompat.Light.DarkActionBar">
</style>
</resources> | {
"content_hash": "cac8e468a08681357d21a8d7cfbcf305",
"timestamp": "",
"source": "github",
"line_count": 8,
"max_line_length": 70,
"avg_line_length": 23.125,
"alnum_prop": 0.6594594594594595,
"repo_name": "coxthepilot/vitasa",
"id": "e3df988bfbf511daaaedc3ebd5389cd47ad047b3",
"size": "187",
"binary": false,
"copies": "1",
"ref": "refs/heads/master",
"path": "vitasa_apps/a_vitavol/Resources/values/styles.xml",
"mode": "33188",
"license": "apache-2.0",
"language": [
{
"name": "Assembly",
"bytes": "64102296"
},
{
"name": "C#",
"bytes": "1275156"
},
{
"name": "CSS",
"bytes": "4309"
},
{
"name": "HTML",
"bytes": "22277"
},
{
"name": "Hack",
"bytes": "17204"
},
{
"name": "JavaScript",
"bytes": "754"
},
{
"name": "Objective-C",
"bytes": "272590"
},
{
"name": "PHP",
"bytes": "267257"
},
{
"name": "PowerShell",
"bytes": "3852"
}
],
"symlink_target": ""
} |
using System;
using System.Collections.Generic;
using System.Linq;
using System.Text;
using System.Threading.Tasks;
namespace ConvFMML.Data.MML.Command.MXDRV
{
public class MXDRVPan : Pan
{
public MXDRVPan(int value, MMLCommandRelation relation) : base(value, relation) { }
protected override string GenerateString(Settings settings, SoundModule module)
{
string sign;
Settings.ControlCommand.Pan panSettings = settings.controlCommand.pan;
if (Value <= panSettings.BorderLeft)
{
sign = "p1";
}
else if (panSettings.BorderRight <= Value)
{
sign = "p2";
}
else
{
sign = "p3";
}
return sign;
}
}
}
| {
"content_hash": "bfe07401c95000d47bba379fa0e3c214",
"timestamp": "",
"source": "github",
"line_count": 34,
"max_line_length": 91,
"avg_line_length": 24.58823529411765,
"alnum_prop": 0.5406698564593302,
"repo_name": "rerrahkr/ConvFMML",
"id": "fe0793478b6fa9075d0e22991ad0912838c6fca4",
"size": "838",
"binary": false,
"copies": "1",
"ref": "refs/heads/master",
"path": "ConvFMML/ConvFMML/Data/MML/Command/MXDRV/MXDRVPan.cs",
"mode": "33188",
"license": "mit",
"language": [
{
"name": "C#",
"bytes": "350245"
}
],
"symlink_target": ""
} |
<!DOCTYPE html />
<html>
<head>
<title>MessageUtility.cs</title>
<meta http-equiv="content-type" content="text/html; charset=UTF-8" />
<link href="../../nocco.css" rel="stylesheet" media="all" type="text/css" />
<script src="../../prettify.js" type="text/javascript"></script>
</head>
<body onload="prettyPrint()">
<div id="container">
<div id="background"></div>
<div id="jump_to">
Jump To …
<div id="jump_wrapper">
<div id="jump_page">
<a class="source" href="../../nmodbus4/globalsuppressions.html">
NModbus4\GlobalSuppressions.cs
</a>
<a class="source" href="../../nmodbus4/invalidmodbusrequestexception.html">
NModbus4\InvalidModbusRequestException.cs
</a>
<a class="source" href="../../nmodbus4/modbus.html">
NModbus4\Modbus.cs
</a>
<a class="source" href="../../nmodbus4/slaveexception.html">
NModbus4\SlaveException.cs
</a>
<a class="source" href="../../nmodbus4/data/datastore.html">
NModbus4\Data\DataStore.cs
</a>
<a class="source" href="../../nmodbus4/data/datastoreeventargs.html">
NModbus4\Data\DataStoreEventArgs.cs
</a>
<a class="source" href="../../nmodbus4/data/datastorefactory.html">
NModbus4\Data\DataStoreFactory.cs
</a>
<a class="source" href="../../nmodbus4/data/discretecollection.html">
NModbus4\Data\DiscreteCollection.cs
</a>
<a class="source" href="../../nmodbus4/data/imodbusmessagedatacollection.html">
NModbus4\Data\IModbusMessageDataCollection.cs
</a>
<a class="source" href="../../nmodbus4/data/modbusdatacollection.html">
NModbus4\Data\ModbusDataCollection.cs
</a>
<a class="source" href="../../nmodbus4/data/modbusdatatype.html">
NModbus4\Data\ModbusDataType.cs
</a>
<a class="source" href="../../nmodbus4/data/registercollection.html">
NModbus4\Data\RegisterCollection.cs
</a>
<a class="source" href="../../nmodbus4/device/imodbusmaster.html">
NModbus4\Device\IModbusMaster.cs
</a>
<a class="source" href="../../nmodbus4/device/imodbusserialmaster.html">
NModbus4\Device\IModbusSerialMaster.cs
</a>
<a class="source" href="../../nmodbus4/device/modbusdevice.html">
NModbus4\Device\ModbusDevice.cs
</a>
<a class="source" href="../../nmodbus4/device/modbusipmaster.html">
NModbus4\Device\ModbusIpMaster.cs
</a>
<a class="source" href="../../nmodbus4/device/modbusmaster.html">
NModbus4\Device\ModbusMaster.cs
</a>
<a class="source" href="../../nmodbus4/device/modbusmastertcpconnection.html">
NModbus4\Device\ModbusMasterTcpConnection.cs
</a>
<a class="source" href="../../nmodbus4/device/modbusserialmaster.html">
NModbus4\Device\ModbusSerialMaster.cs
</a>
<a class="source" href="../../nmodbus4/device/modbusserialslave.html">
NModbus4\Device\ModbusSerialSlave.cs
</a>
<a class="source" href="../../nmodbus4/device/modbusslave.html">
NModbus4\Device\ModbusSlave.cs
</a>
<a class="source" href="../../nmodbus4/device/modbusslaverequesteventargs.html">
NModbus4\Device\ModbusSlaveRequestEventArgs.cs
</a>
<a class="source" href="../../nmodbus4/device/modbustcpslave.html">
NModbus4\Device\ModbusTcpSlave.cs
</a>
<a class="source" href="../../nmodbus4/device/modbusudpslave.html">
NModbus4\Device\ModbusUdpSlave.cs
</a>
<a class="source" href="../../nmodbus4/device/tcpconnectioneventargs.html">
NModbus4\Device\TcpConnectionEventArgs.cs
</a>
<a class="source" href="../../nmodbus4/extensions/enron/enronmodbus.html">
NModbus4\Extensions\Enron\EnronModbus.cs
</a>
<a class="source" href="../../nmodbus4/io/emptytransport.html">
NModbus4\IO\EmptyTransport.cs
</a>
<a class="source" href="../../nmodbus4/io/istreamresource.html">
NModbus4\IO\IStreamResource.cs
</a>
<a class="source" href="../../nmodbus4/io/modbusasciitransport.html">
NModbus4\IO\ModbusAsciiTransport.cs
</a>
<a class="source" href="../../nmodbus4/io/modbusiptransport.html">
NModbus4\IO\ModbusIpTransport.cs
</a>
<a class="source" href="../../nmodbus4/io/modbusrtutransport.html">
NModbus4\IO\ModbusRtuTransport.cs
</a>
<a class="source" href="../../nmodbus4/io/modbusserialtransport.html">
NModbus4\IO\ModbusSerialTransport.cs
</a>
<a class="source" href="../../nmodbus4/io/modbustransport.html">
NModbus4\IO\ModbusTransport.cs
</a>
<a class="source" href="../../nmodbus4/io/serialportadapter.html">
NModbus4\IO\SerialPortAdapter.cs
</a>
<a class="source" href="../../nmodbus4/io/streamresourceutility.html">
NModbus4\IO\StreamResourceUtility.cs
</a>
<a class="source" href="../../nmodbus4/io/tcpclientadapter.html">
NModbus4\IO\TcpClientAdapter.cs
</a>
<a class="source" href="../../nmodbus4/io/udpclientadapter.html">
NModbus4\IO\UdpClientAdapter.cs
</a>
<a class="source" href="../../nmodbus4/message/abstractmodbusmessage.html">
NModbus4\Message\AbstractModbusMessage.cs
</a>
<a class="source" href="../../nmodbus4/message/abstractmodbusmessagewithdata.html">
NModbus4\Message\AbstractModbusMessageWithData.cs
</a>
<a class="source" href="../../nmodbus4/message/diagnosticsrequestresponse.html">
NModbus4\Message\DiagnosticsRequestResponse.cs
</a>
<a class="source" href="../../nmodbus4/message/imodbusmessage.html">
NModbus4\Message\IModbusMessage.cs
</a>
<a class="source" href="../../nmodbus4/message/imodbusrequest.html">
NModbus4\Message\IModbusRequest.cs
</a>
<a class="source" href="../../nmodbus4/message/modbusmessagefactory.html">
NModbus4\Message\ModbusMessageFactory.cs
</a>
<a class="source" href="../../nmodbus4/message/modbusmessageimpl.html">
NModbus4\Message\ModbusMessageImpl.cs
</a>
<a class="source" href="../../nmodbus4/message/readcoilsinputsrequest.html">
NModbus4\Message\ReadCoilsInputsRequest.cs
</a>
<a class="source" href="../../nmodbus4/message/readcoilsinputsresponse.html">
NModbus4\Message\ReadCoilsInputsResponse.cs
</a>
<a class="source" href="../../nmodbus4/message/readholdinginputregistersrequest.html">
NModbus4\Message\ReadHoldingInputRegistersRequest.cs
</a>
<a class="source" href="../../nmodbus4/message/readholdinginputregistersresponse.html">
NModbus4\Message\ReadHoldingInputRegistersResponse.cs
</a>
<a class="source" href="../../nmodbus4/message/readwritemultipleregistersrequest.html">
NModbus4\Message\ReadWriteMultipleRegistersRequest.cs
</a>
<a class="source" href="../../nmodbus4/message/slaveexceptionresponse.html">
NModbus4\Message\SlaveExceptionResponse.cs
</a>
<a class="source" href="../../nmodbus4/message/writemultiplecoilsrequest.html">
NModbus4\Message\WriteMultipleCoilsRequest.cs
</a>
<a class="source" href="../../nmodbus4/message/writemultiplecoilsresponse.html">
NModbus4\Message\WriteMultipleCoilsResponse.cs
</a>
<a class="source" href="../../nmodbus4/message/writemultipleregistersrequest.html">
NModbus4\Message\WriteMultipleRegistersRequest.cs
</a>
<a class="source" href="../../nmodbus4/message/writemultipleregistersresponse.html">
NModbus4\Message\WriteMultipleRegistersResponse.cs
</a>
<a class="source" href="../../nmodbus4/message/writesinglecoilrequestresponse.html">
NModbus4\Message\WriteSingleCoilRequestResponse.cs
</a>
<a class="source" href="../../nmodbus4/message/writesingleregisterrequestresponse.html">
NModbus4\Message\WriteSingleRegisterRequestResponse.cs
</a>
<a class="source" href="../../nmodbus4/properties/assemblyinfo.html">
NModbus4\Properties\AssemblyInfo.cs
</a>
<a class="source" href="../../nmodbus4/unme.common/disposableutility.html">
NModbus4\Unme.Common\DisposableUtility.cs
</a>
<a class="source" href="../../nmodbus4/unme.common/eventutility.html">
NModbus4\Unme.Common\EventUtility.cs
</a>
<a class="source" href="../../nmodbus4/unme.common/sequenceutility.html">
NModbus4\Unme.Common\SequenceUtility.cs
</a>
<a class="source" href="../../nmodbus4/utility/discriminatedunion.html">
NModbus4\Utility\DiscriminatedUnion.cs
</a>
<a class="source" href="../../nmodbus4/utility/modbusutility.html">
NModbus4\Utility\ModbusUtility.cs
</a>
<a class="source" href="../../nmodbus4.unittests/slaveexceptionfixture.html">
NModbus4.UnitTests\SlaveExceptionFixture.cs
</a>
<a class="source" href="../../nmodbus4.unittests/data/datastoreeventargsfixture.html">
NModbus4.UnitTests\Data\DataStoreEventArgsFixture.cs
</a>
<a class="source" href="../../nmodbus4.unittests/data/datastorefixture.html">
NModbus4.UnitTests\Data\DataStoreFixture.cs
</a>
<a class="source" href="../../nmodbus4.unittests/data/discretecollectionfixture.html">
NModbus4.UnitTests\Data\DiscreteCollectionFixture.cs
</a>
<a class="source" href="../../nmodbus4.unittests/data/modbusdatacollectionfixture.html">
NModbus4.UnitTests\Data\ModbusDataCollectionFixture.cs
</a>
<a class="source" href="../../nmodbus4.unittests/data/registercollectionfixture.html">
NModbus4.UnitTests\Data\RegisterCollectionFixture.cs
</a>
<a class="source" href="../../nmodbus4.unittests/device/modbusmasterfixture.html">
NModbus4.UnitTests\Device\ModbusMasterFixture.cs
</a>
<a class="source" href="../../nmodbus4.unittests/device/modbusslavefixture.html">
NModbus4.UnitTests\Device\ModbusSlaveFixture.cs
</a>
<a class="source" href="../../nmodbus4.unittests/device/tcpconnectioneventargsfixture.html">
NModbus4.UnitTests\Device\TcpConnectionEventArgsFixture.cs
</a>
<a class="source" href="../../nmodbus4.unittests/io/modbusasciitransportfixture.html">
NModbus4.UnitTests\IO\ModbusAsciiTransportFixture.cs
</a>
<a class="source" href="../../nmodbus4.unittests/io/modbusrtutransportfixture.html">
NModbus4.UnitTests\IO\ModbusRtuTransportFixture.cs
</a>
<a class="source" href="../../nmodbus4.unittests/io/modbusserialtransportfixture.html">
NModbus4.UnitTests\IO\ModbusSerialTransportFixture.cs
</a>
<a class="source" href="../../nmodbus4.unittests/io/modbustcptransportfixture.html">
NModbus4.UnitTests\IO\ModbusTcpTransportFixture.cs
</a>
<a class="source" href="../../nmodbus4.unittests/io/modbustransportfixture.html">
NModbus4.UnitTests\IO\ModbusTransportFixture.cs
</a>
<a class="source" href="../../nmodbus4.unittests/io/udpclientadapterfixture.html">
NModbus4.UnitTests\IO\UdpClientAdapterFixture.cs
</a>
<a class="source" href="../../nmodbus4.unittests/message/diagnosticsrequestresponsefixture.html">
NModbus4.UnitTests\Message\DiagnosticsRequestResponseFixture.cs
</a>
<a class="source" href="../../nmodbus4.unittests/message/messageutility.html">
NModbus4.UnitTests\Message\MessageUtility.cs
</a>
<a class="source" href="../../nmodbus4.unittests/message/modbusmessagefactoryfixture.html">
NModbus4.UnitTests\Message\ModbusMessageFactoryFixture.cs
</a>
<a class="source" href="../../nmodbus4.unittests/message/modbusmessagefixture.html">
NModbus4.UnitTests\Message\ModbusMessageFixture.cs
</a>
<a class="source" href="../../nmodbus4.unittests/message/modbusmessageimplfixture.html">
NModbus4.UnitTests\Message\ModbusMessageImplFixture.cs
</a>
<a class="source" href="../../nmodbus4.unittests/message/modbusmessagewithdatafixture.html">
NModbus4.UnitTests\Message\ModbusMessageWithDataFixture.cs
</a>
<a class="source" href="../../nmodbus4.unittests/message/readcoilsinputsrequestfixture.html">
NModbus4.UnitTests\Message\ReadCoilsInputsRequestFixture.cs
</a>
<a class="source" href="../../nmodbus4.unittests/message/readcoilsinputsresponsefixture.html">
NModbus4.UnitTests\Message\ReadCoilsInputsResponseFixture.cs
</a>
<a class="source" href="../../nmodbus4.unittests/message/readholdinginputregistersrequestfixture.html">
NModbus4.UnitTests\Message\ReadHoldingInputRegistersRequestFixture.cs
</a>
<a class="source" href="../../nmodbus4.unittests/message/readholdinginputregistersresponsefixture.html">
NModbus4.UnitTests\Message\ReadHoldingInputRegistersResponseFixture.cs
</a>
<a class="source" href="../../nmodbus4.unittests/message/readwritemultipleregistersrequestfixture.html">
NModbus4.UnitTests\Message\ReadWriteMultipleRegistersRequestFixture.cs
</a>
<a class="source" href="../../nmodbus4.unittests/message/returnquerydatarequestresponsefixture.html">
NModbus4.UnitTests\Message\ReturnQueryDataRequestResponseFixture.cs
</a>
<a class="source" href="../../nmodbus4.unittests/message/slaveexceptionresponsefixture.html">
NModbus4.UnitTests\Message\SlaveExceptionResponseFixture.cs
</a>
<a class="source" href="../../nmodbus4.unittests/message/writemultiplecoilsrequestfixture.html">
NModbus4.UnitTests\Message\WriteMultipleCoilsRequestFixture.cs
</a>
<a class="source" href="../../nmodbus4.unittests/message/writemultiplecoilsresponsefixture.html">
NModbus4.UnitTests\Message\WriteMultipleCoilsResponseFixture.cs
</a>
<a class="source" href="../../nmodbus4.unittests/message/writemultipleregistersrequestfixture.html">
NModbus4.UnitTests\Message\WriteMultipleRegistersRequestFixture.cs
</a>
<a class="source" href="../../nmodbus4.unittests/message/writemultipleregistersresponsefixture.html">
NModbus4.UnitTests\Message\WriteMultipleRegistersResponseFixture.cs
</a>
<a class="source" href="../../nmodbus4.unittests/message/writesinglecoilrequestresponsefixture.html">
NModbus4.UnitTests\Message\WriteSingleCoilRequestResponseFixture.cs
</a>
<a class="source" href="../../nmodbus4.unittests/message/writesingleregisterrequestresponsefixture.html">
NModbus4.UnitTests\Message\WriteSingleRegisterRequestResponseFixture.cs
</a>
<a class="source" href="../../nmodbus4.unittests/properties/assemblyinfo.html">
NModbus4.UnitTests\Properties\AssemblyInfo.cs
</a>
<a class="source" href="../../nmodbus4.unittests/utility/collectionutilityfixture.html">
NModbus4.UnitTests\Utility\CollectionUtilityFixture.cs
</a>
<a class="source" href="../../nmodbus4.unittests/utility/discriminatedunionfixture.html">
NModbus4.UnitTests\Utility\DiscriminatedUnionFixture.cs
</a>
<a class="source" href="../../nmodbus4.unittests/utility/modbusutilityfixture.html">
NModbus4.UnitTests\Utility\ModbusUtilityFixture.cs
</a>
<a class="source" href="../../nmodbus4.unittests/utility/serialconnectionfixture.html">
NModbus4.UnitTests\Utility\SerialConnectionFixture.cs
</a>
<a class="source" href="../../samples/driver.html">
Samples\Driver.cs
</a>
<a class="source" href="../../samples/properties/assemblyinfo.html">
Samples\Properties\AssemblyInfo.cs
</a>
</div>
</div>
</div>
<table cellpadding="0" cellspacing="0">
<thead>
<tr>
<th class="docs">
<h1>MessageUtility.cs</h1>
</th>
<th class="code"></th>
</tr>
</thead>
<tbody>
<tr id="section_1">
<td class="docs">
<div class="pilwrap">
<a class="pilcrow" href="#section_1">¶</a>
</div>
</td>
<td class="code">
<pre><code class='prettyprint'>using System;
using System.Collections.Generic;
namespace Modbus.UnitTests.Message
{
public static class MessageUtility
{
</code></pre>
</td>
</tr>
<tr id="section_2">
<td class="docs">
<div class="pilwrap">
<a class="pilcrow" href="#section_2">¶</a>
</div>
<p>Creates a collection initialized to a default value.</p>
</td>
<td class="code">
<pre><code class='prettyprint'> public static T CreateDefaultCollection<T, V>(V defaultValue, int size) where T : ICollection<V>, new()
{
if (size < 0)
throw new ArgumentOutOfRangeException("Collection size cannot be less than 0.");
T col = new T();
for (int i = 0; i < size; i++)
col.Add(defaultValue);
return col;
}
}
}
</code></pre>
</td>
</tr>
</tbody>
</table>
</div>
</body>
</html>
| {
"content_hash": "841932fec8a322a9c3c9d58c2a6f5873",
"timestamp": "",
"source": "github",
"line_count": 387,
"max_line_length": 161,
"avg_line_length": 45.2609819121447,
"alnum_prop": 0.6520324274948618,
"repo_name": "yvschmid/NModbus4",
"id": "f00f9e9b1c712807bd3ce2c76d271af685f48842",
"size": "17516",
"binary": false,
"copies": "3",
"ref": "refs/heads/portable-3.0",
"path": "docs/nmodbus4.unittests/message/messageutility.html",
"mode": "33188",
"license": "mit",
"language": [
{
"name": "C#",
"bytes": "428730"
}
],
"symlink_target": ""
} |
Customizing encoding and decoding
=================================
Both the encoder and decoder can be customized to support a wider range of types.
On the encoder side, this is accomplished by passing a callback as the ``default`` constructor
argument. This callback will receive an object that the encoder could not serialize on its own.
The callback should then return a value that the encoder can serialize on its own, although the
return value is allowed to contain objects that also require the encoder to use the callback, as
long as it won't result in an infinite loop.
On the decoder side, you have two options: ``tag_hook`` and ``object_hook``. The former is called
by the decoder to process any semantic tags that have no predefined decoders. The latter is called
for any newly decoded ``dict`` objects, and is mostly useful for implementing a JSON compatible
custom type serialization scheme. Unless your requirements restrict you to JSON compatible types
only, it is recommended to use ``tag_hook`` for this purpose.
Using the CBOR tags for custom types
------------------------------------
The most common way to use ``default`` is to call :meth:`~cbor2.encoder.CBOREncoder.encode`
to add a custom tag in the data stream, with the payload as the value::
class Point:
def __init__(self, x, y):
self.x = x
self.y = y
def default_encoder(encoder, value):
# Tag number 4000 was chosen arbitrarily
encoder.encode(CBORTag(4000, [value.x, value.y]))
The corresponding ``tag_hook`` would be::
def tag_hook(decoder, tag, shareable_index=None):
if tag.tag != 4000:
return tag
# tag.value is now the [x, y] list we serialized before
return Point(*tag.value)
Using dicts to carry custom types
---------------------------------
The same could be done with ``object_hook``, except less efficiently::
def default_encoder(encoder, value):
encoder.encode(dict(typename='Point', x=value.x, y=value.y))
def object_hook(decoder, value):
if value.get('typename') != 'Point':
return value
return Point(value['x'], value['y'])
You should make sure that whatever way you decide to use for telling apart your "specially marked"
dicts from arbitrary data dicts won't mistake on for the other.
Value sharing with custom types
-------------------------------
In order to properly encode and decode cyclic references with custom types, some special care has
to be taken. Suppose you have a custom type as below, where every child object contains a reference
to its parent and the parent contains a list of children::
from cbor2 import dumps, loads, shareable_encoder, CBORTag
class MyType:
def __init__(self, parent=None):
self.parent = parent
self.children = []
if parent:
self.parent.children.append(self)
This would not normally be serializable, as it would lead to an endless loop (in the worst case)
and raise some exception (in the best case). Now, enter CBOR's extension tags 28 and 29. These tags
make it possible to add special markers into the data stream which can be later referenced and
substituted with the object marked earlier.
To do this, in ``default`` hooks used with the encoder you will need to use the
:meth:`~cbor2.encoder.shareable_encoder` decorator on your ``default`` hook function. It will
automatically automatically add the object to the shared values registry on the encoder and prevent
it from being serialized twice (instead writing a reference to the data stream)::
@shareable_encoder
def default_encoder(encoder, value):
# The state has to be serialized separately so that the decoder would have a chance to
# create an empty instance before the shared value references are decoded
serialized_state = encoder.encode_to_bytes(value.__dict__)
encoder.encode(CBORTag(3000, serialized_state))
On the decoder side, you will need to initialize an empty instance for shared value lookup before
the object's state (which may contain references to it) is decoded.
This is done with the :meth:`~cbor2.encoder.CBORDecoder.set_shareable` method::
def tag_hook(decoder, tag, shareable_index=None):
# Return all other tags as-is
if tag.tag != 3000:
return tag
# Create a raw instance before initializing its state to make it possible for cyclic
# references to work
instance = MyType.__new__(MyType)
decoder.set_shareable(shareable_index, instance)
# Separately decode the state of the new object and then apply it
state = decoder.decode_from_bytes(tag.value)
instance.__dict__.update(state)
return instance
You could then verify that the cyclic references have been restored after deserialization::
parent = MyType()
child1 = MyType(parent)
child2 = MyType(parent)
serialized = dumps(parent, default=default_encoder, value_sharing=True)
new_parent = loads(serialized, tag_hook=tag_hook)
assert new_parent.children[0].parent is new_parent
assert new_parent.children[1].parent is new_parent
Decoding Tagged items as keys
-----------------------------
Since the CBOR specification allows any type to be used as a key in the mapping type, the decoder
provides a flag that indicates it is expecting an immutable (and by implication hashable) type. If
your custom class cannot be used this way you can raise an exception if this flag is set::
def tag_hook(decoder, tag, shareable_index=None):
if tag.tag != 3000:
return tag
if decoder.immutable:
raise CBORDecodeException('MyType cannot be used as a key or set member')
return MyType(*tag.value)
An example where the data could be used as a dict key::
from collections import namedtuple
Pair = namedtuple('Pair', 'first second')
def tag_hook(decoder, tag, shareable_index=None):
if tag.tag != 4000:
return tag
return Pair(*tag.value)
The ``object_hook`` can check for the immutable flag in the same way.
| {
"content_hash": "60c6ca0278f0adc3ed6d3fb85715b556",
"timestamp": "",
"source": "github",
"line_count": 151,
"max_line_length": 99,
"avg_line_length": 40.80794701986755,
"alnum_prop": 0.6934436871145732,
"repo_name": "agronholm/cbor2",
"id": "38909ea7aa8df669c1dc3844814e80b3aba11764",
"size": "6162",
"binary": false,
"copies": "1",
"ref": "refs/heads/master",
"path": "docs/customizing.rst",
"mode": "33188",
"license": "mit",
"language": [
{
"name": "C",
"bytes": "209084"
},
{
"name": "Python",
"bytes": "133927"
},
{
"name": "Shell",
"bytes": "887"
}
],
"symlink_target": ""
} |
<?php
/*
* This file is part of the Rollerworks RouteAutowiringBundle package.
*
* (c) Sebastiaan Stok <[email protected]>
*
* This source file is subject to the MIT license that is bundled
* with this source code in the file LICENSE.
*/
namespace Rollerworks\Bundle\RouteAutowiringBundle\DependencyInjection\Compiler;
use Symfony\Component\DependencyInjection\Compiler\CompilerPassInterface;
use Symfony\Component\DependencyInjection\ContainerBuilder;
use Symfony\Component\DependencyInjection\Reference;
/**
* RouteResourcePass registers the route resources on RouteSlotLoader service.
*/
final class RouteResourcePass implements CompilerPassInterface
{
const TAG_NAME = 'rollerworks_route_autowiring.tracked_resource';
public function process(ContainerBuilder $container): void
{
if (!$container->has('rollerworks_route_autowiring.route_loader') || !$container->getParameter('kernel.debug')) {
return;
}
$trackedResources = array_map(
function ($id) {
return new Reference($id);
},
array_keys($container->findTaggedServiceIds(self::TAG_NAME))
);
$container->getDefinition('rollerworks_route_autowiring.route_loader')->replaceArgument(1, $trackedResources);
}
}
| {
"content_hash": "bfcdf0b6c8c3c5b0530ca6185367866c",
"timestamp": "",
"source": "github",
"line_count": 40,
"max_line_length": 121,
"avg_line_length": 32.65,
"alnum_prop": 0.7151607963246555,
"repo_name": "rollerworks/RouteAutowiringBundle",
"id": "6920f53eb36fe2949278dd5477bf0cd093f830ff",
"size": "1306",
"binary": false,
"copies": "1",
"ref": "refs/heads/master",
"path": "src/DependencyInjection/Compiler/RouteResourcePass.php",
"mode": "33188",
"license": "mit",
"language": [
{
"name": "PHP",
"bytes": "51010"
}
],
"symlink_target": ""
} |
using bookmarks::BookmarkModel;
using bookmarks::BookmarkNode;
namespace history_report {
DataObserver::DataObserver(
base::Callback<void(void)> data_changed_callback,
base::Callback<void(void)> data_cleared_callback,
base::Callback<void(void)> stop_reporting_callback,
DeltaFileService* delta_file_service,
UsageReportsBufferService* usage_reports_buffer_service,
BookmarkModel* bookmark_model,
history::HistoryService* history_service)
: bookmark_model_(bookmark_model),
data_changed_callback_(data_changed_callback),
data_cleared_callback_(data_cleared_callback),
stop_reporting_callback_(stop_reporting_callback),
delta_file_service_(delta_file_service),
usage_reports_buffer_service_(usage_reports_buffer_service) {
bookmark_model_->AddObserver(this);
history_service->AddObserver(this);
}
DataObserver::~DataObserver() {
if (bookmark_model_)
bookmark_model_->RemoveObserver(this);
}
void DataObserver::BookmarkModelLoaded(BookmarkModel* model,
bool ids_reassigned) {}
void DataObserver::BookmarkModelBeingDeleted(BookmarkModel* model) {
DCHECK_EQ(model, bookmark_model_);
bookmark_model_->RemoveObserver(this);
bookmark_model_ = nullptr;
}
void DataObserver::BookmarkNodeMoved(BookmarkModel* model,
const BookmarkNode* old_parent,
size_t old_index,
const BookmarkNode* new_parent,
size_t new_index) {}
void DataObserver::BookmarkNodeAdded(BookmarkModel* model,
const BookmarkNode* parent,
size_t index) {
delta_file_service_->PageAdded(parent->children()[index]->url());
data_changed_callback_.Run();
}
void DataObserver::BookmarkNodeRemoved(BookmarkModel* model,
const BookmarkNode* parent,
size_t old_index,
const BookmarkNode* node,
const std::set<GURL>& removed_urls) {
DeleteBookmarks(removed_urls);
}
void DataObserver::BookmarkAllUserNodesRemoved(
BookmarkModel* model,
const std::set<GURL>& removed_urls) {
DeleteBookmarks(removed_urls);
}
void DataObserver::BookmarkNodeChanged(BookmarkModel* model,
const BookmarkNode* node) {
delta_file_service_->PageAdded(node->url());
data_changed_callback_.Run();
}
void DataObserver::BookmarkNodeFaviconChanged(BookmarkModel* model,
const BookmarkNode* node) {}
void DataObserver::BookmarkNodeChildrenReordered(BookmarkModel* model,
const BookmarkNode* node) {}
void DataObserver::DeleteBookmarks(const std::set<GURL>& removed_urls) {
for (std::set<GURL>::const_iterator it = removed_urls.begin();
it != removed_urls.end();
++it) {
delta_file_service_->PageDeleted(*it);
}
if (!removed_urls.empty())
data_changed_callback_.Run();
}
void DataObserver::OnURLVisited(history::HistoryService* history_service,
ui::PageTransition transition,
const history::URLRow& row,
const history::RedirectList& redirects,
base::Time visit_time) {
if (row.hidden() || ui::PageTransitionIsRedirect(transition))
return;
delta_file_service_->PageAdded(row.url());
// TODO(haaawk): check if this is really a data change not just a
// visit of already seen page.
data_changed_callback_.Run();
std::string id = DeltaFileEntryWithData::UrlToId(row.url().spec());
usage_reports_buffer_service_->AddVisit(
id,
visit_time.ToJavaTime(),
usage_report_util::IsTypedVisit(transition));
// We stop any usage reporting to wait for gmscore to query the provider
// for this url. We do not want to report usage for a URL which might
// not be known to gmscore.
stop_reporting_callback_.Run();
}
void DataObserver::OnURLsModified(history::HistoryService* history_service,
const history::URLRows& changed_urls) {
for (const auto& row : changed_urls) {
if (!row.hidden())
delta_file_service_->PageAdded(row.url());
}
data_changed_callback_.Run();
}
void DataObserver::OnURLsDeleted(history::HistoryService* history_service,
const history::DeletionInfo& deletion_info) {
if (deletion_info.IsAllHistory()) {
delta_file_service_->Clear();
data_cleared_callback_.Run();
} else {
for (const auto& row : deletion_info.deleted_rows()) {
if (!row.hidden())
delta_file_service_->PageDeleted(row.url());
}
data_changed_callback_.Run();
}
}
} // namespace history_report
| {
"content_hash": "6b109e8b1b40df4fc8e40192b20d5080",
"timestamp": "",
"source": "github",
"line_count": 135,
"max_line_length": 78,
"avg_line_length": 36.91111111111111,
"alnum_prop": 0.6160947220549869,
"repo_name": "endlessm/chromium-browser",
"id": "0108344b024d3a9b95484ceb432664ed4ad69f50",
"size": "5651",
"binary": false,
"copies": "1",
"ref": "refs/heads/master",
"path": "chrome/browser/android/history_report/data_observer.cc",
"mode": "33188",
"license": "bsd-3-clause",
"language": [],
"symlink_target": ""
} |
module.exports = {
twilio: {
// all of these are found at
// https://www.twilio.com/user/account/voice-sms-mms
accountSid: 'YOUR SID HERE'
, authToken: "YOUR TOKEN HERE'
// This is the number under "Sandbox App" thingy
, fromNumber: '+1 415-xxx-xxxx'
}
};
| {
"content_hash": "1c3bba7401e7a2e5e3e8f1aecc4aa2dc",
"timestamp": "",
"source": "github",
"line_count": 10,
"max_line_length": 56,
"avg_line_length": 28,
"alnum_prop": 0.6357142857142857,
"repo_name": "coolaj86/dev-mtn-node-3",
"id": "971ff31cda360e858311de9001f9e4b76dda7c34",
"size": "280",
"binary": false,
"copies": "1",
"ref": "refs/heads/master",
"path": "config.sample.js",
"mode": "33188",
"license": "apache-2.0",
"language": [
{
"name": "HTML",
"bytes": "44"
},
{
"name": "JavaScript",
"bytes": "2994"
}
],
"symlink_target": ""
} |
module Fog
module Compute
class Aliyun
class Real
# Allocate an avalable public IP address to the given instance.
#
# ==== Parameters
# * server_id<~String> - id of the instance
# ==== Returns
# * response<~Excon::Response>:
# * body<~Hash>:
# * 'IpAddress'<~String> - The allocated ip address
# * 'RequestId'<~String> - Id of the request
#
# {Aliyun API Reference}[https://docs.aliyun.com/?spm=5176.100054.201.106.DGkmH7#/pub/ecs/open-api/network&allocatepublicipaddress]
def allocate_public_ip_address(server_id)
_action = 'AllocatePublicIpAddress'
_sigNonce = randonStr()
_time = Time.new.utc
_parameters = defalutParameters(_action, _sigNonce, _time)
_pathURL = defaultAliyunUri(_action, _sigNonce, _time)
_parameters['InstanceId']=server_id
_pathURL += '&InstanceId='+server_id
_signature = sign(@aliyun_accesskey_secret, _parameters)
_pathURL += '&Signature='+_signature
request(
:expects => [200, 204],
:method => 'GET',
:path => _pathURL
)
end
end
class Mock
def allocate_address(pool = nil)
response = Excon::Response.new
response.status = 200
response.headers = {
"X-Compute-Request-Id" => "req-d4a21158-a86c-44a6-983a-e25645907f26",
"Content-Type" => "application/json",
"Content-Length" => "105",
"Date"=> Date.new
}
response.body = {
"floating_ip" => {
"instance_id" => nil,
"ip" => "192.168.27.132",
"fixed_ip" => nil,
"id" => 4,
"pool"=>"nova"
}
}
response
end
end # mock
end # aliyun
end #compute
end
| {
"content_hash": "583c6fb5f9428be20afaaac471b3ee39",
"timestamp": "",
"source": "github",
"line_count": 63,
"max_line_length": 139,
"avg_line_length": 31.650793650793652,
"alnum_prop": 0.49598796389167504,
"repo_name": "ralzate/Aerosanidad-Correciones",
"id": "73fe9995dd6056661226e9e8c2cb8b0c93f93d10",
"size": "1994",
"binary": false,
"copies": "15",
"ref": "refs/heads/master",
"path": "vendor/bundle/ruby/2.1.0/gems/fog-aliyun-0.0.10/lib/fog/aliyun/requests/compute/allocate_public_ip_address.rb",
"mode": "33188",
"license": "mit",
"language": [
{
"name": "CSS",
"bytes": "6750"
},
{
"name": "CoffeeScript",
"bytes": "3898"
},
{
"name": "HTML",
"bytes": "394687"
},
{
"name": "JavaScript",
"bytes": "14915"
},
{
"name": "Ruby",
"bytes": "2300529"
}
],
"symlink_target": ""
} |
package sherrloc.graph;
import java.util.Set;
import sherrloc.constraint.ast.Inequality;
/**
* An edge in the constraint graph
*/
abstract public class Edge {
protected Node from;
protected Node to;
/**
* @param from
* Start node
* @param to
* End node
*/
public Edge(Node from, Node to) {
this.from = from;
this.to = to;
}
/**
* @return Start node
*/
public Node getFrom() {
return from;
}
/**
* @return End node
*/
public Node getTo() {
return to;
}
/**
* Increase # satisfiable paths using the edge
*/
public void incNumSuccCounter() {
// do nothing
}
/**
* Mark the edge contributes to errors
*/
public void setCause() {
// do nothing
}
/**
* @return False if the edge is bidirectional (e.g., an edge representing
* equation)
*/
abstract public boolean isDirected();
/**
* @return # of supporting edges that derives the edge
*/
abstract public int getLength();
/**
* @return All hypotheses made to derive the edge
*/
abstract public Set<Inequality> getHypothesis();
/**
* @return Reversed edge
*/
abstract public Edge getReverse();
}
| {
"content_hash": "c161e8067c213a48620046bd8f5958a1",
"timestamp": "",
"source": "github",
"line_count": 73,
"max_line_length": 74,
"avg_line_length": 15.931506849315069,
"alnum_prop": 0.6216680997420464,
"repo_name": "ucsd-progsys/ml2",
"id": "8c94167fa77acda02ecd0d428ff295c633568181",
"size": "1163",
"binary": false,
"copies": "2",
"ref": "refs/heads/master",
"path": "eval/sherrloc/src/sherrloc/graph/Edge.java",
"mode": "33188",
"license": "bsd-3-clause",
"language": [
{
"name": "Assembly",
"bytes": "334291"
},
{
"name": "C",
"bytes": "3204092"
},
{
"name": "C++",
"bytes": "57276"
},
{
"name": "CSS",
"bytes": "889"
},
{
"name": "Emacs Lisp",
"bytes": "418541"
},
{
"name": "HTML",
"bytes": "1036"
},
{
"name": "Java",
"bytes": "173254"
},
{
"name": "JavaScript",
"bytes": "2800"
},
{
"name": "Lex",
"bytes": "3435"
},
{
"name": "M",
"bytes": "28618"
},
{
"name": "Makefile",
"bytes": "215103"
},
{
"name": "Mathematica",
"bytes": "11837"
},
{
"name": "OCaml",
"bytes": "26579199"
},
{
"name": "Perl",
"bytes": "3633"
},
{
"name": "Python",
"bytes": "62202"
},
{
"name": "R",
"bytes": "10604"
},
{
"name": "Roff",
"bytes": "55057"
},
{
"name": "Shell",
"bytes": "125276"
},
{
"name": "Smarty",
"bytes": "5510"
},
{
"name": "Standard ML",
"bytes": "38954"
},
{
"name": "Tcl",
"bytes": "66"
},
{
"name": "TeX",
"bytes": "768962"
}
],
"symlink_target": ""
} |
{% extends "v9/layoutv9.html" %}
{% set title = "Call our team to confirm your identity" %}
{% block page_title %}
{{title}} - GOV.UK
{% endblock %}
{% block content %}
<main id="content" role="main">
<!-- beta banner block -->
{% include "../../../partials/beta-banner.html" %}
<a href="#" class="link-back" onclick="history.go(-1)">Back</a>
<div class="grid-row">
<div class="column-two-thirds">
<h1 class="heading-large">
Call our team to confirm your identity
</h1>
<p>You'll need to tell us information from your licences and give us your email address.</p>
<ul class="list list-bullet">
<li>phone - <a href="tel:03708506506">03708 506 506</a> (UK)</li>
<li>minicom if you are deaf or hard of hearing - 03702 422 549</li>
</ul>
<p>Phone lines are open Monday to Friday, 8am to 6pm.
</br>Call charges can be found on <a href="http://www.gov.uk">GOV.UK</a></p>
<a href="7-2_by_post">Or, request your code by post</a>
</div>
</div>
</main>
{% endblock %}
| {
"content_hash": "ca8f90a67429303b535b627156763832",
"timestamp": "",
"source": "github",
"line_count": 41,
"max_line_length": 98,
"avg_line_length": 25.975609756097562,
"alnum_prop": 0.5915492957746479,
"repo_name": "christinagyles-ea/water",
"id": "ca2b27590dd86622c5f2aa100d8a0d7f5bbdd35c",
"size": "1065",
"binary": false,
"copies": "9",
"ref": "refs/heads/master",
"path": "app/v6/views/v21/ex/invites/registration/by_phone.html",
"mode": "33188",
"license": "mit",
"language": [
{
"name": "CSS",
"bytes": "7565"
},
{
"name": "HTML",
"bytes": "291991"
},
{
"name": "JavaScript",
"bytes": "39109"
},
{
"name": "Shell",
"bytes": "1495"
}
],
"symlink_target": ""
} |
FROM balenalib/genericx86-64-ext-alpine:3.12-build
ENV NODE_VERSION 14.16.1
ENV YARN_VERSION 1.22.4
# Install dependencies
RUN apk add --no-cache libgcc libstdc++ libuv \
&& apk add --no-cache libssl1.0 || apk add --no-cache libssl1.1
RUN for key in \
6A010C5166006599AA17F08146C2130DFD2497F5 \
; do \
gpg --keyserver pgp.mit.edu --recv-keys "$key" || \
gpg --keyserver keyserver.pgp.com --recv-keys "$key" || \
gpg --keyserver ha.pool.sks-keyservers.net --recv-keys "$key" ; \
done \
&& curl -SLO "http://resin-packages.s3.amazonaws.com/node/v$NODE_VERSION/node-v$NODE_VERSION-linux-alpine-amd64.tar.gz" \
&& echo "01421c819198edabcc2e32abe416f6359f87fd5f2c5dfc3daa791f303dc53bac node-v$NODE_VERSION-linux-alpine-amd64.tar.gz" | sha256sum -c - \
&& tar -xzf "node-v$NODE_VERSION-linux-alpine-amd64.tar.gz" -C /usr/local --strip-components=1 \
&& rm "node-v$NODE_VERSION-linux-alpine-amd64.tar.gz" \
&& curl -fSLO --compressed "https://yarnpkg.com/downloads/$YARN_VERSION/yarn-v$YARN_VERSION.tar.gz" \
&& curl -fSLO --compressed "https://yarnpkg.com/downloads/$YARN_VERSION/yarn-v$YARN_VERSION.tar.gz.asc" \
&& gpg --batch --verify yarn-v$YARN_VERSION.tar.gz.asc yarn-v$YARN_VERSION.tar.gz \
&& mkdir -p /opt/yarn \
&& tar -xzf yarn-v$YARN_VERSION.tar.gz -C /opt/yarn --strip-components=1 \
&& ln -s /opt/yarn/bin/yarn /usr/local/bin/yarn \
&& ln -s /opt/yarn/bin/yarn /usr/local/bin/yarnpkg \
&& rm yarn-v$YARN_VERSION.tar.gz.asc yarn-v$YARN_VERSION.tar.gz \
&& npm config set unsafe-perm true -g --unsafe-perm \
&& rm -rf /tmp/*
CMD ["echo","'No CMD command was set in Dockerfile! Details about CMD command could be found in Dockerfile Guide section in our Docs. Here's the link: https://balena.io/docs"]
RUN curl -SLO "https://raw.githubusercontent.com/balena-io-library/base-images/8accad6af708fca7271c5c65f18a86782e19f877/scripts/assets/tests/[email protected]" \
&& echo "Running test-stack@node" \
&& chmod +x [email protected] \
&& bash [email protected] \
&& rm -rf [email protected]
RUN [ ! -d /.balena/messages ] && mkdir -p /.balena/messages; echo $'Here are a few details about this Docker image (For more information please visit https://www.balena.io/docs/reference/base-images/base-images/): \nArchitecture: Intel 64-bit (x86-64) \nOS: Alpine Linux 3.12 \nVariant: build variant \nDefault variable(s): UDEV=off \nThe following software stack is preinstalled: \nNode.js v14.16.1, Yarn v1.22.4 \nExtra features: \n- Easy way to install packages with `install_packages <package-name>` command \n- Run anywhere with cross-build feature (for ARM only) \n- Keep the container idling with `balena-idle` command \n- Show base image details with `balena-info` command' > /.balena/messages/image-info
RUN echo $'#!/bin/bash\nbalena-info\nbusybox ln -sf /bin/busybox /bin/sh\n/bin/sh "$@"' > /bin/sh-shim \
&& chmod +x /bin/sh-shim \
&& ln -f /bin/sh /bin/sh.real \
&& ln -f /bin/sh-shim /bin/sh | {
"content_hash": "73c9c6dd2f3034dde9ac03a0e7c58e2e",
"timestamp": "",
"source": "github",
"line_count": 45,
"max_line_length": 714,
"avg_line_length": 65.55555555555556,
"alnum_prop": 0.7105084745762712,
"repo_name": "nghiant2710/base-images",
"id": "6ec46a8ce3d8c3800b8075dc910acc1ce0330a08",
"size": "2971",
"binary": false,
"copies": "1",
"ref": "refs/heads/master",
"path": "balena-base-images/node/genericx86-64-ext/alpine/3.12/14.16.1/build/Dockerfile",
"mode": "33188",
"license": "apache-2.0",
"language": [
{
"name": "Dockerfile",
"bytes": "144558581"
},
{
"name": "JavaScript",
"bytes": "16316"
},
{
"name": "Shell",
"bytes": "368690"
}
],
"symlink_target": ""
} |
SYNONYM
#### According to
The Catalogue of Life, 3rd January 2011
#### Published in
null
#### Original name
null
### Remarks
null | {
"content_hash": "1ed3eafe6c473aafef0cc538726d8024",
"timestamp": "",
"source": "github",
"line_count": 13,
"max_line_length": 39,
"avg_line_length": 10.23076923076923,
"alnum_prop": 0.6917293233082706,
"repo_name": "mdoering/backbone",
"id": "5de237015cd70952ad855a0c3c4ac26e16e35324",
"size": "179",
"binary": false,
"copies": "1",
"ref": "refs/heads/master",
"path": "life/Plantae/Magnoliophyta/Liliopsida/Poales/Poaceae/Muhlenbergia/Muhlenbergia microsperma/ Syn. Podosemum debile/README.md",
"mode": "33188",
"license": "apache-2.0",
"language": [],
"symlink_target": ""
} |
// Copyright (c) 2013 Krkadoni.com - Released under The MIT License.
// Full license text can be found at http://opensource.org/licenses/MIT
using System;
using System.Globalization;
using System.Linq;
using System.Windows.Forms;
using Krkadoni.SESE.Properties;
namespace Krkadoni.SESE
{
public partial class ProfilesOptionsPage : OptionsPage
{
private readonly ErrorProvider _erp;
private readonly BindingSource _bsProfiles;
public ProfilesOptionsPage()
{
InitializeComponent();
_bsProfiles = new BindingSource(AppSettings.DefInstance.Profiles, "");
_bsProfiles.DataSource = AppSettings.DefInstance.Profiles;
_bsProfiles.CurrentChanged += _bsProfiles_CurrentChanged;
_erp = new ErrorProvider(this);
_erp.ContainerControl = this;
lbProfiles.DataSource = _bsProfiles;
txtProfileName.DataBindings.Add(new Binding("Text", _bsProfiles, "Name", true, DataSourceUpdateMode.OnPropertyChanged));
txtUsername.DataBindings.Add(new Binding("Text", _bsProfiles, "Username", true, DataSourceUpdateMode.OnPropertyChanged));
txtPassword.DataBindings.Add(new Binding("Text", _bsProfiles, "PasswordDecrypted", true, DataSourceUpdateMode.OnPropertyChanged));
cbEnigma.DataBindings.Add(new Binding("SelectedItem", _bsProfiles, "Enigma", true, DataSourceUpdateMode.OnPropertyChanged));
txtSatellites.DataBindings.Add(new Binding("Text", _bsProfiles, "SatellitesFolder", true, DataSourceUpdateMode.OnPropertyChanged));
txtServices.DataBindings.Add(new Binding("Text", _bsProfiles, "ServicesFolder", true, DataSourceUpdateMode.OnPropertyChanged));
txtHttpPort.DataBindings.Add(new Binding("Text", _bsProfiles, "Port", false, DataSourceUpdateMode.OnPropertyChanged));
txtSshPort.DataBindings.Add(new Binding("Text", _bsProfiles, "SSHPort", false, DataSourceUpdateMode.OnPropertyChanged));
txtFtpPort.DataBindings.Add(new Binding("Text", _bsProfiles, "FTPPort", false, DataSourceUpdateMode.OnPropertyChanged));
txtAddress.DataBindings.Add(new Binding("Text", _bsProfiles, "Address", true, DataSourceUpdateMode.OnPropertyChanged));
ceDefault.DataBindings.Add(new Binding("Checked", _bsProfiles, "Preferred", true, DataSourceUpdateMode.OnPropertyChanged));
panelProfile.Validating += panelProfile_Validating;
txtProfileName.Validating += txtProfileName_Validating;
txtUsername.Validating += txtUsername_Validating;
txtPassword.Validating += txtPassword_Validating;
txtSatellites.Validating += txtSatellites_Validating;
txtServices.Validating += txtServices_Validating;
txtHttpPort.Validating += txtHttpPort_Validating;
txtSshPort.Validating += txtSshPort_Validating;
txtFtpPort.Validating += txtFtpPort_Validating;
txtAddress.Validating += txtAddress_Validating;
txtHttpPort.DataBindings[0].Parse += Port_Parse;
txtSshPort.DataBindings[0].Parse += Port_Parse;
txtFtpPort.DataBindings[0].Parse += Port_Parse;
cbEnigma.DataBindings[0].Parse += Enigma_Parse;
cbEnigma.DataBindings[0].Format += Enigma_Format;
btnDelete.Enabled = (lbProfiles.SelectedItem != null);
panelProfile.Enabled = (lbProfiles.SelectedItem != null);
}
private void _bsProfiles_CurrentChanged(object sender, EventArgs e)
{
var currentProfile = (Profile)lbProfiles.SelectedItem;
cbEnigma.SelectedIndex = (currentProfile != null && currentProfile.Enigma == 1) ? 0 : 1;
btnDelete.Enabled = (lbProfiles.SelectedItem != null);
panelProfile.Enabled = (lbProfiles.SelectedItem != null);
}
private static void Enigma_Format(object sender, ConvertEventArgs e)
{
if (e.Value == null || sbyte.Parse(e.Value.ToString()) == 0)
e.Value = "Enigma 2"; //if enigma type is not set default to Enigma 2
else if (sbyte.Parse(e.Value.ToString()) == 1)
e.Value = "Enigma 1"; //Enigma 1 is on SelectedIndex 0
else if (sbyte.Parse(e.Value.ToString()) == 2)
e.Value = "Enigma 2"; //Enigma 2 is on SelectedIndex 1
}
private static void Enigma_Parse(object sender, ConvertEventArgs e)
{
if (e.Value == null)
e.Value = 2;
else if (e.Value.ToString() == "Enigma 1")
e.Value = 1;
else
e.Value = 2;
}
private static void Port_Parse(object sender, ConvertEventArgs e)
{
if (e.Value == null || e.Value.ToString().Length == 0)
e.Value = 0;
}
private void panelProfile_Validating(object sender, System.ComponentModel.CancelEventArgs e)
{
if (_bsProfiles.Current != null)
{
e.Cancel = ((Profile)_bsProfiles.Current).Error.Length > 0;
}
}
private void btnAdd_Click(object sender, EventArgs e)
{
Profile newProfile = new Profile();
var newProfileName = "Profile (";
var existingIndex = 0;
var count = AppSettings.DefInstance.Profiles.Count(x => x.Name.ToLower().StartsWith(newProfileName.ToLower()));
newProfile.Name = "Profile (" + (count + 1 + existingIndex).ToString(CultureInfo.InvariantCulture) + ")";
while (AppSettings.DefInstance.Profiles.Any(x => x.Name.ToLower() == newProfile.Name.ToLower().ToString(CultureInfo.InvariantCulture)))
{
existingIndex += 1;
newProfile.Name = "Profile (" + (count + 1 + existingIndex).ToString(CultureInfo.InvariantCulture) + ")";
}
AppSettings.DefInstance.Profiles.Add(newProfile);
btnDelete.Enabled = (lbProfiles.SelectedItem != null);
panelProfile.Enabled = (lbProfiles.SelectedItem != null);
}
private void btnDelete_Click(object sender, EventArgs e)
{
AppSettings.DefInstance.Profiles.Remove((Profile)lbProfiles.SelectedItem);
btnDelete.Enabled = (lbProfiles.SelectedItem != null);
panelProfile.Enabled = (lbProfiles.SelectedItem != null);
}
private void ceDefault_CheckedChanged(object sender, EventArgs e)
{
if (ceDefault.Checked)
AppSettings.DefInstance.Profiles.Where(x => !x.Equals(lbProfiles.SelectedItem)).ToList().ForEach(x => x.Preferred = false);
}
private void cbEnigma_SelectedIndexChanged(object sender, EventArgs e)
{
if (lbProfiles.SelectedItem == null)
return;
var currentProfile = (Profile)lbProfiles.SelectedItem;
currentProfile.Enigma = cbEnigma.SelectedIndex == 0 ? sbyte.Parse("1") : sbyte.Parse("2");
}
#region "Validation Handlers"
void txtAddress_Validating(object sender, System.ComponentModel.CancelEventArgs e)
{
if (_bsProfiles.Current != null)
{
var err = ((Profile)_bsProfiles.Current)["Address"];
_erp.SetError(txtAddress, err);
e.Cancel = err.Length > 0;
}
else
{
_erp.SetError(txtAddress, string.Empty);
}
}
void txtFtpPort_Validating(object sender, System.ComponentModel.CancelEventArgs e)
{
if (_bsProfiles.Current != null)
{
var err = ((Profile)_bsProfiles.Current)["FTPPort"];
_erp.SetError(txtFtpPort, err);
e.Cancel = err.Length > 0;
}
else
{
_erp.SetError(txtFtpPort, string.Empty);
}
}
void txtSshPort_Validating(object sender, System.ComponentModel.CancelEventArgs e)
{
if (_bsProfiles.Current != null)
{
var err = ((Profile)_bsProfiles.Current)["SSHPort"];
_erp.SetError(txtSshPort, err);
e.Cancel = err.Length > 0;
}
else
{
_erp.SetError(txtSshPort, string.Empty);
}
}
void txtHttpPort_Validating(object sender, System.ComponentModel.CancelEventArgs e)
{
if (_bsProfiles.Current != null)
{
var err = ((Profile)_bsProfiles.Current)["Port"];
_erp.SetError(txtHttpPort, err);
e.Cancel = err.Length > 0;
}
else
{
_erp.SetError(txtHttpPort, string.Empty);
}
}
void txtServices_Validating(object sender, System.ComponentModel.CancelEventArgs e)
{
if (_bsProfiles.Current != null)
{
var err = ((Profile)_bsProfiles.Current)["ServicesFolder"];
_erp.SetError(txtServices, err);
e.Cancel = err.Length > 0;
}
else
{
_erp.SetError(txtServices, string.Empty);
}
}
void txtSatellites_Validating(object sender, System.ComponentModel.CancelEventArgs e)
{
if (_bsProfiles.Current != null)
{
var err = ((Profile)_bsProfiles.Current)["SatellitesFolder"];
_erp.SetError(txtSatellites, err);
e.Cancel = err.Length > 0;
}
else
{
_erp.SetError(txtSatellites, string.Empty);
}
}
void txtPassword_Validating(object sender, System.ComponentModel.CancelEventArgs e)
{
if (_bsProfiles.Current != null)
{
var err = ((Profile)_bsProfiles.Current)["PasswordDecrypted"];
_erp.SetError(txtPassword, err);
e.Cancel = err.Length > 0;
}
else
{
_erp.SetError(txtPassword, string.Empty);
}
}
void txtUsername_Validating(object sender, System.ComponentModel.CancelEventArgs e)
{
if (_bsProfiles.Current != null)
{
var err = ((Profile)_bsProfiles.Current)["Username"];
_erp.SetError(txtUsername, err);
e.Cancel = err.Length > 0;
}
else
{
_erp.SetError(txtUsername, string.Empty);
}
}
void txtProfileName_Validating(object sender, System.ComponentModel.CancelEventArgs e)
{
if (_bsProfiles.Current != null)
{
var err = ((Profile)_bsProfiles.Current)["Name"];
_erp.SetError(txtProfileName, err);
if (err.Length > 0)
e.Cancel = true;
if (AppSettings.DefInstance.Profiles.Count(x => x.Name.ToLower() == txtProfileName.Text.ToLower()) <= 1) return;
e.Cancel = true;
_erp.SetError(txtProfileName, Resources.Profile_invalidValue_Invalid_value_);
}
else
{
_erp.SetError(txtProfileName, string.Empty);
}
}
#endregion
}
}
| {
"content_hash": "73e18bfe9d125f16e208bdcdb448c3c1",
"timestamp": "",
"source": "github",
"line_count": 274,
"max_line_length": 147,
"avg_line_length": 41.91970802919708,
"alnum_prop": 0.5773115096639387,
"repo_name": "shaxxx/SESE",
"id": "31bfc551957df83cb43f39d7c477b2624336f404",
"size": "11488",
"binary": false,
"copies": "1",
"ref": "refs/heads/master",
"path": "SESE/ProfilesOptionsPage.cs",
"mode": "33188",
"license": "mit",
"language": [
{
"name": "C#",
"bytes": "203134"
}
],
"symlink_target": ""
} |
package com.thoughtworks.go.domain.materials.git;
import com.thoughtworks.go.config.materials.git.GitMaterial;
import com.thoughtworks.go.domain.MaterialInstance;
import com.thoughtworks.go.domain.materials.Material;
public class GitMaterialInstance extends MaterialInstance {
protected GitMaterialInstance() {
}
public GitMaterialInstance(String url, String userName, String branch, String submoduleFolder, String flyweightName) {
super(url, userName, null, null, null, null, branch, submoduleFolder, flyweightName, null, null, null, null);
}
@Override
public Material toOldMaterial(String name, String folder, String password) {
GitMaterial git = new GitMaterial(url, branch, folder);
setName(name, git);
git.setUserName(username);
git.setPassword(password);
git.setSubmoduleFolder(submoduleFolder);
git.setId(id);
return git;
}
}
| {
"content_hash": "8ac8bbf02706bc6b62dcf3f73eefaf1c",
"timestamp": "",
"source": "github",
"line_count": 26,
"max_line_length": 122,
"avg_line_length": 35.76923076923077,
"alnum_prop": 0.7258064516129032,
"repo_name": "GaneshSPatil/gocd",
"id": "14911078ad2eb53179a537d5d5890f07a88eec3e",
"size": "1531",
"binary": false,
"copies": "2",
"ref": "refs/heads/master",
"path": "domain/src/main/java/com/thoughtworks/go/domain/materials/git/GitMaterialInstance.java",
"mode": "33188",
"license": "apache-2.0",
"language": [
{
"name": "Batchfile",
"bytes": "466"
},
{
"name": "CSS",
"bytes": "1578"
},
{
"name": "EJS",
"bytes": "1626"
},
{
"name": "FreeMarker",
"bytes": "10183"
},
{
"name": "Groovy",
"bytes": "2467987"
},
{
"name": "HTML",
"bytes": "330937"
},
{
"name": "Java",
"bytes": "21404638"
},
{
"name": "JavaScript",
"bytes": "2331039"
},
{
"name": "NSIS",
"bytes": "23525"
},
{
"name": "PowerShell",
"bytes": "664"
},
{
"name": "Ruby",
"bytes": "623850"
},
{
"name": "SCSS",
"bytes": "820788"
},
{
"name": "Sass",
"bytes": "21277"
},
{
"name": "Shell",
"bytes": "169730"
},
{
"name": "TypeScript",
"bytes": "4428865"
},
{
"name": "XSLT",
"bytes": "207072"
}
],
"symlink_target": ""
} |
package openstack
import (
"fmt"
"io/ioutil"
"log"
"github.com/mitchellh/multistep"
"github.com/mitchellh/packer/packer"
"github.com/rackspace/gophercloud/openstack/compute/v2/extensions/keypairs"
"github.com/rackspace/gophercloud/openstack/compute/v2/servers"
)
type StepRunSourceServer struct {
Name string
SourceImage string
SourceImageName string
SecurityGroups []string
Networks []string
AvailabilityZone string
UserData string
UserDataFile string
ConfigDrive bool
server *servers.Server
}
func (s *StepRunSourceServer) Run(state multistep.StateBag) multistep.StepAction {
config := state.Get("config").(Config)
flavor := state.Get("flavor_id").(string)
ui := state.Get("ui").(packer.Ui)
// We need the v2 compute client
computeClient, err := config.computeV2Client()
if err != nil {
err = fmt.Errorf("Error initializing compute client: %s", err)
state.Put("error", err)
return multistep.ActionHalt
}
networks := make([]servers.Network, len(s.Networks))
for i, networkUuid := range s.Networks {
networks[i].UUID = networkUuid
}
userData := []byte(s.UserData)
if s.UserDataFile != "" {
userData, err = ioutil.ReadFile(s.UserDataFile)
if err != nil {
err = fmt.Errorf("Error reading user data file: %s", err)
state.Put("error", err)
return multistep.ActionHalt
}
}
ui.Say("Launching server...")
serverOpts := servers.CreateOpts{
Name: s.Name,
ImageRef: s.SourceImage,
ImageName: s.SourceImageName,
FlavorRef: flavor,
SecurityGroups: s.SecurityGroups,
Networks: networks,
AvailabilityZone: s.AvailabilityZone,
UserData: userData,
ConfigDrive: s.ConfigDrive,
}
var serverOptsExt servers.CreateOptsBuilder
keyName, hasKey := state.GetOk("keyPair")
if hasKey {
serverOptsExt = keypairs.CreateOptsExt{
CreateOptsBuilder: serverOpts,
KeyName: keyName.(string),
}
} else {
serverOptsExt = serverOpts
}
s.server, err = servers.Create(computeClient, serverOptsExt).Extract()
if err != nil {
err := fmt.Errorf("Error launching source server: %s", err)
state.Put("error", err)
ui.Error(err.Error())
return multistep.ActionHalt
}
ui.Message(fmt.Sprintf("Server ID: %s", s.server.ID))
log.Printf("server id: %s", s.server.ID)
ui.Say("Waiting for server to become ready...")
stateChange := StateChangeConf{
Pending: []string{"BUILD"},
Target: []string{"ACTIVE"},
Refresh: ServerStateRefreshFunc(computeClient, s.server),
StepState: state,
}
latestServer, err := WaitForState(&stateChange)
if err != nil {
err := fmt.Errorf("Error waiting for server (%s) to become ready: %s", s.server.ID, err)
state.Put("error", err)
ui.Error(err.Error())
return multistep.ActionHalt
}
s.server = latestServer.(*servers.Server)
state.Put("server", s.server)
return multistep.ActionContinue
}
func (s *StepRunSourceServer) Cleanup(state multistep.StateBag) {
if s.server == nil {
return
}
config := state.Get("config").(Config)
ui := state.Get("ui").(packer.Ui)
// We need the v2 compute client
computeClient, err := config.computeV2Client()
if err != nil {
ui.Error(fmt.Sprintf("Error terminating server, may still be around: %s", err))
return
}
ui.Say(fmt.Sprintf("Terminating the source server: %s ...", s.server.ID))
if err := servers.Delete(computeClient, s.server.ID).ExtractErr(); err != nil {
ui.Error(fmt.Sprintf("Error terminating server, may still be around: %s", err))
return
}
stateChange := StateChangeConf{
Pending: []string{"ACTIVE", "BUILD", "REBUILD", "SUSPENDED", "SHUTOFF", "STOPPED"},
Refresh: ServerStateRefreshFunc(computeClient, s.server),
Target: []string{"DELETED"},
}
WaitForState(&stateChange)
}
| {
"content_hash": "ef2b23a49813c9fde19b7e6191e7881b",
"timestamp": "",
"source": "github",
"line_count": 140,
"max_line_length": 90,
"avg_line_length": 27.185714285714287,
"alnum_prop": 0.684445612191277,
"repo_name": "themalkolm/packer-post-processor-vagrant-upload",
"id": "afe3af8fffd0026eecce5cb5a9c369c8591421d2",
"size": "3806",
"binary": false,
"copies": "4",
"ref": "refs/heads/master",
"path": "vendor/github.com/mitchellh/packer/builder/openstack/step_run_source_server.go",
"mode": "33188",
"license": "mit",
"language": [
{
"name": "Go",
"bytes": "17183"
},
{
"name": "Makefile",
"bytes": "961"
}
],
"symlink_target": ""
} |
package pod
import (
"encoding/json"
"fmt"
v1 "k8s.io/api/core/v1"
metav1 "k8s.io/apimachinery/pkg/apis/meta/v1"
"k8s.io/apimachinery/pkg/types"
"k8s.io/apimachinery/pkg/util/strategicpatch"
clientset "k8s.io/client-go/kubernetes"
)
// PatchPodStatus patches pod status.
func PatchPodStatus(c clientset.Interface, namespace, name string, uid types.UID, oldPodStatus, newPodStatus v1.PodStatus) (*v1.Pod, []byte, error) {
patchBytes, err := preparePatchBytesForPodStatus(namespace, name, uid, oldPodStatus, newPodStatus)
if err != nil {
return nil, nil, err
}
updatedPod, err := c.CoreV1().Pods(namespace).Patch(name, types.StrategicMergePatchType, patchBytes, "status")
if err != nil {
return nil, nil, fmt.Errorf("failed to patch status %q for pod %q/%q: %v", patchBytes, namespace, name, err)
}
return updatedPod, patchBytes, nil
}
func preparePatchBytesForPodStatus(namespace, name string, uid types.UID, oldPodStatus, newPodStatus v1.PodStatus) ([]byte, error) {
oldData, err := json.Marshal(v1.Pod{
Status: oldPodStatus,
})
if err != nil {
return nil, fmt.Errorf("failed to Marshal oldData for pod %q/%q: %v", namespace, name, err)
}
newData, err := json.Marshal(v1.Pod{
ObjectMeta: metav1.ObjectMeta{UID: uid}, // only put the uid in the new object to ensure it appears in the patch as a precondition
Status: newPodStatus,
})
if err != nil {
return nil, fmt.Errorf("failed to Marshal newData for pod %q/%q: %v", namespace, name, err)
}
patchBytes, err := strategicpatch.CreateTwoWayMergePatch(oldData, newData, v1.Pod{})
if err != nil {
return nil, fmt.Errorf("failed to CreateTwoWayMergePatch for pod %q/%q: %v", namespace, name, err)
}
return patchBytes, nil
}
| {
"content_hash": "347a7cf41ead0450481020b957f5b897",
"timestamp": "",
"source": "github",
"line_count": 51,
"max_line_length": 149,
"avg_line_length": 33.80392156862745,
"alnum_prop": 0.7180974477958236,
"repo_name": "pweil-/origin",
"id": "984f0ea673d0637ad637f6de723f6d32e1848ea7",
"size": "2293",
"binary": false,
"copies": "4",
"ref": "refs/heads/master",
"path": "vendor/k8s.io/kubernetes/pkg/util/pod/pod.go",
"mode": "33188",
"license": "apache-2.0",
"language": [
{
"name": "Awk",
"bytes": "921"
},
{
"name": "Dockerfile",
"bytes": "2240"
},
{
"name": "Go",
"bytes": "2298920"
},
{
"name": "Makefile",
"bytes": "6395"
},
{
"name": "Python",
"bytes": "14593"
},
{
"name": "Shell",
"bytes": "310275"
}
],
"symlink_target": ""
} |
import arcpy
import os
import sys
import time
import string
import subprocess
#set executable program location
executablepath = os.path.dirname(os.path.abspath(__file__))
arcpy.AddMessage(executablepath)
executablename = '\CutFillStatistics.exe'
executablestr = '"' + executablepath + executablename + '"'
arcpy.AddMessage(executablestr)
# Get Original DEM (ASCII)
#
inLyr = arcpy.GetParameterAsText(0)
desc = arcpy.Describe(inLyr)
OrigDEM=str(desc.catalogPath)
arcpy.AddMessage("\nOriginal Elevation file: "+OrigDEM)
OriginalDEMstr = ' -orig "' + OrigDEM + '"'
arcpy.AddMessage(OriginalDEMstr)
# Get Modified DEM (ASCII)
ModDEM = arcpy.GetParameterAsText(1)
arcpy.AddMessage("\Modified Elevation file: "+ModDEM)
ModDEMstr = ' -mod "' + ModDEM + '"'
# Get Output Statistics File (ASCII)
StatFile = arcpy.GetParameterAsText(2)
arcpy.AddMessage("\nOutput Statistics file: "+StatFile)
StatFilestr = ' -stat "' + StatFile + '"'
# Construct the command line. Put quotes around file names in case there are spaces
cmd = executablestr + OriginalDEMstr + ModDEMstr + StatFilestr
arcpy.AddMessage(cmd)
os.system(cmd)
pipe = subprocess.Popen(cmd, stdout=subprocess.PIPE, stderr=subprocess.PIPE)
# print the output lines as they happen
while True:
line = pipe.stdout.readline()
if not line:
break
arcpy.AddMessage(line)
| {
"content_hash": "e3688bc470ee820d1b9ec67d4f776983",
"timestamp": "",
"source": "github",
"line_count": 46,
"max_line_length": 84,
"avg_line_length": 29.065217391304348,
"alnum_prop": 0.74943904263276,
"repo_name": "crwr/OptimizedPitRemoval",
"id": "bd30b9de11209b04b63c3164e70645432b241a29",
"size": "1480",
"binary": false,
"copies": "1",
"ref": "refs/heads/master",
"path": "ArcGIS Code/CutFillStatistics.py",
"mode": "33188",
"license": "mit",
"language": [
{
"name": "C++",
"bytes": "35339"
},
{
"name": "Python",
"bytes": "3754"
}
],
"symlink_target": ""
} |
<html>
<head>
<meta http-equiv="Content-Type" content="text/html; charset=US-ASCII">
<title>Macro BOOST_CNV_PARAM</title>
<link rel="stylesheet" href="../../../../doc/src/boostbook.css" type="text/css">
<meta name="generator" content="DocBook XSL Stylesheets V1.76.1">
<link rel="home" href="index.html" title="Chapter 1. Boost.Convert 2.0">
<link rel="up" href="header/boost/convert/base_hpp.html" title="Header <boost/convert/base.hpp>">
<link rel="prev" href="BOOST_CNV_STRING_TO.html" title="Macro BOOST_CNV_STRING_TO">
<link rel="next" href="header/boost/convert/lexical_cast_hpp.html" title="Header <boost/convert/lexical_cast.hpp>">
</head>
<body bgcolor="white" text="black" link="#0000FF" vlink="#840084" alink="#0000FF">
<table cellpadding="2" width="100%"><tr>
<td valign="top"><img alt="Boost C++ Libraries" width="277" height="86" src="../../../../boost.png"></td>
<td align="center"><a href="../../../../index.html">Home</a></td>
<td align="center"><a href="../../../../libs/libraries.htm">Libraries</a></td>
<td align="center"><a href="http://www.boost.org/users/people.html">People</a></td>
<td align="center"><a href="http://www.boost.org/users/faq.html">FAQ</a></td>
<td align="center"><a href="../../../../more/index.htm">More</a></td>
</tr></table>
<hr>
<div class="spirit-nav">
<a accesskey="p" href="BOOST_CNV_STRING_TO.html"><img src="../../../../doc/src/images/prev.png" alt="Prev"></a><a accesskey="u" href="header/boost/convert/base_hpp.html"><img src="../../../../doc/src/images/up.png" alt="Up"></a><a accesskey="h" href="index.html"><img src="../../../../doc/src/images/home.png" alt="Home"></a><a accesskey="n" href="header/boost/convert/lexical_cast_hpp.html"><img src="../../../../doc/src/images/next.png" alt="Next"></a>
</div>
<div class="refentry">
<a name="BOOST_CNV_PARAM_idp11599856"></a><div class="titlepage"></div>
<div class="refnamediv">
<h2><span class="refentrytitle">Macro BOOST_CNV_PARAM</span></h2>
<p>BOOST_CNV_PARAM</p>
</div>
<h2 xmlns:rev="http://www.cs.rpi.edu/~gregod/boost/tools/doc/revision" class="refsynopsisdiv-title">Synopsis</h2>
<div xmlns:rev="http://www.cs.rpi.edu/~gregod/boost/tools/doc/revision" class="refsynopsisdiv"><pre class="synopsis"><span class="comment">// In header: <<a class="link" href="header/boost/convert/base_hpp.html" title="Header <boost/convert/base.hpp>">boost/convert/base.hpp</a>>
</span>BOOST_CNV_PARAM(param_name, param_type)</pre></div>
</div>
<table xmlns:rev="http://www.cs.rpi.edu/~gregod/boost/tools/doc/revision" width="100%"><tr>
<td align="left"></td>
<td align="right"><div class="copyright-footer">Copyright © 2009-2014 Vladimir Batov<p>
Distributed under the Boost Software License, Version 1.0. See copy at <a href="http://www.boost.org/LICENSE_1_0.txt" target="_top">http://www.boost.org/LICENSE_1_0.txt</a>.
</p>
</div></td>
</tr></table>
<hr>
<div class="spirit-nav">
<a accesskey="p" href="BOOST_CNV_STRING_TO.html"><img src="../../../../doc/src/images/prev.png" alt="Prev"></a><a accesskey="u" href="header/boost/convert/base_hpp.html"><img src="../../../../doc/src/images/up.png" alt="Up"></a><a accesskey="h" href="index.html"><img src="../../../../doc/src/images/home.png" alt="Home"></a><a accesskey="n" href="header/boost/convert/lexical_cast_hpp.html"><img src="../../../../doc/src/images/next.png" alt="Next"></a>
</div>
</body>
</html>
| {
"content_hash": "c6fa63fa671b4c3011b1e2d1b59e971a",
"timestamp": "",
"source": "github",
"line_count": 48,
"max_line_length": 454,
"avg_line_length": 70.97916666666667,
"alnum_prop": 0.6606985617845612,
"repo_name": "hsu1994/Terminator",
"id": "a324ab575301884e9888cccca1ac9948d529c61b",
"size": "3407",
"binary": false,
"copies": "3",
"ref": "refs/heads/master",
"path": "Server/RelyON/boost_1_61_0/libs/convert/doc/html/BOOST_CNV_PARAM_idp11599856.html",
"mode": "33188",
"license": "apache-2.0",
"language": [
{
"name": "Assembly",
"bytes": "223360"
},
{
"name": "Batchfile",
"bytes": "43670"
},
{
"name": "C",
"bytes": "3717232"
},
{
"name": "C#",
"bytes": "12172138"
},
{
"name": "C++",
"bytes": "188465965"
},
{
"name": "CMake",
"bytes": "119765"
},
{
"name": "CSS",
"bytes": "430770"
},
{
"name": "Cuda",
"bytes": "52444"
},
{
"name": "DIGITAL Command Language",
"bytes": "6246"
},
{
"name": "FORTRAN",
"bytes": "1856"
},
{
"name": "GLSL",
"bytes": "143058"
},
{
"name": "Groff",
"bytes": "5189"
},
{
"name": "HTML",
"bytes": "234253948"
},
{
"name": "IDL",
"bytes": "14"
},
{
"name": "JavaScript",
"bytes": "694216"
},
{
"name": "Lex",
"bytes": "1231"
},
{
"name": "M4",
"bytes": "29689"
},
{
"name": "Makefile",
"bytes": "1459789"
},
{
"name": "Max",
"bytes": "36857"
},
{
"name": "Objective-C",
"bytes": "15456"
},
{
"name": "Objective-C++",
"bytes": "630"
},
{
"name": "PHP",
"bytes": "59030"
},
{
"name": "Perl",
"bytes": "38649"
},
{
"name": "Perl6",
"bytes": "2053"
},
{
"name": "Protocol Buffer",
"bytes": "409987"
},
{
"name": "Python",
"bytes": "1764372"
},
{
"name": "QML",
"bytes": "593"
},
{
"name": "QMake",
"bytes": "16692"
},
{
"name": "Rebol",
"bytes": "354"
},
{
"name": "Ruby",
"bytes": "5532"
},
{
"name": "Shell",
"bytes": "362208"
},
{
"name": "Smalltalk",
"bytes": "2796"
},
{
"name": "Tcl",
"bytes": "1172"
},
{
"name": "TeX",
"bytes": "32117"
},
{
"name": "XSLT",
"bytes": "265714"
},
{
"name": "Yacc",
"bytes": "19623"
}
],
"symlink_target": ""
} |
sap.ui.define(['jquery.sap.global', './library'],
function(jQuery, library) {
"use strict";
var ShellHeader = sap.ui.core.Control.extend("sap.ui.unified.ShellHeader", {
metadata: {
properties: {
logo: {type: "sap.ui.core.URI", defaultValue: ""},
searchVisible: {type: "boolean", defaultValue: true}
},
aggregations: {
headItems: {type: "sap.ui.unified.ShellHeadItem", multiple: true},
headEndItems: {type: "sap.ui.unified.ShellHeadItem", multiple: true},
search: {type: "sap.ui.core.Control", multiple: false},
user: {type: "sap.ui.unified.ShellHeadUserItem", multiple: false}
}
},
renderer: {
render: function(rm, oHeader){
var id = oHeader.getId();
rm.write("<div");
rm.writeControlData(oHeader);
rm.writeAttribute("class", "sapUiUfdShellHeader");
if (sap.ui.getCore().getConfiguration().getAccessibility()) {
rm.writeAttribute("role", "toolbar");
}
rm.write(">");
rm.write("<div id='", id, "-hdr-begin' class='sapUiUfdShellHeadBegin'>");
this.renderHeaderItems(rm, oHeader, true);
rm.write("</div>");
rm.write("<div id='", id, "-hdr-center' class='sapUiUfdShellHeadCenter'>");
this.renderSearch(rm, oHeader);
rm.write("</div>");
rm.write("<div id='", id, "-hdr-end' class='sapUiUfdShellHeadEnd'>");
this.renderHeaderItems(rm, oHeader, false);
rm.write("</div>");
rm.write("</div>");
},
renderSearch: function(rm, oHeader) {
var oSearch = oHeader.getSearch();
rm.write("<div id='", oHeader.getId(), "-hdr-search'");
if (sap.ui.getCore().getConfiguration().getAccessibility()) {
rm.writeAttribute("role", "search");
}
rm.writeAttribute("class", "sapUiUfdShellSearch" + (oHeader.getSearchVisible() ? "" : " sapUiUfdShellHidden"));
rm.write("><div>");
if (oSearch) {
rm.renderControl(oSearch);
}
rm.write("</div></div>");
},
renderHeaderItems: function(rm, oHeader, begin) {
rm.write("<div class='sapUiUfdShellHeadContainer'>");
var aItems = begin ? oHeader.getHeadItems() : oHeader.getHeadEndItems();
for (var i = 0; i < aItems.length; i++) {
rm.write("<a tabindex='0' href='javascript:void(0);'");
rm.writeElementData(aItems[i]);
rm.addClass("sapUiUfdShellHeadItm");
if (aItems[i].getStartsSection()) {
rm.addClass("sapUiUfdShellHeadItmDelim");
}
if (aItems[i].getShowSeparator()) {
rm.addClass("sapUiUfdShellHeadItmSep");
}
if (!aItems[i].getVisible()) {
rm.addClass("sapUiUfdShellHidden");
}
if (aItems[i].getSelected()) {
rm.addClass("sapUiUfdShellHeadItmSel");
}
if (aItems[i].getShowMarker()) {
rm.addClass("sapUiUfdShellHeadItmMark");
}
rm.writeClasses();
var tooltip = aItems[i].getTooltip_AsString();
if (tooltip) {
rm.writeAttributeEscaped("title", tooltip);
}
if (sap.ui.getCore().getConfiguration().getAccessibility()) {
rm.writeAccessibilityState(aItems[i], {
role: "button",
selected: null,
pressed: aItems[i].getSelected()
});
}
rm.write("><span></span><div class='sapUiUfdShellHeadItmMarker'><div></div></div></a>");
}
var oUser = oHeader.getUser();
if (!begin && oUser) {
rm.write("<a tabindex='0' href='javascript:void(0);'");
rm.writeElementData(oUser);
rm.addClass("sapUiUfdShellHeadUsrItm");
if (!oUser.getShowPopupIndicator()) {
rm.addClass("sapUiUfdShellHeadUsrItmWithoutPopup");
}
rm.writeClasses();
var tooltip = oUser.getTooltip_AsString();
if (tooltip) {
rm.writeAttributeEscaped("title", tooltip);
}
if (sap.ui.getCore().getConfiguration().getAccessibility()) {
rm.writeAccessibilityState(oUser, {
role: "button"
});
if (oUser.getShowPopupIndicator()) {
rm.writeAttribute("aria-haspopup", "true");
}
}
rm.write("><span id='", oUser.getId(), "-img' aria-hidden='true' class='sapUiUfdShellHeadUsrItmImg'></span>");
rm.write("<span id='" + oUser.getId() + "-name' class='sapUiUfdShellHeadUsrItmName'");
var sUserName = oUser.getUsername() || "";
rm.writeAttributeEscaped("title", sUserName);
rm.write(">");
rm.writeEscaped(sUserName);
rm.write("</span><span class='sapUiUfdShellHeadUsrItmExp' aria-hidden='true'></span></a>");
}
rm.write("</div>");
if (begin) {
this._renderLogo(rm, oHeader);
}
},
_renderLogo: function(rm, oHeader) {
var rb = sap.ui.getCore().getLibraryResourceBundle("sap.ui.unified"),
sLogoTooltip = rb.getText("SHELL_LOGO_TOOLTIP"),
sIco = oHeader._getLogo();
rm.write("<div class='sapUiUfdShellIco'>");
rm.write("<img id='", oHeader.getId(), "-icon'");
rm.writeAttributeEscaped("title", sLogoTooltip);
rm.writeAttributeEscaped("alt", sLogoTooltip);
rm.write("src='");
rm.writeEscaped(sIco);
rm.write("' style='", sIco ? "" : "display:none;","'></img>");
rm.write("</div>");
}
}
});
ShellHeader.prototype.init = function(){
var that = this;
this._rtl = sap.ui.getCore().getConfiguration().getRTL();
this._handleMediaChange = function(mParams){
if (!that.getDomRef()) {
return;
}
that._refresh();
};
sap.ui.Device.media.attachHandler(this._handleMediaChange, this, sap.ui.Device.media.RANGESETS.SAP_STANDARD);
this._handleResizeChange = function(mParams){
if (!that.getDomRef() || !that.getUser()) {
return;
}
var oUser = this.getUser();
var bChanged = oUser._checkAndAdaptWidth(!that.$("hdr-search").hasClass("sapUiUfdShellHidden") && !!that.getSearch());
if (bChanged) {
that._refresh();
}
};
sap.ui.Device.resize.attachHandler(this._handleResizeChange, this);
this.data("sap-ui-fastnavgroup", "true", true); // Define group for F6 handling
};
ShellHeader.prototype.exit = function(){
sap.ui.Device.media.detachHandler(this._handleMediaChange, this, sap.ui.Device.media.RANGESETS.SAP_STANDARD);
delete this._handleMediaChange;
sap.ui.Device.resize.detachHandler(this._handleResizeChange, this);
delete this._handleResizeChange;
};
ShellHeader.prototype.onAfterRendering = function(){
this._refresh();
this.$("hdr-center").toggleClass("sapUiUfdShellAnim", !this._noHeadCenterAnim);
};
ShellHeader.prototype.onThemeChanged = function(){
if (this.getDomRef()) {
this.invalidate();
}
};
ShellHeader.prototype._getLogo = function(){
var ico = this.getLogo();
if (!ico) {
jQuery.sap.require("sap.ui.core.theming.Parameters");
ico = sap.ui.core.theming.Parameters._getThemeImage(null, true); // theme logo
}
return ico;
};
ShellHeader.prototype._refresh = function(){
function updateItems(aItems){
for (var i = 0; i < aItems.length; i++) {
aItems[i]._refreshIcon();
}
}
updateItems(this.getHeadItems());
updateItems(this.getHeadEndItems());
var oUser = this.getUser(),
isPhoneSize = jQuery("html").hasClass("sapUiMedia-Std-Phone"),
searchVisible = !this.$("hdr-search").hasClass("sapUiUfdShellHidden"),
$logo = this.$("icon");
if (oUser) {
oUser._refreshImage();
oUser._checkAndAdaptWidth(searchVisible && !!this.getSearch());
}
$logo.parent().toggleClass("sapUiUfdShellHidden", isPhoneSize && searchVisible && !!this.getSearch());
var we = this.$("hdr-end").outerWidth(),
wb = this.$("hdr-begin").outerWidth(),
wmax = Math.max(we, wb),
begin = (isPhoneSize && searchVisible ? wb : wmax) + "px",
end = (isPhoneSize && searchVisible ? we : wmax) + "px";
this.$("hdr-center").css({
"left": this._rtl ? end : begin,
"right": this._rtl ? begin : end
});
};
return ShellHeader;
}, /* bExport= */ true);
| {
"content_hash": "296037fb00d0ddfb312d9b0dfe37e95e",
"timestamp": "",
"source": "github",
"line_count": 250,
"max_line_length": 121,
"avg_line_length": 30.948,
"alnum_prop": 0.6331911593640946,
"repo_name": "marinho/german-articles",
"id": "620a8ab6e46dd5c8a93a82e7cf1bbcbc4a08522d",
"size": "7922",
"binary": false,
"copies": "1",
"ref": "refs/heads/master",
"path": "webapp/resources/sap/ui/unified/ShellHeader-dbg.js",
"mode": "33261",
"license": "mit",
"language": [
{
"name": "Batchfile",
"bytes": "5594"
},
{
"name": "C",
"bytes": "1025"
},
{
"name": "C#",
"bytes": "129030"
},
{
"name": "C++",
"bytes": "2027"
},
{
"name": "CSS",
"bytes": "12151322"
},
{
"name": "HTML",
"bytes": "11450"
},
{
"name": "Java",
"bytes": "6311"
},
{
"name": "JavaScript",
"bytes": "28989082"
},
{
"name": "Makefile",
"bytes": "510"
},
{
"name": "Objective-C",
"bytes": "204837"
},
{
"name": "Python",
"bytes": "7873"
},
{
"name": "Shell",
"bytes": "1927"
}
],
"symlink_target": ""
} |
package org.tylproject.vaadin.addon.fields.search;
import com.vaadin.data.Container;
import com.vaadin.server.FontAwesome;
import com.vaadin.ui.AbstractField;
import com.vaadin.ui.Button;
import org.tylproject.vaadin.addon.fieldbinder.behavior.DefaultFilterFactory;
import org.tylproject.vaadin.addon.fieldbinder.behavior.FilterFactory;
import org.tylproject.vaadin.addon.fields.CombinedField;
/**
* Base class for a Field that returns a filter for a given text pattern; it also immediately applies the
* filter to a Container instance, if it is given.
*
* Each field is contains an input field (usually textual) and a button to clear its contents.
* Pre-defined subclasses are:
* <ul>
* <li>{@link org.tylproject.vaadin.addon.fields.search.SearchPatternTextField}</li>
* <li>{@link org.tylproject.vaadin.addon.fields.search.SearchPatternComboBox}</li>
* </ul>
*
* {@link #getPatternFromValue()} generates the {@link org.tylproject.vaadin.addon.fields.search.SearchPattern}
* instance from the pattern represented by the value {@link #getValue()} of this search field.
*
*/
public abstract class SearchPatternField<T,F extends AbstractField<T>> extends CombinedField<T,T,F> {
private FilterFactory filterFactory = new DefaultFilterFactory();
private SearchPattern lastAppliedSearchPattern;
private Container.Filterable targetContainer;
private final Object targetPropertyId;
private final Class<?> targetPropertyType;
/**
*
* @param backingField input field
* @param fieldType value type of the backingField
* @param propertyId the propertyId of the Filter
* @param propertyType the type of the property in the Filter
*/
public SearchPatternField(final F backingField, final Class<T> fieldType,
final Object propertyId, final Class<?> propertyType) {
super(backingField, new Button(FontAwesome.TIMES_CIRCLE), fieldType);
final Button clearBtn = getButton();
this.targetPropertyId = propertyId;
this.targetPropertyType = propertyType;
backingField.setImmediate(true);
clearBtn.addClickListener(new Button.ClickListener() {
@Override
public void buttonClick(Button.ClickEvent event) {
clear();
}
});
}
/**
* @param backingField input field
* @param fieldType value type of the backingField
* @param propertyId the propertyId of the Filter
* @param propertyType the type of the property in the Filter
* @param targetContainer the container the Filter should be applied to
*/
public SearchPatternField(final F backingField, final Class<T> fieldType,
final Object propertyId, final Class<?> propertyType,
final Container.Filterable targetContainer) {
this(backingField, fieldType, propertyId, propertyType);
setTargetContainer(targetContainer);
}
public void setFilterFactory(FilterFactory filterFactory) {
this.filterFactory = filterFactory;
}
public FilterFactory getFilterFactory() {
return filterFactory;
}
/**
* set a container instance onto which the filter should be applied
*/
public final void setTargetContainer(Container.Filterable targetContainer) {
this.targetContainer = targetContainer;
}
public Container.Filterable getTargetContainer() {
return targetContainer;
}
public Class<?> getTargetPropertyType() {
return targetPropertyType;
}
public Object getTargetPropertyId() {
return targetPropertyId;
}
protected void setLastAppliedSearchPattern(SearchPattern searchPattern) {
this.lastAppliedSearchPattern = searchPattern;
}
protected SearchPattern getLastAppliedSearchPattern() {
return this.lastAppliedSearchPattern;
}
protected SearchPattern
applyFilterPattern(Class<?> propertyType,
Object propertyId,
Object objectPattern,
Container.Filterable filterableContainer) {
// remove last applied filter from the container
SearchPattern lastPattern = getLastAppliedSearchPattern();
if (lastPattern != null) {
filterableContainer.removeContainerFilter(lastPattern.getFilter());
}
// if the objectPattern is non-empty
if (!isEmpty(objectPattern)) {
SearchPattern newPattern = getPattern(objectPattern);
filterableContainer.addContainerFilter(newPattern.getFilter());
setLastAppliedSearchPattern(newPattern);
}
return lastPattern;
}
private boolean isEmpty(Object objectPattern) {
return objectPattern == null
|| ((objectPattern instanceof String) // it is a string
&& ((String) objectPattern).isEmpty()); // or, it is a string, and it is empty
}
public SearchPattern getPatternFromValue() {
if (!isEnabled()) return SearchPattern.Empty;
else return getPattern(getValue());
}
private SearchPattern getPattern(Object objectPattern) {
if (isEmpty(objectPattern)) return SearchPattern.Empty;
else return SearchPattern.of(objectPattern, filterFactory.createFilter(targetPropertyType, targetPropertyId, objectPattern));
}
/**
* Sets the new value to field, and applies the filter on the target container (if any).
*
* If the given value is null, then it only clears the filter on the container.
*/
@Override
public void setValue(T newValue) throws ReadOnlyException {
super.setValue(newValue);
if (newValue != null) {
getBackingField().setValue(newValue);
return;
}
getBackingField().setValue(null);
SearchPattern lastPattern = getLastAppliedSearchPattern();
setLastAppliedSearchPattern(null);
if (lastPattern == null) return;
Container.Filterable c = getTargetContainer();
if (c != null) c.removeContainerFilter(lastPattern.getFilter());
}
public T getValue() {
return (T) getBackingField().getValue();
}
/**
* equivalent to setValue(null)
*/
public void clear() {
if (!isReadOnly()) {
this.setValue(null);
}
}
}
| {
"content_hash": "a1e08b0203eaec9f8bb55bbb4b59c1eb",
"timestamp": "",
"source": "github",
"line_count": 192,
"max_line_length": 133,
"avg_line_length": 33.671875,
"alnum_prop": 0.6677494199535963,
"repo_name": "tyl/field-binder",
"id": "81a6e0a80a503ea08e2a8b9019cd73b3c5e81073",
"size": "7152",
"binary": false,
"copies": "1",
"ref": "refs/heads/master",
"path": "field-binder/src/main/java/org/tylproject/vaadin/addon/fields/search/SearchPatternField.java",
"mode": "33188",
"license": "apache-2.0",
"language": [
{
"name": "Java",
"bytes": "377551"
},
{
"name": "Shell",
"bytes": "67"
}
],
"symlink_target": ""
} |
Subsets and Splits