text
stringlengths
2
1.04M
meta
dict
// Copyright 2014 The Bazel Authors. All rights reserved. // // Licensed under the Apache License, Version 2.0 (the "License"); // you may not use this file except in compliance with the License. // You may obtain a copy of the License at // // http://www.apache.org/licenses/LICENSE-2.0 // // Unless required by applicable law or agreed to in writing, software // distributed under the License is distributed on an "AS IS" BASIS, // WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. // See the License for the specific language governing permissions and // limitations under the License. package com.google.devtools.build.lib.query2.engine; import com.google.common.collect.ImmutableList; import java.util.Collection; import java.util.List; import java.util.Set; import java.util.concurrent.ForkJoinPool; import javax.annotation.Nonnull; /** * The environment of a Blaze query. Implementations do not need to be thread-safe. The generic type * T represents a node of the graph on which the query runs; as such, there is no restriction on T. * However, query assumes a certain graph model, and the {@link TargetAccessor} class is used to * access properties of these nodes. * * @param <T> the node type of the dependency graph */ public interface QueryEnvironment<T> { /** Type of an argument of a user-defined query function. */ enum ArgumentType { EXPRESSION, WORD, INTEGER; } /** Value of an argument of a user-defined query function. */ class Argument { private final ArgumentType type; private final QueryExpression expression; private final String word; private final int integer; private Argument(ArgumentType type, QueryExpression expression, String word, int integer) { this.type = type; this.expression = expression; this.word = word; this.integer = integer; } static Argument of(QueryExpression expression) { return new Argument(ArgumentType.EXPRESSION, expression, null, 0); } static Argument of(String word) { return new Argument(ArgumentType.WORD, null, word, 0); } static Argument of(int integer) { return new Argument(ArgumentType.INTEGER, null, null, integer); } public ArgumentType getType() { return type; } public QueryExpression getExpression() { return expression; } public String getWord() { return word; } public int getInteger() { return integer; } @Override public String toString() { switch (type) { case WORD: return "'" + word + "'"; case EXPRESSION: return expression.toString(); case INTEGER: return Integer.toString(integer); default: throw new IllegalStateException(); } } } /** A user-defined query function. */ interface QueryFunction { /** * Name of the function as it appears in the query language. */ String getName(); /** * The number of arguments that are required. The rest is optional. * * <p>This should be greater than or equal to zero and at smaller than or equal to the length * of the list returned by {@link #getArgumentTypes}. */ int getMandatoryArguments(); /** The types of the arguments of the function. */ Iterable<ArgumentType> getArgumentTypes(); /** * Called when a user-defined function is to be evaluated. * * @param env the query environment this function is evaluated in. * @param expression the expression being evaluated. * @param args the input arguments. These are type-checked against the specification returned * by {@link #getArgumentTypes} and {@link #getMandatoryArguments} */ <T> void eval( QueryEnvironment<T> env, VariableContext<T> context, QueryExpression expression, List<Argument> args, Callback<T> callback) throws QueryException, InterruptedException; /** * Same as {@link #eval(QueryEnvironment, VariableContext, QueryExpression, List, Callback)}, * except that this {@link QueryFunction} may use {@code forkJoinPool} to achieve * parallelism. * * <p>The caller must ensure that {@code env} is thread safe. */ <T> void parEval( QueryEnvironment<T> env, VariableContext<T> context, QueryExpression expression, List<Argument> args, ThreadSafeCallback<T> callback, ForkJoinPool forkJoinPool) throws QueryException, InterruptedException; } /** * Exception type for the case where a target cannot be found. It's basically a wrapper for * whatever exception is internally thrown. */ final class TargetNotFoundException extends Exception { public TargetNotFoundException(String msg) { super(msg); } public TargetNotFoundException(Throwable cause) { super(cause.getMessage(), cause); } } /** * Invokes {@code callback} with the set of target nodes in the graph for the specified target * pattern, in 'blaze build' syntax. */ void getTargetsMatchingPattern(QueryExpression owner, String pattern, Callback<T> callback) throws QueryException, InterruptedException; /** Ensures the specified target exists. */ // NOTE(bazel-team): this method is left here as scaffolding from a previous refactoring. It may // be possible to remove it. T getOrCreate(T target); /** Returns the direct forward dependencies of the specified targets. */ Collection<T> getFwdDeps(Iterable<T> targets) throws InterruptedException; /** Returns the direct reverse dependencies of the specified targets. */ Collection<T> getReverseDeps(Iterable<T> targets) throws InterruptedException; /** * Returns the forward transitive closure of all of the targets in "targets". Callers must ensure * that {@link #buildTransitiveClosure} has been called for the relevant subgraph. */ Set<T> getTransitiveClosure(Set<T> targets) throws InterruptedException; /** * Construct the dependency graph for a depth-bounded forward transitive closure * of all nodes in "targetNodes". The identity of the calling expression is * required to produce error messages. * * <p>If a larger transitive closure was already built, returns it to * improve incrementality, since all depth-constrained methods filter it * after it is built anyway. */ void buildTransitiveClosure(QueryExpression caller, Set<T> targetNodes, int maxDepth) throws QueryException, InterruptedException; /** Returns the set of nodes on some path from "from" to "to". */ Set<T> getNodesOnPath(T from, T to) throws InterruptedException; /** * Eval an expression {@code expr} and pass the results to the {@code callback}. * * <p>Note that this method should guarantee that the callback does not see repeated elements. * @param expr The expression to evaluate * @param callback The caller callback to notify when results are available */ void eval(QueryExpression expr, VariableContext<T> context, Callback<T> callback) throws QueryException, InterruptedException; /** * Creates a Uniquifier for use in a {@code QueryExpression}. Note that the usage of this an * uniquifier should not be used for returning unique results to the parent callback. It should * only be used to avoid processing the same elements multiple times within this QueryExpression. */ Uniquifier<T> createUniquifier(); void reportBuildFileError(QueryExpression expression, String msg) throws QueryException; /** * Returns the set of BUILD, and optionally sub-included and Skylark files that define the given * set of targets. Each such file is itself represented as a target in the result. */ Set<T> getBuildFiles( QueryExpression caller, Set<T> nodes, boolean buildFiles, boolean subincludes, boolean loads) throws QueryException, InterruptedException; /** * Returns an object that can be used to query information about targets. Implementations should * create a single instance and return that for all calls. A class can implement both {@code * QueryEnvironment} and {@code TargetAccessor} at the same time, in which case this method simply * returns {@code this}. */ TargetAccessor<T> getAccessor(); /** * Whether the given setting is enabled. The code should default to return {@code false} for all * unknown settings. The enum is used rather than a method for each setting so that adding more * settings is backwards-compatible. * * @throws NullPointerException if setting is null */ boolean isSettingEnabled(@Nonnull Setting setting); /** * Returns the set of query functions implemented by this query environment. */ Iterable<QueryFunction> getFunctions(); /** * Settings for the query engine. See {@link QueryEnvironment#isSettingEnabled}. */ enum Setting { /** * Whether to evaluate tests() expressions in strict mode. If {@link #isSettingEnabled} returns * true for this setting, then the tests() expression will give an error when expanding tests * suites, if the test suite contains any non-test targets. */ TESTS_EXPRESSION_STRICT, /** * Do not consider implicit deps (any label that was not explicitly specified in the BUILD file) * when traversing dependency edges. */ NO_IMPLICIT_DEPS, /** * Do not consider host dependencies when traversing dependency edges. */ NO_HOST_DEPS, /** * Do not consider nodep attributes when traversing dependency edges. */ NO_NODEP_DEPS; } /** * An adapter interface giving access to properties of T. There are four types of targets: rules, * package groups, source files, and generated files. Of these, only rules can have attributes. */ interface TargetAccessor<T> { /** * Returns the target type represented as a string of the form {@code &lt;type&gt; rule} or * {@code package group} or {@code source file} or {@code generated file}. This is widely used * for target filtering, so implementations must use the Blaze rule class naming scheme. */ String getTargetKind(T target); /** * Returns the full label of the target as a string, e.g. {@code //some:target}. */ String getLabel(T target); /** * Returns the label of the target's package as a string, e.g. {@code //some/package} */ String getPackage(T target); /** * Returns whether the given target is a rule. */ boolean isRule(T target); /** * Returns whether the given target is a test target. If this returns true, then {@link #isRule} * must also return true for the target. */ boolean isTestRule(T target); /** * Returns whether the given target is a test suite target. If this returns true, then {@link * #isRule} must also return true for the target, but {@link #isTestRule} must return false; * test suites are not test rules, and vice versa. */ boolean isTestSuite(T target); /** * If the attribute of the given name on the given target is a label or label list, then this * method returns the list of corresponding target instances. Otherwise returns an empty list. * If an error occurs during resolution, it throws a {@link QueryException} using the caller and * error message prefix. * * @throws IllegalArgumentException if target is not a rule (according to {@link #isRule}) */ List<T> getLabelListAttr( QueryExpression caller, T target, String attrName, String errorMsgPrefix) throws QueryException, InterruptedException; /** * If the attribute of the given name on the given target is a string list, then this method * returns it. * * @throws IllegalArgumentException if target is not a rule (according to {@link #isRule}), or * if the target does not have an attribute of type string list * with the given name */ List<String> getStringListAttr(T target, String attrName); /** * If the attribute of the given name on the given target is a string, then this method returns * it. * * @throws IllegalArgumentException if target is not a rule (according to {@link #isRule}), or * if the target does not have an attribute of type string with * the given name */ String getStringAttr(T target, String attrName); /** * Returns the given attribute represented as a list of strings. For "normal" attributes, * this should just be a list of size one containing the attribute's value. For configurable * attributes, there should be one entry for each possible value the attribute may take. * *<p>Note that for backwards compatibility, tristate and boolean attributes are returned as * int using the values {@code 0, 1} and {@code -1}. If there is no such attribute, this * method returns an empty list. * * @throws IllegalArgumentException if target is not a rule (according to {@link #isRule}) */ Iterable<String> getAttrAsString(T target, String attrName); /** * Returns the set of package specifications the given target is visible from, represented as * {@link QueryVisibility}s. */ Set<QueryVisibility<T>> getVisibility(T from) throws QueryException, InterruptedException; } /** Returns the {@link QueryExpressionEvalListener} that this {@link QueryEnvironment} uses. */ QueryExpressionEvalListener<T> getEvalListener(); /** List of the default query functions. */ List<QueryFunction> DEFAULT_QUERY_FUNCTIONS = ImmutableList.of( new AllPathsFunction(), new BuildFilesFunction(), new LoadFilesFunction(), new AttrFunction(), new FilterFunction(), new LabelsFunction(), new KindFunction(), new SomeFunction(), new SomePathFunction(), new TestsFunction(), new DepsFunction(), new RdepsFunction(), new VisibleFunction()); }
{ "content_hash": "74fb00c801ca5453ad0ebce6a244c047", "timestamp": "", "source": "github", "line_count": 384, "max_line_length": 100, "avg_line_length": 37.208333333333336, "alnum_prop": 0.6819708846584547, "repo_name": "iamthearm/bazel", "id": "5cf7c6efbcb2642fcf226f58211b9579bd5dad7c", "size": "14288", "binary": false, "copies": "2", "ref": "refs/heads/master", "path": "src/main/java/com/google/devtools/build/lib/query2/engine/QueryEnvironment.java", "mode": "33188", "license": "apache-2.0", "language": [ { "name": "Batchfile", "bytes": "78" }, { "name": "C", "bytes": "24763" }, { "name": "C++", "bytes": "627772" }, { "name": "HTML", "bytes": "17163" }, { "name": "Java", "bytes": "19244379" }, { "name": "Makefile", "bytes": "248" }, { "name": "PowerShell", "bytes": "3422" }, { "name": "Protocol Buffer", "bytes": "108199" }, { "name": "Python", "bytes": "283593" }, { "name": "Shell", "bytes": "629499" } ], "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 --> <meta http-equiv="Content-Type" content="text/html; charset=UTF-8"> <title>UpdateProperties (Lightsleep)</title> <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="UpdateProperties (Lightsleep)"; } } 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="../../../org/lightsleep/entity/Update.html" title="annotation in org.lightsleep.entity"><span class="typeNameLink">Prev&nbsp;Class</span></a></li> <li><a href="../../../org/lightsleep/entity/UpdateProperty.html" title="annotation in org.lightsleep.entity"><span class="typeNameLink">Next&nbsp;Class</span></a></li> </ul> <ul class="navList"> <li><a href="../../../index.html?org/lightsleep/entity/UpdateProperties.html" target="_top">Frames</a></li> <li><a href="UpdateProperties.html" target="_top">No&nbsp;Frames</a></li> </ul> <ul class="navList" id="allclasses_navbar_top"> <li><a href="../../../allclasses-noframe.html">All&nbsp;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:&nbsp;</li> <li>Field&nbsp;|&nbsp;</li> <li><a href="#annotation.type.required.element.summary">Required</a>&nbsp;|&nbsp;</li> <li>Optional</li> </ul> <ul class="subNavList"> <li>Detail:&nbsp;</li> <li>Field&nbsp;|&nbsp;</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">org.lightsleep.entity</div> <h2 title="Annotation Type UpdateProperties" class="title">Annotation Type UpdateProperties</h2> </div> <div class="contentContainer"> <div class="description"> <ul class="blockList"> <li class="blockList"> <hr> <br> <pre>@Documented @Retention(value=RUNTIME) @Target(value=TYPE) public @interface <span class="memberNameLabel">UpdateProperties</span></pre> <div class="block">Indicates an array of <b>UpdateProperty</b> annotations.</div> <dl> <dt><span class="simpleTagLabel">Since:</span></dt> <dd>1.3.0</dd> <dt><span class="simpleTagLabel">Author:</span></dt> <dd>Masato Kokubo</dd> <dt><span class="seeLabel">See Also:</span></dt> <dd><a href="../../../org/lightsleep/entity/UpdateProperty.html" title="annotation in org.lightsleep.entity"><code>UpdateProperty</code></a>, <a href="../../../org/lightsleep/entity/UpdateProperties.html" title="annotation in org.lightsleep.entity"><code>UpdateProperties</code></a></dd> </dl> </li> </ul> </div> <div class="summary"> <ul class="blockList"> <li class="blockList"> <!-- =========== ANNOTATION TYPE REQUIRED MEMBER SUMMARY =========== --> <ul class="blockList"> <li class="blockList"><a name="annotation.type.required.element.summary"> <!-- --> </a> <h3>Required Element Summary</h3> <table class="memberSummary" border="0" cellpadding="3" cellspacing="0" summary="Required Element Summary table, listing required elements, and an explanation"> <caption><span>Required Elements</span><span class="tabEnd">&nbsp;</span></caption> <tr> <th class="colFirst" scope="col">Modifier and Type</th> <th class="colLast" scope="col">Required Element and Description</th> </tr> <tr class="altColor"> <td class="colFirst"><code><a href="../../../org/lightsleep/entity/UpdateProperty.html" title="annotation in org.lightsleep.entity">UpdateProperty</a>[]</code></td> <td class="colLast"><code><span class="memberNameLink"><a href="../../../org/lightsleep/entity/UpdateProperties.html#value--">value</a></span></code>&nbsp;</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="value--"> <!-- --> </a> <ul class="blockListLast"> <li class="blockList"> <h4>value</h4> <pre>public abstract&nbsp;<a href="../../../org/lightsleep/entity/UpdateProperty.html" title="annotation in org.lightsleep.entity">UpdateProperty</a>[]&nbsp;value</pre> <dl> <dt><span class="returnLabel">Returns:</span></dt> <dd>the array of <b>UpdateProperty</b> annotations</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="../../../org/lightsleep/entity/Update.html" title="annotation in org.lightsleep.entity"><span class="typeNameLink">Prev&nbsp;Class</span></a></li> <li><a href="../../../org/lightsleep/entity/UpdateProperty.html" title="annotation in org.lightsleep.entity"><span class="typeNameLink">Next&nbsp;Class</span></a></li> </ul> <ul class="navList"> <li><a href="../../../index.html?org/lightsleep/entity/UpdateProperties.html" target="_top">Frames</a></li> <li><a href="UpdateProperties.html" target="_top">No&nbsp;Frames</a></li> </ul> <ul class="navList" id="allclasses_navbar_bottom"> <li><a href="../../../allclasses-noframe.html">All&nbsp;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:&nbsp;</li> <li>Field&nbsp;|&nbsp;</li> <li><a href="#annotation.type.required.element.summary">Required</a>&nbsp;|&nbsp;</li> <li>Optional</li> </ul> <ul class="subNavList"> <li>Detail:&nbsp;</li> <li>Field&nbsp;|&nbsp;</li> <li><a href="#annotation.type.element.detail">Element</a></li> </ul> </div> <a name="skip.navbar.bottom"> <!-- --> </a></div> <!-- ======== END OF BOTTOM NAVBAR ======= --> <p class="legalCopy"><small><div class="copyright">&copy; 2016 Masato Kokubo</div></small></p> </body> </html>
{ "content_hash": "12654ec301edb6f9e258f49022cde1b5", "timestamp": "", "source": "github", "line_count": 227, "max_line_length": 168, "avg_line_length": 35.048458149779734, "alnum_prop": 0.6454248366013072, "repo_name": "MasatoKokubo/Lightsleep", "id": "8f3977c59e9b53b0c861e12d747f336a415cdf38", "size": "7956", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "docs/javadoc/org/lightsleep/entity/UpdateProperties.html", "mode": "33188", "license": "mit", "language": [ { "name": "CSS", "bytes": "5886" }, { "name": "Groovy", "bytes": "605917" }, { "name": "HTML", "bytes": "8940" }, { "name": "Java", "bytes": "945230" } ], "symlink_target": "" }
namespace Google.Cloud.Compute.V1.Snippets { // [START compute_v1_generated_Networks_List_sync] using Google.Api.Gax; using Google.Cloud.Compute.V1; using System; public sealed partial class GeneratedNetworksClientSnippets { /// <summary>Snippet for List</summary> /// <remarks> /// This snippet has been automatically generated for illustrative purposes only. /// It may require modifications to work in your environment. /// </remarks> public void ListRequestObject() { // Create client NetworksClient networksClient = NetworksClient.Create(); // Initialize request argument(s) ListNetworksRequest request = new ListNetworksRequest { OrderBy = "", Project = "", Filter = "", ReturnPartialSuccess = false, }; // Make the request PagedEnumerable<NetworkList, Network> response = networksClient.List(request); // Iterate over all response items, lazily performing RPCs as required foreach (Network item in response) { // Do something with each item Console.WriteLine(item); } // Or iterate over pages (of server-defined size), performing one RPC per page foreach (NetworkList page in response.AsRawResponses()) { // Do something with each page of items Console.WriteLine("A page of results:"); foreach (Network item in page) { // Do something with each item Console.WriteLine(item); } } // Or retrieve a single page of known size (unless it's the final page), performing as many RPCs as required int pageSize = 10; Page<Network> singlePage = response.ReadPage(pageSize); // Do something with the page of items Console.WriteLine($"A page of {pageSize} results (unless it's the final page):"); foreach (Network item in singlePage) { // Do something with each item Console.WriteLine(item); } // Store the pageToken, for when the next page is required. string nextPageToken = singlePage.NextPageToken; } } // [END compute_v1_generated_Networks_List_sync] }
{ "content_hash": "f6a22313385ae1e7e5fe9bbb082c7678", "timestamp": "", "source": "github", "line_count": 64, "max_line_length": 120, "avg_line_length": 39.25, "alnum_prop": 0.5628980891719745, "repo_name": "jskeet/google-cloud-dotnet", "id": "6da7f5c4c143257a8978a3dcc5d62110650123f8", "size": "3134", "binary": false, "copies": "2", "ref": "refs/heads/main", "path": "apis/Google.Cloud.Compute.V1/Google.Cloud.Compute.V1.GeneratedSnippets/NetworksClient.ListRequestObjectSnippet.g.cs", "mode": "33188", "license": "apache-2.0", "language": [ { "name": "Batchfile", "bytes": "767" }, { "name": "C#", "bytes": "268415427" }, { "name": "CSS", "bytes": "1346" }, { "name": "Dockerfile", "bytes": "3173" }, { "name": "HTML", "bytes": "3823" }, { "name": "JavaScript", "bytes": "226" }, { "name": "PowerShell", "bytes": "3303" }, { "name": "Python", "bytes": "2744" }, { "name": "Shell", "bytes": "65260" }, { "name": "sed", "bytes": "1030" } ], "symlink_target": "" }
#include "base/intmath.hh" #include "cpu/testers/rubytest/Check.hh" #include "cpu/testers/rubytest/CheckTable.hh" #include "debug/RubyTest.hh" CheckTable::CheckTable(int _num_writers, int _num_readers, RubyTester* _tester) : m_num_writers(_num_writers), m_num_readers(_num_readers), m_tester_ptr(_tester) { physical_address_t physical = 0; Address address; const int size1 = 32; const int size2 = 100; // The first set is to get some false sharing physical = 1000; for (int i = 0; i < size1; i++) { // Setup linear addresses address.setAddress(physical); addCheck(address); physical += CHECK_SIZE; } // The next two sets are to get some limited false sharing and // cache conflicts physical = 1000; for (int i = 0; i < size2; i++) { // Setup linear addresses address.setAddress(physical); addCheck(address); physical += 256; } physical = 1000 + CHECK_SIZE; for (int i = 0; i < size2; i++) { // Setup linear addresses address.setAddress(physical); addCheck(address); physical += 256; } } CheckTable::~CheckTable() { int size = m_check_vector.size(); for (int i = 0; i < size; i++) delete m_check_vector[i]; } void CheckTable::addCheck(const Address& address) { if (floorLog2(CHECK_SIZE) != 0) { if (address.bitSelect(0, CHECK_SIZE_BITS - 1) != 0) { panic("Check not aligned"); } } for (int i = 0; i < CHECK_SIZE; i++) { if (m_lookup_map.count(Address(address.getAddress()+i))) { // A mapping for this byte already existed, discard the // entire check return; } } Check* check_ptr = new Check(address, Address(100 + m_check_vector.size()), m_num_writers, m_num_readers, m_tester_ptr); for (int i = 0; i < CHECK_SIZE; i++) { // Insert it once per byte m_lookup_map[Address(address.getAddress() + i)] = check_ptr; } m_check_vector.push_back(check_ptr); } Check* CheckTable::getRandomCheck() { return m_check_vector[random() % m_check_vector.size()]; } Check* CheckTable::getCheck(const Address& address) { DPRINTF(RubyTest, "Looking for check by address: %s", address); m5::hash_map<Address, Check*>::iterator i = m_lookup_map.find(address); if (i == m_lookup_map.end()) return NULL; Check* check = i->second; assert(check != NULL); return check; } void CheckTable::print(std::ostream& out) const { }
{ "content_hash": "e2dbec19ce0d22760355fbeb5bf626f6", "timestamp": "", "source": "github", "line_count": 103, "max_line_length": 79, "avg_line_length": 25.21359223300971, "alnum_prop": 0.5887562572198691, "repo_name": "dpac-vlsi/SynchroTrace", "id": "b4860b62b425eb54241a7cf91c38826fbcf26f21", "size": "4220", "binary": false, "copies": "7", "ref": "refs/heads/master", "path": "src/cpu/testers/rubytest/CheckTable.cc", "mode": "33261", "license": "bsd-3-clause", "language": [ { "name": "Assembly", "bytes": "232078" }, { "name": "C", "bytes": "1371174" }, { "name": "C++", "bytes": "14015506" }, { "name": "Emacs Lisp", "bytes": "1969" }, { "name": "HTML", "bytes": "273593" }, { "name": "Hack", "bytes": "5230" }, { "name": "Java", "bytes": "3096" }, { "name": "Makefile", "bytes": "13933" }, { "name": "Perl", "bytes": "26383" }, { "name": "Python", "bytes": "4265656" }, { "name": "Shell", "bytes": "97839" }, { "name": "TeX", "bytes": "19361" }, { "name": "Visual Basic", "bytes": "5768" } ], "symlink_target": "" }
package org.openkilda.messaging.nbtopology.request; import org.openkilda.messaging.nbtopology.annotations.ReadRequest; import org.openkilda.model.SwitchId; import com.fasterxml.jackson.annotation.JsonProperty; import lombok.Getter; import lombok.ToString; @SuppressWarnings("squid:MaximumInheritanceDepth") @ReadRequest @Getter @ToString public class GetSwitchRequest extends SwitchesBaseRequest { @JsonProperty("switch_id") private SwitchId switchId; public GetSwitchRequest(@JsonProperty("switch_id") SwitchId switchId) { this.switchId = switchId; } }
{ "content_hash": "39499c0982c0145548a1de63d9a2766a", "timestamp": "", "source": "github", "line_count": 24, "max_line_length": 75, "avg_line_length": 24.375, "alnum_prop": 0.7914529914529914, "repo_name": "jonvestal/open-kilda", "id": "0801f716c8f80e389620d9dfac9b02a1845c1d3d", "size": "1202", "binary": false, "copies": "2", "ref": "refs/heads/master", "path": "src-java/nbworker-topology/nbworker-messaging/src/main/java/org/openkilda/messaging/nbtopology/request/GetSwitchRequest.java", "mode": "33188", "license": "apache-2.0", "language": [ { "name": "CSS", "bytes": "65404" }, { "name": "Dockerfile", "bytes": "22398" }, { "name": "Gherkin", "bytes": "88336" }, { "name": "Groovy", "bytes": "70766" }, { "name": "HTML", "bytes": "161798" }, { "name": "Java", "bytes": "3580119" }, { "name": "JavaScript", "bytes": "332794" }, { "name": "Makefile", "bytes": "21113" }, { "name": "Python", "bytes": "425871" }, { "name": "Shell", "bytes": "39572" } ], "symlink_target": "" }
<?php namespace Members\AddOns\AdminAccess; # Filter whether to show the toolbar. add_filter( 'show_admin_bar', __NAMESPACE__ . '\show_admin_bar', 95 ); # Modify toolbar items. add_action( 'admin_bar_menu', __NAMESPACE__ . '\admin_bar_menu', 95 ); /** * Filter on the `show_admin_bar` hook to disable the admin bar for users without admin access. * * @since 1.0.0 * @access public * @param bool $show * @return bool */ function show_admin_bar( $show ) { return disable_toolbar() && ! current_user_has_access() ? false : $show; } /** * Removes items from the toolbar if it is showing for a user without access. * * @since 1.0.0 * @access public * @param object $wp_admin_bar * @return void */ function admin_bar_menu( $wp_admin_bar ) { if ( is_admin() || disable_toolbar() || current_user_has_access() ) return; $items = [ 'about', 'site-name', 'dashboard', 'customize', 'updates', 'comments', 'new-content', 'edit', 'edit-profile', 'user-info' ]; apply_filters( app()->namespace . '/remove_toolbar_items', $items ); foreach ( $items as $item ) $wp_admin_bar->remove_menu( $item ); } /** * Returns an array of the default plugin settings. * * @since 1.0.0 * @access public * @return array */ function get_default_settings() { $settings = [ 'roles' => array_keys( members_get_roles() ), // Defaults to all roles. 'redirect_url' => esc_url_raw( home_url() ), 'disable_toolbar' => true ]; return apply_filters( app()->namespace . '/get_default_settings', $settings ); } /** * Returns the requested plugin setting's value. * * @since 1.0.0 * @access public * @param string $option * @return mixed */ function get_setting( $option = '' ) { $defaults = get_default_settings(); $settings = wp_parse_args( get_option( 'members_admin_access_settings', $defaults ), $defaults ); return isset( $settings[ $option ] ) ? $settings[ $option ] : false; } /** * Returns the redirect to ID. A value of `0` is the home/front page. * * @since 1.0.0 * @access public * @return int */ function get_redirect_url() { return apply_filters( app()->namespace . '/get_redirect_url', get_setting( 'redirect_url' ) ); } /** * Conditional check on whether to disable the toolbar for users without admin access. * * @since 1.0.0 * @access public * @return bool */ function disable_toolbar() { return (bool) apply_filters( app()->namespace . '/disable_toolbar', get_setting( 'disable_toolbar' ) ); } /** * Returns an array of roles with admin access. * * @since 1.0.0 * @access public * @return array */ function get_roles_with_access() { $roles = (array) apply_filters( app()->namespace . '/get_roles_with_access', get_setting( 'roles' ) ); return array_merge( get_roles_with_permanent_access(), $roles ); } /** * Returns an array of roles with permanent admin access, such as administrators. * * @since 1.0.0 * @access public * @return array */ function get_roles_with_permanent_access() { return apply_filters( app()->namespace . '/get_roles_with_permanent_access', [ 'administrator' ] ); } /** * Conditional function for checking if a particular role has access. * * @since 1.0.0 * @access public * @param string $role * @return bool */ function role_has_access( $role ) { return apply_filters( app()->namespace . '/role_has_access', in_array( $role, get_roles_with_access() ), $role ); } /** * Conditional function to check if the current user has admin access. * * @since 1.0.0 * @access public * @return bool */ function current_user_has_access() { return user_has_access( get_current_user_id() ); } /** * Conditional function to check if a specific user has admin access. * * @since 1.0.0 * @access public * @param int $user_id * @return bool */ function user_has_access( $user_id = 0 ) { return apply_filters( app()->namespace . '/user_has_access', members_user_has_role( $user_id, get_roles_with_access() ), $user_id ); }
{ "content_hash": "236bafe8f8ec90473792d7a6450765d0", "timestamp": "", "source": "github", "line_count": 186, "max_line_length": 104, "avg_line_length": 21.537634408602152, "alnum_prop": 0.6397903145282077, "repo_name": "mandino/www.bloggingshakespeare.com", "id": "b070797c5938ce7751d4dfcd010f461ddfbf6fc5", "size": "4309", "binary": false, "copies": "2", "ref": "refs/heads/master", "path": "wp-content/plugins/members/addons/members-admin-access/app/functions.php", "mode": "33188", "license": "mit", "language": [ { "name": "CSS", "bytes": "5211957" }, { "name": "CoffeeScript", "bytes": "552" }, { "name": "HTML", "bytes": "525757" }, { "name": "JavaScript", "bytes": "6055696" }, { "name": "Modelica", "bytes": "10338" }, { "name": "PHP", "bytes": "44197755" }, { "name": "Perl", "bytes": "2554" }, { "name": "Ruby", "bytes": "3917" }, { "name": "Smarty", "bytes": "27821" }, { "name": "XSLT", "bytes": "34552" } ], "symlink_target": "" }
/** @module */ import '@polymer/polymer/lib/elements/dom-bind.js'; import { PolymerElement } from '@polymer/polymer'; // import { PropertiesMixin } from '@polymer/polymer/lib/mixins/properties-mixin.js'; // Should use this only but mixins ain't ready import '@polymer/app-layout/app-layout.js'; import '@polymer/app-layout/app-scroll-effects/effects/waterfall.js'; import '@polymer/iron-icon/iron-icon.js'; import '@polymer/iron-pages/iron-pages.js'; import '@polymer/paper-menu-button/paper-menu-button.js'; import '@polymer/paper-icon-button/paper-icon-button.js'; import '@polymer/paper-listbox/paper-listbox.js'; import '@polymer/paper-item/paper-item.js'; import '@polymer/paper-tabs/paper-tabs.js'; import '@polymer/paper-tabs/paper-tab.js'; import '@polymer/paper-fab/paper-fab.js'; import '@polymer/paper-spinner/paper-spinner.js'; import '@polymer/paper-styles/paper-styles.js'; import '@myfrom/iron-swipeable-pages/iron-swipeable-pages.js'; import { YTALocalizeMixin } from '../js/yta-localize-mixin.js'; import '../js/yta-database.js'; import '../elements/yta-overview-page.js'; import YTAElementBase from '../js/yta-element-base.js'; import { waitMs } from '../js/wait-utils.js' import { UIStateStore, UIActions, UIStateStoreMixin } from '../js/redux-stores.js'; /** * App shell * Responsible for handling any app logic. * Doesn't have its own DOM, relies on DOM placed in body * for faster first paint * * @class * @appliesMixin YTAElementBase * @appliesMixin YTALocalizeMixin * @fires YTAShell#shellready * @fires switchsection * @listens YTADatabase#dataready * @listens YTADatabase#requestsignin * @listens YTADatabase#requestsetup * @listens switchsection */ class YTAShell extends YTALocalizeMixin(UIStateStoreMixin(YTAElementBase(PolymerElement))) { static get is() { return 'yta-shell' } static get properties() { return { selectedSection: { type: String, value: 'main', }, /** * Currently selected page * Available: overview, timetable, search, calendar */ selectedPage: { type: String, value: 'overview', observer: 'resolveSelected' } }; } /** * Returns the user from Database or null if Database not yet initiated * * @type {?object} */ get user() { return window.AppState.readyCheck.database ? Database.user : null; } /** * Valid page names * * @constant * @type {string[]} * @default */ get VALID_PAGES() { return ['overview', 'timetable', 'search', 'calendar'] } constructor() { super(); this._body = document.body; // this._enableProperties(); this._addEventListeners(); this._initDataBinding(); super.ready(); /** * Indicates the shell has loaded * * @event YTAShell#shellready */ window.AppState.readyCheck.shell = true; this._fire('shellready'); } /** * Query selector shortcut on this._body * * @protected * @param {string} selector - CSS selector * @returns {HTMLElement|null} Returns the element if found or null if not */ $$(selector) { return this._body.querySelector(selector); } _addEventListeners() { // Show overview page once data has loaded window.addEventListener('dataready', () => { this._loadOverviewPage(); this.$$('#avatar-menu').setAttribute('src', this.user.photoURL); }, { once: true}); // Show FAB after going back from AddDialog window.addEventListener('close-add-dialog', () => { let time = 300; if (this.layout === 'desktop') time = 100; if (this.layout === 'tablet') time = 390; setTimeout(() => requestAnimationFrame(() => { this.$$('#fab').classList.remove('hidden'); }), time); }); // Database says user data needs to be set-up window.addEventListener('requestsetup', () => { setTimeout(() => { this._fire('switchsection', { action: 'openSetupDialog' }, true, this); }, 500); }); // Database requests sign in window.addEventListener('requestsignin', () => { this._fire('switchsection', { action: 'openOnboarding' }, true, this); }, { once: true }); // Handle section switch request this.addEventListener('switchsection', this._switchRoute); // Show and hide offline avatar when needed const networkChange = e => { this.$$('#avatar-menu').setAttribute('src', navigator.onLine ? this.user.photoURL : '/images/offline-avatar.svg'); }; window.addEventListener('online', networkChange); window.addEventListener('offline', networkChange); // Set correct layout on resize window.addEventListener('resize', this._resizeHandler.bind(this)); this._resizeHandler(); // Add markup event listeners const elementsWithHandlers = this._body.querySelectorAll('[data-on-click]'); Array.prototype.forEach.call(elementsWithHandlers, el => { const handlerFunction = el.getAttribute('data-on-click'); if (!handlerFunction in this) { console.error(`%c SHELL %c Not existing handler ${handlerFunction} assigned to click event on element`, 'background-color: purple; font-weight: bold;', '', el); return; } el.addEventListener('tap', this[handlerFunction].bind(this)); }); } _resizeHandler() { /** @constant */ const PHONE_MEDIA_QUERY = '(max-width: 959px) and (orientation: landscape), (max-width: 599px) and (orientation: portrait)', TABLET_MEDIA_QUERY = '(min-width: 600px) and (max-width: 839px) and (orientation: portrait), (min-width: 960px) and (max-width: 1279px) and (orientation: landscape)'; let layout; if (window.matchMedia(PHONE_MEDIA_QUERY).matches) layout = 'phone'; else if (window.matchMedia(TABLET_MEDIA_QUERY).matches) layout = 'tablet'; else layout = 'desktop'; UIStateStore.dispatch(UIActions.updateLayout(layout)); // Move the FAB accordingly const fab = this._body.querySelector('#fab'), toolbarEl = this._body.querySelector('#header app-toolbar[sticky]'); if (layout === 'desktop' && fab.parentElement !== toolbarEl) toolbarEl.appendChild(fab); else if (layout !== 'desktop' && fab.parentElement !== this._body) this._body.appendChild(fab); // Show correct labels on tabs // Waits for the localize API const exec = () => { const tabsElements = this._body.querySelectorAll('[data-tab]'); Array.prototype.forEach.call(tabsElements, tabEl => { const tabKey = tabEl.getAttribute('data-tab'); if (layout !== 'phone') tabEl.innerHTML = this.localize(tabKey === 'search' ? 'search' : 'shell_' + tabKey); else { let tabIcon; switch (tabKey) { case 'overview': tabIcon = 'home'; break; case 'timetable': tabIcon = 'view-list'; break; case 'search': tabIcon = 'search'; break; case 'calendar': tabIcon = 'event'; break; default: console.error('%c SHELL %c Unexpected tab when setting tab headers', 'background-color: purple; font-weight: bold;', '', el); } tabEl.innerHTML = `<iron-icon icon="ycons:${tabIcon}"></iron-icon>`; } }); }; if (this.localize) exec(); else this.addEventListener('app-localize-resources-loaded', exec); } _initDataBinding() { // Localization stuff const exec = () => { const localizedElements = this._body.querySelectorAll('[data-localize]'); Array.prototype.forEach.call(localizedElements, el => { const localeString = el.getAttribute('data-localize'); el.textContent = this.localize(localeString); }); }; if (this.localize) exec(); else this.addEventListener('app-localize-resources-loaded', exec); // Data binding this._manualDataBinding = this._manualDataBinding || {}; const bindingElements = this._body.querySelectorAll('[data-bind-attr]'); Array.prototype.forEach.call(bindingElements, el => { const bindAttr = el.getAttribute('data-bind-attr'), bindValueName = el.getAttribute('data-bind-value'); if (!(bindValueName in this)) console.error('%c SHELL %c Trying to bind to not-existing property', 'background-color: purple; font-weight: bold;', '', bindValueName); el.setAttribute(bindAttr, this[bindValueName]); const bindAttrDashed = bindAttr.replace(/[A-Z](?!$)/g, match => `-${match.toLowerCase()}`); el.addEventListener(`${bindAttrDashed}-changed`, e => this[bindValueName] = e.detail.value); const entry = { el, bindAttr } this._manualDataBinding[bindValueName] ? this._manualDataBinding[bindValueName].push(entry) : this._manualDataBinding[bindValueName] = [ entry ]; }); // Event handling const clickableElements = this._body.querySelectorAll('[data-on-tap]'); Array.prototype.forEach.call(clickableElements, el => { const handler = el.getAttribute('data-on-tap'); if (!(typeof this[handler] === 'function')) console.error('%c SHELL %c Trying to bind to not-existing handler', 'background-color: purple; font-weight: bold;', '', handler, el); el.addEventListener('click', this[handler].bind(this)); }) } _propertiesChanged(currentProps, changedProps, oldProps) { super._propertiesChanged(currentProps, changedProps, oldProps); for (let prop in changedProps) { if (this._manualDataBinding && prop in this._manualDataBinding) { const value = changedProps[prop]; this._manualDataBinding[prop].forEach(entry => entry.el[entry.bindAttr] = value); } } } async _switchRoute(e) { let clientRect; switch (e.detail.action) { case 'openAddDialog': await import('../elements/yta-add-dialog.js'); this._body.style.overflowY = 'hidden'; const withAnimation = this.selectedSection === 'main' ? true : false; clientRect = this.layout === 'desktop' ? null : e.detail.clientRect; this._fire('open-add-dialog', { clientRect, withAnimation }); this._updateSelectedSection('add'); break; case 'closeAddDialog': if (this.layout === 'desktop') { clientRect = null; } else { const fab = this.$$('#fab'); fab.classList.remove('hidden'); clientRect = fab.getBoundingClientRect(); fab.classList.add('hidden'); } this._fire('close-add-dialog', { clientRect, withAnimation: true }); await waitMs(390); this._body.style.overflowY = null; this._updateSelectedSection('main'); fab.classList.remove('hidden'); break; case 'openOnboarding': await import('../elements/yta-onboarding.js'); this._body.style.overflowY = 'hidden'; this._fire('open-onboarding'); this._updateSelectedSection('onboarding'); break; case 'closeOnboarding': this._fire('close-onboarding'); await waitMs(260); this._body.style.overflowY = null; this._updateSelectedSection('main'); break; case 'openSetupDialog': await import('../elements/yta-setup-dialog.js'); this._body.style.overflowY = 'hidden'; this._fire('open-setup-dialog'); this._updateSelectedSection('setup'); break; case 'closeSetupDialog': this._fire('close-setup-dialog'); await waitMs(260); this._body.style.overflowY = null; this._updateSelectedSection('main'); break; case 'openSettings': await import('../elements/yta-settings.js'); this._body.style.overflowY = 'hidden'; this._fire('open-settings'); this._updateSelectedSection('settings'); break; case 'closeSettings': this._fire('close-settings'); await waitMs(260); this._body.style.overflowY = null; this._updateSelectedSection('main'); break; default: console.error('%c SHELL %c `switchsection` event fired without or with unknown action!', 'background-color: purple; font-weight: bold;', '', el); } } _updateSelectedSection(selected) { this.selectedSection = selected; const elementsToUpdate = this._body.querySelectorAll('[data-bind-value="selectedSection"]'); Array.prototype.forEach.call(elementsToUpdate, el => { const attrName = el.getAttribute('data-bind-attr'); el.setAttribute(attrName, selected); }); } async signOut() { if (!AppState.readyCheck.database) await _waitUntilReady('database'); return await Database.signOut(); } resolveSelected(selectedString) { if (!this.VALID_PAGES.includes(selectedString)) { console.error('%c SHELL %c Tried to resolve unknown page!', 'background-color: purple; font-weight: bold;', '', selectedString); return; } if (selectedString !== 'overview') { const selectedItemWaiter = this.$$(`#${selectedString} > .waiter`); if (selectedItemWaiter) { import(`./yta-${selectedString}-page.js`).then(() => { requestAnimationFrame(() => { const anim = selectedItemWaiter.animate([ { opacity: 1 }, { opacity: 0 } ], { duration: 150 }); anim.onfinish = () => { selectedItemWaiter.remove(); }; }); }); } } } _openAddDialog() { const fab = this.$$('#fab'); const clientRect = fab.getBoundingClientRect(); this._fire('switchsection', { action: 'openAddDialog', clientRect: clientRect }); fab.classList.add('hidden'); } _loadOverviewPage() { const selectedItemWaiter = this.$$('#overview > .waiter'); if (selectedItemWaiter) { const exec = () => requestAnimationFrame(() => { const anim = selectedItemWaiter.animate([ { opacity: 1 }, { opacity: 0 } ], { duration: 150 }); anim.onfinish = () => selectedItemWaiter.remove(); }); if (window.AppState.readyCheck.overviewpage) exec(); else window.addEventListener('overviewpageready', exec, { once: true }); } } async _menuItemClicked(e) { const cmd = e.target.getAttribute('key'); switch (cmd) { case 'settings': this._fire('switchsection', { action: 'openSettings' }); break; case 'feedback': { await import('../elements/yta-feedback-dialog.js'); const dialog = this.$$('#feedbackDialog'); dialog.style.display = 'block'; dialog.addEventListener('iron-overlay-closed', () => dialog.style.display = 'none', { once: true }); requestAnimationFrame(() => requestAnimationFrame(() => dialog.open())); break; } case 'about': { await import('../elements/yta-about-page.js'); const dialog = this.$$('#aboutDialog'); dialog.style.display = 'block'; dialog.addEventListener('iron-overlay-closed', () => dialog.style.display = 'none', { once: true }); requestAnimationFrame(() => requestAnimationFrame(() => dialog.open())); break; } /* case 'help': // redirect to help page break; */ case 'signout': await this.signOut(); location.reload(); // TODO: Rethink break; default: console.error('%c SHELL %c _menuItemClicked fired without key', 'background-color: purple; font-weight: bold;', '', el); } } } /** * Requests to switch shell section * @event switchsection */ customElements.define(YTAShell.is, YTAShell);
{ "content_hash": "643bc66c087b59c8eef4f6e7dcba3169", "timestamp": "", "source": "github", "line_count": 490, "max_line_length": 176, "avg_line_length": 33.90204081632653, "alnum_prop": 0.5871659041656634, "repo_name": "myfrom/your-timetable", "id": "1e3ff2c9febb71639be945304e7fa45c217217aa", "size": "16612", "binary": false, "copies": "2", "ref": "refs/heads/master", "path": "src/elements/yta-shell.js", "mode": "33188", "license": "apache-2.0", "language": [ { "name": "CSS", "bytes": "2191" }, { "name": "HTML", "bytes": "81797" }, { "name": "JavaScript", "bytes": "152146" } ], "symlink_target": "" }
<div class="box-favorite-bar"> <p>These are your Favorite companies (Standards):</p> <ul> <li> <a href="http://beta.dezignwall.com/profile/index/602"> <img src="http://beta.dezignwall.com/uploads/company/8e3ef24171679c01518e6b832aa07773_59001f04152ae.png"> </a> <span class="counter">+3</span> </li> <li> <a href="http://beta.dezignwall.com/profile/index/602"> <img src="http://beta.dezignwall.com/uploads/company/8e3ef24171679c01518e6b832aa07773_59001f04152ae.png"> </a> <span class="counter">+3</span> </li> <li> <a href="http://beta.dezignwall.com/profile/index/602"> <img src="http://beta.dezignwall.com/uploads/company/8e3ef24171679c01518e6b832aa07773_59001f04152ae.png"> </a> <span class="counter">+1.3k</span> </li> <li> <a href="http://beta.dezignwall.com/profile/index/602"> <img src="http://beta.dezignwall.com/uploads/company/8e3ef24171679c01518e6b832aa07773_59001f04152ae.png"> </a> <span class="counter">+3</span> </li> <li> <a href="http://beta.dezignwall.com/profile/index/602"> <img src="http://beta.dezignwall.com/uploads/company/8e3ef24171679c01518e6b832aa07773_59001f04152ae.png"> </a> <span class="counter">+333</span> </li> </ul> </div> <!-- - --> <!-- Button trigger modal --> <button type="button" class="btn btn-primary btn-lg" data-toggle="modal" data-target="#work-experience"> Work Experience </button> <!-- Modal --> <div class="modal modal-skin17 modal-work-experience fade" id="work-experience" tabindex="-1" role="dialog" aria-labelledby="work-experience"> <div class="modal-dialog" role="document"> <div class="modal-content"> <div class="modal-header"> <button type="button" class="close" data-dismiss="modal" aria-label="Close"><span aria-hidden="true">&times;</span></button> <h4 class="modal-title" id="myModalLabel">Your Work Experience</h4> </div> <form class="form-horizontal form-skin-17"> <div class="modal-body"> <div class="text-right"> <span class="work-add">+</span> </div> <hr> <div class="work-item media"> <div class="media-left"> <a href="#"> <img class="img-circle" src="http://beta.dezignwall.com/uploads/company/8e3ef24171679c01518e6b832aa07773_59001f04152ae.png" width="64"> </a> </div> <div class="media-body"> <div class="form-group"> <label for="work-title" class="col-sm-3 control-label"><small>Job Title:</small></label> <div class="col-sm-9"> <input type="text" class="form-control" name="work-title" placeholder="What was your job title..."> </div> </div> <div class="form-group"> <label for="work-company" class="col-sm-3 control-label"><small>Company Name:</small></label> <div class="col-sm-9"> <input type="text" class="form-control" name="work-company" placeholder="What was your company’s name..."> </div> </div> <div class="form-group date-range"> <label for="work-start-date" class="col-sm-3 control-label">Start Date:</label> <div class="col-sm-3"> <input type="date" class="form-control" name="work-start-date" placeholder="00/00/0000"> </div> <label for="work-end-date" class="col-sm-3 control-label">End Date:</label> <div class="col-sm-3"> <input type="date" class="form-control" name="work-end-date" placeholder="00/00/0000"> </div> </div> <div class="form-group"> <div class="col-sm-12 custom"> <div class="checkbox check-yelow checkbox-circle"> <input type="checkbox" id="work-present" name="work-present"> <label for="work-present"> Present </label> </div> </div> </div> <div class="form-group"> <div class="col-sm-12"> <label for="work-description"><small>Job Description:</small></label> <textarea class="form-control" name="description" placeholder="Describe your role and accomplishments..."></textarea> </div> </div> <p class="help-block">Are you the admin for this companies profile? As an admin you have the ability to post on behalf of the company, build Digital Product Catalogs and manage your companies account activity. If so, lets start building your company profile!</p> <p class="help-block">By selecting the radial button you acknowledge that you have the right and authorization to post content on behalf of this company. After selecting “Save/Update”, you will be redirected to your company profile.</p> <div class="form-group"> <div class="col-sm-12 custom"> <div class="checkbox check-yelow checkbox-circle"> <input type="checkbox" id="work-who" name="work-who"> <label for="work-who"> <small>I am the admin for this companies profile.</small> </label> </div> </div> </div> </div> </div> <hr> <div class="work-item media"> <div class="media-left"> <a href="#"> <img class="img-circle" src="http://beta.dezignwall.com/uploads/company/8e3ef24171679c01518e6b832aa07773_59001f04152ae.png" width="64"> </a> </div> <div class="media-body"> <div class="form-group"> <label for="work-title" class="col-sm-3 control-label"><small>Job Title:</small></label> <div class="col-sm-9"> <input type="text" class="form-control" name="work-title" placeholder="What was your job title..."> </div> </div> <div class="form-group"> <label for="work-company" class="col-sm-3 control-label"><small>Company Name:</small></label> <div class="col-sm-9"> <input type="text" class="form-control" name="work-company" placeholder="What was your company’s name..."> </div> </div> <div class="form-group date-range"> <label for="work-start-date" class="col-sm-3 control-label">Start Date:</label> <div class="col-sm-3"> <input type="date" class="form-control" name="work-start-date" placeholder="00/00/0000"> </div> <label for="work-end-date" class="col-sm-3 control-label">End Date:</label> <div class="col-sm-3"> <input type="date" class="form-control" name="work-end-date" placeholder="00/00/0000"> </div> </div> <div class="form-group"> <div class="col-sm-12 custom"> <div class="checkbox check-yelow checkbox-circle"> <input type="checkbox" id="work-present" name="work-present"> <label for="work-present"> Present </label> </div> </div> </div> <div class="form-group"> <div class="col-sm-12"> <label for="work-description"><small>Job Description:</small></label> <textarea class="form-control" name="description" placeholder="Describe your role and accomplishments..."></textarea> </div> </div> </div> </div> </div> <div class="modal-footer"> <button type="button" class="btn btn-link">MORE</button> <button type="button" class="btn btn-default" data-dismiss="modal">Cancel</button> <button type="button" class="btn btn-primary">Save/Update</button> </div> </form> </div> </div> </div> <!-- Button trigger modal --> <button type="button" class="btn btn-primary btn-lg" data-toggle="modal" data-target="#work-experience-saved"> Work Experience: save </button> <!-- Modal --> <div class="modal modal-skin17 modal-work-experience fade" id="work-experience-saved" tabindex="-1" role="dialog" aria-labelledby="work-experience-saved"> <div class="modal-dialog" role="document"> <div class="modal-content"> <div class="modal-header bg"> <button type="button" class="close" data-dismiss="modal" aria-label="Close"><span aria-hidden="true">&times;</span></button> <h4 class="modal-title" id="myModalLabel">Your Work Experience</h4> </div> <form class="form-horizontal form-skin-17"> <div class="modal-body"> <h3>Lets add your new position to your work experience!</h3> <hr> <div class="work-item media"> <div class="media-left"> <a href="#"> <img class="img-circle" src="http://beta.dezignwall.com/uploads/company/8e3ef24171679c01518e6b832aa07773_59001f04152ae.png" width="64"> </a> </div> <div class="media-body"> <div class="form-group"> <label for="work-title" class="col-sm-3 control-label"><small>Job Title:</small></label> <div class="col-sm-9"> <input type="text" class="form-control" name="work-title" placeholder="What was your job title..."> </div> </div> <div class="form-group"> <label for="work-company" class="col-sm-3 control-label"><small>Company Name:</small></label> <div class="col-sm-9"> <input type="text" class="form-control" name="work-company" placeholder="What was your company’s name..."> </div> </div> <div class="form-group date-range"> <label for="work-start-date" class="col-sm-3 control-label">Start Date:</label> <div class="col-sm-3"> <input type="date" class="form-control" name="work-start-date" placeholder="00/00/0000"> </div> <label for="work-end-date" class="col-sm-3 control-label">End Date:</label> <div class="col-sm-3"> <input type="date" class="form-control" name="work-end-date" placeholder="00/00/0000"> </div> </div> <div class="form-group"> <div class="col-sm-12 custom"> <div class="checkbox check-yelow checkbox-circle"> <input type="checkbox" id="work-present" name="work-present"> <label for="work-present"> Present </label> </div> </div> </div> <div class="form-group"> <div class="col-sm-12"> <label for="work-description"><small>Job Description:</small></label> <textarea class="form-control" name="description" placeholder="Describe your role and accomplishments..."></textarea> </div> </div> <p class="help-block">Are you the admin for this companies profile? As an admin you have the ability to post on behalf of the company, build Digital Product Catalogs and manage your companies account activity. If so, lets start building your company profile!</p> <p class="help-block">By selecting the radial button you acknowledge that you have the right and authorization to post content on behalf of this company. After selecting “Save/Update”, you will be redirected to your company profile.</p> <div class="form-group"> <div class="col-sm-12 custom"> <div class="checkbox check-yelow checkbox-circle"> <input type="checkbox" id="work-who" name="work-who"> <label for="work-who"> <small>I am the admin for this companies profile.</small> </label> </div> </div> </div> </div> </div> </div> <div class="modal-footer"> <button type="button" class="btn btn-link">Add More Experience</button> <button type="button" class="btn btn-default" data-dismiss="modal">Cancel</button> <button type="button" class="btn btn-primary">Save/Update</button> </div> </form> </div> </div> </div>
{ "content_hash": "f877b81058fe553db1a943693c43734c", "timestamp": "", "source": "github", "line_count": 271, "max_line_length": 290, "avg_line_length": 59.5830258302583, "alnum_prop": 0.4376045085774447, "repo_name": "phanquanghiep123/dezignwall", "id": "68611017b36a04e5a37bc4ac1528364a7681e267", "size": "16161", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "application/views/pages/template-demo.php", "mode": "33188", "license": "apache-2.0", "language": [ { "name": "ActionScript", "bytes": "97232" }, { "name": "ApacheConf", "bytes": "123" }, { "name": "Batchfile", "bytes": "21" }, { "name": "CSS", "bytes": "520865" }, { "name": "HTML", "bytes": "607672" }, { "name": "JavaScript", "bytes": "4451995" }, { "name": "PHP", "bytes": "18642021" }, { "name": "Shell", "bytes": "25" } ], "symlink_target": "" }
var logger = require(__dirname + '/logger.js'); logger.debugLevel = 'info'; var exports = module.exports = {}; exports.sanitizeSearchQueue = function(ref, delay) { } exports.sanitizeLivetickerFeedQueue = function(db, delay) { logger.log("warn", "Starting to sanitize Liveticker Feed Request Queue"); sanitizeLivetickerFeedQueueNow(db); setInterval(() => { sanitizeLivetickerFeedQueueNow(db); }, delay); } exports.sanitizeLivetickerQueue = function(db, delay) { logger.log("warn", "Starting to sanitize Liveticker Queue"); sanitizeLivetickerQueueNow(db); setInterval(() => { sanitizeLivetickerQueueNow(db); }, delay); } function sanitizeLivetickerFeedQueueNow(db) { logger.log("info", "Sanitizing Liveticker Feed Queue"); db.ref("queue/requestLivetickerQueue/tasks").once('value').then(function(snapshot) { snapshot.forEach((childSnapshot) => { if (childSnapshot.val()._state === "error" || childSnapshot.val()._state === "success") { if (childSnapshot.val()._state_changed + 600000 < Date.now()) { db.ref("queue/requestLivetickerQueue/tasks").child(childSnapshot.key).remove(); logger.log("info", "Deleted item with state " + childSnapshot.val()._state); } } }); }); } function sanitizeLivetickerQueueNow(db) { logger.log("info", "Sanitizing Liveticker Queue"); db.ref("queue/livetickerQueue/tasks").once('value').then(function(snapshot) { snapshot.forEach((childSnapshot) => { if (childSnapshot.val()._state === "error" || childSnapshot.val()._state === "success" || childSnapshot.val()._state === "livetickerAdded") { if (childSnapshot.val()._state_changed + 600000 < Date.now()) { db.ref("queue/livetickerQueue/tasks").child(childSnapshot.key).remove(); logger.log("info", "Deleted item with state " + childSnapshot.val()._state); } } }); }); } exports.stopAll = function() { }
{ "content_hash": "2b892a5efe5d6d02e20d5a530244f41a", "timestamp": "", "source": "github", "line_count": 57, "max_line_length": 95, "avg_line_length": 34.14035087719298, "alnum_prop": 0.6613566289825282, "repo_name": "sunilson/My-Ticker-Android", "id": "47e703f4469895807b9ca31268fd87af201cd1a1", "size": "1946", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "Schedule Server/interval.js", "mode": "33188", "license": "mit", "language": [ { "name": "Java", "bytes": "358400" } ], "symlink_target": "" }
require 'spec_helper' require 'poise' class ApplicationTestRealClass < Chef::Resource include Poise provides(:application_test_other_name) actions(:run) end describe PoiseApplication::Resources::Application::Resource do step_into(:application) recipe do application '/home/app' do remote_directory do source 'myapp' end end end it { is_expected.to deploy_application('/home/app').with(environment: {}) } it { is_expected.to create_directory('/home/app') } it { is_expected.to create_remote_directory('/home/app').with(source: 'myapp') } context 'with a plugin application_test_plugin' do resource(:application_test_plugin) do include Poise(parent: :application) end provider(:application_test_plugin) recipe do application '/home/app' do test_plugin 'plugin' end end it { is_expected.to run_application_test_plugin('plugin') } end # /context with a plugin application_test_plugin context 'with a plugin test_plugin' do resource(:test_plugin) do include Poise(parent: :application) end provider(:test_plugin) recipe do application '/home/app' do test_plugin 'plugin' end end it { is_expected.to run_test_plugin('plugin') } end # /context with a plugin test_plugin context 'with a plugin application_test_test_plugin' do resource(:application_test_test_plugin) do include Poise(parent: :application) end provider(:application_test_test_plugin) recipe do extend RSpec::Mocks::ExampleMethods allow(run_context.cookbook_collection).to receive(:keys).and_return(%w{application_test}) application '/home/app' do test_test_plugin 'plugin' end end it { is_expected.to run_application_test_test_plugin('plugin') } end # /context with a plugin application_test_test_plugin context 'with an LWRP application_test_test_plugin' do resource(:application_test_test_plugin, parent: Chef::Resource::LWRPBase) do include Poise(parent: :application) end provider(:application_test_test_plugin) recipe do extend RSpec::Mocks::ExampleMethods allow(run_context.cookbook_collection).to receive(:keys).and_return(%w{application_test}) application '/home/app' do test_plugin 'plugin' end end it { is_expected.to run_application_test_test_plugin('plugin') } end # /context with an LWRP application_test_test_plugin context 'with a plugin that has no name' do resource(:test_plugin) do include Poise(parent: :application) end provider(:test_plugin) recipe do application '/home/app' do test_plugin end end it { is_expected.to run_test_plugin('/home/app') } end # /context with a plugin that has no name context 'with a resource that does not match the class name' do recipe do application '/home/app' do test_other_name end end it { is_expected.to run_application_test_other_name('/home/app') } end # /context with a resource that does not match the class name context 'with a subresource that has an update' do step_into(:application) step_into(:ruby_block) resource(:test_plugin) do include Poise(parent: :application) actions(:run, :restart) end provider(:test_plugin) do def action_restart node.run_state['did_restart'] = true end end recipe do application '/home/app' do ruby_block { block {} } test_plugin end end it { is_expected.to run_ruby_block('/home/app') } it { expect(chef_run.ruby_block('/home/app').updated?).to be true } it { is_expected.to run_test_plugin('/home/app') } it { expect(chef_run.node.run_state['did_restart']).to be true } end # /context with a subresource that has an update end
{ "content_hash": "26acb2c8e26aa698c5660a4e5c46ebb7", "timestamp": "", "source": "github", "line_count": 132, "max_line_length": 95, "avg_line_length": 29.454545454545453, "alnum_prop": 0.6651234567901234, "repo_name": "h4ck3rm1k3/application", "id": "f56dbe381b7707784ea07f289b5b081cd3b4988e", "size": "4469", "binary": false, "copies": "2", "ref": "refs/heads/master", "path": "test/spec/resources/application_spec.rb", "mode": "33188", "license": "apache-2.0", "language": [ { "name": "Makefile", "bytes": "413" }, { "name": "Ruby", "bytes": "40873" } ], "symlink_target": "" }
module GoodData module Connectors module Base class TemplateException < Exception end end end end
{ "content_hash": "3f1201a232786e624d39c4185ef7a1f4", "timestamp": "", "source": "github", "line_count": 8, "max_line_length": 41, "avg_line_length": 15.125, "alnum_prop": 0.6859504132231405, "repo_name": "korczis/gooddata_connectors_base", "id": "d8dc5d90fba3fa2fef5e60c9b9959fc27ec1f7aa", "size": "121", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "lib/gooddata_connectors_base/exceptions/template_exception.rb", "mode": "33188", "license": "bsd-3-clause", "language": [ { "name": "Ruby", "bytes": "11224" } ], "symlink_target": "" }
var _ = require('lodash'), SandCastle = require("./sandcastle").SandCastle; function Pool(opts, sandCastleCreationOpts) { _.extend(this, { numberOfInstances: 1 }, opts); if(this.numberOfInstances < 1) { throw "Can't create a pool with zero instances"; } this.sandcastles = []; this.runQueue = []; this.consumerSleeping = true; for(var i = 0; i < this.numberOfInstances; ++i) { var sandCastleOptions = {} _.extend( sandCastleOptions, sandCastleCreationOpts, { socket: '/tmp/sandcastle_' + i.toString() + '.sock' } ); this.sandcastles.push({ castle: new SandCastle(sandCastleOptions), running: false }); } }; Pool.prototype.kill = function() { this.sandcastles.forEach(function(sandcastleData) { sandcastleData.castle.kill(); }); } Pool.prototype.consumeScript = function() { if(this.runQueue && this.runQueue.length > 0) { for(var i = 0; i < this.sandcastles.length; ++i) { var sandcastleData = this.sandcastles[i]; if(!sandcastleData.running && sandcastleData.castle.isInitialized()) { var nextScript = this.runQueue.splice(0,1)[0]; if(nextScript && nextScript.script) { this.runOnSandCastle(nextScript.script, nextScript.globals, sandcastleData); } else { // No scripts on queue. break; } } } setImmediate(function() { this.consumeScript() }.bind(this)); this.consumerSleeping = false; } else { this.consumerSleeping = true; } } Pool.prototype.runOnSandCastle = function(nextScript, scriptGlobals, sandcastleData) { var _this = this; sandcastleData.running = true; nextScript.on('exit', function() { sandcastleData.running = false; }); nextScript.on('timeout', function() { sandcastleData.running = false; }); nextScript.setSandCastle(sandcastleData.castle); nextScript.super_run(scriptGlobals); } Pool.prototype.requestRun = function(script, scriptGlobals) { this.runQueue.push({script: script, globals: scriptGlobals}); if(this.consumerSleeping) { this.consumeScript(); } }; Pool.prototype.createScript = function(source, opts) { var _this = this; // All scripts are created from first sandbox, but the // final target-sandbox is decided just before running. var newScript = this.sandcastles[0].castle.createScript(source, opts); // Override run-function, but keep the run function of superclass in // super_run. This allows drop in placement of Pool in place of SandCastle. newScript.super_run = newScript.run; newScript.run = function (globals) { _this.requestRun(newScript, globals); } return newScript; } exports.Pool = Pool;
{ "content_hash": "59b089b20c7a6ba0e68ec92913a5c932", "timestamp": "", "source": "github", "line_count": 105, "max_line_length": 86, "avg_line_length": 26.02857142857143, "alnum_prop": 0.6615440907427735, "repo_name": "bcoe/sandcastle", "id": "3fd987e3da54880775f15a13560d042e25c98574", "size": "2733", "binary": false, "copies": "2", "ref": "refs/heads/master", "path": "lib/pool.js", "mode": "33188", "license": "mit", "language": [ { "name": "JavaScript", "bytes": "26507" } ], "symlink_target": "" }
.player-bar { position: fixed; bottom: 0; left: 0; right: 0; height: 150px; background: rgba(255, 255, 255, 0.3); z-index: 100; } .player-bar a { font-size: 1.1rem; vertical-align: middle; } .player-bar a, .player-bar a:hover { color: white; cursor: pointer; text-decoration: none; } .player-bar .container { display: table; padding: 0; width: 90%; min-height: 100%; } .player-bar .control-group { display: table-cell; vertical-align: middle; } .player-bar .main-controls { width: 25%; text-align: left; padding-right: 1rem; } .player-bar .main-controls .previous { margin-right: 16.5%; } .player-bar .main-controls .play-pause { margin-right: 15%; font-size: 1.6rem; } .player-bar .currently-playing { width: 50%; text-align: center; position: relative; } .player-bar .currently-playing .song-name, .player-bar .currently-playing .artist-name, .player-bar .currently-playing .artist-song-mobile { text-align: center; font-size: 0.75rem; margin: 0; position: absolute; width: 100%; font-weight: 300; } .player-bar .currently-playing .song-name, .player-bar .currently-playing .artist-song-mobile { top: 1.1rem; } .player-bar .currently-playing .artist-name { bottom: 1.1rem; } .player-bar .currently-playing .artist-song-mobile { display: none; } .seek-control { position: relative; font-size: 0.8rem; } .seek-control .current-time { position: absolute; top: 0.5rem; } .seek-control .total-time { position: absolute; right: 0; top: 0.5rem; } .seek-bar { height: 0.25rem; background: rgba(255, 255, 255, 0.3); border-radius: 2px; position: relative; cursor: pointer; } .seek-bar .fill { background: white; width: 36%; height: 0.25rem; border-radius: 2px; } .seek-bar .thumb { position: absolute; height: 0.5rem; width: 0.5rem; background: white; left: 36%; top: 50%; margin-left: -0.25rem; margin-top: -0.25rem; border-radius: 50%; cursor: pointer; -webkit-transition: all 100ms ease-in-out; -moz-transition: all 100ms ease-in-out; transition: width 100ms ease-in-out, height 100ms ease-in-out, margin-top 100ms ease-in-out, margin-left 100ms ease-in-out; } .seek-bar:hover .thumb { width: 1.1rem; height: 1.1rem; margin-top: -0.5rem; margin-left: -0.5rem; } .player-bar .volume { width: 25%; text-align: right; } .player-bar .volume .icon { font-size: 1.1rem; display: inline-block; vertical-align: middle; } .player-bar .volume .seek-bar { display: inline-block; width: 5.75rem; vertical-align: middle; } @media (max-width: 40rem) { .player-bar { padding: 1rem; background: rgba(0,0,0,0.6); } .player-bar .main-controls, .player-bar .currently-playing, .player-bar .volume { display: block; margin: 0 auto; padding: 0; width: 100%; text-align: center; } .player-bar .main-controls, .player-bar .volume { min-height: 3.5rem; } .player-bar .currently-playing { min-height: 2.5rem; } .player-bar .artist-name, .player-bar .song-name { display: none; } .player-bar .artist-song-mobile { display: block; } }
{ "content_hash": "d434a0b65ea214e74a54e017b9034c3a", "timestamp": "", "source": "github", "line_count": 189, "max_line_length": 55, "avg_line_length": 19.417989417989418, "alnum_prop": 0.55858310626703, "repo_name": "dquarter87/bloc-jams-angular", "id": "e60e7e989c9884ca12c962b501576ee857635f42", "size": "3670", "binary": false, "copies": "1", "ref": "refs/heads/checkpoint-2-angular-config", "path": "app/styles/player_bar.css", "mode": "33188", "license": "apache-2.0", "language": [ { "name": "CSS", "bytes": "9475" }, { "name": "HTML", "bytes": "1052" }, { "name": "JavaScript", "bytes": "3665" } ], "symlink_target": "" }
<?php namespace backend\models\member; /** * AdminMemberModel.php file * User: LiuRan * Date: 2016/5/6 0006 * Time: 下午 12:58 */ class AdminMemberModel extends \common\models\member\AdminMemberModel { }
{ "content_hash": "27700ca1f31595b56326fb36da003f0a", "timestamp": "", "source": "github", "line_count": 14, "max_line_length": 69, "avg_line_length": 14.928571428571429, "alnum_prop": 0.7177033492822966, "repo_name": "darrenliuran/td74", "id": "0eb621d49a389d1f30bad0a2499ba610e6c9f6c0", "size": "213", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "backend/models/mebmer/AdminMemberModel.php", "mode": "33188", "license": "bsd-3-clause", "language": [ { "name": "ApacheConf", "bytes": "482" }, { "name": "Batchfile", "bytes": "1541" }, { "name": "CSS", "bytes": "2728" }, { "name": "PHP", "bytes": "127179" } ], "symlink_target": "" }
<!DOCTYPE HTML> <html> <head> <meta charset='utf-8'> <meta name='viewport' content='width=device-width, initial-scale=1.0'> <!--[if lt IE 9]> <script src="http://html5shim.googlecode.com/svn/trunk/html5.js"></script> <![endif]--> <link rel='shortcut icon' href='/img/favicon.ico' type='image/x-icon'> <link rel='apple-touch-icon' href='/img/favicon-apple-57x57.png'> <link rel='apple-touch-icon' sizes='72x72' href='/img/favicon-apple-72x72.png'> <link rel='apple-touch-icon' sizes='114x114' href='/img/favicon-apple-114x114.png'> <link href='http://fonts.googleapis.com/css?family=Titillium+Web:300,300italic,600,600italic|Alegreya:400italic,700italic,400,700|Inconsolata:400,700' rel='stylesheet' type='text/css'> <link rel='stylesheet' href='/stylesheets/style.css'> <title>Moved from approx to apt-cacher-ng &mdash; GHOSTBAR</title> </head> <body> <header id="header" class='container'> <div class='row'> <div id='logo' class='twocol'> <a href=''><img src='/img/logo-128x128.png'></a> </div> <!-- end of #logo --> <div id='title' class='sixcol'> <a href=''><h1 class='leaguegothic'>ghostbar</h1></a> <p id='tagline'>Random thoughts on technology written by <a href='http://joseluisrivas.net/'>Jose Luis Rivas</a></p> </div> <!-- end of #title --> </div> <!-- end of .row --> </header> <!-- end of #header.container --> <div id='post' class='container'> <div class='row container'> <article class='twelvecol post'> <header> <h1>Moved from approx to apt-cacher-ng</h1> <div class='date'> September 08, 2011 </div> </header> <div class='content'> <p>I have been a long-time user of <code>approx</code>, I got used to it and knew how to configure it so all my machines + VMs used the same cache and saved me a lot of bandwidth.</p> <p>But that was when I got a stable connection at >100KiB/s in a daily-basis. Now I'm with a mobile connection at <30KiB/s and sometimes is intermittent, so <code>approx</code> started giving me a lot of headaches.</p> <p>When <code>approx</code> tries to connect a host that can't be resolved its domain name, then gets 404. How does that reflects in the <code>/pool</code>? Well, you get a file <code>touch</code>'d and 0 bytes size. When you try again, <code>approx</code> will find the same file with 0 bytes size and will gives you again a 404, even if you can now resolve the name address of that domain. And as I like to use what I know, then I made a workaround: Each time this happened I ran:</p> <blockquote><code># find /var/cache/approx -size 0 | xargs rm</code></blockquote> <p>So next time I requested a file to <code>approx</code> it tried to connect to the host. But I got tired.</p> <p>I installed <code>apt-cacher-ng</code>, tweaked a bit <code>/etc/apt-cacher-ng/acng.conf</code> so it uses port 9999 and the cache dir redirects to the same cache than <code>approx</code> and done. <code>apt-cacher-ng</code> returns 503 when it can't connect to the peer, even tries to several repositories with only a line in <code>/etc/apt/sources.list</code> in my clients. It makes me happy and keeps saving me a lot more of bandwidth than <code>approx</code>.</p> </div> <footer> <small> <em>You should follow me on twitter <a href='http://twitter.com/ghostbar'>here</a></em>. </small> </footer> </article> </div> <!-- end .row --> </div> <!-- end .container --> <div class='clearfix'></div> <footer id='footer' class='container'> <div class='row'> <div class='twelvecol last'> <small>© 2012-2013, Jose Luis Rivas. Built with <a href='http://jekyllrb.com'>Jekyll</a> by <a href='http://joseluisrivas.net'>Jose Luis Rivas</a> from <a href='http://eserre.com'>Eserre</a>.</small> <small class='pull-right'><a href='/feed.xml'>RSS</a></small> </div> <!-- end of .twelvecol --> </div> <!-- end of .row --> </footer> <div> <script type="text/javascript"> var _gaq = _gaq || []; _gaq.push(['_setAccount', 'UA-1022716-2']); _gaq.push(['_trackPageview']); (function() { var ga = document.createElement('script'); ga.type = 'text/javascript'; ga.async = true; ga.src = ('https:' == document.location.protocol ? 'https://ssl' : 'http://www') + '.google-analytics.com/ga.js'; var s = document.getElementsByTagName('script')[0]; s.parentNode.insertBefore(ga, s); })(); </script> </div> </body> </html>
{ "content_hash": "3f5796f88fba6af0f32f6e5eab2e8170", "timestamp": "", "source": "github", "line_count": 117, "max_line_length": 486, "avg_line_length": 39, "alnum_prop": 0.6429980276134122, "repo_name": "ghostbar/ghostbar.co", "id": "046a86bd9ba45887884b3b1e254596e59573a471", "size": "4564", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "_site/2011/09/08/moved-from-approx-to-apt-cacher-ng/index.html", "mode": "33188", "license": "bsd-3-clause", "language": [ { "name": "ApacheConf", "bytes": "29273" }, { "name": "CSS", "bytes": "27530" }, { "name": "HTML", "bytes": "894286" }, { "name": "JavaScript", "bytes": "9751" }, { "name": "Makefile", "bytes": "48" }, { "name": "Ruby", "bytes": "1278" } ], "symlink_target": "" }
import * as components from './components'; import * as core from './core'; import * as domRenderables from './dom-renderables'; import * as domRenderers from './dom-renderers'; import * as math from './math'; import * as physics from './physics'; import * as polyfills from './polyfills'; import * as renderLoops from './render-loops'; import * as renderers from './renderers'; import * as transitions from './transitions'; import * as utilities from './utilities'; import * as webglRenderables from './webgl-renderables'; import * as webglRenderers from './webgl-renderers'; import * as webglGeometries from './webgl-geometries'; import * as webglMaterials from './webgl-materials'; import * as webglShaders from './webgl-shaders'; export { components }; export { core }; export { domRenderables }; export { domRenderers }; export { math }; export { physics }; export { polyfills }; export { renderers }; export { renderLoops }; export { transitions }; export { utilities }; export { webglRenderables }; export { webglRenderers }; export { webglGeometries }; export { webglMaterials }; export { webglShaders };
{ "content_hash": "61239d51d1a09653852ac1e8b43b04bd", "timestamp": "", "source": "github", "line_count": 34, "max_line_length": 56, "avg_line_length": 32.794117647058826, "alnum_prop": 0.7183856502242153, "repo_name": "talves/famous-engine", "id": "cc7ed0fb93e91134eeda38dad2e71ebc49935553", "size": "2270", "binary": false, "copies": "1", "ref": "refs/heads/infamous/es6", "path": "src/index.js", "mode": "33188", "license": "mit", "language": [ { "name": "GLSL", "bytes": "24311" }, { "name": "HTML", "bytes": "357" }, { "name": "JavaScript", "bytes": "1307787" } ], "symlink_target": "" }
package cn.sumpay.flume.metrics; public abstract interface SqlSourceCounterMBean { public abstract long getRowsCount(); public abstract void incrementRowsCount(); public abstract long getRowsProc(); public abstract void incrementRowsProc(); public abstract long getEventCount(); public abstract void incrementEventCount(); public abstract long getSendThroughput(); }
{ "content_hash": "8e96dea044b6531de947e413c9d47ed1", "timestamp": "", "source": "github", "line_count": 17, "max_line_length": 49, "avg_line_length": 22.352941176470587, "alnum_prop": 0.8, "repo_name": "zhengbo1979/maginot", "id": "5014559db47f31c412417dc9b423acc3f02b3008", "size": "380", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "flume-ng-sql-source/src/main/java/cn/sumpay/flume/metrics/SqlSourceCounterMBean.java", "mode": "33188", "license": "apache-2.0", "language": [ { "name": "Java", "bytes": "169813" } ], "symlink_target": "" }
package org.dnal.compiler.parser.ast; public abstract class ExpBase implements Exp { public int pos = 0; public int getPos() { return pos; } }
{ "content_hash": "351ce724402c7c3ac886ae21628c996e", "timestamp": "", "source": "github", "line_count": 9, "max_line_length": 46, "avg_line_length": 16.666666666666668, "alnum_prop": 0.7133333333333334, "repo_name": "ianrae/dnal-lang", "id": "68422cafc12062214f834d60456d71dc7b63a70e", "size": "150", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "src/main/java/org/dnal/compiler/parser/ast/ExpBase.java", "mode": "33188", "license": "mit", "language": [ { "name": "Java", "bytes": "922479" } ], "symlink_target": "" }
As of November 7th, 2018, I've decided to end my commitment to maintaining this repo and related. It's been more than 3 years since I last used ELK, so I no longer have the motivation it takes to maintain and evolve this project. Also, other projects need all the attention I can give. It was a great run, **thank you all**. # kubernetes-elk-cluster **ELK** (**Elasticsearch** + **Logstash** + **Kibana**) cluster on top of **Kubernetes**, made easy. Here you will find: * Kubernetes pod descriptor that joins Elasticsearch client-node container with Logstash container (for `localhost` communication) * Kubernetes pod descriptor that joins Elasticsearch client-node container with Kibana container (for `localhost` communication) * Kubernetes service descriptor that publishes Logstash * Kubernetes service descriptor that publishes Kibana ## Pre-requisites * Kubernetes 1.1.x cluster (tested with 4 nodes [Vagrant + CoreOS](https://github.com/pires/kubernetes-vagrant-coreos-cluster)) * `kubectl` configured to access your cluster master API Server * Elasticsearch cluster deployed - you can skip deploying `client-nodes` provisioning, since those will be paired with Logstash and Kibana containers, and automatically join the cluster you've assembled with [my Elasticsearch cluster instructions](https://github.com/pires/kubernetes-elasticsearch-cluster)). ## Deploy The current Logstash configuration is expecting [`logstash-forwarder`](https://github.com/pires/docker-logstash-forwarder) (Lumberjack secure protocol) to be its log input and the certificates provided are valid only for `logstash.default.svc.cluster.local`. I **highly** recommend you to rebuild your Logstash images with your own configuration and keys, if any. **Attention:** * If you're looking for details on how `quay.io/pires/docker-elasticsearch-kubernetes` images are built, take a look at [my other repository](https://github.com/pires/docker-elasticsearch-kubernetes). * If you're looking for details on how `quay.io/pires/docker-logstash` image is built, take a look at [my Logstash repository](https://github.com/pires/docker-logstash). * If you're looking for details on how `quay.io/pires/docker-logstash-forwarder` image is built, take a look at [my docker-logstash-forwarder repository](https://github.com/pires/docker-logstash-forwarder). * If you're looking for details on how `quay.io/pires/docker-kibana` image is built, take a look at [my Kibana repository](https://github.com/pires/docker-kibana). Let's go, then! ``` kubectl create -f service-account.yaml kubectl create -f logstash-service.yaml kubectl create -f logstash-controller.yaml kubectl create -f kibana-service.yaml kubectl create -f kibana-controller.yaml ``` Wait for provisioning to happen and then check the status: ``` $ kubectl get pods NAME READY STATUS RESTARTS AGE es-client-s1qnq 1/1 Running 0 57m es-data-khoit 1/1 Running 0 56m es-master-cfa6g 1/1 Running 0 1h kibana-w0h9e 1/1 Running 0 2m kube-dns-pgqft 3/3 Running 0 1h logstash-9v8ro 1/1 Running 0 4m ``` As you can assert, the cluster is up and running. Easy, wasn't it? ## Access the service *Don't forget* that services in Kubernetes are only acessible from containers within the cluster by default, unless you have provided a `LoadBalancer`-enabled service. ``` $ kubectl get service kibana NAME LABELS SELECTOR IP(S) PORT(S) kibana component=elk,role=kibana component=elk,role=kibana 10.100.187.62 80/TCP ``` You should know what to do from here.
{ "content_hash": "454a3418e3be90e23a293a81777c4197", "timestamp": "", "source": "github", "line_count": 68, "max_line_length": 308, "avg_line_length": 54.38235294117647, "alnum_prop": 0.7339102217414819, "repo_name": "pires/kubernetes-elk-cluster", "id": "38bd794004e55b982c3f5134521e29a5e326e9d6", "size": "3738", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "README.md", "mode": "33188", "license": "apache-2.0", "language": [ { "name": "Dockerfile", "bytes": "333" } ], "symlink_target": "" }
<?php class Google_Service_Dfareporting_TechnologyTargeting extends Google_Collection { protected $collection_key = 'platformTypes'; protected $browsersType = 'Google_Service_Dfareporting_Browser'; protected $browsersDataType = 'array'; protected $connectionTypesType = 'Google_Service_Dfareporting_ConnectionType'; protected $connectionTypesDataType = 'array'; protected $mobileCarriersType = 'Google_Service_Dfareporting_MobileCarrier'; protected $mobileCarriersDataType = 'array'; protected $operatingSystemVersionsType = 'Google_Service_Dfareporting_OperatingSystemVersion'; protected $operatingSystemVersionsDataType = 'array'; protected $operatingSystemsType = 'Google_Service_Dfareporting_OperatingSystem'; protected $operatingSystemsDataType = 'array'; protected $platformTypesType = 'Google_Service_Dfareporting_PlatformType'; protected $platformTypesDataType = 'array'; public function setBrowsers($browsers) { $this->browsers = $browsers; } public function getBrowsers() { return $this->browsers; } public function setConnectionTypes($connectionTypes) { $this->connectionTypes = $connectionTypes; } public function getConnectionTypes() { return $this->connectionTypes; } public function setMobileCarriers($mobileCarriers) { $this->mobileCarriers = $mobileCarriers; } public function getMobileCarriers() { return $this->mobileCarriers; } public function setOperatingSystemVersions($operatingSystemVersions) { $this->operatingSystemVersions = $operatingSystemVersions; } public function getOperatingSystemVersions() { return $this->operatingSystemVersions; } public function setOperatingSystems($operatingSystems) { $this->operatingSystems = $operatingSystems; } public function getOperatingSystems() { return $this->operatingSystems; } public function setPlatformTypes($platformTypes) { $this->platformTypes = $platformTypes; } public function getPlatformTypes() { return $this->platformTypes; } }
{ "content_hash": "2606f470fe1159b90f8925aa794ba99e", "timestamp": "", "source": "github", "line_count": 68, "max_line_length": 96, "avg_line_length": 30.25, "alnum_prop": 0.754982984929509, "repo_name": "dwivivagoal/KuizMilioner", "id": "ee676e7ec757458936dc83cb604e832d640f86b7", "size": "2647", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "application/libraries/php-google-sdk/google/apiclient-services/src/Google/Service/Dfareporting/TechnologyTargeting.php", "mode": "33188", "license": "mit", "language": [ { "name": "CSS", "bytes": "6534560" }, { "name": "CoffeeScript", "bytes": "83631" }, { "name": "HTML", "bytes": "3080360" }, { "name": "Hack", "bytes": "1703568" }, { "name": "JavaScript", "bytes": "18658301" }, { "name": "Makefile", "bytes": "952" }, { "name": "PHP", "bytes": "23648205" }, { "name": "Shell", "bytes": "1628" } ], "symlink_target": "" }
CKEDITOR.plugins.setLang( 'toolbarswitch', 'si', { toolbarswitch: 'Switch toolbar' });
{ "content_hash": "e0303f588f316fb2e6be7bc11b81d70e", "timestamp": "", "source": "github", "line_count": 4, "max_line_length": 50, "avg_line_length": 22.25, "alnum_prop": 0.7078651685393258, "repo_name": "gambala/ckeditor", "id": "3e79d3ba39d03d427da542c7794e2915710c5da0", "size": "231", "binary": false, "copies": "5", "ref": "refs/heads/master", "path": "vendor/assets/javascripts/ckeditor/plugins/toolbarswitch/lang/si.js", "mode": "33188", "license": "mit", "language": [ { "name": "CSS", "bytes": "4589" }, { "name": "HTML", "bytes": "8722" }, { "name": "JavaScript", "bytes": "76634" }, { "name": "Ruby", "bytes": "92197" } ], "symlink_target": "" }
package org.keycloak.testsuite.x509; import java.security.NoSuchProviderException; import java.security.cert.CertificateException; import java.security.cert.CertificateFactory; import org.jboss.arquillian.drone.api.annotation.Drone; import org.junit.Assume; import org.junit.Before; import org.junit.BeforeClass; import org.junit.Test; import org.keycloak.representations.idm.UserRepresentation; import org.keycloak.testsuite.util.PhantomJSBrowser; import org.openqa.selenium.WebDriver; /** * @author Sebastian Loesch * @date 02/14/2019 */ public class X509BrowserLoginIssuerDnTest extends AbstractX509AuthenticationTest { @Drone @PhantomJSBrowser private WebDriver phantomJS; @Before public void replaceTheDefaultDriver() { replaceDefaultWebDriver(phantomJS); } @BeforeClass public static void checkAssumption() { try { CertificateFactory.getInstance("X.509", "SUN"); } catch (CertificateException | NoSuchProviderException e) { Assume.assumeNoException("Test assumes the SUN security provider", e); } } @BeforeClass public static void onBeforeTestClass() { configurePhantomJS("/ca.crt", "/certs/clients/[email protected]", "/certs/clients/[email protected]", "password"); } private String setup(boolean canonicalDnEnabled) throws Exception { String issuerDn = canonicalDnEnabled ? "1.2.840.113549.1.9.1=#1614636f6e74616374406b6579636c6f616b2e6f7267,cn=keycloak intermediate ca,ou=keycloak,o=red hat,st=ma,c=us" : "[email protected], CN=Keycloak Intermediate CA, OU=Keycloak, O=Red Hat, ST=MA, C=US"; UserRepresentation user = findUser("test-user@localhost"); user.singleAttribute("x509_certificate_identity", issuerDn); updateUser(user); return issuerDn; } @Test public void loginAsUserFromCertIssuerDnCanonical() throws Exception { String issuerDn = setup(true); x509BrowserLogin(createLoginIssuerDNToCustomAttributeConfig(true), userId, "test-user@localhost", issuerDn); } @Test public void loginAsUserFromCertIssuerDnNonCanonical() throws Exception { String issuerDn = setup(false); x509BrowserLogin(createLoginIssuerDNToCustomAttributeConfig(false), userId, "test-user@localhost", issuerDn); } }
{ "content_hash": "53bd0bd57f9b79057bb0b82ce569c7da", "timestamp": "", "source": "github", "line_count": 73, "max_line_length": 143, "avg_line_length": 33.342465753424655, "alnum_prop": 0.7161051766639277, "repo_name": "darranl/keycloak", "id": "5e9d62b796b57e52b41ee3253a2e6f7182aa9df9", "size": "3108", "binary": false, "copies": "20", "ref": "refs/heads/master", "path": "testsuite/integration-arquillian/tests/base/src/test/java/org/keycloak/testsuite/x509/X509BrowserLoginIssuerDnTest.java", "mode": "33188", "license": "apache-2.0", "language": [ { "name": "ApacheConf", "bytes": "22819" }, { "name": "CSS", "bytes": "549959" }, { "name": "HTML", "bytes": "343236" }, { "name": "Java", "bytes": "7121450" }, { "name": "JavaScript", "bytes": "1259846" }, { "name": "Shell", "bytes": "10703" }, { "name": "XSLT", "bytes": "5071" } ], "symlink_target": "" }
namespace blink { class PaintLayer; enum ClipRectsCacheSlot { // Relative to the ancestor treated as the root (e.g. transformed layer). Used for hit testing. RootRelativeClipRects, RootRelativeClipRectsIgnoringViewportClip, // Relative to the LayoutView's layer. Used for compositing overlap testing. AbsoluteClipRects, // Relative to painting ancestor. Used for painting. PaintingClipRects, PaintingClipRectsIgnoringOverflowClip, NumberOfClipRectsCacheSlots, UncachedClipRects, }; class ClipRectsCache { USING_FAST_MALLOC(ClipRectsCache); public: struct Entry { Entry() : root(nullptr) #if ENABLE(ASSERT) , overlayScrollbarClipBehavior(IgnoreOverlayScrollbarSize) #endif { } const PaintLayer* root; RefPtr<ClipRects> clipRects; #if ENABLE(ASSERT) OverlayScrollbarClipBehavior overlayScrollbarClipBehavior; #endif }; Entry& get(ClipRectsCacheSlot slot) { ASSERT(slot < NumberOfClipRectsCacheSlots); return m_entries[slot]; } void clear(ClipRectsCacheSlot slot) { ASSERT(slot < NumberOfClipRectsCacheSlots); m_entries[slot] = Entry(); } private: Entry m_entries[NumberOfClipRectsCacheSlots]; }; } // namespace blink #endif // ClipRectsCache_h
{ "content_hash": "f686aa381f416b2965010b0466ff2759", "timestamp": "", "source": "github", "line_count": 54, "max_line_length": 99, "avg_line_length": 24.703703703703702, "alnum_prop": 0.6934032983508246, "repo_name": "danakj/chromium", "id": "f678226b12da8b33e28069f9cbb5312fa03d4598", "size": "1688", "binary": false, "copies": "2", "ref": "refs/heads/master", "path": "third_party/WebKit/Source/core/layout/ClipRectsCache.h", "mode": "33188", "license": "bsd-3-clause", "language": [], "symlink_target": "" }
using namespace appleseed::qtcommon; namespace appleseed { namespace studio { RenderClipboardHandler::RenderClipboardHandler(QWidget* widget, ICapturableWidget* capturable_widget) : m_widget(widget) , m_capturable_widget(capturable_widget) { m_widget->installEventFilter(this); } RenderClipboardHandler::~RenderClipboardHandler() { m_widget->removeEventFilter(this); } bool RenderClipboardHandler::eventFilter(QObject* object, QEvent* event) { if (event->type() == QEvent::KeyPress) { const QKeyEvent* key_event = static_cast<QKeyEvent*>(event); if (key_event->modifiers() == Qt::ControlModifier && key_event->key() == Qt::Key_C) { QApplication::clipboard()->setImage(m_capturable_widget->capture()); RENDERER_LOG_INFO("copied image to clipboard."); } } return QObject::eventFilter(object, event); } } // namespace studio } // namespace appleseed
{ "content_hash": "58bb5d0a80684ee903f8213f62f5b89c", "timestamp": "", "source": "github", "line_count": 35, "max_line_length": 101, "avg_line_length": 26.914285714285715, "alnum_prop": 0.6836518046709129, "repo_name": "dictoon/appleseed", "id": "77254817d535f4617569b0f07e4ad0ab43b47224", "size": "2593", "binary": false, "copies": "6", "ref": "refs/heads/master", "path": "src/appleseed.studio/mainwindow/rendering/renderclipboardhandler.cpp", "mode": "33188", "license": "mit", "language": [ { "name": "Batchfile", "bytes": "87" }, { "name": "C", "bytes": "627233" }, { "name": "C++", "bytes": "19976926" }, { "name": "CMake", "bytes": "308984" }, { "name": "GLSL", "bytes": "7210" }, { "name": "HTML", "bytes": "39761" }, { "name": "Objective-C", "bytes": "489836" }, { "name": "Python", "bytes": "442360" }, { "name": "Shell", "bytes": "13208" } ], "symlink_target": "" }
<?php // Add real life dalay sleep(1); ?> <h1>Text loaded with AJAX</h1> <p>Lorem ipsum dolor sit amet, consectetur adipiscing elit. Maecenas non mi felis. Proin tempus risus sed euismod sagittis. Vestibulum non urna ac lorem lobortis vestibulum venenatis nec dolor. Etiam posuere odio ut augue tincidunt vestibulum. Phasellus ultricies luctus purus et vehicula<br><a id="load-more-lorem">&mdash; load more lipsum</a></p>
{ "content_hash": "8aadc1ad4d853ad2b5800a32974a6b2b", "timestamp": "", "source": "github", "line_count": 7, "max_line_length": 348, "avg_line_length": 61.42857142857143, "alnum_prop": 0.7581395348837209, "repo_name": "peronczyk/PLON", "id": "266e80b371e6c113a431964048830ab608c9bdd5", "size": "430", "binary": false, "copies": "2", "ref": "refs/heads/master", "path": "examples/Modal/test.php", "mode": "33188", "license": "mit", "language": [ { "name": "CSS", "bytes": "35941" }, { "name": "JavaScript", "bytes": "100735" }, { "name": "PHP", "bytes": "1345" } ], "symlink_target": "" }
import { route, template, DialogService, EventAggregator, NavigationService, StorageService, title, components } from "./../../../../src/index"; import * as Routes from "./../routes"; import { BasePageViewModel } from "./../base-page-view-model"; import { inject } from "@nivinjoseph/n-ject"; import "./dashboard-view.scss"; import { ScopedService } from "../../services/scoped-service"; import { BindingTestViewModel } from "../../components/binding-test/binding-test-view-model"; import { Delay, Duration, synchronize } from "@nivinjoseph/n-util"; // import { Delay } from "@nivinjoseph/n-util"; @components(BindingTestViewModel) @template(require("./dashboard-view.html")) @route(Routes.dashboard) @title("Dashboard") @inject("DialogService", "EventAggregator", "NavigationService", "StorageService", "ScopedService") export class DashboardViewModel extends BasePageViewModel { private readonly _dialogService: DialogService; // @ts-expect-error: not used atm private readonly _eventAggregator: EventAggregator; // @ts-expect-error: not used atm private readonly _navigationService: NavigationService; // @ts-expect-error: not used atm private readonly _storageService: StorageService; // @ts-expect-error: not used atm private readonly _scopedService: ScopedService; private readonly _message = "Dashboard view"; private _score = 10; private _fooParentValue: string | null; // private _isActive = false; public get score(): number { return this._score; } public get message(): string { return this._message; } public get fooParentValue(): string | null { return this._fooParentValue; } public set fooParentValue(value: string | null) { console.log("setting", value); this._fooParentValue = value; } public constructor(dialogService: DialogService, evenAggregator: EventAggregator, navigationService: NavigationService, storageService: StorageService, scopedService: ScopedService) { super(); this._dialogService = dialogService; this._eventAggregator = evenAggregator; this._navigationService = navigationService; this._storageService = storageService; this._scopedService = scopedService; // this._fooParentValue = "whatever"; // this._fooParentValue = null as any; this._fooParentValue = null; // this._fooParentValue = 1 as any; this.executeOnDestroy(() => console.log("Destroying dashboard")); } @synchronize(Duration.fromMilliSeconds(1000)) public increment(): void { // console.log(this); // console.log("isActive", this._isActive); // if (this._isActive === true) // return; // try // { // this._isActive = true; // // do all the logic // } // finally // { // this._isActive = false; // } // this._isActive = true; // await Delay.milliseconds(100); this._score++; this._dialogService.showWarningMessage("Score incremented"); // this._dialogService.showLoadingScreen(); // setTimeout(() => this._dialogService.hideLoadingScreen(), 5000); // this._dialogService.showErrorMessage("haha"); // this._navigationService.navigate(Routes.updateTodo, { id: 5 }); // this._isActive = false; } public async loading(): Promise<void> { console.log("loading clicked"); this._dialogService.showLoadingScreen(); await Delay.seconds(3); this._dialogService.hideLoadingScreen(); } }
{ "content_hash": "7f822e3b7c007b92e85dd974ff3fd9ca", "timestamp": "", "source": "github", "line_count": 119, "max_line_length": 144, "avg_line_length": 32.35294117647059, "alnum_prop": 0.6124675324675325, "repo_name": "nivinjoseph/n-app", "id": "5a572e6768a5f7695c1c340ca08a65c2cba6ed3b", "size": "3850", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "test-app/client/pages/dashboard/dashboard-view-model.ts", "mode": "33188", "license": "mit", "language": [ { "name": "HTML", "bytes": "6304" }, { "name": "SCSS", "bytes": "2030" }, { "name": "TypeScript", "bytes": "276511" } ], "symlink_target": "" }
class Engine { private: GraphicsEngine* m_Graphics; Game* m_Game; RenderQueue* m_RenderQueue; Timer* m_Timer; Timer* m_FPSTimer; int m_FrameCounter; SDL_Event m_Event; EventManager* m_EventSystem; public: Engine(); ~Engine(); bool Run(); void Init(int ScreenWidth,int ScreenHeight,bool Fullscreen,bool vsync); };
{ "content_hash": "1cc93b528cfe5003ff680cc83a83d49a", "timestamp": "", "source": "github", "line_count": 17, "max_line_length": 72, "avg_line_length": 19.11764705882353, "alnum_prop": 0.7292307692307692, "repo_name": "exnotime/KlurifaxRay", "id": "124192a4e898c9c3fcb5fe741e7ea737d33e2a7a", "size": "556", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "KlurifaxRay/OpenKlurifax/Base/Engine.h", "mode": "33188", "license": "mit", "language": [ { "name": "C", "bytes": "3219198" }, { "name": "C++", "bytes": "1907810" }, { "name": "CMake", "bytes": "1566" }, { "name": "GLSL", "bytes": "19223" } ], "symlink_target": "" }
(project created ca. March 2014) A minimalistic image viewer that supports animated .gifs and transparency. One of my earliest projects and thus one of my worst in terms of code quality. To open an image, either drag it onto the executable or use the "Open with..." dialog. Once the program is started, press CTRL + H for help.
{ "content_hash": "208e120646f5dde25f82f1f3243f168a", "timestamp": "", "source": "github", "line_count": 5, "max_line_length": 140, "avg_line_length": 65.8, "alnum_prop": 0.7720364741641338, "repo_name": "rakijah/SideProjects", "id": "e78e9aafdfd8fec16caf37479b2201059c35bdd6", "size": "349", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "QuickViewCSharp/README.md", "mode": "33188", "license": "mit", "language": [ { "name": "C#", "bytes": "142819" }, { "name": "JavaScript", "bytes": "1460" } ], "symlink_target": "" }
import json import pika import sys from datetime import datetime, timedelta import string import random class Client: """ Client application to the GRACC Request daemons """ def __init__(self, exchange, routing_key, url="amqp://guest:guest@localhost/"): """ Initialization function :param str exchange: Exchange to send requests to. :param str routing_key: Routing key to bind to. :param str url: URL of the amqp connection. Can be in the form of scheme://username:password@host:port/vhost """ self.url = url self.exchange = exchange self.routing_key = routing_key self.conn = None self.messages_received = 0 self.last_messages = 0 def _createQueues(self, create_data): """ Create the necessary queues and exchanges for data and control messages to be received. :param boolean create_data: Whether to create the data exchanges or not. Setting to true will create the data channels. """ if not self.conn: self._createConn() # Create a new channel self.channel = self.conn.channel() if create_data: # Create the receive queue self.data_queue = "data-queue-%s" % self._createName() self.data_exchange = "data-exchange-%s" % self._createName() self.data_key = "data-key-%s" % self._createName() self.channel.queue_declare(queue=self.data_queue, durable=False, exclusive=True, auto_delete=True) self.channel.exchange_declare(exchange=self.data_exchange, exchange_type='direct', durable=False, auto_delete=True) self.channel.queue_bind(queue=self.data_queue, exchange=self.data_exchange, routing_key=self.data_key) # Create the control queue self.control_queue = "control-queue-%s" % self._createName() self.control_exchange = "control-exchange-%s" % self._createName() self.control_key = "control-key-%s" % self._createName() self.channel.queue_declare(queue=self.control_queue, durable=False, exclusive=True, auto_delete=True) self.channel.exchange_declare(exchange=self.control_exchange, exchange_type='direct', durable=False, auto_delete=True) self.channel.queue_bind(queue=self.control_queue, exchange=self.control_exchange, routing_key=self.control_key) def _createName(self, size=6): """ Create a unique string name. """ chars = string.ascii_uppercase + string.digits return ''.join(random.choice(chars) for _ in range(size)) def _createConn(self): """ Initiate the remote connection """ parameters = pika.URLParameters(self.url) self.conn = pika.adapters.blocking_connection.BlockingConnection(parameters) def _getControlMessage(self, channel, method, properties, body): """ Receives control messages from the remote agents """ # Receives the control messages body_parsed = json.loads(body) self.channel.basic_ack(delivery_tag=method.delivery_tag) if body_parsed['stage'] == "finished": def deadline_reached(): #print "Deadline reached" self.channel.stop_consuming() self.conn.add_timeout(1, deadline_reached) def _getDataMessage(self, channel, method, properties, body): """ Receives the data messages """ self.channel.basic_ack(delivery_tag=method.delivery_tag) self.messages_received += 1 self.callbackDataMessage(body) def _checkStatus(self): """ Called every X seconds to check the status of the transfer. If nothing has happened lately, then kill the connection. """ if self.last_messages == self.messages_received: self.channel.stop_consuming() else: self.last_messages = self.messages_received self.timer_id = self.conn.add_timeout(300, self._checkStatus) def query(self, from_date, to_date, kind, getMessage=None, destination_exchange=None, destination_key=None): """ Query the remote agents for data. :param datetime from_date: A python datetime object representing the begininng of the query's time interval. :param datetime to_date: A python datetime object representing the end of the query's time interval :param str kind: The kind of request. Either "raw", "summary", or "transfer_summary" :param function getMessage: A callback to send the received records. :param str destination_exchange: The name of the exchange to send data to. :param str destination_key: The routing key to use for destination. Either getMessage is None, or both destination_exchange and destination_key are None. getMessage is used to retrieve data inline, while destination_exchange and destination_key are used to route traffic elsewhere. destination_exchange has to already exist. """ # Check that we don't have conflicting variable states assert (getMessage == None) or ((destination_exchange == None) and (destination_key == None)) # Convinence variable to see if we are receiving the data, or not remote_destination = (destination_exchange != None) and (destination_key != None) # Create the connection self._createConn() self._createQueues(not remote_destination) # First, create the msg msg = {} msg["from"] = from_date.isoformat() msg["to"] = to_date.isoformat() msg["kind"] = kind if remote_destination: msg["destination"] = destination_exchange msg["routing_key"] = destination_key else: msg["destination"] = self.data_exchange msg["routing_key"] = self.data_key msg["control"] = self.control_exchange msg["control_key"] = self.control_key # Now listen to the queues self.callbackDataMessage = getMessage self.channel.basic_consume(self._getControlMessage, self.control_queue) if not remote_destination: self.channel.basic_consume(self._getDataMessage, self.data_queue) # Send the message self.channel.basic_publish(self.exchange, self.routing_key, json.dumps(msg), pika.BasicProperties(content_type='text/json', delivery_mode=1)) # Begin the checkStatus timer self.timer_id = self.conn.add_timeout(300, self._checkStatus) self.channel.start_consuming() self.conn.close() self.conn = None
{ "content_hash": "153edf0d42d83a850f822bafa4036563", "timestamp": "", "source": "github", "line_count": 177, "max_line_length": 128, "avg_line_length": 40.175141242937855, "alnum_prop": 0.6049782027844185, "repo_name": "shreyb/gracc-request", "id": "9327dda961cf92e1e7d9ff0a6b54ea1c472311e4", "size": "7111", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "src/graccreq/client.py", "mode": "33188", "license": "apache-2.0", "language": [ { "name": "Dockerfile", "bytes": "540" }, { "name": "Python", "bytes": "85662" }, { "name": "Shell", "bytes": "2795" } ], "symlink_target": "" }
<!DOCTYPE HTML PUBLIC "-//W3C//DTD HTML 4.01 Transitional//EN" "http://www.w3.org/TR/html4/loose.dtd"> <html> <head> <title>Submission 984</title> <meta http-equiv="Content-Type" content="text/html; charset=iso-8859-1"> </head> <body topmargin="0" leftmargin="0" marginheight="0" marginwidth="0"> <img src="gallery/submissions/984.jpg" height="400"> </body> </html>
{ "content_hash": "1d36dce980c39bd1650f8ba269329950", "timestamp": "", "source": "github", "line_count": 11, "max_line_length": 102, "avg_line_length": 33.36363636363637, "alnum_prop": 0.7002724795640327, "repo_name": "heyitsgarrett/envelopecollective", "id": "786cba61be72a5f206d73cafec9404002575f8bf", "size": "367", "binary": false, "copies": "1", "ref": "refs/heads/gh-pages", "path": "gallery_submission.php-id=984.html", "mode": "33188", "license": "mit", "language": [ { "name": "CSS", "bytes": "12048" }, { "name": "HTML", "bytes": "110277612" }, { "name": "JavaScript", "bytes": "13527" } ], "symlink_target": "" }
extern CGFloat const PHFComposeBarViewInitialHeight; // Each notification includes the view as object and a userInfo dictionary // containing the beginning and ending view frame. Animation key/value pairs are // only available for the PHFComposeBarViewWillChangeFrameNotification // notification. extern NSString *const PHFComposeBarViewDidChangeFrameNotification; extern NSString *const PHFComposeBarViewWillChangeFrameNotification; extern NSString *const PHFComposeBarViewAnimationDurationUserInfoKey; // NSNumber of double extern NSString *const PHFComposeBarViewAnimationCurveUserInfoKey; // NSNumber of NSUInteger (UIViewAnimationCurve) extern NSString *const PHFComposeBarViewFrameBeginUserInfoKey; // NSValue of CGRect extern NSString *const PHFComposeBarViewFrameEndUserInfoKey; // NSValue of CGRect @protocol PHFComposeBarViewDelegate; @interface PHFComposeBarView : UIView <UITextViewDelegate> // Default is YES. When YES, the auto resizing top margin will be flexible. // Whenever the height changes due to text length, the top offset will // automatically be adjusted such that the view grows upwards while the bottom // stays fixed. When NO, the top margin is not flexible. This causes the view to // grow downwards when the height changes due to the text length. Turning this // off can be useful in some complicated view setups. @property (assign, nonatomic) BOOL autoAdjustTopOffset; @property (strong, nonatomic, readonly) UIButton *button; // Default is a blue matching that from iMessage (RGB: 0, 122, 255). @property (strong, nonatomic) UIColor *buttonTintColor UI_APPEARANCE_SELECTOR; // Default is "Send". @property (strong, nonatomic) NSString *buttonTitle UI_APPEARANCE_SELECTOR; @property (weak, nonatomic) id <PHFComposeBarViewDelegate> delegate; // When set to NO, the text view, the utility button, and the main button are // disabled. @property (assign, nonatomic, getter=isEnabled) BOOL enabled; // Default is 0. When not 0, a counter is shown in the format // count/maxCharCount. It is placed behind the main button but with a fixed top // margin, thus only visible if there are at least two lines of text. @property (assign, nonatomic) NSUInteger maxCharCount; // Default is 200.0. @property (assign, nonatomic) CGFloat maxHeight; // Default is 9. Merely a conversion from maxHeight property. @property (assign, nonatomic) CGFloat maxLinesCount; // Default is nil. This is a shortcut for the text property of placeholderLabel. @property (strong, nonatomic) NSString *placeholder UI_APPEARANCE_SELECTOR; @property (nonatomic, readonly) UILabel *placeholderLabel; // Default is nil. This is a shortcut for the text property of textView. Setting // the text can be animated by using the -setText:animated: method. @property (strong, nonatomic) NSString *text; @property (strong, nonatomic, readonly) UITextView *textView; @property (strong, nonatomic, readonly) UIButton *utilityButton; // Default is nil. Images should be white on transparent background. The side // length should not exceed 16 points. The button is only visible when an image // is set. Thus, to hide the button, set this property to nil. @property (strong, nonatomic) UIImage *utilityButtonImage UI_APPEARANCE_SELECTOR; - (void)setText:(NSString *)text animated:(BOOL)animated; - (void)handleTextViewChangeAnimated:(BOOL)animated; - (id)initWithFrame:(CGRect)frame andSpacingConstant:(CGFloat)constant; @end @protocol PHFComposeBarViewDelegate <NSObject, UITextViewDelegate> @optional - (void)composeBarViewDidPressButton:(PHFComposeBarView *)composeBarView; - (void)composeBarViewDidPressUtilityButton:(PHFComposeBarView *)composeBarView; - (void)composeBarView:(PHFComposeBarView *)composeBarView willChangeFromFrame:(CGRect)startFrame toFrame:(CGRect)endFrame duration:(NSTimeInterval)duration animationCurve:(UIViewAnimationCurve)animationCurve; - (void)composeBarView:(PHFComposeBarView *)composeBarView didChangeFromFrame:(CGRect)startFrame toFrame:(CGRect)endFrame; @end
{ "content_hash": "59a9c3b2dce54e8852b12e1fa07fae78", "timestamp": "", "source": "github", "line_count": 94, "max_line_length": 118, "avg_line_length": 43.43617021276596, "alnum_prop": 0.7861866274797943, "repo_name": "abaenglish/PHFComposeBarView", "id": "4977d427d90a2fad1ff079caba634e64efe7bc15", "size": "4208", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "Classes/PHFComposeBarView.h", "mode": "33188", "license": "mit", "language": [ { "name": "Objective-C", "bytes": "41747" }, { "name": "Ruby", "bytes": "2514" } ], "symlink_target": "" }
from __future__ import absolute_import, with_statement from mock import Mock, patch from nose.tools import * import parse from behave import matchers, model, runner class DummyMatcher(matchers.Matcher): desired_result = None def check_match(self, step): return DummyMatcher.desired_result class TestMatcher(object): def setUp(self): DummyMatcher.desired_result = None def test_returns_none_if_check_match_returns_none(self): matcher = DummyMatcher(None, None) assert matcher.match('just a random step') is None def test_returns_match_object_if_check_match_returns_arguments(self): arguments = ['some', 'random', 'objects'] func = lambda x: -x DummyMatcher.desired_result = arguments matcher = DummyMatcher(func, None) match = matcher.match('just a random step') assert isinstance(match, model.Match) assert match.func is func assert match.arguments == arguments class TestParseMatcher(object): def setUp(self): self.recorded_args = None def record_args(self, *args, **kwargs): self.recorded_args = (args, kwargs) def test_returns_none_if_parser_does_not_match(self): matcher = matchers.ParseMatcher(None, 'a string') with patch.object(matcher.parser, 'parse') as parse: parse.return_value = None assert matcher.match('just a random step') is None def test_returns_arguments_based_on_matches(self): func = lambda x: -x matcher = matchers.ParseMatcher(func, 'foo') results = parse.Result([1, 2, 3], {'foo': 'bar', 'baz': -45.3}, { 0: (13, 14), 1: (16, 17), 2: (22, 23), 'foo': (32, 35), 'baz': (39, 44), }) expected = [ (13, 14, '1', 1, None), (16, 17, '2', 2, None), (22, 23, '3', 3, None), (32, 35, 'bar', 'bar', 'foo'), (39, 44, '-45.3', -45.3, 'baz'), ] with patch.object(matcher.parser, 'parse') as p: p.return_value = results m = matcher.match('some numbers 1, 2 and 3 and the bar is -45.3') assert m.func is func args = m.arguments have = [(a.start, a.end, a.original, a.value, a.name) for a in args] eq_(have, expected) def test_named_arguments(self): text = "has a {string}, an {integer:d} and a {decimal:f}" matcher = matchers.ParseMatcher(self.record_args, text) context = runner.Context(Mock()) m = matcher.match("has a foo, an 11 and a 3.14159") m.run(context) eq_(self.recorded_args, ((context,), { 'string': 'foo', 'integer': 11, 'decimal': 3.14159 })) def test_positional_arguments(self): text = "has a {}, an {:d} and a {:f}" matcher = matchers.ParseMatcher(self.record_args, text) context = runner.Context(Mock()) m = matcher.match("has a foo, an 11 and a 3.14159") m.run(context) eq_(self.recorded_args, ((context, 'foo', 11, 3.14159), {})) class TestRegexMatcher(object): def test_returns_none_if_regex_does_not_match(self): matcher = matchers.RegexMatcher(None, 'a string') regex = Mock() regex.match.return_value = None matcher.regex = regex assert matcher.match('just a random step') is None def test_returns_arguments_based_on_groups(self): func = lambda x: -x matcher = matchers.RegexMatcher(func, 'foo') regex = Mock() regex.groupindex = {'foo': 4, 'baz': 5} match = Mock() match.groups.return_value = ('1', '2', '3', 'bar', '-45.3') positions = { 1: (13, 14), 2: (16, 17), 3: (22, 23), 4: (32, 35), 5: (39, 44), } match.start.side_effect = lambda idx: positions[idx][0] match.end.side_effect = lambda idx: positions[idx][1] regex.match.return_value = match matcher.regex = regex expected = [ (13, 14, '1', '1', None), (16, 17, '2', '2', None), (22, 23, '3', '3', None), (32, 35, 'bar', 'bar', 'foo'), (39, 44, '-45.3', '-45.3', 'baz'), ] m = matcher.match('some numbers 1, 2 and 3 and the bar is -45.3') assert m.func is func args = m.arguments have = [(a.start, a.end, a.original, a.value, a.name) for a in args] eq_(have, expected) def test_steps_with_same_prefix_are_not_ordering_sensitive(self): # -- RELATED-TO: issue #280 def step_func1(context): pass def step_func2(context): pass matcher1 = matchers.RegexMatcher(step_func1, "I do something") matcher2 = matchers.RegexMatcher(step_func2, "I do something more") # -- CHECK: ORDERING SENSITIVITY matched1 = matcher1.match(matcher2.string) matched2 = matcher2.match(matcher1.string) assert matched1 is None assert matched2 is None # -- CHECK: Can match itself (if step text is simple) matched1 = matcher1.match(matcher1.string) matched2 = matcher2.match(matcher2.string) assert isinstance(matched1, model.Match) assert isinstance(matched2, model.Match) @raises(AssertionError) def test_step_should_not_use_regex_begin_marker(self): matchers.RegexMatcher(None, "^I do something") @raises(AssertionError) def test_step_should_not_use_regex_end_marker(self): matchers.RegexMatcher(None, "I do something$") @raises(AssertionError) def test_step_should_not_use_regex_begin_and_end_marker(self): matchers.RegexMatcher(None, "^I do something$") def test_step_matcher_current_matcher(): current_matcher = matchers.current_matcher # XXX-CHECK-PY23: If list() is needed. for name, klass in list(matchers.matcher_mapping.items()): matchers.use_step_matcher(name) matcher = matchers.get_matcher(lambda x: -x, 'foo') assert isinstance(matcher, klass) matchers.current_matcher = current_matcher
{ "content_hash": "ef61178e916fc3f81268c63ca0845ae1", "timestamp": "", "source": "github", "line_count": 183, "max_line_length": 80, "avg_line_length": 34.87431693989071, "alnum_prop": 0.5636164211845817, "repo_name": "charleswhchan/behave", "id": "5a2d940e2b44cab3278f9b09ccc69c0760ce07cc", "size": "6382", "binary": false, "copies": "9", "ref": "refs/heads/master", "path": "test/test_matchers.py", "mode": "33188", "license": "bsd-2-clause", "language": [ { "name": "Batchfile", "bytes": "272" }, { "name": "Cucumber", "bytes": "588345" }, { "name": "Python", "bytes": "758627" }, { "name": "Shell", "bytes": "856" } ], "symlink_target": "" }
<!DOCTYPE HTML PUBLIC "-//W3C//DTD HTML 4.01 Transitional//EN" "http://www.w3.org/TR/html4/loose.dtd"> <!--NewPage--> <HTML> <HEAD> <!-- Generated by javadoc (build 1.6.0_26) on Sun Dec 30 01:26:12 PST 2012 --> <TITLE> org.apache.hadoop.typedbytes (Hadoop 1.0.4-SNAPSHOT API) </TITLE> <META NAME="date" CONTENT="2012-12-30"> <LINK REL ="stylesheet" TYPE="text/css" HREF="../../../../stylesheet.css" TITLE="Style"> <SCRIPT type="text/javascript"> function windowTitle() { if (location.href.indexOf('is-external=true') == -1) { parent.document.title="org.apache.hadoop.typedbytes (Hadoop 1.0.4-SNAPSHOT API)"; } } </SCRIPT> <NOSCRIPT> </NOSCRIPT> </HEAD> <BODY BGCOLOR="white" onload="windowTitle();"> <HR> <!-- ========= START OF TOP NAVBAR ======= --> <A NAME="navbar_top"><!-- --></A> <A HREF="#skip-navbar_top" title="Skip navigation links"></A> <TABLE BORDER="0" WIDTH="100%" CELLPADDING="1" CELLSPACING="0" SUMMARY=""> <TR> <TD COLSPAN=2 BGCOLOR="#EEEEFF" CLASS="NavBarCell1"> <A NAME="navbar_top_firstrow"><!-- --></A> <TABLE BORDER="0" CELLPADDING="0" CELLSPACING="3" SUMMARY=""> <TR ALIGN="center" VALIGN="top"> <TD BGCOLOR="#EEEEFF" CLASS="NavBarCell1"> <A HREF="../../../../overview-summary.html"><FONT CLASS="NavBarFont1"><B>Overview</B></FONT></A>&nbsp;</TD> <TD BGCOLOR="#FFFFFF" CLASS="NavBarCell1Rev"> &nbsp;<FONT CLASS="NavBarFont1Rev"><B>Package</B></FONT>&nbsp;</TD> <TD BGCOLOR="#EEEEFF" CLASS="NavBarCell1"> <FONT CLASS="NavBarFont1">Class</FONT>&nbsp;</TD> <TD BGCOLOR="#EEEEFF" CLASS="NavBarCell1"> <A HREF="package-use.html"><FONT CLASS="NavBarFont1"><B>Use</B></FONT></A>&nbsp;</TD> <TD BGCOLOR="#EEEEFF" CLASS="NavBarCell1"> <A HREF="package-tree.html"><FONT CLASS="NavBarFont1"><B>Tree</B></FONT></A>&nbsp;</TD> <TD BGCOLOR="#EEEEFF" CLASS="NavBarCell1"> <A HREF="../../../../deprecated-list.html"><FONT CLASS="NavBarFont1"><B>Deprecated</B></FONT></A>&nbsp;</TD> <TD BGCOLOR="#EEEEFF" CLASS="NavBarCell1"> <A HREF="../../../../index-all.html"><FONT CLASS="NavBarFont1"><B>Index</B></FONT></A>&nbsp;</TD> <TD BGCOLOR="#EEEEFF" CLASS="NavBarCell1"> <A HREF="../../../../help-doc.html"><FONT CLASS="NavBarFont1"><B>Help</B></FONT></A>&nbsp;</TD> </TR> </TABLE> </TD> <TD ALIGN="right" VALIGN="top" ROWSPAN=3><EM> </EM> </TD> </TR> <TR> <TD BGCOLOR="white" CLASS="NavBarCell2"><FONT SIZE="-2"> &nbsp;<A HREF="../../../../org/apache/hadoop/streaming/io/package-summary.html"><B>PREV PACKAGE</B></A>&nbsp; &nbsp;<A HREF="../../../../org/apache/hadoop/util/package-summary.html"><B>NEXT PACKAGE</B></A></FONT></TD> <TD BGCOLOR="white" CLASS="NavBarCell2"><FONT SIZE="-2"> <A HREF="../../../../index.html?org/apache/hadoop/typedbytes/package-summary.html" target="_top"><B>FRAMES</B></A> &nbsp; &nbsp;<A HREF="package-summary.html" target="_top"><B>NO FRAMES</B></A> &nbsp; &nbsp;<SCRIPT type="text/javascript"> <!-- if(window==top) { document.writeln('<A HREF="../../../../allclasses-noframe.html"><B>All Classes</B></A>'); } //--> </SCRIPT> <NOSCRIPT> <A HREF="../../../../allclasses-noframe.html"><B>All Classes</B></A> </NOSCRIPT> </FONT></TD> </TR> </TABLE> <A NAME="skip-navbar_top"></A> <!-- ========= END OF TOP NAVBAR ========= --> <HR> <H2> Package org.apache.hadoop.typedbytes </H2> Typed bytes are sequences of bytes in which the first byte is a type code. <P> <B>See:</B> <BR> &nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;<A HREF="#package_description"><B>Description</B></A> <P> <TABLE BORDER="1" WIDTH="100%" CELLPADDING="3" CELLSPACING="0" SUMMARY=""> <TR BGCOLOR="#CCCCFF" CLASS="TableHeadingColor"> <TH ALIGN="left" COLSPAN="2"><FONT SIZE="+2"> <B>Class Summary</B></FONT></TH> </TR> <TR BGCOLOR="white" CLASS="TableRowColor"> <TD WIDTH="15%"><B><A HREF="../../../../org/apache/hadoop/typedbytes/TypedBytesInput.html" title="class in org.apache.hadoop.typedbytes">TypedBytesInput</A></B></TD> <TD>Provides functionality for reading typed bytes.</TD> </TR> <TR BGCOLOR="white" CLASS="TableRowColor"> <TD WIDTH="15%"><B><A HREF="../../../../org/apache/hadoop/typedbytes/TypedBytesOutput.html" title="class in org.apache.hadoop.typedbytes">TypedBytesOutput</A></B></TD> <TD>Provides functionality for writing typed bytes.</TD> </TR> <TR BGCOLOR="white" CLASS="TableRowColor"> <TD WIDTH="15%"><B><A HREF="../../../../org/apache/hadoop/typedbytes/TypedBytesRecordInput.html" title="class in org.apache.hadoop.typedbytes">TypedBytesRecordInput</A></B></TD> <TD>Serializer for records that writes typed bytes.</TD> </TR> <TR BGCOLOR="white" CLASS="TableRowColor"> <TD WIDTH="15%"><B><A HREF="../../../../org/apache/hadoop/typedbytes/TypedBytesRecordOutput.html" title="class in org.apache.hadoop.typedbytes">TypedBytesRecordOutput</A></B></TD> <TD>Deserialized for records that reads typed bytes.</TD> </TR> <TR BGCOLOR="white" CLASS="TableRowColor"> <TD WIDTH="15%"><B><A HREF="../../../../org/apache/hadoop/typedbytes/TypedBytesWritable.html" title="class in org.apache.hadoop.typedbytes">TypedBytesWritable</A></B></TD> <TD>Writable for typed bytes.</TD> </TR> <TR BGCOLOR="white" CLASS="TableRowColor"> <TD WIDTH="15%"><B><A HREF="../../../../org/apache/hadoop/typedbytes/TypedBytesWritableInput.html" title="class in org.apache.hadoop.typedbytes">TypedBytesWritableInput</A></B></TD> <TD>Provides functionality for reading typed bytes as Writable objects.</TD> </TR> <TR BGCOLOR="white" CLASS="TableRowColor"> <TD WIDTH="15%"><B><A HREF="../../../../org/apache/hadoop/typedbytes/TypedBytesWritableOutput.html" title="class in org.apache.hadoop.typedbytes">TypedBytesWritableOutput</A></B></TD> <TD>Provides functionality for writing Writable objects as typed bytes.</TD> </TR> </TABLE> &nbsp; <P> <TABLE BORDER="1" WIDTH="100%" CELLPADDING="3" CELLSPACING="0" SUMMARY=""> <TR BGCOLOR="#CCCCFF" CLASS="TableHeadingColor"> <TH ALIGN="left" COLSPAN="2"><FONT SIZE="+2"> <B>Enum Summary</B></FONT></TH> </TR> <TR BGCOLOR="white" CLASS="TableRowColor"> <TD WIDTH="15%"><B><A HREF="../../../../org/apache/hadoop/typedbytes/Type.html" title="enum in org.apache.hadoop.typedbytes">Type</A></B></TD> <TD>The possible type codes.</TD> </TR> </TABLE> &nbsp; <P> <A NAME="package_description"><!-- --></A><H2> Package org.apache.hadoop.typedbytes Description </H2> <P> Typed bytes are sequences of bytes in which the first byte is a type code. They are especially useful as a (simple and very straightforward) binary format for transferring data to and from Hadoop Streaming programs. <h3>Type Codes</h3> Each typed bytes sequence starts with an unsigned byte that contains the type code. Possible values are: <p> <table border="1" cellpadding="2"> <tr><th>Code</th><th>Type</th></tr> <tr><td><i>0</i></td><td>A sequence of bytes.</td></tr> <tr><td><i>1</i></td><td>A byte.</td></tr> <tr><td><i>2</i></td><td>A boolean.</td></tr> <tr><td><i>3</i></td><td>An integer.</td></tr> <tr><td><i>4</i></td><td>A long.</td></tr> <tr><td><i>5</i></td><td>A float.</td></tr> <tr><td><i>6</i></td><td>A double.</td></tr> <tr><td><i>7</i></td><td>A string.</td></tr> <tr><td><i>8</i></td><td>A vector.</td></tr> <tr><td><i>9</i></td><td>A list.</td></tr> <tr><td><i>10</i></td><td>A map.</td></tr> </table> </p> The type codes <i>50</i> to <i>200</i> are treated as aliases for <i>0</i>, and can thus be used for application-specific serialization. <h3>Subsequent Bytes</h3> These are the subsequent bytes for the different type codes (everything is big-endian and unpadded): <p> <table border="1" cellpadding="2"> <tr><th>Code</th><th>Subsequent Bytes</th></tr> <tr><td><i>0</i></td><td>&lt;32-bit signed integer&gt; &lt;as many bytes as indicated by the integer&gt;</td></tr> <tr><td><i>1</i></td><td>&lt;signed byte&gt;</td></tr> <tr><td><i>2</i></td><td>&lt;signed byte (<i>0 = <i>false</i> and <i>1</i> = <i>true</i>)&gt;</td></tr> <tr><td><i>3</i></td><td>&lt;32-bit signed integer&gt;</td></tr> <tr><td><i>4</i></td><td>&lt;64-bit signed integer&gt;</td></tr> <tr><td><i>5</i></td><td>&lt;32-bit IEEE floating point number&gt;</td></tr> <tr><td><i>6</i></td><td>&lt;64-bit IEEE floating point number&gt;</td></tr> <tr><td><i>7</i></td><td>&lt;32-bit signed integer&gt; &lt;as many UTF-8 bytes as indicated by the integer&gt;</td></tr> <tr><td><i>8</i></td><td>&lt;32-bit signed integer&gt; &lt;as many typed bytes sequences as indicated by the integer&gt;</td></tr> <tr><td><i>9</i></td><td>&lt;variable number of typed bytes sequences&gt; &lt;<i>255</i> written as an unsigned byte&gt;</td></tr> <tr><td><i>10</i></td><td>&lt;32-bit signed integer&gt; &lt;as many (key-value) pairs of typed bytes sequences as indicated by the integer&gt;</td></tr> </table> </p> <P> <P> <DL> </DL> <HR> <!-- ======= START OF BOTTOM NAVBAR ====== --> <A NAME="navbar_bottom"><!-- --></A> <A HREF="#skip-navbar_bottom" title="Skip navigation links"></A> <TABLE BORDER="0" WIDTH="100%" CELLPADDING="1" CELLSPACING="0" SUMMARY=""> <TR> <TD COLSPAN=2 BGCOLOR="#EEEEFF" CLASS="NavBarCell1"> <A NAME="navbar_bottom_firstrow"><!-- --></A> <TABLE BORDER="0" CELLPADDING="0" CELLSPACING="3" SUMMARY=""> <TR ALIGN="center" VALIGN="top"> <TD BGCOLOR="#EEEEFF" CLASS="NavBarCell1"> <A HREF="../../../../overview-summary.html"><FONT CLASS="NavBarFont1"><B>Overview</B></FONT></A>&nbsp;</TD> <TD BGCOLOR="#FFFFFF" CLASS="NavBarCell1Rev"> &nbsp;<FONT CLASS="NavBarFont1Rev"><B>Package</B></FONT>&nbsp;</TD> <TD BGCOLOR="#EEEEFF" CLASS="NavBarCell1"> <FONT CLASS="NavBarFont1">Class</FONT>&nbsp;</TD> <TD BGCOLOR="#EEEEFF" CLASS="NavBarCell1"> <A HREF="package-use.html"><FONT CLASS="NavBarFont1"><B>Use</B></FONT></A>&nbsp;</TD> <TD BGCOLOR="#EEEEFF" CLASS="NavBarCell1"> <A HREF="package-tree.html"><FONT CLASS="NavBarFont1"><B>Tree</B></FONT></A>&nbsp;</TD> <TD BGCOLOR="#EEEEFF" CLASS="NavBarCell1"> <A HREF="../../../../deprecated-list.html"><FONT CLASS="NavBarFont1"><B>Deprecated</B></FONT></A>&nbsp;</TD> <TD BGCOLOR="#EEEEFF" CLASS="NavBarCell1"> <A HREF="../../../../index-all.html"><FONT CLASS="NavBarFont1"><B>Index</B></FONT></A>&nbsp;</TD> <TD BGCOLOR="#EEEEFF" CLASS="NavBarCell1"> <A HREF="../../../../help-doc.html"><FONT CLASS="NavBarFont1"><B>Help</B></FONT></A>&nbsp;</TD> </TR> </TABLE> </TD> <TD ALIGN="right" VALIGN="top" ROWSPAN=3><EM> </EM> </TD> </TR> <TR> <TD BGCOLOR="white" CLASS="NavBarCell2"><FONT SIZE="-2"> &nbsp;<A HREF="../../../../org/apache/hadoop/streaming/io/package-summary.html"><B>PREV PACKAGE</B></A>&nbsp; &nbsp;<A HREF="../../../../org/apache/hadoop/util/package-summary.html"><B>NEXT PACKAGE</B></A></FONT></TD> <TD BGCOLOR="white" CLASS="NavBarCell2"><FONT SIZE="-2"> <A HREF="../../../../index.html?org/apache/hadoop/typedbytes/package-summary.html" target="_top"><B>FRAMES</B></A> &nbsp; &nbsp;<A HREF="package-summary.html" target="_top"><B>NO FRAMES</B></A> &nbsp; &nbsp;<SCRIPT type="text/javascript"> <!-- if(window==top) { document.writeln('<A HREF="../../../../allclasses-noframe.html"><B>All Classes</B></A>'); } //--> </SCRIPT> <NOSCRIPT> <A HREF="../../../../allclasses-noframe.html"><B>All Classes</B></A> </NOSCRIPT> </FONT></TD> </TR> </TABLE> <A NAME="skip-navbar_bottom"></A> <!-- ======== END OF BOTTOM NAVBAR ======= --> <HR> Copyright &copy; 2009 The Apache Software Foundation </BODY> </HTML>
{ "content_hash": "c9a4bda14f433c00964a5b46fffa7e0d", "timestamp": "", "source": "github", "line_count": 253, "max_line_length": 183, "avg_line_length": 44.74703557312253, "alnum_prop": 0.6422577510820598, "repo_name": "davidl1/hortonworks-extension", "id": "6585d0c80f84f2c23d3cb0627ef2df38002d8328", "size": "11321", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "build/docs/api/org/apache/hadoop/typedbytes/package-summary.html", "mode": "33188", "license": "apache-2.0", "language": [ { "name": "C", "bytes": "839703" }, { "name": "C++", "bytes": "769402" }, { "name": "Java", "bytes": "33081969" }, { "name": "JavaScript", "bytes": "194996" }, { "name": "Objective-C", "bytes": "239534" }, { "name": "PHP", "bytes": "305110" }, { "name": "Perl", "bytes": "299776" }, { "name": "Python", "bytes": "2716675" }, { "name": "Ruby", "bytes": "56970" }, { "name": "Shell", "bytes": "3838469" }, { "name": "Smalltalk", "bytes": "113124" } ], "symlink_target": "" }
<?xml version="1.0" encoding="UTF-8"?> <!DOCTYPE hibernate-mapping PUBLIC "-//Hibernate/Hibernate Mapping DTD 3.0//EN" "http://hibernate.sourceforge.net/hibernate-mapping-3.0.dtd"> <!-- * Licensed to The Apereo Foundation under one or more contributor license * agreements. See the NOTICE file distributed with this work for * additional information regarding copyright ownership. * * The Apereo Foundation licenses this file to you under the Apache License, * Version 2.0 (the "License"); you may not use this file except in * compliance with the License. You may obtain a copy of the License at: * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * * See the License for the specific language governing permissions and * limitations under the License. * --> <hibernate-mapping package="org.unitime.timetable.model"> <class name="Reservation" table="reservation" abstract="true" discriminator-value="-1"> <cache include="non-lazy" usage="transactional"/> <id name="uniqueId" column="uniqueid" type="java.lang.Long"> <generator class="org.unitime.commons.hibernate.id.UniqueIdGenerator"> <param name="sequence">reservation_seq</param> </generator> </id> <discriminator column="reservation_type" type="java.lang.Integer"/> <property name="expirationDate" column="expiration_date" type="java.sql.Timestamp" not-null="false"/> <property name="limit" column="reservation_limit" type="java.lang.Integer" not-null="false"/> <many-to-one name="instructionalOffering" class="InstructionalOffering" column="offering_id" not-null="true" foreign-key="fk_reservation_offering"/> <set name="configurations" table="reservation_config" inverse="false" lazy="true"> <cache include="non-lazy" usage="transactional"/> <key column="reservation_id" foreign-key="fk_res_config_reservation"/> <many-to-many class="InstrOfferingConfig" column="config_id" foreign-key="fk_res_config_config"/> </set> <set name="classes" table="reservation_class" inverse="false" lazy="true"> <cache include="non-lazy" usage="transactional"/> <key column="reservation_id" foreign-key="fk_res_class_reservation"/> <many-to-many class="Class_" column="class_id" foreign-key="fk_res_class_class"/> </set> <subclass name="IndividualReservation" abstract="false" discriminator-value="0"> <set name="students" table="reservation_student" inverse="false" lazy="true"> <cache include="non-lazy" usage="transactional"/> <key column="reservation_id" foreign-key="fk_res_student_reservation"/> <many-to-many class="Student" column="student_id" foreign-key="fk_res_student_student"/> </set> <subclass name="OverrideReservation" abstract="false" discriminator-value="4"> <property name="type" column="override_type" type="java.lang.Integer" not-null="true"/> </subclass> </subclass> <subclass name="StudentGroupReservation" abstract="false" discriminator-value="1"> <many-to-one name="group" class="StudentGroup" column="group_id" not-null="true" foreign-key="fk_reservation_student_group"/> </subclass> <subclass name="CurriculumReservation" abstract="false" discriminator-value="2"> <many-to-one name="area" class="AcademicArea" column="area_id" not-null="true" foreign-key="fk_reservation_area"/> <set name="majors" table="reservation_major" inverse="false" lazy="true"> <cache include="non-lazy" usage="transactional"/> <key column="reservation_id" foreign-key="fk_res_majors_reservation"/> <many-to-many class="PosMajor" column="major_id" foreign-key="fk_res_majors_major"/> </set> <set name="classifications" table="reservation_clasf" inverse="false" lazy="true"> <cache include="non-lazy" usage="transactional"/> <key column="reservation_id" foreign-key="fk_res_clasf_reservation"/> <many-to-many class="AcademicClassification" column="acad_clasf_id" foreign-key="fk_res_clasf_clasf"/> </set> </subclass> <subclass name="CourseReservation" abstract="false" discriminator-value="3"> <many-to-one name="course" class="CourseOffering" column="course_id" not-null="true" foreign-key="fk_reservation_course"/> </subclass> </class> </hibernate-mapping>
{ "content_hash": "e16c65f0d00c7780ad6b1c4b2499fe3f", "timestamp": "", "source": "github", "line_count": 168, "max_line_length": 141, "avg_line_length": 34.01190476190476, "alnum_prop": 0.5565278263913196, "repo_name": "nikeshmhr/unitime", "id": "6a45c72e8f737ed7b31a79168a4ddb7696e88033", "size": "5714", "binary": false, "copies": "5", "ref": "refs/heads/master", "path": "JavaSource/Reservation.hbm.xml", "mode": "33188", "license": "apache-2.0", "language": [ { "name": "CSS", "bytes": "112741" }, { "name": "HTML", "bytes": "48" }, { "name": "Java", "bytes": "17747984" }, { "name": "JavaScript", "bytes": "42461" }, { "name": "Protocol Buffer", "bytes": "4845" } ], "symlink_target": "" }
from curious import deferred_to_real from django.test import TestCase, override_settings from django.db import connection from curious_tests.models import Blog, Entry class TestDeferredToReal(TestCase): def setUp(self): blog = Blog(name='Databases') blog.save() self.blogs = [blog] headlines = ('MySQL is a relational DB', 'Postgres is a really good relational DB', 'Neo4J is a graph DB') self.entries = [Entry(headline=headline, blog=blog) for headline in headlines] for entry in self.entries: entry.save() self.query_count = len(connection.queries) def test_converts_deferred_objects_to_real_objects(self): entries = list(Entry.objects.all().filter(blog__name='Databases').only('id')) self.assertEquals(len(entries), 3) # test objects are deferred for entry in entries: self.assertEquals('id' in entry.__dict__, True) self.assertEquals('headline' in entry.__dict__, False) # convert to real entries = deferred_to_real(entries) self.assertEquals(len(entries), 3) for entry in entries: self.assertEquals('id' in entry.__dict__, True) self.assertEquals('headline' in entry.__dict__, True) def test_conversion_uses_single_query(self): # We have to prefix with .all() to prevent the object cache from returning complete # objects from previous queries entries = list(Entry.objects.all().filter(blog__name='Databases').only('id')) with override_settings(DEBUG=True): entries = list(deferred_to_real(entries)) self.assertEquals(len(connection.queries) - self.query_count, 1) def test_converts_mixture_of_deferred_and_real_objects(self): real_entries = list(Entry.objects.all().filter(blog__name='Databases')) self.assertEquals(len(real_entries), 3) # test objects are real for entry in real_entries: self.assertEquals('id' in entry.__dict__, True) self.assertEquals('headline' in entry.__dict__, True) deferred_entries = list(Entry.objects.all().filter(blog__name='Databases').only('id')) self.assertEquals(len(deferred_entries), 3) # test objects are deferred for entry in deferred_entries: self.assertEquals('id' in entry.__dict__, True) self.assertEquals('headline' in entry.__dict__, False) # convert to real and uniquefy entries = deferred_to_real(real_entries+deferred_entries) self.assertEquals(len(entries), 3) for entry in entries: self.assertEquals('id' in entry.__dict__, True) self.assertEquals('headline' in entry.__dict__, True)
{ "content_hash": "0efb17f2a9fccced6ce3de3bd4b65629", "timestamp": "", "source": "github", "line_count": 66, "max_line_length": 90, "avg_line_length": 39.28787878787879, "alnum_prop": 0.6826070188970305, "repo_name": "ginkgobioworks/curious", "id": "4b62ede549f3ff2bccb53acb732957c238474626", "size": "2593", "binary": false, "copies": "2", "ref": "refs/heads/master", "path": "tests/curious_tests/test_helpers.py", "mode": "33188", "license": "mit", "language": [ { "name": "CSS", "bytes": "1393" }, { "name": "HTML", "bytes": "10216" }, { "name": "JavaScript", "bytes": "28045" }, { "name": "Makefile", "bytes": "1211" }, { "name": "Python", "bytes": "153171" } ], "symlink_target": "" }
<?php function myMod($str) { return "(myMod)" . $str . "(/myMod)"; } function myFunc($params) { return "MyFunc:" . $params["name"]; } function myBlockFunc($params, $content) { return "Block:" . $params["name"] . ':' . trim($content) . ':Block'; } function myCompiler(Fenom\Tokenizer $tokenizer, Fenom\Tag $tag) { $p = $tag->tpl->parseParams($tokenizer); return 'echo "PHP_VERSION: ".PHP_VERSION." (for ".' . $p["name"] . '.")";'; } function myBlockCompilerOpen(Fenom\Tokenizer $tokenizer, Fenom\Tag $scope) { $p = $scope->tpl->parseParams($tokenizer); return 'echo "PHP_VERSION: ".PHP_VERSION." (for ".' . $p["name"] . '.")";'; } function myBlockCompilerClose(Fenom\Tokenizer $tokenizer, Fenom\Tag $scope) { return 'echo "End of compiler";'; } function myBlockCompilerTag(Fenom\Tokenizer $tokenizer, Fenom\Tag $scope) { $p = $scope->tpl->parseParams($tokenizer); return 'echo "Tag ".' . $p["name"] . '." of compiler";'; }
{ "content_hash": "9f8b5974048a0b8e2af9f1902dec416a", "timestamp": "", "source": "github", "line_count": 39, "max_line_length": 79, "avg_line_length": 24.82051282051282, "alnum_prop": 0.621900826446281, "repo_name": "vgrish/fenom", "id": "c3387d3c8b08e8938e489a78d2ea4063698490b7", "size": "968", "binary": false, "copies": "5", "ref": "refs/heads/master", "path": "tests/resources/actions.php", "mode": "33188", "license": "bsd-3-clause", "language": [ { "name": "PHP", "bytes": "314312" }, { "name": "Smarty", "bytes": "6013" } ], "symlink_target": "" }
<!DOCTYPE html> <html> <head> <meta charset="utf-8"> <meta name="viewport" content="width=device-width"> <title>Arrow Navigator Skin 13 - Jssor Slider, Slideshow with Javascript Source Code</title> </head> <body style="font-family:Arial, Verdana;background-color:#fff;"> <script type="text/javascript" src="../js/jssor.core.js"></script> <script type="text/javascript" src="../js/jssor.utils.js"></script> <script type="text/javascript" src="../js/jssor.slider.js"></script> <script> jssor_slider1_starter = function (containerId) { var options = { $DragOrientation: 3, //[Optional] Orientation to drag slide, 0 no drag, 1 horizental, 2 vertical, 3 either, default value is 1 (Note that the $DragOrientation should be the same as $PlayOrientation when $DisplayPieces is greater than 1, or parking position is not 0) $SlideDuration: 800, //[Optional] Specifies default duration (swipe) for slide in milliseconds, default value is 500 $ArrowNavigatorOptions: { //[Optional] Options to specify and enable arrow navigator or not $Class: $JssorArrowNavigator$, //[Requried] Class to create arrow navigator instance $ChanceToShow: 2, //[Required] 0 Never, 1 Mouse Over, 2 Always $AutoCenter: 2, //[Optional] Auto center arrows in parent container, 0 No, 1 Horizontal, 2 Vertical, 3 Both, default value is 0 $Steps: 1 //[Optional] Steps to go for each navigation request, default value is 1 } }; var jssor_slider1 = new $JssorSlider$(containerId, options); }; </script> <!-- Jssor Slider Begin --> <!-- You can move inline styles (except 'top', 'left', 'width' and 'height') to css file or css block. --> <div id="slider1_container" style="position: relative; width: 600px; height: 300px; overflow: hidden;"> <!-- Slides Container --> <div u="slides" style="cursor: move; position: absolute; left: 0px; top: 0px; width: 600px; height: 300px; overflow: hidden;"> <div><img u="image" src="../img/photography/002.jpg" /></div> <div><img u="image" src="../img/photography/003.jpg" /></div> <div><img u="image" src="../img/photography/004.jpg" /></div> <div><img u="image" src="../img/photography/005.jpg" /></div> </div> <!-- Arrow Navigator Skin Begin --> <style> /* jssor slider arrow navigator skin 13 css */ /* .jssora13l (normal) .jssora13r (normal) .jssora13l:hover (normal mouseover) .jssora13r:hover (normal mouseover) .jssora13ldn (mousedown) .jssora13rdn (mousedown) */ .jssora13l, .jssora13r, .jssora13ldn, .jssora13rdn { position: absolute; cursor: pointer; display: block; background: url(../img/a13.png) no-repeat; overflow:hidden; } .jssora13l { background-position: -10px -35px; } .jssora13r { background-position: -70px -35px; } .jssora13l:hover { background-position: -130px -35px; } .jssora13r:hover { background-position: -190px -35px; } .jssora13ldn { background-position: -250px -35px; } .jssora13rdn { background-position: -310px -35px; } </style> <!-- Arrow Left --> <span u="arrowleft" class="jssora13l" style="width: 40px; height: 50px; top: 123px; left: 0px;"> </span> <!-- Arrow Right --> <span u="arrowright" class="jssora13r" style="width: 40px; height: 50px; top: 123px; right: 0px"> </span> <!-- Arrow Navigator Skin End --> <a style="display: none" href="http://www.jssor.com">jQuery Slider</a> <!-- Trigger --> <script> jssor_slider1_starter('slider1_container'); </script> </div> <!-- Jssor Slider End --> </body> </html>
{ "content_hash": "ef0f0da856a1a92fb456e61e6009a6fc", "timestamp": "", "source": "github", "line_count": 85, "max_line_length": 313, "avg_line_length": 51.34117647058824, "alnum_prop": 0.5426214482126489, "repo_name": "alainbindele/openrate-it", "id": "4da0a5e100ca5dc55848801503cb48ef106bfe57", "size": "4366", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "public/js/jssor/skin/arrow-13.source.html", "mode": "33261", "license": "bsd-3-clause", "language": [ { "name": "ASP", "bytes": "290" }, { "name": "CSS", "bytes": "92378" }, { "name": "CoffeeScript", "bytes": "2648" }, { "name": "JavaScript", "bytes": "623525" }, { "name": "PHP", "bytes": "315894" }, { "name": "Shell", "bytes": "23954" } ], "symlink_target": "" }
package com.github.shredder121.asyncaudio.common; import java.util.concurrent.*; import org.apache.commons.lang3.concurrent.BasicThreadFactory; import lombok.experimental.UtilityClass; @UtilityClass public class CommonAsync { public static final int DEFAULT_BACKLOG = 20; public static ScheduledExecutorService rescheduler = Executors.newSingleThreadScheduledExecutor( new BasicThreadFactory.Builder() .daemon(true) .namingPattern("japp-rescheduler") // only 1 thread .build() ); public static ThreadFactory threadFactory = new BasicThreadFactory.Builder() .daemon(true) .priority((Thread.NORM_PRIORITY + Thread.MIN_PRIORITY) / 2) // uses a lot of cpu but can back down if load is high .namingPattern("japp-%d") .wrappedFactory(CommonAsync::configuredWorkerThread) .build(); public static ForkJoinPool workerPool = new ForkJoinPool( Runtime.getRuntime().availableProcessors(), __NOT_USED -> ((ForkJoinWorkerThread) threadFactory.newThread(null/*will not be used*/)), null, true // we're going to use the ForkJoinPool in queue mode ); /** * Creates a ForkJoinWorkerThread as if it were a ThreadFactory. * * <p> * {@link ForkJoinWorkerThread}s do not use Runnables as target. * They use a work queue that depends on the pool, other workers, etc. * </p> * */ private static ForkJoinWorkerThread configuredWorkerThread(Runnable __NOT_USED) { return new ForkJoinWorkerThread(workerPool) {}; } }
{ "content_hash": "517a7ab2eab37349e6af78a4f0f3df37", "timestamp": "", "source": "github", "line_count": 48, "max_line_length": 117, "avg_line_length": 30.666666666666668, "alnum_prop": 0.7411684782608695, "repo_name": "Shredder121/jda-async-packetprovider", "id": "50012c81f612a22eb5ac98cdd05c4243788287c5", "size": "2068", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "src/main/java/com/github/shredder121/asyncaudio/common/CommonAsync.java", "mode": "33188", "license": "apache-2.0", "language": [ { "name": "Java", "bytes": "16912" } ], "symlink_target": "" }
<!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Strict//EN" "http://www.w3.org/TR/xhtml1/DTD/xhtml1-strict.dtd"> <html xmlns="http://www.w3.org/1999/xhtml" lang="en" xml:lang="en"> <head> <title>Pink Blobs 2 FX</title> <meta http-equiv="Content-Type" content="text/html; charset=iso-8859-1" /> <script type="text/javascript" src="swfobject.js"></script> <script type="text/javascript"> var flashvars = {}; var params = {}; params.menu = "false"; params.scale = "noscale"; params.salign = "tl"; params.wmode = "window"; params.bgcolor = "#000000"; var attributes = {}; attributes.align = "top"; swfobject.embedSWF("pinkBlobs2FX.swf", "flashContent", "550", "400", "10.0.0", "expressInstall.swf", flashvars, params, attributes); </script> </head> <body> <div id="flashContent"> <h1>Get Flash</h1> <p><a href="http://www.adobe.com/go/getflashplayer"><img src="http://www.adobe.com/images/shared/download_buttons/get_flash_player.gif" alt="Get Adobe Flash player" /></a></p> </div> </body> </html>
{ "content_hash": "79edb96fa4a21e115874d76d73d9c782", "timestamp": "", "source": "github", "line_count": 26, "max_line_length": 178, "avg_line_length": 40.19230769230769, "alnum_prop": 0.6507177033492823, "repo_name": "road0001/tweensy", "id": "422dd0a79312ffb66732fd4ad8f5b04b83eb7bb6", "size": "1045", "binary": false, "copies": "2", "ref": "refs/heads/master", "path": "examples/fx/pinkBlobs2FX.html", "mode": "33188", "license": "mit", "language": [ { "name": "ActionScript", "bytes": "1196354" } ], "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_60) on Fri Dec 22 15:50:48 IST 2017 --> <title>com.techgrains.application (library API)</title> <meta name="date" content="2017-12-22"> <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="com.techgrains.application (library 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 class="navBarCell1Rev">Package</li> <li>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>Prev&nbsp;Package</li> <li><a href="../../../com/techgrains/common/package-summary.html">Next&nbsp;Package</a></li> </ul> <ul class="navList"> <li><a href="../../../index.html?com/techgrains/application/package-summary.html" target="_top">Frames</a></li> <li><a href="package-summary.html" target="_top">No&nbsp;Frames</a></li> </ul> <ul class="navList" id="allclasses_navbar_top"> <li><a href="../../../allclasses-noframe.html">All&nbsp;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> <a name="skip.navbar.top"> <!-- --> </a></div> <!-- ========= END OF TOP NAVBAR ========= --> <div class="header"> <h1 title="Package" class="title">Package&nbsp;com.techgrains.application</h1> </div> <div class="contentContainer"> <ul class="blockList"> <li class="blockList"> <table class="typeSummary" border="0" cellpadding="3" cellspacing="0" summary="Class Summary table, listing classes, and an explanation"> <caption><span>Class Summary</span><span class="tabEnd">&nbsp;</span></caption> <tr> <th class="colFirst" scope="col">Class</th> <th class="colLast" scope="col">Description</th> </tr> <tbody> <tr class="altColor"> <td class="colFirst"><a href="../../../com/techgrains/application/TGApplication.html" title="class in com.techgrains.application">TGApplication</a></td> <td class="colLast"> <div class="block">Application which holds context reference.</div> </td> </tr> <tr class="rowColor"> <td class="colFirst"><a href="../../../com/techgrains/application/TGSharedPreferences.html" title="class in com.techgrains.application">TGSharedPreferences</a></td> <td class="colLast"> <div class="block">Wrapper class of android.content.SharedPreferences interface</div> </td> </tr> </tbody> </table> </li> </ul> </div> <!-- ======= 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 class="navBarCell1Rev">Package</li> <li>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>Prev&nbsp;Package</li> <li><a href="../../../com/techgrains/common/package-summary.html">Next&nbsp;Package</a></li> </ul> <ul class="navList"> <li><a href="../../../index.html?com/techgrains/application/package-summary.html" target="_top">Frames</a></li> <li><a href="package-summary.html" target="_top">No&nbsp;Frames</a></li> </ul> <ul class="navList" id="allclasses_navbar_bottom"> <li><a href="../../../allclasses-noframe.html">All&nbsp;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> <a name="skip.navbar.bottom"> <!-- --> </a></div> <!-- ======== END OF BOTTOM NAVBAR ======= --> </body> </html>
{ "content_hash": "c2498726b2867de5c61e3dd6b2054c6c", "timestamp": "", "source": "github", "line_count": 148, "max_line_length": 164, "avg_line_length": 33.682432432432435, "alnum_prop": 0.637111334002006, "repo_name": "techgrains/TGFramework-Android", "id": "abbf6c1dee4c1f770a7e239a7d61f06c26fbb405", "size": "4985", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "Archives/Java-Doc/com/techgrains/application/package-summary.html", "mode": "33188", "license": "apache-2.0", "language": [ { "name": "CSS", "bytes": "12842" }, { "name": "HTML", "bytes": "1158428" }, { "name": "Java", "bytes": "233834" }, { "name": "JavaScript", "bytes": "827" } ], "symlink_target": "" }
<project xmlns="http://maven.apache.org/POM/4.0.0" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" xsi:schemaLocation="http://maven.apache.org/POM/4.0.0 http://maven.apache.org/xsd/maven-4.0.0.xsd"> <modelVersion>4.0.0</modelVersion> <parent> <groupId>com.link_intersystems.maven.plugins</groupId> <artifactId>maven-plugins</artifactId> <version>0.0.1-SNAPSHOT</version> </parent> <artifactId>maven-plugin-commons</artifactId> <version>1.0.0-SNAPSHOT</version> <name>Maven Plugin Commons</name> <description>Common library to easy maven plugin (mojo) development.</description> <dependencies> <dependency> <groupId>org.apache.maven.plugin-tools</groupId> <artifactId>maven-plugin-annotations</artifactId> </dependency> <dependency> <groupId>org.codehaus.plexus</groupId> <artifactId>plexus-utils</artifactId> </dependency> <dependency> <groupId>org.apache.maven</groupId> <artifactId>maven-plugin-api</artifactId> </dependency> <dependency> <groupId>org.apache.maven</groupId> <artifactId>maven-core</artifactId> </dependency> <dependency> <groupId>junit</groupId> <artifactId>junit</artifactId> </dependency> <dependency> <groupId>org.apache.commons</groupId> <artifactId>commons-exec</artifactId> </dependency> <dependency> <groupId>org.apache.commons</groupId> <artifactId>commons-lang3</artifactId> </dependency> <dependency> <groupId>commons-io</groupId> <artifactId>commons-io</artifactId> </dependency> </dependencies> <build> <plugins> <plugin> <groupId>org.codehaus.plexus</groupId> <artifactId>plexus-component-metadata</artifactId> <version>1.5.5</version> <executions> <execution> <goals> <goal>generate-metadata</goal> </goals> </execution> </executions> </plugin> </plugins> </build> </project>
{ "content_hash": "fb6fa16642495cff5e9eacb6c6f7866e", "timestamp": "", "source": "github", "line_count": 65, "max_line_length": 104, "avg_line_length": 29.8, "alnum_prop": 0.6804336602994321, "repo_name": "link-intersystems/maven", "id": "2578d9c745f9a4f12b0910e458a0c5e166282365", "size": "1937", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "maven-plugins/maven-plugin-commons/pom.xml", "mode": "33188", "license": "apache-2.0", "language": [ { "name": "Java", "bytes": "107033" }, { "name": "Shell", "bytes": "96" } ], "symlink_target": "" }
require 'rack/app/worker' module Rack::App::Worker::Register::Clients extend(self) def [](name) Rack::App::Worker::Register[name][:client] end end
{ "content_hash": "450b26f80eb86e1c2f1091d7fb4865a1", "timestamp": "", "source": "github", "line_count": 10, "max_line_length": 46, "avg_line_length": 16, "alnum_prop": 0.675, "repo_name": "rack-app/rack-app-worker", "id": "fbbe07155d2dcacbce2edee593b58f44fb6ba2b4", "size": "160", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "lib/rack/app/worker/register/clients.rb", "mode": "33188", "license": "apache-2.0", "language": [ { "name": "Ruby", "bytes": "24015" }, { "name": "Shell", "bytes": "131" } ], "symlink_target": "" }
<!DOCTYPE html> <html lang="en"> <head> <meta charset="utf-8"> <meta name="viewport" content="width=device-width, initial-scale=1"> <title>math-classes: 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+1 / math-classes - 1.0.5</a></li> </ul> </div> </div> </div> <div class="article"> <div class="row"> <div class="col-md-12"> <a href="../..">« Up</a> <h1> math-classes <small> 1.0.5 <span class="label label-info">Not compatible 👼</span> </small> </h1> <p>📅 <em><script>document.write(moment("2022-05-15 03:35:13 +0000", "YYYY-MM-DD HH:mm:ss Z").fromNow());</script> (2022-05-15 03:35:13 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+1 Formal proof management system num 0 The Num library for arbitrary-precision integer and rational arithmetic ocaml 4.05.0 The OCaml compiler (virtual package) ocaml-base-compiler 4.05.0 Official 4.05.0 release ocaml-config 1 OCaml Switch Configuration ocamlfind 1.9.3 A library manager for OCaml # opam file: opam-version: &quot;2.0&quot; maintainer: &quot;[email protected]&quot; homepage: &quot;https://github.com/math-classes/&quot; doc: &quot;https://github.com/math-classes/&quot; authors: [ &quot;Eelis van der Weegen&quot; &quot;Bas Spitters&quot; &quot;Robbert Krebbers&quot; ] license: &quot;Public Domain&quot; build: [ [ &quot;./configure.sh&quot; ] [ make &quot;-j%{jobs}%&quot; ] ] install: [ make &quot;install&quot; ] depends: [ &quot;ocaml&quot; &quot;coq&quot; {&gt;= &quot;8.5&quot; &amp; &lt; &quot;8.6&quot;} ] tags: [ &quot;logpath:MathClasses&quot; ] synopsis: &quot;A library of abstract interfaces for mathematical structures in Coq&quot; url { src: &quot;https://github.com/math-classes/math-classes/archive/9853988446ab19ee0618181f8da1d7dbdebcc45f.zip&quot; checksum: &quot;md5=b2293d8e429ab1174160f68c1cba12d2&quot; } </pre> <h2>Lint</h2> <dl class="dl-horizontal"> <dt>Command</dt> <dd><code>true</code></dd> <dt>Return code</dt> <dd>0</dd> </dl> <h2>Dry install 🏜️</h2> <p>Dry install with the current Coq version:</p> <dl class="dl-horizontal"> <dt>Command</dt> <dd><code>opam install -y --show-action coq-math-classes.1.0.5 coq.8.7.1+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+1). The following dependencies couldn&#39;t be met: - coq-math-classes -&gt; coq &lt; 8.6 -&gt; ocaml &lt; 4.03.0 base of this switch (use `--unlock-base&#39; to force) Your request can&#39;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-math-classes.1.0.5</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": "10419f5a066905340d74f668394eca77", "timestamp": "", "source": "github", "line_count": 171, "max_line_length": 159, "avg_line_length": 39.32163742690059, "alnum_prop": 0.5316775728732898, "repo_name": "coq-bench/coq-bench.github.io", "id": "e78b99e584f64421bbb8297903de8f9d31d549e9", "size": "6749", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "clean/Linux-x86_64-4.05.0-2.0.1/released/8.7.1+1/math-classes/1.0.5.html", "mode": "33188", "license": "mit", "language": [], "symlink_target": "" }
<!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN" "http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd"> <html xmlns="http://www.w3.org/1999/xhtml"> <head> <meta http-equiv="Content-Type" content="text/xhtml;charset=UTF-8"/> <meta http-equiv="X-UA-Compatible" content="IE=9"/> <meta name="generator" content="Doxygen 1.8.10"/> <title>BuildmLearn Store: C:/Users/Srujan/Documents/GitHub/BuildmLearn-Store/Android/source-code/AppStore/app/src Directory Reference</title> <link href="tabs.css" rel="stylesheet" type="text/css"/> <script type="text/javascript" src="jquery.js"></script> <script type="text/javascript" src="dynsections.js"></script> <link href="navtree.css" rel="stylesheet" type="text/css"/> <script type="text/javascript" src="resize.js"></script> <script type="text/javascript" src="navtreedata.js"></script> <script type="text/javascript" src="navtree.js"></script> <script type="text/javascript"> $(document).ready(initResizable); $(window).load(resizeHeight); </script> <link href="search/search.css" rel="stylesheet" type="text/css"/> <script type="text/javascript" src="search/searchdata.js"></script> <script type="text/javascript" src="search/search.js"></script> <script type="text/javascript"> $(document).ready(function() { init_search(); }); </script> <link href="doxygen.css" rel="stylesheet" type="text/css" /> </head> <body> <div id="top"><!-- do not remove this div, it is closed by doxygen! --> <div id="titlearea"> <table cellspacing="0" cellpadding="0"> <tbody> <tr style="height: 56px;"> <td id="projectlogo"><img alt="Logo" src="ic_launcher.png"/></td> <td id="projectalign" style="padding-left: 0.5em;"> <div id="projectname">BuildmLearn Store &#160;<span id="projectnumber">1.0.0.0</span> </div> <div id="projectbrief">An android app, which is a store for apps built using BuildmLearn ToolKit</div> </td> </tr> </tbody> </table> </div> <!-- end header part --> <!-- Generated by Doxygen 1.8.10 --> <script type="text/javascript"> var searchBox = new SearchBox("searchBox", "search",false,'Search'); </script> <div id="navrow1" class="tabs"> <ul class="tablist"> <li><a href="index.html"><span>Main&#160;Page</span></a></li> <li><a href="namespaces.html"><span>Packages</span></a></li> <li><a href="annotated.html"><span>Classes</span></a></li> <li><a href="files.html"><span>Files</span></a></li> <li> <div id="MSearchBox" class="MSearchBoxInactive"> <span class="left"> <img id="MSearchSelect" src="search/mag_sel.png" onmouseover="return searchBox.OnSearchSelectShow()" onmouseout="return searchBox.OnSearchSelectHide()" alt=""/> <input type="text" id="MSearchField" value="Search" accesskey="S" onfocus="searchBox.OnSearchFieldFocus(true)" onblur="searchBox.OnSearchFieldFocus(false)" onkeyup="searchBox.OnSearchFieldChange(event)"/> </span><span class="right"> <a id="MSearchClose" href="javascript:searchBox.CloseResultsWindow()"><img id="MSearchCloseImg" border="0" src="search/close.png" alt=""/></a> </span> </div> </li> </ul> </div> </div><!-- top --> <div id="side-nav" class="ui-resizable side-nav-resizable"> <div id="nav-tree"> <div id="nav-tree-contents"> <div id="nav-sync" class="sync"></div> </div> </div> <div id="splitbar" style="-moz-user-select:none;" class="ui-resizable-handle"> </div> </div> <script type="text/javascript"> $(document).ready(function(){initNavTree('dir_5a135b5b8b1bc77750c856423aa686df.html','');}); </script> <div id="doc-content"> <!-- window showing the filter options --> <div id="MSearchSelectWindow" onmouseover="return searchBox.OnSearchSelectShow()" onmouseout="return searchBox.OnSearchSelectHide()" onkeydown="return searchBox.OnSearchSelectKey(event)"> </div> <!-- iframe showing the search results (closed by default) --> <div id="MSearchResultsWindow"> <iframe src="javascript:void(0)" frameborder="0" name="MSearchResults" id="MSearchResults"> </iframe> </div> <div class="header"> <div class="headertitle"> <div class="title">src Directory Reference</div> </div> </div><!--header--> <div class="contents"> <div id="dynsection-0" onclick="return toggleVisibility(this)" class="dynheader closed" style="cursor:pointer;"> <img id="dynsection-0-trigger" src="closed.png" alt="+"/> Directory dependency graph for src:</div> <div id="dynsection-0-summary" class="dynsummary" style="display:block;"> </div> <div id="dynsection-0-content" class="dyncontent" style="display:none;"> <div class="center"><img src="dir_5a135b5b8b1bc77750c856423aa686df_dep.png" border="0" usemap="#dir__5a135b5b8b1bc77750c856423aa686df__dep" alt="C:/Users/Srujan/Documents/GitHub/BuildmLearn-Store/Android/source-code/AppStore/app/src"/></div> <map name="dir__5a135b5b8b1bc77750c856423aa686df__dep" id="dir__5a135b5b8b1bc77750c856423aa686df__dep"> <area shape="rect" id="node2" href="dir_bdedab9523087a6170f954bc13ec44ff.html" title="main" alt="" coords="37,63,109,111"/> <area shape="rect" id="clust2" href="dir_5a135b5b8b1bc77750c856423aa686df.html" alt="" coords="27,52,216,121"/> <area shape="rect" id="clust1" href="dir_826cbabcd127311123f3939fad268180.html" title="app" alt="" coords="16,16,227,132"/> </map> </div> <table class="memberdecls"> <tr class="heading"><td colspan="2"><h2 class="groupheader"><a name="subdirs"></a> Directories</h2></td></tr> <tr class="memitem:dir_bdedab9523087a6170f954bc13ec44ff"><td class="memItemLeft" align="right" valign="top">directory &#160;</td><td class="memItemRight" valign="bottom"><a class="el" href="dir_bdedab9523087a6170f954bc13ec44ff.html">main</a></td></tr> <tr class="separator:"><td class="memSeparator" colspan="2">&#160;</td></tr> </table> </div><!-- contents --> </div><!-- doc-content --> <!-- start footer part --> <div id="nav-path" class="navpath"><!-- id is needed for treeview function! --> <ul> <li class="navelem"><a class="el" href="dir_5c75217bb7c11fab3ed4c4346e14dc42.html">Documents</a></li><li class="navelem"><a class="el" href="dir_e43841ce443f03c2fb751dd10551bd96.html">GitHub</a></li><li class="navelem"><a class="el" href="dir_2a145d13e2ef5d38298766f75dc7a14c.html">BuildmLearn-Store</a></li><li class="navelem"><a class="el" href="dir_6e6727c90e0a69841645ba2fef16a12c.html">Android</a></li><li class="navelem"><a class="el" href="dir_1475a17382c0e871f653595d58cd9bab.html">source-code</a></li><li class="navelem"><a class="el" href="dir_7fd3b6d4453031ad8b394f083b23af14.html">AppStore</a></li><li class="navelem"><a class="el" href="dir_826cbabcd127311123f3939fad268180.html">app</a></li><li class="navelem"><a class="el" href="dir_5a135b5b8b1bc77750c856423aa686df.html">src</a></li> <li class="footer">Generated on Sat Aug 15 2015 21:55:15 for BuildmLearn Store by <a href="http://www.doxygen.org/index.html"> <img class="footer" src="doxygen.png" alt="doxygen"/></a> 1.8.10 </li> </ul> </div> </body> </html>
{ "content_hash": "3b3d557049285612fc931309d5fd7eca", "timestamp": "", "source": "github", "line_count": 137, "max_line_length": 804, "avg_line_length": 51.78832116788321, "alnum_prop": 0.6842847075405215, "repo_name": "BuildmLearn/BuildmLearn-Store", "id": "e1398a72f7f537c6ad2833b865d664d883aaace3", "size": "7095", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "Android/doc/Doxygen/dir_5a135b5b8b1bc77750c856423aa686df.html", "mode": "33188", "license": "bsd-3-clause", "language": [ { "name": "ASP", "bytes": "8077" }, { "name": "C#", "bytes": "619262" }, { "name": "CSS", "bytes": "97747" }, { "name": "HTML", "bytes": "18917807" }, { "name": "Java", "bytes": "1492226" }, { "name": "JavaScript", "bytes": "468568" }, { "name": "PHP", "bytes": "5957" } ], "symlink_target": "" }
""" The main QuerySet implementation. This provides the public API for the ORM. """ import copy import sys import warnings from collections import OrderedDict, deque from django.conf import settings from django.core import exceptions from django.db import ( DJANGO_VERSION_PICKLE_KEY, IntegrityError, connections, router, transaction, ) from django.db.models import sql from django.db.models.constants import LOOKUP_SEP from django.db.models.deletion import Collector from django.db.models.expressions import Date, DateTime, F from django.db.models.fields import AutoField from django.db.models.query_utils import ( InvalidQuery, Q, check_rel_lookup_compatibility, deferred_class_factory, ) from django.db.models.sql.constants import CURSOR from django.utils import six, timezone from django.utils.deprecation import RemovedInDjango20Warning from django.utils.functional import partition from django.utils.version import get_version # The maximum number of items to display in a QuerySet.__repr__ REPR_OUTPUT_SIZE = 20 # Pull into this namespace for backwards compatibility. EmptyResultSet = sql.EmptyResultSet class BaseIterable(object): def __init__(self, queryset): self.queryset = queryset class ModelIterable(BaseIterable): """ Iterable that yields a model instance for each row. """ def __iter__(self): queryset = self.queryset db = queryset.db compiler = queryset.query.get_compiler(using=db) # Execute the query. This will also fill compiler.select, klass_info, # and annotations. results = compiler.execute_sql() select, klass_info, annotation_col_map = (compiler.select, compiler.klass_info, compiler.annotation_col_map) if klass_info is None: return model_cls = klass_info['model'] select_fields = klass_info['select_fields'] model_fields_start, model_fields_end = select_fields[0], select_fields[-1] + 1 init_list = [f[0].target.attname for f in select[model_fields_start:model_fields_end]] if len(init_list) != len(model_cls._meta.concrete_fields): init_set = set(init_list) skip = [f.attname for f in model_cls._meta.concrete_fields if f.attname not in init_set] model_cls = deferred_class_factory(model_cls, skip) related_populators = get_related_populators(klass_info, select, db) for row in compiler.results_iter(results): obj = model_cls.from_db(db, init_list, row[model_fields_start:model_fields_end]) if related_populators: for rel_populator in related_populators: rel_populator.populate(row, obj) if annotation_col_map: for attr_name, col_pos in annotation_col_map.items(): setattr(obj, attr_name, row[col_pos]) # Add the known related objects to the model, if there are any if queryset._known_related_objects: for field, rel_objs in queryset._known_related_objects.items(): # Avoid overwriting objects loaded e.g. by select_related if hasattr(obj, field.get_cache_name()): continue pk = getattr(obj, field.get_attname()) try: rel_obj = rel_objs[pk] except KeyError: pass # may happen in qs1 | qs2 scenarios else: setattr(obj, field.name, rel_obj) yield obj class ValuesIterable(BaseIterable): """ Iterable returned by QuerySet.values() that yields a dict for each row. """ def __iter__(self): queryset = self.queryset query = queryset.query compiler = query.get_compiler(queryset.db) field_names = list(query.values_select) extra_names = list(query.extra_select) annotation_names = list(query.annotation_select) # extra(select=...) cols are always at the start of the row. names = extra_names + field_names + annotation_names for row in compiler.results_iter(): yield dict(zip(names, row)) class ValuesListIterable(BaseIterable): """ Iterable returned by QuerySet.values_list(flat=False) that yields a tuple for each row. """ def __iter__(self): queryset = self.queryset query = queryset.query compiler = query.get_compiler(queryset.db) if not query.extra_select and not query.annotation_select: for row in compiler.results_iter(): yield tuple(row) else: field_names = list(query.values_select) extra_names = list(query.extra_select) annotation_names = list(query.annotation_select) # extra(select=...) cols are always at the start of the row. names = extra_names + field_names + annotation_names if queryset._fields: # Reorder according to fields. fields = list(queryset._fields) + [f for f in annotation_names if f not in queryset._fields] else: fields = names for row in compiler.results_iter(): data = dict(zip(names, row)) yield tuple(data[f] for f in fields) class FlatValuesListIterable(BaseIterable): """ Iterable returned by QuerySet.values_list(flat=True) that yields single values. """ def __iter__(self): queryset = self.queryset compiler = queryset.query.get_compiler(queryset.db) for row in compiler.results_iter(): yield row[0] class QuerySet(object): """ Represents a lazy database lookup for a set of objects. """ def __init__(self, model=None, query=None, using=None, hints=None): self.model = model self._db = using self._hints = hints or {} self.query = query or sql.Query(self.model) self._result_cache = None self._sticky_filter = False self._for_write = False self._prefetch_related_lookups = [] self._prefetch_done = False self._known_related_objects = {} # {rel_field, {pk: rel_obj}} self._iterable_class = ModelIterable self._fields = None def as_manager(cls): # Address the circular dependency between `Queryset` and `Manager`. from django.db.models.manager import Manager manager = Manager.from_queryset(cls)() manager._built_with_as_manager = True return manager as_manager.queryset_only = True as_manager = classmethod(as_manager) ######################## # PYTHON MAGIC METHODS # ######################## def __deepcopy__(self, memo): """ Deep copy of a QuerySet doesn't populate the cache """ obj = self.__class__() for k, v in self.__dict__.items(): if k == '_result_cache': obj.__dict__[k] = None else: obj.__dict__[k] = copy.deepcopy(v, memo) return obj def __getstate__(self): """ Allows the QuerySet to be pickled. """ # Force the cache to be fully populated. self._fetch_all() obj_dict = self.__dict__.copy() obj_dict[DJANGO_VERSION_PICKLE_KEY] = get_version() return obj_dict def __setstate__(self, state): msg = None pickled_version = state.get(DJANGO_VERSION_PICKLE_KEY) if pickled_version: current_version = get_version() if current_version != pickled_version: msg = ( "Pickled queryset instance's Django version %s does not " "match the current version %s." % (pickled_version, current_version) ) else: msg = "Pickled queryset instance's Django version is not specified." if msg: warnings.warn(msg, RuntimeWarning, stacklevel=2) self.__dict__.update(state) def __repr__(self): data = list(self[:REPR_OUTPUT_SIZE + 1]) if len(data) > REPR_OUTPUT_SIZE: data[-1] = "...(remaining elements truncated)..." return '<QuerySet %r>' % data def __len__(self): self._fetch_all() return len(self._result_cache) def __iter__(self): """ The queryset iterator protocol uses three nested iterators in the default case: 1. sql.compiler:execute_sql() - Returns 100 rows at time (constants.GET_ITERATOR_CHUNK_SIZE) using cursor.fetchmany(). This part is responsible for doing some column masking, and returning the rows in chunks. 2. sql/compiler.results_iter() - Returns one row at time. At this point the rows are still just tuples. In some cases the return values are converted to Python values at this location. 3. self.iterator() - Responsible for turning the rows into model objects. """ self._fetch_all() return iter(self._result_cache) def __bool__(self): self._fetch_all() return bool(self._result_cache) def __nonzero__(self): # Python 2 compatibility return type(self).__bool__(self) def __getitem__(self, k): """ Retrieves an item or slice from the set of results. """ if not isinstance(k, (slice,) + six.integer_types): raise TypeError assert ((not isinstance(k, slice) and (k >= 0)) or (isinstance(k, slice) and (k.start is None or k.start >= 0) and (k.stop is None or k.stop >= 0))), \ "Negative indexing is not supported." if self._result_cache is not None: return self._result_cache[k] if isinstance(k, slice): qs = self._clone() if k.start is not None: start = int(k.start) else: start = None if k.stop is not None: stop = int(k.stop) else: stop = None qs.query.set_limits(start, stop) return list(qs)[::k.step] if k.step else qs qs = self._clone() qs.query.set_limits(k, k + 1) return list(qs)[0] def __and__(self, other): self._merge_sanity_check(other) if isinstance(other, EmptyQuerySet): return other if isinstance(self, EmptyQuerySet): return self combined = self._clone() combined._merge_known_related_objects(other) combined.query.combine(other.query, sql.AND) return combined def __or__(self, other): self._merge_sanity_check(other) if isinstance(self, EmptyQuerySet): return other if isinstance(other, EmptyQuerySet): return self combined = self._clone() combined._merge_known_related_objects(other) combined.query.combine(other.query, sql.OR) return combined #################################### # METHODS THAT DO DATABASE QUERIES # #################################### def iterator(self): """ An iterator over the results from applying this QuerySet to the database. """ return iter(self._iterable_class(self)) def aggregate(self, *args, **kwargs): """ Returns a dictionary containing the calculations (aggregation) over the current queryset If args is present the expression is passed as a kwarg using the Aggregate object's default alias. """ if self.query.distinct_fields: raise NotImplementedError("aggregate() + distinct(fields) not implemented.") for arg in args: # The default_alias property may raise a TypeError, so we use # a try/except construct rather than hasattr in order to remain # consistent between PY2 and PY3 (hasattr would swallow # the TypeError on PY2). try: arg.default_alias except (AttributeError, TypeError): raise TypeError("Complex aggregates require an alias") kwargs[arg.default_alias] = arg query = self.query.clone() for (alias, aggregate_expr) in kwargs.items(): query.add_annotation(aggregate_expr, alias, is_summary=True) if not query.annotations[alias].contains_aggregate: raise TypeError("%s is not an aggregate expression" % alias) return query.get_aggregation(self.db, kwargs.keys()) def count(self): """ Performs a SELECT COUNT() and returns the number of records as an integer. If the QuerySet is already fully cached this simply returns the length of the cached results set to avoid multiple SELECT COUNT(*) calls. """ if self._result_cache is not None: return len(self._result_cache) return self.query.get_count(using=self.db) def get(self, *args, **kwargs): """ Performs the query and returns a single object matching the given keyword arguments. """ clone = self.filter(*args, **kwargs) if self.query.can_filter() and not self.query.distinct_fields: clone = clone.order_by() num = len(clone) if num == 1: return clone._result_cache[0] if not num: raise self.model.DoesNotExist( "%s matching query does not exist." % self.model._meta.object_name ) raise self.model.MultipleObjectsReturned( "get() returned more than one %s -- it returned %s!" % (self.model._meta.object_name, num) ) def create(self, **kwargs): """ Creates a new object with the given kwargs, saving it to the database and returning the created object. """ obj = self.model(**kwargs) self._for_write = True obj.save(force_insert=True, using=self.db) return obj def _populate_pk_values(self, objs): for obj in objs: if obj.pk is None: obj.pk = obj._meta.pk.get_pk_value_on_save(obj) def bulk_create(self, objs, batch_size=None): """ Inserts each of the instances into the database. This does *not* call save() on each of the instances, does not send any pre/post save signals, and does not set the primary key attribute if it is an autoincrement field (except if features.can_return_ids_from_bulk_insert=True). Multi-table models are not supported. """ # When you bulk insert you don't get the primary keys back (if it's an # autoincrement, except if can_return_ids_from_bulk_insert=True), so # you can't insert into the child tables which references this. There # are two workarounds: # 1) This could be implemented if you didn't have an autoincrement pk # 2) You could do it by doing O(n) normal inserts into the parent # tables to get the primary keys back and then doing a single bulk # insert into the childmost table. # We currently set the primary keys on the objects when using # PostgreSQL via the RETURNING ID clause. It should be possible for # Oracle as well, but the semantics for extracting the primary keys is # trickier so it's not done yet. assert batch_size is None or batch_size > 0 # Check that the parents share the same concrete model with the our # model to detect the inheritance pattern ConcreteGrandParent -> # MultiTableParent -> ProxyChild. Simply checking self.model._meta.proxy # would not identify that case as involving multiple tables. for parent in self.model._meta.get_parent_list(): if parent._meta.concrete_model is not self.model._meta.concrete_model: raise ValueError("Can't bulk create a multi-table inherited model") if not objs: return objs self._for_write = True connection = connections[self.db] fields = self.model._meta.concrete_fields objs = list(objs) self._populate_pk_values(objs) with transaction.atomic(using=self.db, savepoint=False): if (connection.features.can_combine_inserts_with_and_without_auto_increment_pk and self.model._meta.has_auto_field): self._batched_insert(objs, fields, batch_size) else: objs_with_pk, objs_without_pk = partition(lambda o: o.pk is None, objs) if objs_with_pk: self._batched_insert(objs_with_pk, fields, batch_size) if objs_without_pk: fields = [f for f in fields if not isinstance(f, AutoField)] ids = self._batched_insert(objs_without_pk, fields, batch_size) if connection.features.can_return_ids_from_bulk_insert: assert len(ids) == len(objs_without_pk) for i in range(len(ids)): objs_without_pk[i].pk = ids[i] return objs def get_or_create(self, defaults=None, **kwargs): """ Looks up an object with the given kwargs, creating one if necessary. Returns a tuple of (object, created), where created is a boolean specifying whether an object was created. """ lookup, params = self._extract_model_params(defaults, **kwargs) # The get() needs to be targeted at the write database in order # to avoid potential transaction consistency problems. self._for_write = True try: return self.get(**lookup), False except self.model.DoesNotExist: return self._create_object_from_params(lookup, params) def update_or_create(self, defaults=None, **kwargs): """ Looks up an object with the given kwargs, updating one with defaults if it exists, otherwise creates a new one. Returns a tuple (object, created), where created is a boolean specifying whether an object was created. """ defaults = defaults or {} lookup, params = self._extract_model_params(defaults, **kwargs) self._for_write = True try: obj = self.get(**lookup) except self.model.DoesNotExist: obj, created = self._create_object_from_params(lookup, params) if created: return obj, created for k, v in six.iteritems(defaults): setattr(obj, k, v) obj.save(using=self.db) return obj, False def _create_object_from_params(self, lookup, params): """ Tries to create an object using passed params. Used by get_or_create and update_or_create """ try: with transaction.atomic(using=self.db): obj = self.create(**params) return obj, True except IntegrityError: exc_info = sys.exc_info() try: return self.get(**lookup), False except self.model.DoesNotExist: pass six.reraise(*exc_info) def _extract_model_params(self, defaults, **kwargs): """ Prepares `lookup` (kwargs that are valid model attributes), `params` (for creating a model instance) based on given kwargs; for use by get_or_create and update_or_create. """ defaults = defaults or {} lookup = kwargs.copy() for f in self.model._meta.fields: if f.attname in lookup: lookup[f.name] = lookup.pop(f.attname) params = {k: v for k, v in kwargs.items() if LOOKUP_SEP not in k} params.update(defaults) return lookup, params def _earliest_or_latest(self, field_name=None, direction="-"): """ Returns the latest object, according to the model's 'get_latest_by' option or optional given field_name. """ order_by = field_name or getattr(self.model._meta, 'get_latest_by') assert bool(order_by), "earliest() and latest() require either a "\ "field_name parameter or 'get_latest_by' in the model" assert self.query.can_filter(), \ "Cannot change a query once a slice has been taken." obj = self._clone() obj.query.set_limits(high=1) obj.query.clear_ordering(force_empty=True) obj.query.add_ordering('%s%s' % (direction, order_by)) return obj.get() def earliest(self, field_name=None): return self._earliest_or_latest(field_name=field_name, direction="") def latest(self, field_name=None): return self._earliest_or_latest(field_name=field_name, direction="-") def first(self): """ Returns the first object of a query, returns None if no match is found. """ objects = list((self if self.ordered else self.order_by('pk'))[:1]) if objects: return objects[0] return None def last(self): """ Returns the last object of a query, returns None if no match is found. """ objects = list((self.reverse() if self.ordered else self.order_by('-pk'))[:1]) if objects: return objects[0] return None def in_bulk(self, id_list=None): """ Returns a dictionary mapping each of the given IDs to the object with that ID. If `id_list` isn't provided, the entire QuerySet is evaluated. """ assert self.query.can_filter(), \ "Cannot use 'limit' or 'offset' with in_bulk" if id_list is not None: if not id_list: return {} qs = self.filter(pk__in=id_list).order_by() else: qs = self._clone() return {obj._get_pk_val(): obj for obj in qs} def delete(self): """ Deletes the records in the current QuerySet. """ assert self.query.can_filter(), \ "Cannot use 'limit' or 'offset' with delete." if self._fields is not None: raise TypeError("Cannot call delete() after .values() or .values_list()") del_query = self._clone() # The delete is actually 2 queries - one to find related objects, # and one to delete. Make sure that the discovery of related # objects is performed on the same database as the deletion. del_query._for_write = True # Disable non-supported fields. del_query.query.select_for_update = False del_query.query.select_related = False del_query.query.clear_ordering(force_empty=True) collector = Collector(using=del_query.db) collector.collect(del_query) deleted, _rows_count = collector.delete() # Clear the result cache, in case this QuerySet gets reused. self._result_cache = None return deleted, _rows_count delete.alters_data = True delete.queryset_only = True def _raw_delete(self, using): """ Deletes objects found from the given queryset in single direct SQL query. No signals are sent, and there is no protection for cascades. """ return sql.DeleteQuery(self.model).delete_qs(self, using) _raw_delete.alters_data = True def update(self, **kwargs): """ Updates all elements in the current QuerySet, setting all the given fields to the appropriate values. """ assert self.query.can_filter(), \ "Cannot update a query once a slice has been taken." self._for_write = True query = self.query.clone(sql.UpdateQuery) query.add_update_values(kwargs) with transaction.atomic(using=self.db, savepoint=False): rows = query.get_compiler(self.db).execute_sql(CURSOR) self._result_cache = None return rows update.alters_data = True def _update(self, values): """ A version of update that accepts field objects instead of field names. Used primarily for model saving and not intended for use by general code (it requires too much poking around at model internals to be useful at that level). """ assert self.query.can_filter(), \ "Cannot update a query once a slice has been taken." query = self.query.clone(sql.UpdateQuery) query.add_update_fields(values) self._result_cache = None return query.get_compiler(self.db).execute_sql(CURSOR) _update.alters_data = True _update.queryset_only = False def exists(self): if self._result_cache is None: return self.query.has_results(using=self.db) return bool(self._result_cache) def _prefetch_related_objects(self): # This method can only be called once the result cache has been filled. prefetch_related_objects(self._result_cache, *self._prefetch_related_lookups) self._prefetch_done = True ################################################## # PUBLIC METHODS THAT RETURN A QUERYSET SUBCLASS # ################################################## def raw(self, raw_query, params=None, translations=None, using=None): if using is None: using = self.db return RawQuerySet(raw_query, model=self.model, params=params, translations=translations, using=using) def _values(self, *fields): clone = self._clone() clone._fields = fields query = clone.query query.select_related = False query.clear_deferred_loading() query.clear_select_fields() if query.group_by is True: query.add_fields((f.attname for f in self.model._meta.concrete_fields), False) query.set_group_by() query.clear_select_fields() if fields: field_names = [] extra_names = [] annotation_names = [] if not query._extra and not query._annotations: # Shortcut - if there are no extra or annotations, then # the values() clause must be just field names. field_names = list(fields) else: query.default_cols = False for f in fields: if f in query.extra_select: extra_names.append(f) elif f in query.annotation_select: annotation_names.append(f) else: field_names.append(f) query.set_extra_mask(extra_names) query.set_annotation_mask(annotation_names) else: field_names = [f.attname for f in self.model._meta.concrete_fields] query.values_select = field_names query.add_fields(field_names, True) return clone def values(self, *fields): clone = self._values(*fields) clone._iterable_class = ValuesIterable return clone def values_list(self, *fields, **kwargs): flat = kwargs.pop('flat', False) if kwargs: raise TypeError('Unexpected keyword arguments to values_list: %s' % (list(kwargs),)) if flat and len(fields) > 1: raise TypeError("'flat' is not valid when values_list is called with more than one field.") clone = self._values(*fields) clone._iterable_class = FlatValuesListIterable if flat else ValuesListIterable return clone def dates(self, field_name, kind, order='ASC'): """ Returns a list of date objects representing all available dates for the given field_name, scoped to 'kind'. """ assert kind in ("year", "month", "day"), \ "'kind' must be one of 'year', 'month' or 'day'." assert order in ('ASC', 'DESC'), \ "'order' must be either 'ASC' or 'DESC'." return self.annotate( datefield=Date(field_name, kind), plain_field=F(field_name) ).values_list( 'datefield', flat=True ).distinct().filter(plain_field__isnull=False).order_by(('-' if order == 'DESC' else '') + 'datefield') def datetimes(self, field_name, kind, order='ASC', tzinfo=None): """ Returns a list of datetime objects representing all available datetimes for the given field_name, scoped to 'kind'. """ assert kind in ("year", "month", "day", "hour", "minute", "second"), \ "'kind' must be one of 'year', 'month', 'day', 'hour', 'minute' or 'second'." assert order in ('ASC', 'DESC'), \ "'order' must be either 'ASC' or 'DESC'." if settings.USE_TZ: if tzinfo is None: tzinfo = timezone.get_current_timezone() else: tzinfo = None return self.annotate( datetimefield=DateTime(field_name, kind, tzinfo), plain_field=F(field_name) ).values_list( 'datetimefield', flat=True ).distinct().filter(plain_field__isnull=False).order_by(('-' if order == 'DESC' else '') + 'datetimefield') def none(self): """ Returns an empty QuerySet. """ clone = self._clone() clone.query.set_empty() return clone ################################################################## # PUBLIC METHODS THAT ALTER ATTRIBUTES AND RETURN A NEW QUERYSET # ################################################################## def all(self): """ Returns a new QuerySet that is a copy of the current one. This allows a QuerySet to proxy for a model manager in some cases. """ return self._clone() def filter(self, *args, **kwargs): """ Returns a new QuerySet instance with the args ANDed to the existing set. """ return self._filter_or_exclude(False, *args, **kwargs) def exclude(self, *args, **kwargs): """ Returns a new QuerySet instance with NOT (args) ANDed to the existing set. """ return self._filter_or_exclude(True, *args, **kwargs) def _filter_or_exclude(self, negate, *args, **kwargs): if args or kwargs: assert self.query.can_filter(), \ "Cannot filter a query once a slice has been taken." clone = self._clone() if negate: clone.query.add_q(~Q(*args, **kwargs)) else: clone.query.add_q(Q(*args, **kwargs)) return clone def complex_filter(self, filter_obj): """ Returns a new QuerySet instance with filter_obj added to the filters. filter_obj can be a Q object (or anything with an add_to_query() method) or a dictionary of keyword lookup arguments. This exists to support framework features such as 'limit_choices_to', and usually it will be more natural to use other methods. """ if isinstance(filter_obj, Q) or hasattr(filter_obj, 'add_to_query'): clone = self._clone() clone.query.add_q(filter_obj) return clone else: return self._filter_or_exclude(None, **filter_obj) def select_for_update(self, nowait=False): """ Returns a new QuerySet instance that will select objects with a FOR UPDATE lock. """ obj = self._clone() obj._for_write = True obj.query.select_for_update = True obj.query.select_for_update_nowait = nowait return obj def select_related(self, *fields): """ Returns a new QuerySet instance that will select related objects. If fields are specified, they must be ForeignKey fields and only those related objects are included in the selection. If select_related(None) is called, the list is cleared. """ if self._fields is not None: raise TypeError("Cannot call select_related() after .values() or .values_list()") obj = self._clone() if fields == (None,): obj.query.select_related = False elif fields: obj.query.add_select_related(fields) else: obj.query.select_related = True return obj def prefetch_related(self, *lookups): """ Returns a new QuerySet instance that will prefetch the specified Many-To-One and Many-To-Many related objects when the QuerySet is evaluated. When prefetch_related() is called more than once, the list of lookups to prefetch is appended to. If prefetch_related(None) is called, the list is cleared. """ clone = self._clone() if lookups == (None,): clone._prefetch_related_lookups = [] else: clone._prefetch_related_lookups.extend(lookups) return clone def annotate(self, *args, **kwargs): """ Return a query set in which the returned objects have been annotated with extra data or aggregations. """ annotations = OrderedDict() # To preserve ordering of args for arg in args: # The default_alias property may raise a TypeError, so we use # a try/except construct rather than hasattr in order to remain # consistent between PY2 and PY3 (hasattr would swallow # the TypeError on PY2). try: if arg.default_alias in kwargs: raise ValueError("The named annotation '%s' conflicts with the " "default name for another annotation." % arg.default_alias) except (AttributeError, TypeError): raise TypeError("Complex annotations require an alias") annotations[arg.default_alias] = arg annotations.update(kwargs) clone = self._clone() names = self._fields if names is None: names = {f.name for f in self.model._meta.get_fields()} for alias, annotation in annotations.items(): if alias in names: raise ValueError("The annotation '%s' conflicts with a field on " "the model." % alias) clone.query.add_annotation(annotation, alias, is_summary=False) for alias, annotation in clone.query.annotations.items(): if alias in annotations and annotation.contains_aggregate: if clone._fields is None: clone.query.group_by = True else: clone.query.set_group_by() break return clone def order_by(self, *field_names): """ Returns a new QuerySet instance with the ordering changed. """ assert self.query.can_filter(), \ "Cannot reorder a query once a slice has been taken." obj = self._clone() obj.query.clear_ordering(force_empty=False) obj.query.add_ordering(*field_names) return obj def distinct(self, *field_names): """ Returns a new QuerySet instance that will select only distinct results. """ assert self.query.can_filter(), \ "Cannot create distinct fields once a slice has been taken." obj = self._clone() obj.query.add_distinct_fields(*field_names) return obj def extra(self, select=None, where=None, params=None, tables=None, order_by=None, select_params=None): """ Adds extra SQL fragments to the query. """ assert self.query.can_filter(), \ "Cannot change a query once a slice has been taken" clone = self._clone() clone.query.add_extra(select, select_params, where, params, tables, order_by) return clone def reverse(self): """ Reverses the ordering of the QuerySet. """ clone = self._clone() clone.query.standard_ordering = not clone.query.standard_ordering return clone def defer(self, *fields): """ Defers the loading of data for certain fields until they are accessed. The set of fields to defer is added to any existing set of deferred fields. The only exception to this is if None is passed in as the only parameter, in which case all deferrals are removed (None acts as a reset option). """ if self._fields is not None: raise TypeError("Cannot call defer() after .values() or .values_list()") clone = self._clone() if fields == (None,): clone.query.clear_deferred_loading() else: clone.query.add_deferred_loading(fields) return clone def only(self, *fields): """ Essentially, the opposite of defer. Only the fields passed into this method and that are not already specified as deferred are loaded immediately when the queryset is evaluated. """ if self._fields is not None: raise TypeError("Cannot call only() after .values() or .values_list()") if fields == (None,): # Can only pass None to defer(), not only(), as the rest option. # That won't stop people trying to do this, so let's be explicit. raise TypeError("Cannot pass None as an argument to only().") clone = self._clone() clone.query.add_immediate_loading(fields) return clone def using(self, alias): """ Selects which database this QuerySet should execute its query against. """ clone = self._clone() clone._db = alias return clone ################################### # PUBLIC INTROSPECTION ATTRIBUTES # ################################### def ordered(self): """ Returns True if the QuerySet is ordered -- i.e. has an order_by() clause or a default ordering on the model. """ if self.query.extra_order_by or self.query.order_by: return True elif self.query.default_ordering and self.query.get_meta().ordering: return True else: return False ordered = property(ordered) @property def db(self): "Return the database that will be used if this query is executed now" if self._for_write: return self._db or router.db_for_write(self.model, **self._hints) return self._db or router.db_for_read(self.model, **self._hints) ################### # PRIVATE METHODS # ################### def _insert(self, objs, fields, return_id=False, raw=False, using=None): """ Inserts a new record for the given model. This provides an interface to the InsertQuery class and is how Model.save() is implemented. """ self._for_write = True if using is None: using = self.db query = sql.InsertQuery(self.model) query.insert_values(fields, objs, raw=raw) return query.get_compiler(using=using).execute_sql(return_id) _insert.alters_data = True _insert.queryset_only = False def _batched_insert(self, objs, fields, batch_size): """ A little helper method for bulk_insert to insert the bulk one batch at a time. Inserts recursively a batch from the front of the bulk and then _batched_insert() the remaining objects again. """ if not objs: return ops = connections[self.db].ops batch_size = (batch_size or max(ops.bulk_batch_size(fields, objs), 1)) inserted_ids = [] for item in [objs[i:i + batch_size] for i in range(0, len(objs), batch_size)]: if connections[self.db].features.can_return_ids_from_bulk_insert: inserted_id = self.model._base_manager._insert( item, fields=fields, using=self.db, return_id=True ) if len(objs) > 1: inserted_ids.extend(inserted_id) if len(objs) == 1: inserted_ids.append(inserted_id) else: self.model._base_manager._insert(item, fields=fields, using=self.db) return inserted_ids def _clone(self, **kwargs): query = self.query.clone() if self._sticky_filter: query.filter_is_sticky = True clone = self.__class__(model=self.model, query=query, using=self._db, hints=self._hints) clone._for_write = self._for_write clone._prefetch_related_lookups = self._prefetch_related_lookups[:] clone._known_related_objects = self._known_related_objects clone._iterable_class = self._iterable_class clone._fields = self._fields clone.__dict__.update(kwargs) return clone def _fetch_all(self): if self._result_cache is None: self._result_cache = list(self.iterator()) if self._prefetch_related_lookups and not self._prefetch_done: self._prefetch_related_objects() def _next_is_sticky(self): """ Indicates that the next filter call and the one following that should be treated as a single filter. This is only important when it comes to determining when to reuse tables for many-to-many filters. Required so that we can filter naturally on the results of related managers. This doesn't return a clone of the current QuerySet (it returns "self"). The method is only used internally and should be immediately followed by a filter() that does create a clone. """ self._sticky_filter = True return self def _merge_sanity_check(self, other): """ Checks that we are merging two comparable QuerySet classes. """ if self._fields is not None and ( set(self.query.values_select) != set(other.query.values_select) or set(self.query.extra_select) != set(other.query.extra_select) or set(self.query.annotation_select) != set(other.query.annotation_select)): raise TypeError( "Merging '%s' classes must involve the same values in each case." % self.__class__.__name__ ) def _merge_known_related_objects(self, other): """ Keep track of all known related objects from either QuerySet instance. """ for field, objects in other._known_related_objects.items(): self._known_related_objects.setdefault(field, {}).update(objects) def _prepare(self, field): if self._fields is not None: # values() queryset can only be used as nested queries # if they are set up to select only a single field. if len(self._fields or self.model._meta.concrete_fields) > 1: raise TypeError('Cannot use multi-field values as a filter value.') elif self.model != field.model: # If the query is used as a subquery for a ForeignKey with non-pk # target field, make sure to select the target field in the subquery. foreign_fields = getattr(field, 'foreign_related_fields', ()) if len(foreign_fields) == 1 and not foreign_fields[0].primary_key: return self.values(foreign_fields[0].name) return self def _as_sql(self, connection): """ Returns the internal query's SQL and parameters (as a tuple). """ if self._fields is not None: # values() queryset can only be used as nested queries # if they are set up to select only a single field. if len(self._fields or self.model._meta.concrete_fields) > 1: raise TypeError('Cannot use multi-field values as a filter value.') clone = self._clone() else: clone = self.values('pk') if clone._db is None or connection == connections[clone._db]: return clone.query.get_compiler(connection=connection).as_nested_sql() raise ValueError("Can't do subqueries with queries on different DBs.") # When used as part of a nested query, a queryset will never be an "always # empty" result. value_annotation = True def _add_hints(self, **hints): """ Update hinting information for later use by Routers """ # If there is any hinting information, add it to what we already know. # If we have a new hint for an existing key, overwrite with the new value. self._hints.update(hints) def _has_filters(self): """ Checks if this QuerySet has any filtering going on. Note that this isn't equivalent for checking if all objects are present in results, for example qs[1:]._has_filters() -> False. """ return self.query.has_filters() def is_compatible_query_object_type(self, opts, field): """ Check that using this queryset as the rhs value for a lookup is allowed. The opts are the options of the relation's target we are querying against. For example in .filter(author__in=Author.objects.all()) the opts would be Author's (from the author field) and self.model would be Author.objects.all() queryset's .model (Author also). The field is the related field on the lhs side. """ # We trust that users of values() know what they are doing. if self._fields is not None: return True return check_rel_lookup_compatibility(self.model, opts, field) is_compatible_query_object_type.queryset_only = True class InstanceCheckMeta(type): def __instancecheck__(self, instance): return isinstance(instance, QuerySet) and instance.query.is_empty() class EmptyQuerySet(six.with_metaclass(InstanceCheckMeta)): """ Marker class usable for checking if a queryset is empty by .none(): isinstance(qs.none(), EmptyQuerySet) -> True """ def __init__(self, *args, **kwargs): raise TypeError("EmptyQuerySet can't be instantiated") class RawQuerySet(object): """ Provides an iterator which converts the results of raw SQL queries into annotated model instances. """ def __init__(self, raw_query, model=None, query=None, params=None, translations=None, using=None, hints=None): self.raw_query = raw_query self.model = model self._db = using self._hints = hints or {} self.query = query or sql.RawQuery(sql=raw_query, using=self.db, params=params) self.params = params or () self.translations = translations or {} def resolve_model_init_order(self): """ Resolve the init field names and value positions """ model_init_fields = [f for f in self.model._meta.fields if f.column in self.columns] annotation_fields = [(column, pos) for pos, column in enumerate(self.columns) if column not in self.model_fields] model_init_order = [self.columns.index(f.column) for f in model_init_fields] model_init_names = [f.attname for f in model_init_fields] return model_init_names, model_init_order, annotation_fields def __iter__(self): # Cache some things for performance reasons outside the loop. db = self.db compiler = connections[db].ops.compiler('SQLCompiler')( self.query, connections[db], db ) query = iter(self.query) try: model_init_names, model_init_pos, annotation_fields = self.resolve_model_init_order() # Find out which model's fields are not present in the query. skip = set() for field in self.model._meta.fields: if field.attname not in model_init_names: skip.add(field.attname) if skip: if self.model._meta.pk.attname in skip: raise InvalidQuery('Raw query must include the primary key') model_cls = deferred_class_factory(self.model, skip) else: model_cls = self.model fields = [self.model_fields.get(c) for c in self.columns] converters = compiler.get_converters([ f.get_col(f.model._meta.db_table) if f else None for f in fields ]) for values in query: if converters: values = compiler.apply_converters(values, converters) # Associate fields to values model_init_values = [values[pos] for pos in model_init_pos] instance = model_cls.from_db(db, model_init_names, model_init_values) if annotation_fields: for column, pos in annotation_fields: setattr(instance, column, values[pos]) yield instance finally: # Done iterating the Query. If it has its own cursor, close it. if hasattr(self.query, 'cursor') and self.query.cursor: self.query.cursor.close() def __repr__(self): return "<RawQuerySet: %s>" % self.query def __getitem__(self, k): return list(self)[k] @property def db(self): "Return the database that will be used if this query is executed now" return self._db or router.db_for_read(self.model, **self._hints) def using(self, alias): """ Selects which database this Raw QuerySet should execute its query against. """ return RawQuerySet( self.raw_query, model=self.model, query=self.query.clone(using=alias), params=self.params, translations=self.translations, using=alias, ) @property def columns(self): """ A list of model field names in the order they'll appear in the query results. """ if not hasattr(self, '_columns'): self._columns = self.query.get_columns() # Adjust any column names which don't match field names for (query_name, model_name) in self.translations.items(): try: index = self._columns.index(query_name) self._columns[index] = model_name except ValueError: # Ignore translations for non-existent column names pass return self._columns @property def model_fields(self): """ A dict mapping column names to model field names. """ if not hasattr(self, '_model_fields'): converter = connections[self.db].introspection.table_name_converter self._model_fields = {} for field in self.model._meta.fields: name, column = field.get_attname_column() self._model_fields[converter(column)] = field return self._model_fields class Prefetch(object): def __init__(self, lookup, queryset=None, to_attr=None): # `prefetch_through` is the path we traverse to perform the prefetch. self.prefetch_through = lookup # `prefetch_to` is the path to the attribute that stores the result. self.prefetch_to = lookup if to_attr: self.prefetch_to = LOOKUP_SEP.join(lookup.split(LOOKUP_SEP)[:-1] + [to_attr]) self.queryset = queryset self.to_attr = to_attr def add_prefix(self, prefix): self.prefetch_through = LOOKUP_SEP.join([prefix, self.prefetch_through]) self.prefetch_to = LOOKUP_SEP.join([prefix, self.prefetch_to]) def get_current_prefetch_through(self, level): return LOOKUP_SEP.join(self.prefetch_through.split(LOOKUP_SEP)[:level + 1]) def get_current_prefetch_to(self, level): return LOOKUP_SEP.join(self.prefetch_to.split(LOOKUP_SEP)[:level + 1]) def get_current_to_attr(self, level): parts = self.prefetch_to.split(LOOKUP_SEP) to_attr = parts[level] as_attr = self.to_attr and level == len(parts) - 1 return to_attr, as_attr def get_current_queryset(self, level): if self.get_current_prefetch_to(level) == self.prefetch_to: return self.queryset return None def __eq__(self, other): if isinstance(other, Prefetch): return self.prefetch_to == other.prefetch_to return False def __hash__(self): return hash(self.__class__) ^ hash(self.prefetch_to) def normalize_prefetch_lookups(lookups, prefix=None): """ Helper function that normalize lookups into Prefetch objects. """ ret = [] for lookup in lookups: if not isinstance(lookup, Prefetch): lookup = Prefetch(lookup) if prefix: lookup.add_prefix(prefix) ret.append(lookup) return ret def prefetch_related_objects(model_instances, *related_lookups): """ Populate prefetched object caches for a list of model instances based on the lookups/Prefetch instances given. """ if len(model_instances) == 0: return # nothing to do related_lookups = normalize_prefetch_lookups(related_lookups) # We need to be able to dynamically add to the list of prefetch_related # lookups that we look up (see below). So we need some book keeping to # ensure we don't do duplicate work. done_queries = {} # dictionary of things like 'foo__bar': [results] auto_lookups = set() # we add to this as we go through. followed_descriptors = set() # recursion protection all_lookups = deque(related_lookups) while all_lookups: lookup = all_lookups.popleft() if lookup.prefetch_to in done_queries: if lookup.queryset: raise ValueError("'%s' lookup was already seen with a different queryset. " "You may need to adjust the ordering of your lookups." % lookup.prefetch_to) continue # Top level, the list of objects to decorate is the result cache # from the primary QuerySet. It won't be for deeper levels. obj_list = model_instances through_attrs = lookup.prefetch_through.split(LOOKUP_SEP) for level, through_attr in enumerate(through_attrs): # Prepare main instances if len(obj_list) == 0: break prefetch_to = lookup.get_current_prefetch_to(level) if prefetch_to in done_queries: # Skip any prefetching, and any object preparation obj_list = done_queries[prefetch_to] continue # Prepare objects: good_objects = True for obj in obj_list: # Since prefetching can re-use instances, it is possible to have # the same instance multiple times in obj_list, so obj might # already be prepared. if not hasattr(obj, '_prefetched_objects_cache'): try: obj._prefetched_objects_cache = {} except (AttributeError, TypeError): # Must be an immutable object from # values_list(flat=True), for example (TypeError) or # a QuerySet subclass that isn't returning Model # instances (AttributeError), either in Django or a 3rd # party. prefetch_related() doesn't make sense, so quit. good_objects = False break if not good_objects: break # Descend down tree # We assume that objects retrieved are homogeneous (which is the premise # of prefetch_related), so what applies to first object applies to all. first_obj = obj_list[0] prefetcher, descriptor, attr_found, is_fetched = get_prefetcher(first_obj, through_attr) if not attr_found: raise AttributeError("Cannot find '%s' on %s object, '%s' is an invalid " "parameter to prefetch_related()" % (through_attr, first_obj.__class__.__name__, lookup.prefetch_through)) if level == len(through_attrs) - 1 and prefetcher is None: # Last one, this *must* resolve to something that supports # prefetching, otherwise there is no point adding it and the # developer asking for it has made a mistake. raise ValueError("'%s' does not resolve to an item that supports " "prefetching - this is an invalid parameter to " "prefetch_related()." % lookup.prefetch_through) if prefetcher is not None and not is_fetched: obj_list, additional_lookups = prefetch_one_level(obj_list, prefetcher, lookup, level) # We need to ensure we don't keep adding lookups from the # same relationships to stop infinite recursion. So, if we # are already on an automatically added lookup, don't add # the new lookups from relationships we've seen already. if not (lookup in auto_lookups and descriptor in followed_descriptors): done_queries[prefetch_to] = obj_list new_lookups = normalize_prefetch_lookups(additional_lookups, prefetch_to) auto_lookups.update(new_lookups) all_lookups.extendleft(new_lookups) followed_descriptors.add(descriptor) else: # Either a singly related object that has already been fetched # (e.g. via select_related), or hopefully some other property # that doesn't support prefetching but needs to be traversed. # We replace the current list of parent objects with the list # of related objects, filtering out empty or missing values so # that we can continue with nullable or reverse relations. new_obj_list = [] for obj in obj_list: try: new_obj = getattr(obj, through_attr) except exceptions.ObjectDoesNotExist: continue if new_obj is None: continue # We special-case `list` rather than something more generic # like `Iterable` because we don't want to accidentally match # user models that define __iter__. if isinstance(new_obj, list): new_obj_list.extend(new_obj) else: new_obj_list.append(new_obj) obj_list = new_obj_list def get_prefetcher(instance, attr): """ For the attribute 'attr' on the given instance, finds an object that has a get_prefetch_queryset(). Returns a 4 tuple containing: (the object with get_prefetch_queryset (or None), the descriptor object representing this relationship (or None), a boolean that is False if the attribute was not found at all, a boolean that is True if the attribute has already been fetched) """ prefetcher = None is_fetched = False # For singly related objects, we have to avoid getting the attribute # from the object, as this will trigger the query. So we first try # on the class, in order to get the descriptor object. rel_obj_descriptor = getattr(instance.__class__, attr, None) if rel_obj_descriptor is None: attr_found = hasattr(instance, attr) else: attr_found = True if rel_obj_descriptor: # singly related object, descriptor object has the # get_prefetch_queryset() method. if hasattr(rel_obj_descriptor, 'get_prefetch_queryset'): prefetcher = rel_obj_descriptor if rel_obj_descriptor.is_cached(instance): is_fetched = True else: # descriptor doesn't support prefetching, so we go ahead and get # the attribute on the instance rather than the class to # support many related managers rel_obj = getattr(instance, attr) if hasattr(rel_obj, 'get_prefetch_queryset'): prefetcher = rel_obj is_fetched = attr in instance._prefetched_objects_cache return prefetcher, rel_obj_descriptor, attr_found, is_fetched def prefetch_one_level(instances, prefetcher, lookup, level): """ Helper function for prefetch_related_objects Runs prefetches on all instances using the prefetcher object, assigning results to relevant caches in instance. The prefetched objects are returned, along with any additional prefetches that must be done due to prefetch_related lookups found from default managers. """ # prefetcher must have a method get_prefetch_queryset() which takes a list # of instances, and returns a tuple: # (queryset of instances of self.model that are related to passed in instances, # callable that gets value to be matched for returned instances, # callable that gets value to be matched for passed in instances, # boolean that is True for singly related objects, # cache name to assign to). # The 'values to be matched' must be hashable as they will be used # in a dictionary. rel_qs, rel_obj_attr, instance_attr, single, cache_name = ( prefetcher.get_prefetch_queryset(instances, lookup.get_current_queryset(level))) # We have to handle the possibility that the QuerySet we just got back # contains some prefetch_related lookups. We don't want to trigger the # prefetch_related functionality by evaluating the query. Rather, we need # to merge in the prefetch_related lookups. # Copy the lookups in case it is a Prefetch object which could be reused # later (happens in nested prefetch_related). additional_lookups = [ copy.copy(additional_lookup) for additional_lookup in getattr(rel_qs, '_prefetch_related_lookups', []) ] if additional_lookups: # Don't need to clone because the manager should have given us a fresh # instance, so we access an internal instead of using public interface # for performance reasons. rel_qs._prefetch_related_lookups = [] all_related_objects = list(rel_qs) rel_obj_cache = {} for rel_obj in all_related_objects: rel_attr_val = rel_obj_attr(rel_obj) rel_obj_cache.setdefault(rel_attr_val, []).append(rel_obj) to_attr, as_attr = lookup.get_current_to_attr(level) # Make sure `to_attr` does not conflict with a field. if as_attr and instances: # We assume that objects retrieved are homogeneous (which is the premise # of prefetch_related), so what applies to first object applies to all. model = instances[0].__class__ try: model._meta.get_field(to_attr) except exceptions.FieldDoesNotExist: pass else: msg = 'to_attr={} conflicts with a field on the {} model.' raise ValueError(msg.format(to_attr, model.__name__)) # Whether or not we're prefetching the last part of the lookup. leaf = len(lookup.prefetch_through.split(LOOKUP_SEP)) - 1 == level for obj in instances: instance_attr_val = instance_attr(obj) vals = rel_obj_cache.get(instance_attr_val, []) if single: val = vals[0] if vals else None to_attr = to_attr if as_attr else cache_name setattr(obj, to_attr, val) else: if as_attr: setattr(obj, to_attr, vals) obj._prefetched_objects_cache[cache_name] = vals else: manager = getattr(obj, to_attr) if leaf and lookup.queryset is not None: try: apply_rel_filter = manager._apply_rel_filters except AttributeError: warnings.warn( "The `%s.%s` class must implement a `_apply_rel_filters()` " "method that accepts a `QuerySet` as its single " "argument and returns an appropriately filtered version " "of it." % (manager.__class__.__module__, manager.__class__.__name__), RemovedInDjango20Warning, ) qs = manager.get_queryset() else: qs = apply_rel_filter(lookup.queryset) else: qs = manager.get_queryset() qs._result_cache = vals # We don't want the individual qs doing prefetch_related now, # since we have merged this into the current work. qs._prefetch_done = True obj._prefetched_objects_cache[cache_name] = qs return all_related_objects, additional_lookups class RelatedPopulator(object): """ RelatedPopulator is used for select_related() object instantiation. The idea is that each select_related() model will be populated by a different RelatedPopulator instance. The RelatedPopulator instances get klass_info and select (computed in SQLCompiler) plus the used db as input for initialization. That data is used to compute which columns to use, how to instantiate the model, and how to populate the links between the objects. The actual creation of the objects is done in populate() method. This method gets row and from_obj as input and populates the select_related() model instance. """ def __init__(self, klass_info, select, db): self.db = db # Pre-compute needed attributes. The attributes are: # - model_cls: the possibly deferred model class to instantiate # - either: # - cols_start, cols_end: usually the columns in the row are # in the same order model_cls.__init__ expects them, so we # can instantiate by model_cls(*row[cols_start:cols_end]) # - reorder_for_init: When select_related descends to a child # class, then we want to reuse the already selected parent # data. However, in this case the parent data isn't necessarily # in the same order that Model.__init__ expects it to be, so # we have to reorder the parent data. The reorder_for_init # attribute contains a function used to reorder the field data # in the order __init__ expects it. # - pk_idx: the index of the primary key field in the reordered # model data. Used to check if a related object exists at all. # - init_list: the field attnames fetched from the database. For # deferred models this isn't the same as all attnames of the # model's fields. # - related_populators: a list of RelatedPopulator instances if # select_related() descends to related models from this model. # - cache_name, reverse_cache_name: the names to use for setattr # when assigning the fetched object to the from_obj. If the # reverse_cache_name is set, then we also set the reverse link. select_fields = klass_info['select_fields'] from_parent = klass_info['from_parent'] if not from_parent: self.cols_start = select_fields[0] self.cols_end = select_fields[-1] + 1 self.init_list = [ f[0].target.attname for f in select[self.cols_start:self.cols_end] ] self.reorder_for_init = None else: model_init_attnames = [ f.attname for f in klass_info['model']._meta.concrete_fields ] reorder_map = [] for idx in select_fields: field = select[idx][0].target init_pos = model_init_attnames.index(field.attname) reorder_map.append((init_pos, field.attname, idx)) reorder_map.sort() self.init_list = [v[1] for v in reorder_map] pos_list = [row_pos for _, _, row_pos in reorder_map] def reorder_for_init(row): return [row[row_pos] for row_pos in pos_list] self.reorder_for_init = reorder_for_init self.model_cls = self.get_deferred_cls(klass_info, self.init_list) self.pk_idx = self.init_list.index(self.model_cls._meta.pk.attname) self.related_populators = get_related_populators(klass_info, select, self.db) field = klass_info['field'] reverse = klass_info['reverse'] self.reverse_cache_name = None if reverse: self.cache_name = field.remote_field.get_cache_name() self.reverse_cache_name = field.get_cache_name() else: self.cache_name = field.get_cache_name() if field.unique: self.reverse_cache_name = field.remote_field.get_cache_name() def get_deferred_cls(self, klass_info, init_list): model_cls = klass_info['model'] if len(init_list) != len(model_cls._meta.concrete_fields): init_set = set(init_list) skip = [ f.attname for f in model_cls._meta.concrete_fields if f.attname not in init_set ] model_cls = deferred_class_factory(model_cls, skip) return model_cls def populate(self, row, from_obj): if self.reorder_for_init: obj_data = self.reorder_for_init(row) else: obj_data = row[self.cols_start:self.cols_end] if obj_data[self.pk_idx] is None: obj = None else: obj = self.model_cls.from_db(self.db, self.init_list, obj_data) if obj and self.related_populators: for rel_iter in self.related_populators: rel_iter.populate(row, obj) setattr(from_obj, self.cache_name, obj) if obj and self.reverse_cache_name: setattr(obj, self.reverse_cache_name, from_obj) def get_related_populators(klass_info, select, db): iterators = [] related_klass_infos = klass_info.get('related_klass_infos', []) for rel_klass_info in related_klass_infos: rel_cls = RelatedPopulator(rel_klass_info, select, db) iterators.append(rel_cls) return iterators
{ "content_hash": "e9cba6bd699037dad36dbf7092d6ee18", "timestamp": "", "source": "github", "line_count": 1769, "max_line_length": 115, "avg_line_length": 40.351611079706046, "alnum_prop": 0.587473032417136, "repo_name": "indevgr/django", "id": "61c52167c7465d54070b2ebf57aae8ca1da5a40b", "size": "71382", "binary": false, "copies": "6", "ref": "refs/heads/master", "path": "django/db/models/query.py", "mode": "33188", "license": "bsd-3-clause", "language": [ { "name": "CSS", "bytes": "52294" }, { "name": "HTML", "bytes": "174530" }, { "name": "JavaScript", "bytes": "248130" }, { "name": "Makefile", "bytes": "125" }, { "name": "Python", "bytes": "11350632" }, { "name": "Shell", "bytes": "809" }, { "name": "Smarty", "bytes": "130" } ], "symlink_target": "" }
<?php namespace Symfony\Component\Ldap\Adapter\ExtLdap; use Symfony\Component\Ldap\Adapter\AdapterInterface; use Symfony\Component\Ldap\Adapter\ConnectionInterface; use Symfony\Component\Ldap\Adapter\EntryManagerInterface; use Symfony\Component\Ldap\Adapter\QueryInterface; use Symfony\Component\Ldap\Exception\LdapException; /** * @author Charles Sarrazin <[email protected]> */ class Adapter implements AdapterInterface { private array $config; private ConnectionInterface $connection; private EntryManagerInterface $entryManager; public function __construct(array $config = []) { if (!\extension_loaded('ldap')) { throw new LdapException('The LDAP PHP extension is not enabled.'); } $this->config = $config; } public function getConnection(): ConnectionInterface { return $this->connection ??= new Connection($this->config); } public function getEntryManager(): EntryManagerInterface { return $this->entryManager ??= new EntryManager($this->getConnection()); } public function createQuery(string $dn, string $query, array $options = []): QueryInterface { return new Query($this->getConnection(), $dn, $query, $options); } public function escape(string $subject, string $ignore = '', int $flags = 0): string { $value = ldap_escape($subject, $ignore, $flags); // Per RFC 4514, leading/trailing spaces should be encoded in DNs, as well as carriage returns. if ($flags & \LDAP_ESCAPE_DN) { if (!empty($value) && ' ' === $value[0]) { $value = '\\20'.substr($value, 1); } if (!empty($value) && ' ' === $value[\strlen($value) - 1]) { $value = substr($value, 0, -1).'\\20'; } $value = str_replace("\r", '\0d', $value); } return $value; } }
{ "content_hash": "449281e93ad8935f8babf95d20dbda3a", "timestamp": "", "source": "github", "line_count": 63, "max_line_length": 103, "avg_line_length": 30.38095238095238, "alnum_prop": 0.619644723092999, "repo_name": "derrabus/symfony", "id": "8d82c5aa9a0789138b940072b6db3b9d8c196887", "size": "2143", "binary": false, "copies": "7", "ref": "refs/heads/6.2", "path": "src/Symfony/Component/Ldap/Adapter/ExtLdap/Adapter.php", "mode": "33188", "license": "mit", "language": [ { "name": "CSS", "bytes": "49777" }, { "name": "HTML", "bytes": "16735" }, { "name": "Hack", "bytes": "26" }, { "name": "JavaScript", "bytes": "29581" }, { "name": "Makefile", "bytes": "444" }, { "name": "PHP", "bytes": "67196929" }, { "name": "Shell", "bytes": "9506" }, { "name": "Twig", "bytes": "572335" } ], "symlink_target": "" }
layout: post title: Creating custom plugin using jQuery! --- Hi, everyone! If you are seaching for tutorials of how to create custom plugins using jQuery, you have arrived at the right place. If you have little knowledge of javascript and/or jQuery, then you must realise that it is a raw power just like C language and almost anything can be achieved using javascript. Today I am going to show you how to create plugin using jQuery. Lets begin our journey. First start writing as show below - ```javascript (function ( $ ) { //all of your plugins go here }( jQuery )); ``` This way of defining plugins is called **Immediately Invoked Function Expression**. There's a reason why i chose this style, the prominent one is that sometimes few javascript codes are written using *$* otation and sometimes using *jQuery* notation. Hence to make sure your code work with other pluings and still using the *$* notation. Here, we are passing **_jQuery_** to the function and naming it **_$_**. ![Tricky Business](https://meetsandesh.github.io/blogs/images/tricky.jpg "Tricky, Huh?") Now, lets name our plugin. Let it be _myPlugin_ . So our code looks like below - ```javascript (function ( $ ) { //all of your plugins go here $.fn.myPlugin = function(options){ }; }( jQuery )); ``` Now, lets set the goal of the plugin. Well, if you are creating a plugin then it must do something. So our plugin will print _Hello World_ and will contain two buttons with following jobs - * change text color * change backgound color and a checkbox which will * toggle italics Lets talk about providing customization to the user (_the developers who will use your plugin_). Assume that you are generating a static _Hello World_ without using any styling, then it will work for those who are not concerned with styling; but for those who want _Hello World_ to printed in **Red** color and in **Italics** then your plugin is a waste for them. So, remember this, always create a plugins which is highly customizable from outside which we call settings. So our new code looks like below - ```javascript (function ( $ ) { //all of your plugins go here $.fn.myPlugin = function(options){ this.settings = $.extend({ //these settings are the defaults, you can override them while applying the plugin text: 'Hello World', defaultColor: '#230067', defaultBgColor: '#556b2f' }, options ); }; }( jQuery )); ``` Here, I have written **this.settings** this is to make sure that **settings** is available outside of the plugin. Now, lets create initialization function. ```javascript (function ( $ ) { //all of your plugins go here $.fn.myPlugin = function(options){ this.settings = $.extend({ //these settings are the defaults, you can override them while applying the plugin text: 'Hello World', defaultColor: '#230067', defaultBgColor: '#556b2f' }, options ); var attributes=this.settings; var element=$(this); this.methods={ _init: function(){ } }; var listOfMethods=this.methods; listOfMethods._init(); return this; }; }( jQuery )); ``` Few things to notice here - * **this.methods** is used again to make this variable available outside of the plugin. * before **return** statement, **listOfMethods._init();** is written in order to initialize the plugin before returning. * **return** statement is written in order to make chaining available after _program control_ has returned from the plugin. * **element** variable gives the div/element of HTML on which your plugin is being applied. Now, lets create content - ```javascript (function ( $ ) { //all of your plugins go here $.fn.myPlugin = function(options){ this.settings = $.extend({ //these settings are the defaults, you can override them while applying the plugin text: 'Hello World', defaultColor: '#568923', defaultBgColor: '#AA56BB' }, options ); var attributes=this.settings; var element=$(this); this.methods={ _bindContent: function(){ var htmlContent= '<div id="myPlugin_content">'+ '<div id="myPlugin_text" style="color: '+attributes.defaultColor+'; background-color: '+attributes.defaultBgColor+'">'+ attributes.text+ '</div>'+ '<input type="checkbox" id="myPlugin_italics" name="myPlugin_italics">Show in Italics<br>'+ '<button id="myPlugin_colour">Change Text Colour</button>'+ '<button id="myPlugin_bg_colour">Change Background Colour</button>'+ '</div>'; element.html(htmlContent); }, _init: function(){ listOfMethods._bindContent(); } }; var listOfMethods=this.methods; listOfMethods._init(); return this; }; }( jQuery )); ``` As you can see, we created **bindContent()** function and pasted the required content in the DOM. Now, if you press any button/ check or uncheck a text box, nothing will happen; so, lets bind functionality with them. ```javascript (function ( $ ) { //all of your plugins go here $.fn.myPlugin = function(options){ this.settings = $.extend({ //these settings are the defaults, you can override them while applying the plugin text: 'Hello World', defaultColor: '#568923', defaultBgColor: '#AA56BB' }, options ); var attributes=this.settings; var element=$(this); this.methods={ _bindContent: function(){ var htmlContent= '<div id="myPlugin_content">'+ '<div id="myPlugin_text" style="color: '+attributes.defaultColor+'; background-color: '+attributes.defaultBgColor+'">'+ attributes.text+ '</div>'+ '<input type="checkbox" id="myPlugin_italics" name="myPlugin_italics">Show in Italics<br>'+ '<button id="myPlugin_colour">Change Text Colour</button>'+ '<button id="myPlugin_bg_colour">Change Background Colour</button>'+ '</div>'; element.html(htmlContent); }, _bindActions: function(){ element.find('#myPlugin_colour').on("click",function(){ //code for changing text color }); element.find('#myPlugin_bg_colour').on("click",function(){ //code for changing background }); element.find('#myPlugin_italics').on("change",function(){ //code for italics effect }); }, _init: function(){ listOfMethods._bindContent(); listOfMethods._bindActions(); } }; var listOfMethods=this.methods; listOfMethods._init(); return this; }; }( jQuery )); ``` Here, I have created **_bindActions()** function in order to bind fnctionalities in the plugin, and used it after binding the html client. Lets create another function to generate random colors in **_#rrggbb_** format and name it **_generateRandomColor()**. So, Final Code will look like as follows - ```javascript (function ( $ ) { //all of your plugins go here $.fn.myPlugin = function(options){ this.settings = $.extend({ //these settings are the defaults, you can override them while applying the plugin text: 'Hello World', defaultColor: '#568923', defaultBgColor: '#AA56BB' }, options ); var attributes=this.settings; var element=$(this); this.methods={ _bindContent: function(){ var htmlContent= '<div id="myPlugin_content">'+ '<div id="myPlugin_text" style="color: '+attributes.defaultColor+'; background-color: '+attributes.defaultBgColor+'">'+ attributes.text+ '</div>'+ '<input type="checkbox" id="myPlugin_italics" name="myPlugin_italics">Show in Italics<br>'+ '<button id="myPlugin_colour">Change Text Colour</button>'+ '<button id="myPlugin_bg_colour">Change Background Colour</button>'+ '</div>'; element.html(htmlContent); }, _bindActions: function(){ element.find('#myPlugin_colour').on("click",function(){ //code for changing text color var nextColor=listOfMethods._generateRandomColor(); element.find('#myPlugin_text').css('color',nextColor); }); element.find('#myPlugin_bg_colour').on("click",function(){ //code for changing background var nextBgColor=listOfMethods._generateRandomColor(); element.find('#myPlugin_text').css('background-color',nextBgColor); }); element.find('#myPlugin_italics').on("change",function(){ //code for italics effect var htmlContent=attributes.text; if(this.checked){ var htmlContent='<em>'+attributes.text+'</em>'; } element.find('#myPlugin_text').html(htmlContent); }); }, _generateRandomColor: function() { var letters = '0123456789ABCDEF'; var color = '#'; for (var i = 0; i < 6; i++ ) { color += letters[Math.floor(Math.random() * 16)]; } return color; }, _init: function(){ listOfMethods._bindContent(); listOfMethods._bindActions(); } }; var listOfMethods=this.methods; listOfMethods._init(); return this; }; }( jQuery )); ``` And to use it - ```HTML <html> <body> <div id="applyPlugin"></div> <script> $('#applyPlugin').myPlugin(); </script> </body> </html> ``` The above snippet will show _Hello World_ with default text colors and background colors. But if you want to change default settings, then you can override it as follows - ```HTML <html> <body> <div id="applyPlugin"></div> <script> $('#applyPlugin').myPlugin({ text: 'Hello, there!', //Or your custom text defaultColor: '#230067', //your custom color defaultBgColor: '#556b2f' //your custom background color }); </script> </body> </html> ``` I have created working [example](https://meetsandesh.github.io/blogs/staticPages/Creating-custom-plugin-using-jQuery-example/plugin-using-jQuery-example.html) for your reference. Thank you, and stay tuned for new tutorials. Bye!!!
{ "content_hash": "43b7e3ebfff7d38b09d44f98e82c6deb", "timestamp": "", "source": "github", "line_count": 279, "max_line_length": 472, "avg_line_length": 41.842293906810035, "alnum_prop": 0.5611615555936269, "repo_name": "meetsandesh/blogs", "id": "66475e3e835dd7cc69dc8216228b56f77a85c02d", "size": "11678", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "_posts/2017-02-24-Creating-custom-plugin-using-jQuery.md", "mode": "33261", "license": "mit", "language": [ { "name": "CSS", "bytes": "63525" }, { "name": "HTML", "bytes": "11294" }, { "name": "JavaScript", "bytes": "2730" } ], "symlink_target": "" }
using System; using Microsoft.SPOT; using System.Net.Sockets; using System.Net; using System.Text; using System.Threading; using System.IO; using Microsoft.SPOT.Net.NetworkInformation; namespace HttpLibrary { /// <summary> /// Delegate for Recieve event handling /// </summary> /// <param name="Request"></param> /// <param name="Response"></param> public delegate void OnRequestReceivedDelegate(HttpRequest Request, HttpResponse Response); /// <summary> /// Delegate for error event handling /// </summary> /// <param name="e"></param> public delegate void OnServerErrorDelegate(ErrorEventArgs e); /// <summary> /// HttpServer class that handles Http requests and respoones /// </summary> public class HttpServer { private Thread server_thread; private Socket listen_socket; private Socket accepted_socket; private bool is_server_running; private string storage_path; private byte[] receive_buffer; private byte[] send_buffer; private bool is_polled; private int data_size; private Configuration server_config; private Credential server_credential; private bool use_authentication; private const string authentication_header = "HTTP/1.1 401 Authorization Required \nWWW-Authenticate: Basic realm="; private const string Unauthorized_page = "<html><body><h1 align=center>" + "401 UNAUTHORIZED ACCESS</h1></body></html>"; private void process_request() { is_polled = accepted_socket.Poll(50000, SelectMode.SelectRead); if (is_polled) { data_size = accepted_socket.Available; receive_buffer = new byte[data_size]; if (data_size > 0) { accepted_socket.Receive(receive_buffer, 0, receive_buffer.Length, SocketFlags.None); if (use_authentication) { if (authenticate(receive_buffer)) { OnRequestReceivedFunction(new HttpRequest(this.receive_buffer, this.storage_path, this.accepted_socket), new HttpResponse(this.send_buffer, this.storage_path, this.accepted_socket)); } else { byte[] header = UTF8Encoding.UTF8.GetBytes(authentication_header + server_credential.ServerOwner + "\"\n\n"); accepted_socket.Send(header, 0, header.Length, SocketFlags.None); accepted_socket.Send(UTF8Encoding.UTF8.GetBytes(Unauthorized_page), 0, Unauthorized_page.Length, SocketFlags.None); } } else { OnRequestReceivedFunction(new HttpRequest(this.receive_buffer, this.storage_path, this.accepted_socket), new HttpResponse(this.send_buffer, this.storage_path, this.accepted_socket)); } } receive_buffer = null; } } private void run_server() { try { listen_socket = new Socket(AddressFamily.InterNetwork, SocketType.Stream, ProtocolType.Tcp); IPEndPoint BindingAddress = new IPEndPoint(IPAddress.Any, server_config.ListenPort); listen_socket.Bind(BindingAddress); listen_socket.Listen(1); is_server_running = true; while (true) { accepted_socket = listen_socket.Accept(); process_request(); accepted_socket.Close(); } } catch (Exception) { is_server_running = false; OnServerErrorFunction(new ErrorEventArgs("Server Error\r\nCheck Connection Parameters")); } } private bool authenticate(byte[] request) { string reqstr=new string(UTF8Encoding.UTF8.GetChars(request)); return (reqstr.IndexOf(server_credential.Key) >= 0); } /// <summary> /// Used in event firing /// </summary> /// <param name="Error">Parameter</param> protected virtual void OnServerErrorFunction(ErrorEventArgs Error) { OnServerError(Error); } /// <summary> /// Used in event firing /// </summary> /// <param name="Request">Parameter</param> /// <param name="Response">Parameter</param> protected virtual void OnRequestReceivedFunction(HttpRequest Request, HttpResponse Response) { OnRequestReceived(Request, Response); } /// <summary> /// Gets or sets the send buffer size /// </summary> public int BufferSize { set { send_buffer = null; send_buffer = new byte[value]; } get { return this.send_buffer.Length; } } /// <summary> /// Gets if credentials are enabled /// </summary> public bool SecurityEnabled { get { return this.use_authentication; } } /// <summary> /// Gets the server configuration /// </summary> public Configuration Settings { get { return this.server_config; } } /// <summary> /// Gets if server is running /// </summary> public bool IsServerRunning { get { return this.is_server_running; } } /// <summary> /// Gets the current server running thread /// </summary> public Thread RunningThread { get { return this.server_thread; } } /// <summary> /// Gets the server credentials /// </summary> public Credential Security { get { return this.server_credential; } } /// <summary> /// ServerError event /// </summary> public event OnServerErrorDelegate OnServerError; /// <summary> /// RequestRecieved event /// </summary> public event OnRequestReceivedDelegate OnRequestReceived; /// <summary> /// Class constructor /// </summary> /// <param name="Config">Server configuration</param> /// <param name="PagesDirectory">Location where pages are stored</param> public HttpServer(Configuration Config, string PagesDirectory) { this.server_thread = null; this.listen_socket = null; this.accepted_socket = null; this.is_server_running = false; this.storage_path = PagesDirectory; this.receive_buffer = null; this.send_buffer = new byte[256]; is_polled = false; data_size = 0; this.server_thread = new Thread(new ThreadStart(run_server)); this.server_config = Config; this.use_authentication = false; NetworkInterface networkInterface = NetworkInterface.GetAllNetworkInterfaces()[0]; networkInterface.EnableStaticIP(server_config.IpAddress, server_config.SubnetMask, server_config.DefaultGateWay); Thread.Sleep(1000); } /// <summary> /// Class constructor /// </summary> /// <param name="Config">Server configuration</param> /// <param name="Security">Server credentials</param> /// <param name="PagesDirectory">Location where pages are stored</param> public HttpServer(Configuration Config, Credential Security, string PagesDirectory) { this.server_thread = null; this.listen_socket = null; this.accepted_socket = null; this.is_server_running = false; this.storage_path = PagesDirectory; this.receive_buffer = null; this.send_buffer = new byte[256]; is_polled = false; data_size = 0; this.server_thread = new Thread(new ThreadStart(run_server)); this.server_config = Config; this.server_credential = Security; this.use_authentication = true; NetworkInterface networkInterface = NetworkInterface.GetAllNetworkInterfaces()[0]; networkInterface.EnableStaticIP(server_config.IpAddress, server_config.SubnetMask, server_config.DefaultGateWay); Thread.Sleep(1000); } /// <summary> /// Starts the server listener /// </summary> public void Start() { this.server_thread.Start(); } /// <summary> /// Stops the server listener /// </summary> public void Stop() { this.listen_socket.Close(); } } }
{ "content_hash": "8fb774fa282dc07260557817ea8a19fa", "timestamp": "", "source": "github", "line_count": 251, "max_line_length": 143, "avg_line_length": 36.55776892430279, "alnum_prop": 0.5457715780296426, "repo_name": "josemotta/IoT.Starter.Np2.Core", "id": "ac5dc882b8bc0de104b6f83d597435b45eefef18", "size": "9178", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "Starter/HttpLibraryV3/HttpServer.cs", "mode": "33188", "license": "apache-2.0", "language": [ { "name": "C#", "bytes": "59522" } ], "symlink_target": "" }
package org.gradle.language.scala.internal.toolchain; import org.gradle.api.JavaVersion; import org.gradle.api.artifacts.Configuration; import org.gradle.api.artifacts.ConfigurationContainer; import org.gradle.api.artifacts.Dependency; import org.gradle.api.artifacts.ResolveException; import org.gradle.api.artifacts.dsl.DependencyHandler; import org.gradle.api.internal.ClassPathRegistry; import org.gradle.initialization.ClassLoaderRegistry; import org.gradle.language.scala.ScalaPlatform; import org.gradle.platform.base.internal.toolchain.ToolProvider; import org.gradle.process.internal.JavaForkOptionsFactory; import org.gradle.workers.internal.ActionExecutionSpecFactory; import org.gradle.workers.internal.WorkerDaemonFactory; import java.io.File; import java.util.Set; public class DownloadingScalaToolChain implements ScalaToolChainInternal { private final File gradleUserHomeDir; private final File daemonWorkingDir; private final WorkerDaemonFactory workerDaemonFactory; private final ConfigurationContainer configurationContainer; private final DependencyHandler dependencyHandler; private final JavaVersion javaVersion; private final JavaForkOptionsFactory forkOptionsFactory; private final ClassPathRegistry classPathRegistry; private final ClassLoaderRegistry classLoaderRegistry; private final ActionExecutionSpecFactory actionExecutionSpecFactory; public DownloadingScalaToolChain(File gradleUserHomeDir, File daemonWorkingDir, WorkerDaemonFactory workerDaemonFactory, ConfigurationContainer configurationContainer, DependencyHandler dependencyHandler, JavaForkOptionsFactory forkOptionsFactory, ClassPathRegistry classPathRegistry, ClassLoaderRegistry classLoaderRegistry, ActionExecutionSpecFactory actionExecutionSpecFactory) { this.gradleUserHomeDir = gradleUserHomeDir; this.daemonWorkingDir = daemonWorkingDir; this.workerDaemonFactory = workerDaemonFactory; this.configurationContainer = configurationContainer; this.dependencyHandler = dependencyHandler; this.forkOptionsFactory = forkOptionsFactory; this.classPathRegistry = classPathRegistry; this.classLoaderRegistry = classLoaderRegistry; this.actionExecutionSpecFactory = actionExecutionSpecFactory; this.javaVersion = JavaVersion.current(); } @Override public String getName() { return "Scala Toolchain"; } @Override public String getDisplayName() { return "Scala Toolchain (JDK " + javaVersion.getMajorVersion() + " (" + javaVersion + "))"; } @Override public ToolProvider select(ScalaPlatform targetPlatform) { try { Configuration scalaClasspath = resolveDependency("org.scala-lang:scala-compiler:" + targetPlatform.getScalaVersion()); Configuration zincClasspath = resolveDependency("com.typesafe.zinc:zinc:" + DefaultScalaToolProvider.DEFAULT_ZINC_VERSION); Set<File> resolvedScalaClasspath = scalaClasspath.resolve(); Set<File> resolvedZincClasspath = zincClasspath.resolve(); return new DefaultScalaToolProvider(gradleUserHomeDir, daemonWorkingDir, workerDaemonFactory, forkOptionsFactory, classPathRegistry, resolvedScalaClasspath, resolvedZincClasspath, classLoaderRegistry, actionExecutionSpecFactory); } catch(ResolveException resolveException) { return new NotFoundScalaToolProvider(resolveException); } } private Configuration resolveDependency(Object dependencyNotation) { Dependency dependency = dependencyHandler.create(dependencyNotation); return configurationContainer.detachedConfiguration(dependency); } }
{ "content_hash": "a4506e8c2fcddea0dc99cb98e44f92fc", "timestamp": "", "source": "github", "line_count": 75, "max_line_length": 386, "avg_line_length": 49.586666666666666, "alnum_prop": 0.7910728690508201, "repo_name": "robinverduijn/gradle", "id": "47ae63707c337d8f516458ec4475a832dd4d2096", "size": "4334", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "subprojects/language-scala/src/main/java/org/gradle/language/scala/internal/toolchain/DownloadingScalaToolChain.java", "mode": "33188", "license": "apache-2.0", "language": [ { "name": "Assembly", "bytes": "277" }, { "name": "Brainfuck", "bytes": "54" }, { "name": "C", "bytes": "98580" }, { "name": "C++", "bytes": "1805886" }, { "name": "CSS", "bytes": "188237" }, { "name": "CoffeeScript", "bytes": "620" }, { "name": "GAP", "bytes": "424" }, { "name": "Gherkin", "bytes": "191" }, { "name": "Groovy", "bytes": "25537093" }, { "name": "HTML", "bytes": "77104" }, { "name": "Java", "bytes": "24906063" }, { "name": "JavaScript", "bytes": "209481" }, { "name": "Kotlin", "bytes": "2846791" }, { "name": "Objective-C", "bytes": "840" }, { "name": "Objective-C++", "bytes": "441" }, { "name": "Perl", "bytes": "37849" }, { "name": "Python", "bytes": "57" }, { "name": "Ruby", "bytes": "16" }, { "name": "Scala", "bytes": "29814" }, { "name": "Shell", "bytes": "7212" }, { "name": "Swift", "bytes": "6972" }, { "name": "XSLT", "bytes": "42845" } ], "symlink_target": "" }
@interface ExtendedHitButton : UIButton + (instancetype)extendedHitButton; - (BOOL)pointInside:(CGPoint)point withEvent:(UIEvent *)event; @end @implementation ExtendedHitButton + (instancetype)extendedHitButton { return (ExtendedHitButton *)[ExtendedHitButton buttonWithType:UIButtonTypeCustom]; } - (BOOL)pointInside:(CGPoint)point withEvent:(UIEvent *)event { CGRect relativeFrame = self.bounds; UIEdgeInsets hitTestEdgeInsets = UIEdgeInsetsMake(-35, -35, -35, -35); CGRect hitFrame = UIEdgeInsetsInsetRect(relativeFrame, hitTestEdgeInsets); return CGRectContainsPoint(hitFrame, point); } @end @interface PBJViewController () < UIGestureRecognizerDelegate, PBJVisionDelegate, UIAlertViewDelegate> { PBJStrobeView *_strobeView; UIButton *_doneButton; UIButton *_flipButton; UIButton *_focusButton; UIButton *_frameRateButton; UIButton *_onionButton; UIView *_captureDock; UIView *_previewView; AVCaptureVideoPreviewLayer *_previewLayer; PBJFocusView *_focusView; GLKViewController *_effectsViewController; UILabel *_instructionLabel; UIView *_gestureView; UILongPressGestureRecognizer *_longPressGestureRecognizer; UITapGestureRecognizer *_focusTapGestureRecognizer; BOOL _recording; ALAssetsLibrary *_assetLibrary; __block NSDictionary *_currentVideo; } @end @implementation PBJViewController #pragma mark - UIViewController - (BOOL)prefersStatusBarHidden { return YES; } #pragma mark - init - (void)dealloc { [UIApplication sharedApplication].idleTimerDisabled = NO; _longPressGestureRecognizer.delegate = nil; } #pragma mark - view lifecycle - (void)viewDidLoad { [super viewDidLoad]; self.view.backgroundColor = [UIColor blackColor]; self.view.autoresizingMask = UIViewAutoresizingFlexibleWidth | UIViewAutoresizingFlexibleHeight; _assetLibrary = [[ALAssetsLibrary alloc] init]; CGFloat viewWidth = CGRectGetWidth(self.view.frame); // elapsed time and red dot _strobeView = [[PBJStrobeView alloc] initWithFrame:CGRectZero]; CGRect strobeFrame = _strobeView.frame; strobeFrame.origin = CGPointMake(15.0f, 15.0f); _strobeView.frame = strobeFrame; [self.view addSubview:_strobeView]; // done button _doneButton = [ExtendedHitButton extendedHitButton]; _doneButton.frame = CGRectMake(viewWidth - 25.0f - 15.0f, 18.0f, 25.0f, 25.0f); UIImage *buttonImage = [UIImage imageNamed:@"capture_done"]; [_doneButton setImage:buttonImage forState:UIControlStateNormal]; [_doneButton addTarget:self action:@selector(_handleDoneButton:) forControlEvents:UIControlEventTouchUpInside]; [self.view addSubview:_doneButton]; // preview and AV layer _previewView = [[UIView alloc] initWithFrame:CGRectZero]; _previewView.backgroundColor = [UIColor blackColor]; CGRect previewFrame = CGRectMake(0, 60.0f, CGRectGetWidth(self.view.frame), CGRectGetWidth(self.view.frame)); _previewView.frame = previewFrame; _previewLayer = [[PBJVision sharedInstance] previewLayer]; _previewLayer.frame = _previewView.bounds; _previewLayer.videoGravity = AVLayerVideoGravityResizeAspectFill; [_previewView.layer addSublayer:_previewLayer]; // onion skin _effectsViewController = [[GLKViewController alloc] init]; _effectsViewController.preferredFramesPerSecond = 60; GLKView *view = (GLKView *)_effectsViewController.view; CGRect viewFrame = _previewView.bounds; view.frame = viewFrame; view.context = [[PBJVision sharedInstance] context]; view.contentScaleFactor = [[UIScreen mainScreen] scale]; view.alpha = 0.5f; view.hidden = YES; [[PBJVision sharedInstance] setPresentationFrame:_previewView.frame]; [_previewView addSubview:_effectsViewController.view]; // focus view _focusView = [[PBJFocusView alloc] initWithFrame:CGRectZero]; // instruction label _instructionLabel = [[UILabel alloc] initWithFrame:self.view.bounds]; _instructionLabel.textAlignment = NSTextAlignmentCenter; _instructionLabel.font = [UIFont fontWithName:@"HelveticaNeue" size:15.0f]; _instructionLabel.textColor = [UIColor whiteColor]; _instructionLabel.backgroundColor = [UIColor blackColor]; _instructionLabel.text = NSLocalizedString(@"Touch and hold to record", @"Instruction message for capturing video."); [_instructionLabel sizeToFit]; CGPoint labelCenter = _previewView.center; labelCenter.y += ((CGRectGetHeight(_previewView.frame) * 0.5f) + 35.0f); _instructionLabel.center = labelCenter; [self.view addSubview:_instructionLabel]; // touch to record _longPressGestureRecognizer = [[UILongPressGestureRecognizer alloc] initWithTarget:self action:@selector(_handleLongPressGestureRecognizer:)]; _longPressGestureRecognizer.delegate = self; _longPressGestureRecognizer.minimumPressDuration = 0.05f; _longPressGestureRecognizer.allowableMovement = 10.0f; // tap to focus _focusTapGestureRecognizer = [[UITapGestureRecognizer alloc] initWithTarget:self action:@selector(_handleFocusTapGesterRecognizer:)]; _focusTapGestureRecognizer.delegate = self; _focusTapGestureRecognizer.numberOfTapsRequired = 1; _focusTapGestureRecognizer.enabled = NO; [_previewView addGestureRecognizer:_focusTapGestureRecognizer]; // gesture view to record _gestureView = [[UIView alloc] initWithFrame:CGRectZero]; CGRect gestureFrame = self.view.bounds; gestureFrame.origin = CGPointMake(0, 60.0f); gestureFrame.size.height -= (40.0f + 85.0f); _gestureView.frame = gestureFrame; [self.view addSubview:_gestureView]; [_gestureView addGestureRecognizer:_longPressGestureRecognizer]; // bottom dock _captureDock = [[UIView alloc] initWithFrame:CGRectMake(0, CGRectGetHeight(self.view.bounds) - 60.0f, CGRectGetWidth(self.view.bounds), 60.0f)]; _captureDock.backgroundColor = [UIColor clearColor]; _captureDock.autoresizingMask = UIViewAutoresizingFlexibleTopMargin; [self.view addSubview:_captureDock]; // flip button _flipButton = [ExtendedHitButton extendedHitButton]; UIImage *flipImage = [UIImage imageNamed:@"capture_flip"]; [_flipButton setImage:flipImage forState:UIControlStateNormal]; CGRect flipFrame = _flipButton.frame; flipFrame.origin = CGPointMake(20.0f, 16.0f); flipFrame.size = flipImage.size; _flipButton.frame = flipFrame; [_flipButton addTarget:self action:@selector(_handleFlipButton:) forControlEvents:UIControlEventTouchUpInside]; [_captureDock addSubview:_flipButton]; // focus mode button _focusButton = [ExtendedHitButton extendedHitButton]; UIImage *focusImage = [UIImage imageNamed:@"capture_focus_button"]; [_focusButton setImage:focusImage forState:UIControlStateNormal]; [_focusButton setImage:[UIImage imageNamed:@"capture_focus_button_active"] forState:UIControlStateSelected]; CGRect focusFrame = _focusButton.frame; focusFrame.origin = CGPointMake((CGRectGetWidth(self.view.bounds) * 0.5f) - (focusImage.size.width * 0.5f), 16.0f); focusFrame.size = focusImage.size; _focusButton.frame = focusFrame; [_focusButton addTarget:self action:@selector(_handleFocusButton:) forControlEvents:UIControlEventTouchUpInside]; [_captureDock addSubview:_focusButton]; if ([[PBJVision sharedInstance] supportsVideoFrameRate:120]) { // set faster frame rate } // onion button _onionButton = [ExtendedHitButton extendedHitButton]; UIImage *onionImage = [UIImage imageNamed:@"capture_onion"]; [_onionButton setImage:onionImage forState:UIControlStateNormal]; [_onionButton setImage:[UIImage imageNamed:@"capture_onion_selected"] forState:UIControlStateSelected]; CGRect onionFrame = _onionButton.frame; onionFrame.origin = CGPointMake(CGRectGetWidth(self.view.bounds) - onionImage.size.width - 20.0f, 16.0f); onionFrame.size = onionImage.size; _onionButton.frame = onionFrame; _onionButton.imageView.frame = _onionButton.bounds; [_onionButton addTarget:self action:@selector(_handleOnionSkinningButton:) forControlEvents:UIControlEventTouchUpInside]; [_captureDock addSubview:_onionButton]; } - (void)viewWillAppear:(BOOL)animated { [super viewWillAppear:animated]; // iOS 6 support [[UIApplication sharedApplication] setStatusBarHidden:YES withAnimation:UIStatusBarAnimationSlide]; [self _resetCapture]; [[PBJVision sharedInstance] startPreview]; } - (void)viewWillDisappear:(BOOL)animated { [super viewWillDisappear:animated]; [[PBJVision sharedInstance] stopPreview]; // iOS 6 support [[UIApplication sharedApplication] setStatusBarHidden:NO withAnimation:UIStatusBarAnimationSlide]; } #pragma mark - private start/stop helper methods - (void)_startCapture { [UIApplication sharedApplication].idleTimerDisabled = YES; [UIView animateWithDuration:0.2f delay:0 options:UIViewAnimationOptionCurveEaseInOut animations:^{ _instructionLabel.alpha = 0; _instructionLabel.transform = CGAffineTransformMakeTranslation(0, 10.0f); } completion:^(BOOL finished) { }]; [[PBJVision sharedInstance] startVideoCaptureWithName:@"test"]; } - (void)_pauseCapture { [UIView animateWithDuration:0.2f delay:0 options:UIViewAnimationOptionCurveEaseInOut animations:^{ _instructionLabel.alpha = 1; _instructionLabel.transform = CGAffineTransformIdentity; } completion:^(BOOL finished) { }]; [[PBJVision sharedInstance] pauseVideoCapture]; _effectsViewController.view.hidden = !_onionButton.selected; } - (void)_resumeCapture { [UIView animateWithDuration:0.2f delay:0 options:UIViewAnimationOptionCurveEaseInOut animations:^{ _instructionLabel.alpha = 0; _instructionLabel.transform = CGAffineTransformMakeTranslation(0, 10.0f); } completion:^(BOOL finished) { }]; [[PBJVision sharedInstance] resumeVideoCapture]; _effectsViewController.view.hidden = YES; } - (void)_endCapture { [UIApplication sharedApplication].idleTimerDisabled = NO; [[PBJVision sharedInstance] endVideoCapture]; _effectsViewController.view.hidden = YES; } - (void)_resetCapture { [_strobeView stop]; _longPressGestureRecognizer.enabled = YES; PBJVision *vision = [PBJVision sharedInstance]; vision.delegate = self; if ([vision isCameraDeviceAvailable:PBJCameraDeviceBack]) { vision.cameraDevice = PBJCameraDeviceBack; _flipButton.hidden = NO; } else { vision.cameraDevice = PBJCameraDeviceFront; _flipButton.hidden = YES; } vision.cameraMode = PBJCameraModeVideo; vision.cameraOrientation = PBJCameraOrientationPortrait; vision.focusMode = PBJFocusModeContinuousAutoFocus; vision.outputFormat = PBJOutputFormatSquare; vision.videoRenderingEnabled = YES; vision.additionalCompressionProperties = @{AVVideoProfileLevelKey : AVVideoProfileLevelH264Baseline30}; // AVVideoProfileLevelKey requires specific captureSessionPreset } #pragma mark - UIButton - (void)_handleFlipButton:(UIButton *)button { PBJVision *vision = [PBJVision sharedInstance]; vision.cameraDevice = vision.cameraDevice == PBJCameraDeviceBack ? PBJCameraDeviceFront : PBJCameraDeviceBack; } - (void)_handleFocusButton:(UIButton *)button { _focusButton.selected = !_focusButton.selected; if (_focusButton.selected) { _focusTapGestureRecognizer.enabled = YES; _gestureView.hidden = YES; } else { if (_focusView && [_focusView superview]) { [_focusView stopAnimation]; } _focusTapGestureRecognizer.enabled = NO; _gestureView.hidden = NO; } [UIView animateWithDuration:0.15f delay:0 options:UIViewAnimationOptionCurveEaseInOut animations:^{ _instructionLabel.alpha = 0; } completion:^(BOOL finished) { _instructionLabel.text = _focusButton.selected ? NSLocalizedString(@"Touch to focus", @"Touch to focus") : NSLocalizedString(@"Touch and hold to record", @"Touch and hold to record"); [UIView animateWithDuration:0.15f delay:0 options:UIViewAnimationOptionCurveEaseInOut animations:^{ _instructionLabel.alpha = 1; } completion:^(BOOL finished1) { }]; }]; } - (void)_handleFrameRateChangeButton:(UIButton *)button { } - (void)_handleOnionSkinningButton:(UIButton *)button { _onionButton.selected = !_onionButton.selected; if (_recording) _effectsViewController.view.hidden = !_onionButton.selected; } - (void)_handleDoneButton:(UIButton *)button { // resets long press _longPressGestureRecognizer.enabled = NO; _longPressGestureRecognizer.enabled = YES; [self _endCapture]; } #pragma mark - UIAlertViewDelegate - (void)alertView:(UIAlertView *)alertView clickedButtonAtIndex:(NSInteger)buttonIndex { [self _resetCapture]; } #pragma mark - UIGestureRecognizer - (void)_handleLongPressGestureRecognizer:(UIGestureRecognizer *)gestureRecognizer { switch (gestureRecognizer.state) { case UIGestureRecognizerStateBegan: { if (!_recording) [self _startCapture]; else [self _resumeCapture]; break; } case UIGestureRecognizerStateEnded: case UIGestureRecognizerStateCancelled: case UIGestureRecognizerStateFailed: { [self _pauseCapture]; break; } default: break; } } - (void)_handleFocusTapGesterRecognizer:(UIGestureRecognizer *)gestureRecognizer { CGPoint tapPoint = [gestureRecognizer locationInView:_previewView]; // auto focus is occuring, display focus view CGPoint point = tapPoint; CGRect focusFrame = _focusView.frame; #if defined(__LP64__) && __LP64__ focusFrame.origin.x = rint(point.x - (focusFrame.size.width * 0.5)); focusFrame.origin.y = rint(point.y - (focusFrame.size.height * 0.5)); #else focusFrame.origin.x = rintf(point.x - (focusFrame.size.width * 0.5f)); focusFrame.origin.y = rintf(point.y - (focusFrame.size.height * 0.5f)); #endif [_focusView setFrame:focusFrame]; [_previewView addSubview:_focusView]; [_focusView startAnimation]; CGPoint adjustPoint = [PBJVisionUtilities convertToPointOfInterestFromViewCoordinates:tapPoint inFrame:_previewView.frame]; [[PBJVision sharedInstance] focusExposeAndAdjustWhiteBalanceAtAdjustedPoint:adjustPoint]; } #pragma mark - PBJVisionDelegate // session - (void)visionSessionWillStart:(PBJVision *)vision { } - (void)visionSessionDidStart:(PBJVision *)vision { if (![_previewView superview]) { [self.view addSubview:_previewView]; [self.view bringSubviewToFront:_gestureView]; } } - (void)visionSessionDidStop:(PBJVision *)vision { [_previewView removeFromSuperview]; } // preview - (void)visionSessionDidStartPreview:(PBJVision *)vision { NSLog(@"Camera preview did start"); } - (void)visionSessionDidStopPreview:(PBJVision *)vision { NSLog(@"Camera preview did stop"); } // device - (void)visionCameraDeviceWillChange:(PBJVision *)vision { NSLog(@"Camera device will change"); } - (void)visionCameraDeviceDidChange:(PBJVision *)vision { NSLog(@"Camera device did change"); } // mode - (void)visionCameraModeWillChange:(PBJVision *)vision { NSLog(@"Camera mode will change"); } - (void)visionCameraModeDidChange:(PBJVision *)vision { NSLog(@"Camera mode did change"); } // format - (void)visionOutputFormatWillChange:(PBJVision *)vision { NSLog(@"Output format will change"); } - (void)visionOutputFormatDidChange:(PBJVision *)vision { NSLog(@"Output format did change"); } - (void)vision:(PBJVision *)vision didChangeCleanAperture:(CGRect)cleanAperture { } // focus / exposure - (void)visionWillStartFocus:(PBJVision *)vision { } - (void)visionDidStopFocus:(PBJVision *)vision { if (_focusView && [_focusView superview]) { [_focusView stopAnimation]; } } - (void)visionWillChangeExposure:(PBJVision *)vision { } - (void)visionDidChangeExposure:(PBJVision *)vision { if (_focusView && [_focusView superview]) { [_focusView stopAnimation]; } } // flash - (void)visionDidChangeFlashMode:(PBJVision *)vision { NSLog(@"Flash mode did change"); } // photo - (void)visionWillCapturePhoto:(PBJVision *)vision { } - (void)visionDidCapturePhoto:(PBJVision *)vision { } - (void)vision:(PBJVision *)vision capturedPhoto:(NSDictionary *)photoDict error:(NSError *)error { // photo captured, PBJVisionPhotoJPEGKey } // video capture - (void)visionDidStartVideoCapture:(PBJVision *)vision { [_strobeView start]; _recording = YES; } - (void)visionDidPauseVideoCapture:(PBJVision *)vision { [_strobeView stop]; } - (void)visionDidResumeVideoCapture:(PBJVision *)vision { [_strobeView start]; } - (void)vision:(PBJVision *)vision capturedVideo:(NSDictionary *)videoDict error:(NSError *)error { _recording = NO; if (error && [error.domain isEqual:PBJVisionErrorDomain] && error.code == PBJVisionErrorCancelled) { NSLog(@"recording session cancelled"); return; } else if (error) { NSLog(@"encounted an error in video capture (%@)", error); return; } _currentVideo = videoDict; NSString *videoPath = [_currentVideo objectForKey:PBJVisionVideoPathKey]; [_assetLibrary writeVideoAtPathToSavedPhotosAlbum:[NSURL URLWithString:videoPath] completionBlock:^(NSURL *assetURL, NSError *error1) { UIAlertView *alert = [[UIAlertView alloc] initWithTitle: @"Video Saved!" message: @"Saved to the camera roll." delegate:self cancelButtonTitle:nil otherButtonTitles:@"OK", nil]; [alert show]; }]; } // progress - (void)visionDidCaptureAudioSample:(PBJVision *)vision { // NSLog(@"captured audio (%f) seconds", vision.capturedAudioSeconds); } - (void)visionDidCaptureVideoSample:(PBJVision *)vision { // NSLog(@"captured video (%f) seconds", vision.capturedVideoSeconds); } @end
{ "content_hash": "022ace6fafa08f17855652c211063a8f", "timestamp": "", "source": "github", "line_count": 591, "max_line_length": 172, "avg_line_length": 31.153976311336717, "alnum_prop": 0.7098088203345644, "repo_name": "efesus/PBJVision", "id": "567b8ebbe8380941eba227414bdd2d2972d67f2f", "size": "19865", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "Project/Vision/PBJViewController.m", "mode": "33188", "license": "mit", "language": [ { "name": "Objective-C", "bytes": "169918" }, { "name": "Ruby", "bytes": "720" } ], "symlink_target": "" }
/* global require, module */ var sass = require('node-sass'); var fs = require('fs'); var path = require('path'); var inputFile = path.join(__dirname, 'app', 'styles', 'ember-power-select.scss'); var outputFile = path.join(__dirname, 'vendor', 'ember-power-select.css'); var themesFolder = path.join(__dirname, 'app', 'styles', 'ember-power-select', 'themes'); var buf = fs.readFileSync(inputFile, "utf8"); // Compile main file var result = sass.renderSync({ data: buf, includePaths: ['app/styles', 'node_modules/ember-basic-dropdown/app/styles/'] }); fs.writeFileSync(outputFile, result.css); // Compile themified versions var themes = fs.readdirSync(themesFolder); themes.forEach(function(theme) { var parts = theme.split('.'); var out = sass.renderSync({ data: "@import 'app/styles/ember-power-select/themes/" + parts[0] + "';" + buf, includePaths: ['app/styles', 'node_modules/ember-basic-dropdown/app/styles/'] }); var destinationFile = path.join(__dirname, 'vendor', 'ember-power-select-' + parts[0] + '.css'); fs.writeFileSync(destinationFile, out.css); });
{ "content_hash": "5e353054ef6066dd10dc248c5dc0eb06", "timestamp": "", "source": "github", "line_count": 29, "max_line_length": 98, "avg_line_length": 37.62068965517241, "alnum_prop": 0.6828597616865261, "repo_name": "r0zar/ember-rails-stocks", "id": "41d66ee3ac0e08571c0cb5477a2ecad36351a852", "size": "1091", "binary": false, "copies": "3", "ref": "refs/heads/master", "path": "stocks/node_modules/ember-power-select/compile-css.js", "mode": "33188", "license": "mit", "language": [ { "name": "CSS", "bytes": "164156" }, { "name": "HTML", "bytes": "11879" }, { "name": "JavaScript", "bytes": "3390483" }, { "name": "Ruby", "bytes": "30543" } ], "symlink_target": "" }
{% extends 'discovery/common/base.html' %}
{ "content_hash": "48af156db2fda8e16475634c5f8aff5a", "timestamp": "", "source": "github", "line_count": 1, "max_line_length": 42, "avg_line_length": 43, "alnum_prop": 0.6976744186046512, "repo_name": "Ecotrust/forestplanner", "id": "f4ce640df5e346f9dee478cf5e20a83d94a9d4b9", "size": "43", "binary": false, "copies": "4", "ref": "refs/heads/main", "path": "lot/discovery/templates/discovery/common/breadcrumbs.html", "mode": "33188", "license": "bsd-3-clause", "language": [ { "name": "CSS", "bytes": "318034" }, { "name": "HTML", "bytes": "376903" }, { "name": "JavaScript", "bytes": "1626546" }, { "name": "Jupyter Notebook", "bytes": "531239" }, { "name": "PHP", "bytes": "3340" }, { "name": "PLpgSQL", "bytes": "2432" }, { "name": "Pascal", "bytes": "1189" }, { "name": "Perl", "bytes": "49811" }, { "name": "Puppet", "bytes": "23775" }, { "name": "Python", "bytes": "1276132" }, { "name": "R", "bytes": "1035" }, { "name": "Ruby", "bytes": "206266" }, { "name": "Shell", "bytes": "13646" } ], "symlink_target": "" }
//================================================================================================= //================================================================================================= //************************************************************************************************* // Includes //************************************************************************************************* #include <cstdlib> #include <iostream> #include <blaze/math/CompressedVector.h> #include <blaze/math/HybridVector.h> #include <blazetest/mathtest/Creator.h> #include <blazetest/mathtest/tdvecsvecmult/OperationTest.h> #include <blazetest/system/MathTest.h> //================================================================================================= // // MAIN FUNCTION // //================================================================================================= //************************************************************************************************* int main() { std::cout << " Running 'VHbVCa'..." << std::endl; using blazetest::mathtest::TypeA; using blazetest::mathtest::TypeB; try { // Vector type definitions typedef blaze::HybridVector<TypeB,128UL> VHb; typedef blaze::CompressedVector<TypeA> VCa; // Creator type definitions typedef blazetest::Creator<VHb> CVHb; typedef blazetest::Creator<VCa> CVCa; // Running tests with small vectors for( size_t i=0UL; i<=6UL; ++i ) { for( size_t j=0UL; j<=i; ++j ) { RUN_TDVECSVECMULT_OPERATION_TEST( CVHb( i ), CVCa( i, j ) ); } } // Running tests with large vectors RUN_TDVECSVECMULT_OPERATION_TEST( CVHb( 127UL ), CVCa( 127UL, 13UL ) ); RUN_TDVECSVECMULT_OPERATION_TEST( CVHb( 128UL ), CVCa( 128UL, 16UL ) ); } catch( std::exception& ex ) { std::cerr << "\n\n ERROR DETECTED during dense vector/sparse vector inner product:\n" << ex.what() << "\n"; return EXIT_FAILURE; } return EXIT_SUCCESS; } //*************************************************************************************************
{ "content_hash": "2955503c8e27578a0574640ea9ea0e38", "timestamp": "", "source": "github", "line_count": 62, "max_line_length": 99, "avg_line_length": 34.88709677419355, "alnum_prop": 0.391123439667129, "repo_name": "gnzlbg/blaze-lib", "id": "fcd53f68ac9ef5d3178636edf9e9e7dd123e1417", "size": "4045", "binary": false, "copies": "19", "ref": "refs/heads/master", "path": "blazetest/src/mathtest/tdvecsvecmult/VHbVCa.cpp", "mode": "33188", "license": "bsd-3-clause", "language": [ { "name": "C", "bytes": "108199" }, { "name": "C++", "bytes": "63280260" }, { "name": "Makefile", "bytes": "520048" }, { "name": "Objective-C", "bytes": "9874" }, { "name": "Shell", "bytes": "551420" } ], "symlink_target": "" }
/* * To change this template, choose Tools | Templates * and open the template in the editor. */ package util.com.text.msgcap.csv; import java.io.BufferedReader; import java.io.File; import java.io.FileNotFoundException; import java.io.FileReader; import java.io.IOException; import java.util.ArrayList; import java.util.List; /** * * @author Hismahil Escarvalhar Pereira Dinis */ public class CSVReader { private static CSVReader csvReader = null; private FileReader fr; //para ler dados do arquivo private BufferedReader br; //para readline() /** * <h3>Construtor que só inicializa com <code>null</code> <code><b>fr</b></code> e <code><b>br</b></code></h3> */ private CSVReader(){ fr = null; br = null; } /** * <h3><b>Cria ou retorna instância da classe</b></h3><br/> * @return Instância da classe. */ public static CSVReader getInstance(){ if(csvReader == null) csvReader = new CSVReader(); return csvReader; } /** * <h3><b>Abre o arquivo CSV para leitura</b></h3><br/> * @param FileName nome do arquivo CSV */ public void openFile(String FileName){ try { fr = new FileReader(FileName); br = new BufferedReader(fr); } catch (FileNotFoundException ex) { System.err.println("Não foi possível abrir o arquivo!"); } } /** * <h3><b>Abre o arquivo CSV para leitura</b></h3><br/> * @param FileName nome do arquivo CSV */ public void openFile(File FileName){ try { fr = new FileReader(FileName); br = new BufferedReader(fr); } catch (FileNotFoundException ex) { System.err.println("Não foi possível abrir o arquivo!"); } } /** * <h3><b>Lê linha do arquivo CSV e quebra ele em um vetor de Strings</b></h3><br/> * @return Vetor de String */ public String[] readLine(){ String buffer[], line = null; if(br != null){ try { line = br.readLine(); } catch (IOException ex) { System.err.println("Não foi possível ler o arquivo!"); } if(line == null) return null; } else{ return null; } //verifica se é vírgula ou ponto e vírgula if(line.contains(";")) buffer = line.split(";"); else buffer = line.split(","); return buffer; } /** * <h3><b>Lê todos os dados do arquivo CSV</b></h3><br/> * @return <code>List</code> de vetor de <code>String</code> */ public List readAll(){ List buffer = null; if(br != null){ buffer = new ArrayList<String[]>(); String str[]; while( (str = readLine()) != null){ buffer.add(str); } } return buffer; } /** * <h3><b>Fecha o arquivo CSV</b></h3> */ public void closeFile(){ try { br.close(); fr.close(); } catch (IOException ex) { System.err.println("Não foi possível fechar o arquivo!"); } } }
{ "content_hash": "aa6f0b8668576b81da4f8dae86e44f8e", "timestamp": "", "source": "github", "line_count": 118, "max_line_length": 114, "avg_line_length": 28.6864406779661, "alnum_prop": 0.5096011816838996, "repo_name": "gnomex/ESw1ControleJuridico-EJB", "id": "3bc377c8d0dd1df6f859bbbf9c3caf6234de2e00", "size": "3401", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "Utilitarios/src/util/com/text/msgcap/csv/CSVReader.java", "mode": "33188", "license": "mit", "language": [ { "name": "CSS", "bytes": "3841" }, { "name": "Java", "bytes": "288870" } ], "symlink_target": "" }
""" homeassistant.components.notify.pushover ~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~ Pushover platform for notify component. For more details about this platform, please refer to the documentation at https://home-assistant.io/components/notify.pushover/ """ import logging from homeassistant.helpers import validate_config from homeassistant.components.notify import ( DOMAIN, ATTR_TITLE, BaseNotificationService) from homeassistant.const import CONF_API_KEY REQUIREMENTS = ['python-pushover==0.2'] _LOGGER = logging.getLogger(__name__) # pylint: disable=unused-variable def get_service(hass, config): """ Get the pushover notification service. """ if not validate_config({DOMAIN: config}, {DOMAIN: ['user_key', CONF_API_KEY]}, _LOGGER): return None from pushover import InitError try: return PushoverNotificationService(config['user_key'], config[CONF_API_KEY]) except InitError: _LOGGER.error( "Wrong API key supplied. " "Get it at https://pushover.net") return None # pylint: disable=too-few-public-methods class PushoverNotificationService(BaseNotificationService): """ Implements notification service for Pushover. """ def __init__(self, user_key, api_token): from pushover import Client self._user_key = user_key self._api_token = api_token self.pushover = Client( self._user_key, api_token=self._api_token) def send_message(self, message="", **kwargs): """ Send a message to a user. """ from pushover import RequestError try: self.pushover.send_message(message, title=kwargs.get(ATTR_TITLE)) except RequestError: _LOGGER.exception("Could not send pushover notification")
{ "content_hash": "e5078800d58a98785697cdc0fa3cb519", "timestamp": "", "source": "github", "line_count": 59, "max_line_length": 77, "avg_line_length": 31.88135593220339, "alnum_prop": 0.6331738437001595, "repo_name": "badele/home-assistant", "id": "7c776300cdb2bfb5dc83fe75591b3a48fd54c742", "size": "1881", "binary": false, "copies": "6", "ref": "refs/heads/dev", "path": "homeassistant/components/notify/pushover.py", "mode": "33188", "license": "mit", "language": [ { "name": "HTML", "bytes": "1316899" }, { "name": "Python", "bytes": "1133422" }, { "name": "Shell", "bytes": "3943" } ], "symlink_target": "" }
package com.amazonaws.services.gamelift.model.transform; import java.util.Map; import java.util.Map.Entry; import java.math.*; import java.nio.ByteBuffer; import com.amazonaws.services.gamelift.model.*; import com.amazonaws.transform.SimpleTypeJsonUnmarshallers.*; import com.amazonaws.transform.*; import com.fasterxml.jackson.core.JsonToken; import static com.fasterxml.jackson.core.JsonToken.*; /** * GameSession JSON Unmarshaller */ public class GameSessionJsonUnmarshaller implements Unmarshaller<GameSession, JsonUnmarshallerContext> { public GameSession unmarshall(JsonUnmarshallerContext context) throws Exception { GameSession gameSession = new GameSession(); int originalDepth = context.getCurrentDepth(); String currentParentElement = context.getCurrentParentElement(); int targetDepth = originalDepth + 1; JsonToken token = context.getCurrentToken(); if (token == null) token = context.nextToken(); if (token == VALUE_NULL) return null; while (true) { if (token == null) break; if (token == FIELD_NAME || token == START_OBJECT) { if (context.testExpression("GameSessionId", targetDepth)) { context.nextToken(); gameSession.setGameSessionId(context.getUnmarshaller( String.class).unmarshall(context)); } if (context.testExpression("Name", targetDepth)) { context.nextToken(); gameSession.setName(context.getUnmarshaller(String.class) .unmarshall(context)); } if (context.testExpression("FleetId", targetDepth)) { context.nextToken(); gameSession.setFleetId(context .getUnmarshaller(String.class).unmarshall(context)); } if (context.testExpression("CreationTime", targetDepth)) { context.nextToken(); gameSession.setCreationTime(context.getUnmarshaller( java.util.Date.class).unmarshall(context)); } if (context.testExpression("TerminationTime", targetDepth)) { context.nextToken(); gameSession.setTerminationTime(context.getUnmarshaller( java.util.Date.class).unmarshall(context)); } if (context.testExpression("CurrentPlayerSessionCount", targetDepth)) { context.nextToken(); gameSession .setCurrentPlayerSessionCount(context .getUnmarshaller(Integer.class).unmarshall( context)); } if (context.testExpression("MaximumPlayerSessionCount", targetDepth)) { context.nextToken(); gameSession .setMaximumPlayerSessionCount(context .getUnmarshaller(Integer.class).unmarshall( context)); } if (context.testExpression("Status", targetDepth)) { context.nextToken(); gameSession.setStatus(context.getUnmarshaller(String.class) .unmarshall(context)); } if (context.testExpression("GameProperties", targetDepth)) { context.nextToken(); gameSession .setGameProperties(new ListUnmarshaller<GameProperty>( GamePropertyJsonUnmarshaller.getInstance()) .unmarshall(context)); } if (context.testExpression("IpAddress", targetDepth)) { context.nextToken(); gameSession.setIpAddress(context.getUnmarshaller( String.class).unmarshall(context)); } if (context.testExpression("PlayerSessionCreationPolicy", targetDepth)) { context.nextToken(); gameSession.setPlayerSessionCreationPolicy(context .getUnmarshaller(String.class).unmarshall(context)); } } else if (token == END_ARRAY || token == END_OBJECT) { if (context.getLastParsedParentElement() == null || context.getLastParsedParentElement().equals( currentParentElement)) { if (context.getCurrentDepth() <= originalDepth) break; } } token = context.nextToken(); } return gameSession; } private static GameSessionJsonUnmarshaller instance; public static GameSessionJsonUnmarshaller getInstance() { if (instance == null) instance = new GameSessionJsonUnmarshaller(); return instance; } }
{ "content_hash": "85f2ecf58ded34293c485c5476504e0b", "timestamp": "", "source": "github", "line_count": 127, "max_line_length": 82, "avg_line_length": 41.95275590551181, "alnum_prop": 0.5298423423423423, "repo_name": "flofreud/aws-sdk-java", "id": "0f338d3ab127aeda4adcb18fa661c22dc47474b0", "size": "5915", "binary": false, "copies": "3", "ref": "refs/heads/master", "path": "aws-java-sdk-gamelift/src/main/java/com/amazonaws/services/gamelift/model/transform/GameSessionJsonUnmarshaller.java", "mode": "33188", "license": "apache-2.0", "language": [ { "name": "FreeMarker", "bytes": "126417" }, { "name": "Java", "bytes": "113826096" }, { "name": "Scilab", "bytes": "3561" } ], "symlink_target": "" }
[![CI](https://github.com/benpickles/screamshot/actions/workflows/tests.yml/badge.svg)](https://github.com/benpickles/screamshot/actions/workflows/tests.yml) ![Screamshot logo](docs/logo.png) A synchronous HTTP screenshot service built on Sinatra and headless Chrome (via Ferrum). [![Deploy to Heroku](https://www.herokucdn.com/deploy/button.svg)](https://heroku.com/deploy?template=https://github.com/benpickles/screamshot) - [Usage](#usage) - [Options](#options) - [URL](#url) - [Window / viewport size](#window--viewport-size) - [Full-screen](#full-screen) - [Scale (`devicePixelRatio`)](#scale-devicepixelratio) - [`prefers-reduced-motion`](#prefers-reduced-motion) - [Deployment](#deployment) - [Deploying to Fly.io](#deploying-to-flyio) - [Deploying to Heroku](#deploying-to-heroku) - [Development](#development) ## Usage Trigger a screenshot by making a `GET` request to `/screenshot` with a `url` querystring parameter. The endpoint is protected by basic HTTP authentication with your `AUTH_TOKEN`. ```sh $ curl "http://[email protected]/screenshot?url=http://example.com" > screenshot.png ``` ## Options Pass options via querystring parameters. A more complicated Screamshot URL might be the following combination of available options: ``` http://[email protected]/screenshot?url=http://example.com&viewport=800,600&full=true&scale=2&prefers-reduced-motion=reduce ``` ### URL The URL to capture. The only required parameter. ``` url=http://example.com ``` ### Window / viewport size Control the size of the viewport with `WIDTH,HEIGHT`. Defaults to `1024,768`. ``` viewport=800,600 ``` ### Full-screen Capture the entire page instead of just the viewport. Defaults to `false`. ``` full=true ``` ### Scale (`devicePixelRatio`) This mimics [`devicePixelRatio`](https://developer.mozilla.org/en-US/docs/Web/API/Window/devicePixelRatio) and scales the viewport so `scale=2` combined with `viewport=800,600` results in a 1600×1200 image. Defaults to `1`. ``` scale=2 ``` ### `prefers-reduced-motion` Force the browser into [`prefers-reduced-motion=reduce`](https://developer.mozilla.org/en-US/docs/Web/CSS/@media/prefers-reduced-motion) mode. This can be used as a standards-based hint to the page not to use animations. Defaults to nothing and so is not enabled. ``` prefers-reduced-motion=reduce ``` ## Deployment ### Deploying to [Fly.io](https://fly.io) Clone this repository and use [`flyctl`](https://fly.io/docs/hands-on/install-flyctl/) to create and configure the app (say yes when asked whether you'd like to copy its configuration): ```sh $ fly launch --name my-app-name ``` ### Deploying to Heroku [![Deploy to Heroku](https://www.herokucdn.com/deploy/button.svg)](https://heroku.com/deploy?template=https://github.com/benpickles/screamshot) ## Development Start the server with `bundle exec puma -C config/puma.rb`. Run the tests with `bundle exec rspec`. Write usage docs here, update the homepage with `bin/update_docs`. ## Licence Copyright © [Ben Pickles](http://www.benpickles.com), [MIT licence](LICENCE).
{ "content_hash": "b9de4b3f223670a7e64ae15e52718dbf", "timestamp": "", "source": "github", "line_count": 101, "max_line_length": 263, "avg_line_length": 30.653465346534652, "alnum_prop": 0.7325581395348837, "repo_name": "benpickles/screamshot", "id": "98fbd6a93f05e2cfa6566d06314cb6f96ea8b2f9", "size": "3112", "binary": false, "copies": "1", "ref": "refs/heads/main", "path": "README.md", "mode": "33188", "license": "mit", "language": [ { "name": "Dockerfile", "bytes": "4198" }, { "name": "Procfile", "bytes": "40" }, { "name": "Ruby", "bytes": "17725" } ], "symlink_target": "" }
namespace swift { //////////////////////////////////////////////////////////////////////////////// MoveComponent::MoveComponent() : LinearSpeed(math::vec2(0.f, 0.f)) , LinearDamping(0) , AngularSpeed(0) , AngularDamping(0) , IgnoreParentRotation(false) , rotation_(0.f) {} //////////////////////////////////////////////////////////////////////////////// void MoveComponent::update(double time) { auto user_transform(get_user()->Transform.get()); if (IgnoreParentRotation() && get_user()->Parent()) { rotation_ += AngularSpeed.get() * time; math::set_rotation(user_transform, rotation_ - get_user()->Parent()->get_world_rotation()); } else { math::rotate(user_transform, AngularSpeed.get() * time); } math::translate(user_transform, LinearSpeed.get() * time); get_user()->Transform.set(user_transform); LinearSpeed = LinearSpeed() - LinearSpeed()*time*LinearDamping(); AngularSpeed = AngularSpeed() - AngularSpeed()*time*AngularDamping(); } //////////////////////////////////////////////////////////////////////////////// void MoveComponent::accept(SavableObjectVisitor& visitor) { Component::accept(visitor); visitor.add_member("LinearSpeed", LinearSpeed); visitor.add_member("LinearDamping", LinearDamping); visitor.add_member("AngularSpeed", AngularSpeed); visitor.add_member("AngularDamping", AngularDamping); visitor.add_member("IgnoreParentRotation", IgnoreParentRotation); } //////////////////////////////////////////////////////////////////////////////// }
{ "content_hash": "361c5e6454a387ac1ab395360ccad321", "timestamp": "", "source": "github", "line_count": 44, "max_line_length": 95, "avg_line_length": 34.68181818181818, "alnum_prop": 0.5596330275229358, "repo_name": "Simmesimme/swift2d", "id": "adcdcb9f97d20f661115637cd3bd729f5fdea529", "size": "2428", "binary": false, "copies": "1", "ref": "refs/heads/develop", "path": "src/swift2d/components/MoveComponent.cpp", "mode": "33188", "license": "mit", "language": [ { "name": "Batchfile", "bytes": "80" }, { "name": "C", "bytes": "1144403" }, { "name": "C++", "bytes": "5003937" }, { "name": "CMake", "bytes": "2983" }, { "name": "Objective-C", "bytes": "12529" }, { "name": "Shell", "bytes": "2149" } ], "symlink_target": "" }
ACCEPTED #### According to The Catalogue of Life, 3rd January 2011 #### Published in null #### Original name null ### Remarks null
{ "content_hash": "5689dbc8ccd45edca12624822d41b59d", "timestamp": "", "source": "github", "line_count": 13, "max_line_length": 39, "avg_line_length": 10.307692307692308, "alnum_prop": 0.6940298507462687, "repo_name": "mdoering/backbone", "id": "585454af444a19e3299c50e1fc6b56ba097e469d", "size": "192", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "life/Plantae/Magnoliophyta/Liliopsida/Dioscoreales/Dioscoreaceae/Dioscorea/Dioscorea debilis/README.md", "mode": "33188", "license": "apache-2.0", "language": [], "symlink_target": "" }
<?php namespace Zend\Mvc\Exception; use Zend\Mvc\Exception; class InvalidArgumentException extends \InvalidArgumentException implements Exception {}
{ "content_hash": "c576ea96daf8907d2b76efffddb94169", "timestamp": "", "source": "github", "line_count": 10, "max_line_length": 37, "avg_line_length": 16.1, "alnum_prop": 0.782608695652174, "repo_name": "Techlightenment/zf2", "id": "3313ae82c627749abcdf65b09cf44b5b28cf4d19", "size": "161", "binary": false, "copies": "7", "ref": "refs/heads/master", "path": "library/Zend/Mvc/Exception/InvalidArgumentException.php", "mode": "33188", "license": "bsd-3-clause", "language": [ { "name": "C", "bytes": "1153" }, { "name": "JavaScript", "bytes": "30072" }, { "name": "PHP", "bytes": "29274702" }, { "name": "Puppet", "bytes": "2625" }, { "name": "Ruby", "bytes": "10" }, { "name": "Shell", "bytes": "3809" }, { "name": "TypeScript", "bytes": "3445" } ], "symlink_target": "" }
module Folio::FriendlyIdForTraco extend ActiveSupport::Concern included do extend FriendlyId if defined?(self::FRIENDLY_ID_SCOPE) friendly_id :slug_candidates, use: %i[slugged history simple_i18n scoped], scope: self::FRIENDLY_ID_SCOPE I18n.available_locales.each do |locale| validates "slug_#{locale}".to_sym, presence: true, uniqueness: { scope: self::FRIENDLY_ID_SCOPE }, format: { with: /[a-z][0-9a-z-]+/ } end else friendly_id :slug_candidates, use: %i[slugged history simple_i18n] I18n.available_locales.each do |locale| validates "slug_#{locale}".to_sym, presence: true, uniqueness: true, format: { with: /[a-z][0-9a-z-]+/ } end end before_validation :set_missing_slugs before_validation :strip_and_downcase_slugs end private def slug_candidates to_label end def strip_and_downcase_slugs I18n.available_locales.each do |locale| slug_column = "slug_#{locale}" if send(slug_column).present? send("#{slug_column}=", send(slug_column).strip.downcase.parameterize) end end end def set_missing_slugs filled = nil I18n.available_locales.each do |locale| slug_column = "slug_#{locale}" if filled.nil? && send(slug_column).present? filled = send(slug_column) end end if filled.present? I18n.available_locales.each do |locale| slug_column = "slug_#{locale}" if send(slug_column).blank? send("#{slug_column}=", filled) end end end end end
{ "content_hash": "998570e1aa8857c0687f7db4b55976ab", "timestamp": "", "source": "github", "line_count": 67, "max_line_length": 111, "avg_line_length": 25.940298507462686, "alnum_prop": 0.5742232451093211, "repo_name": "sinfin/folio", "id": "8e63c424bcf2321a419603dd833bfb44ea6f5168", "size": "1769", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "app/models/concerns/folio/friendly_id_for_traco.rb", "mode": "33188", "license": "mit", "language": [ { "name": "CoffeeScript", "bytes": "83474" }, { "name": "HTML", "bytes": "5379" }, { "name": "JavaScript", "bytes": "413573" }, { "name": "Ruby", "bytes": "972975" }, { "name": "SCSS", "bytes": "3680" }, { "name": "Sass", "bytes": "179766" }, { "name": "Shell", "bytes": "739" }, { "name": "Slim", "bytes": "168246" } ], "symlink_target": "" }
package org.flowable.rest.service.api.management; import com.fasterxml.jackson.databind.JsonNode; import com.fasterxml.jackson.databind.node.ObjectNode; import java.util.Map; import org.apache.http.HttpStatus; import org.apache.http.client.methods.CloseableHttpResponse; import org.apache.http.client.methods.HttpGet; import org.flowable.rest.service.BaseSpringRestTestCase; import org.flowable.rest.service.api.RestUrls; /** * Test for all REST-operations related to the Table collection and a single table resource. * * @author Frederik Heremans */ public class TableResourceTest extends BaseSpringRestTestCase { /** * Test getting tables. GET management/tables */ public void testGetTables() throws Exception { Map<String, Long> tableCounts = managementService.getTableCount(); CloseableHttpResponse response = executeRequest(new HttpGet(SERVER_URL_PREFIX + RestUrls.createRelativeResourceUrl(RestUrls.URL_TABLES_COLLECTION)), HttpStatus.SC_OK); // Check table array JsonNode responseNode = objectMapper.readTree(response.getEntity().getContent()); closeResponse(response); assertNotNull(responseNode); assertTrue(responseNode.isArray()); assertEquals(tableCounts.size(), responseNode.size()); for (int i = 0; i < responseNode.size(); i++) { ObjectNode table = (ObjectNode) responseNode.get(i); assertNotNull(table.get("name").textValue()); assertNotNull(table.get("count").longValue()); assertTrue(table.get("url").textValue().endsWith(RestUrls.createRelativeResourceUrl(RestUrls.URL_TABLE, table.get("name").textValue()))); assertEquals(tableCounts.get(table.get("name").textValue()).longValue(), table.get("count").longValue()); } } /** * Test getting a single table. GET management/tables/{tableName} */ public void testGetTable() throws Exception { Map<String, Long> tableCounts = managementService.getTableCount(); String tableNameToGet = tableCounts.keySet().iterator().next(); CloseableHttpResponse response = executeRequest(new HttpGet(SERVER_URL_PREFIX + RestUrls.createRelativeResourceUrl(RestUrls.URL_TABLE, tableNameToGet)), HttpStatus.SC_OK); // Check table JsonNode responseNode = objectMapper.readTree(response.getEntity().getContent()); closeResponse(response); assertNotNull(responseNode); assertEquals(tableNameToGet, responseNode.get("name").textValue()); assertEquals(tableCounts.get(responseNode.get("name").textValue()).longValue(), responseNode.get("count").longValue()); assertTrue(responseNode.get("url").textValue().endsWith(RestUrls.createRelativeResourceUrl(RestUrls.URL_TABLE, tableNameToGet))); } public void testGetUnexistingTable() throws Exception { closeResponse(executeRequest(new HttpGet(SERVER_URL_PREFIX + RestUrls.createRelativeResourceUrl(RestUrls.URL_TABLE, "unexisting")), HttpStatus.SC_NOT_FOUND)); } }
{ "content_hash": "b44602f27adeed4299264af1fbfe7c85", "timestamp": "", "source": "github", "line_count": 68, "max_line_length": 179, "avg_line_length": 44.838235294117645, "alnum_prop": 0.7192522138406034, "repo_name": "robsoncardosoti/flowable-engine", "id": "b7d6887e8adfbf72ca42fbcdec67363bda1c45d0", "size": "3049", "binary": false, "copies": "2", "ref": "refs/heads/master", "path": "modules/flowable-rest/src/test/java/org/flowable/rest/service/api/management/TableResourceTest.java", "mode": "33188", "license": "apache-2.0", "language": [ { "name": "ApacheConf", "bytes": "96556" }, { "name": "Batchfile", "bytes": "166" }, { "name": "CSS", "bytes": "704172" }, { "name": "Groovy", "bytes": "476" }, { "name": "HTML", "bytes": "921680" }, { "name": "Java", "bytes": "25074158" }, { "name": "JavaScript", "bytes": "12894604" }, { "name": "PLSQL", "bytes": "1426" }, { "name": "PLpgSQL", "bytes": "5155" }, { "name": "Shell", "bytes": "19565" } ], "symlink_target": "" }
namespace juce { class FileChooserDialogBox::ContentComponent : public Component { public: ContentComponent (const String& name, const String& desc, FileBrowserComponent& chooser) : Component (name), chooserComponent (chooser), okButton (chooser.getActionVerb()), cancelButton (TRANS ("Cancel")), newFolderButton (TRANS ("New Folder")), instructions (desc) { addAndMakeVisible (chooserComponent); addAndMakeVisible (okButton); okButton.addShortcut (KeyPress (KeyPress::returnKey)); addAndMakeVisible (cancelButton); cancelButton.addShortcut (KeyPress (KeyPress::escapeKey)); addChildComponent (newFolderButton); setInterceptsMouseClicks (false, true); } void paint (Graphics& g) override { text.draw (g, getLocalBounds().reduced (6) .removeFromTop ((int) text.getHeight()).toFloat()); } void resized() override { const int buttonHeight = 26; auto area = getLocalBounds(); text.createLayout (getLookAndFeel().createFileChooserHeaderText (getName(), instructions), (float) getWidth() - 12.0f); area.removeFromTop (roundToInt (text.getHeight()) + 10); chooserComponent.setBounds (area.removeFromTop (area.getHeight() - buttonHeight - 20)); auto buttonArea = area.reduced (16, 10); okButton.changeWidthToFitText (buttonHeight); okButton.setBounds (buttonArea.removeFromRight (okButton.getWidth() + 16)); buttonArea.removeFromRight (16); cancelButton.changeWidthToFitText (buttonHeight); cancelButton.setBounds (buttonArea.removeFromRight (cancelButton.getWidth())); newFolderButton.changeWidthToFitText (buttonHeight); newFolderButton.setBounds (buttonArea.removeFromLeft (newFolderButton.getWidth())); } FileBrowserComponent& chooserComponent; TextButton okButton, cancelButton, newFolderButton; String instructions; TextLayout text; }; //============================================================================== FileChooserDialogBox::FileChooserDialogBox (const String& name, const String& instructions, FileBrowserComponent& chooserComponent, bool shouldWarn, Colour backgroundColour, Component* parentComp) : ResizableWindow (name, backgroundColour, parentComp == nullptr), warnAboutOverwritingExistingFiles (shouldWarn) { content = new ContentComponent (name, instructions, chooserComponent); setContentOwned (content, false); setResizable (true, true); setResizeLimits (300, 300, 1200, 1000); content->okButton.onClick = [this] { okButtonPressed(); }; content->cancelButton.onClick = [this] { closeButtonPressed(); }; content->newFolderButton.onClick = [this] { createNewFolder(); }; content->chooserComponent.addListener (this); FileChooserDialogBox::selectionChanged(); if (parentComp != nullptr) parentComp->addAndMakeVisible (this); else setAlwaysOnTop (juce_areThereAnyAlwaysOnTopWindows()); } FileChooserDialogBox::~FileChooserDialogBox() { content->chooserComponent.removeListener (this); } //============================================================================== #if JUCE_MODAL_LOOPS_PERMITTED bool FileChooserDialogBox::show (int w, int h) { return showAt (-1, -1, w, h); } bool FileChooserDialogBox::showAt (int x, int y, int w, int h) { if (w <= 0) w = getDefaultWidth(); if (h <= 0) h = 500; if (x < 0 || y < 0) centreWithSize (w, h); else setBounds (x, y, w, h); const bool ok = (runModalLoop() != 0); setVisible (false); return ok; } #endif void FileChooserDialogBox::centreWithDefaultSize (Component* componentToCentreAround) { centreAroundComponent (componentToCentreAround, getDefaultWidth(), 500); } int FileChooserDialogBox::getDefaultWidth() const { if (auto* previewComp = content->chooserComponent.getPreviewComponent()) return 400 + previewComp->getWidth(); return 600; } //============================================================================== void FileChooserDialogBox::closeButtonPressed() { setVisible (false); } void FileChooserDialogBox::selectionChanged() { content->okButton.setEnabled (content->chooserComponent.currentFileIsValid()); content->newFolderButton.setVisible (content->chooserComponent.isSaveMode() && content->chooserComponent.getRoot().isDirectory()); } void FileChooserDialogBox::fileDoubleClicked (const File&) { selectionChanged(); content->okButton.triggerClick(); } void FileChooserDialogBox::fileClicked (const File&, const MouseEvent&) {} void FileChooserDialogBox::browserRootChanged (const File&) {} void FileChooserDialogBox::okToOverwriteFileCallback (int result, FileChooserDialogBox* box) { if (result != 0 && box != nullptr) box->exitModalState (1); } void FileChooserDialogBox::okButtonPressed() { if (warnAboutOverwritingExistingFiles && content->chooserComponent.isSaveMode() && content->chooserComponent.getSelectedFile(0).exists()) { AlertWindow::showOkCancelBox (AlertWindow::WarningIcon, TRANS("File already exists"), TRANS("There's already a file called: FLNM") .replace ("FLNM", content->chooserComponent.getSelectedFile(0).getFullPathName()) + "\n\n" + TRANS("Are you sure you want to overwrite it?"), TRANS("Overwrite"), TRANS("Cancel"), this, ModalCallbackFunction::forComponent (okToOverwriteFileCallback, this)); } else { exitModalState (1); } } void FileChooserDialogBox::createNewFolderCallback (int result, FileChooserDialogBox* box, Component::SafePointer<AlertWindow> alert) { if (result != 0 && alert != nullptr && box != nullptr) { alert->setVisible (false); box->createNewFolderConfirmed (alert->getTextEditorContents ("Folder Name")); } } void FileChooserDialogBox::createNewFolder() { auto parent = content->chooserComponent.getRoot(); if (parent.isDirectory()) { auto* aw = new AlertWindow (TRANS("New Folder"), TRANS("Please enter the name for the folder"), AlertWindow::NoIcon, this); aw->addTextEditor ("Folder Name", String(), String(), false); aw->addButton (TRANS("Create Folder"), 1, KeyPress (KeyPress::returnKey)); aw->addButton (TRANS("Cancel"), 0, KeyPress (KeyPress::escapeKey)); aw->enterModalState (true, ModalCallbackFunction::forComponent (createNewFolderCallback, this, Component::SafePointer<AlertWindow> (aw)), true); } } void FileChooserDialogBox::createNewFolderConfirmed (const String& nameFromDialog) { auto name = File::createLegalFileName (nameFromDialog); if (! name.isEmpty()) { auto parent = content->chooserComponent.getRoot(); if (! parent.getChildFile (name).createDirectory()) AlertWindow::showMessageBoxAsync (AlertWindow::WarningIcon, TRANS ("New Folder"), TRANS ("Couldn't create the folder!")); content->chooserComponent.refresh(); } } } // namespace juce
{ "content_hash": "e1dd54c7aab9eacce64d20355224670a", "timestamp": "", "source": "github", "line_count": 239, "max_line_length": 122, "avg_line_length": 34.96234309623431, "alnum_prop": 0.5713259932982289, "repo_name": "RomanKubiak/ctrlr", "id": "b00ccc926490ed79e56077d2bfbef79d768d830e", "size": "9270", "binary": false, "copies": "2", "ref": "refs/heads/master", "path": "JUCE/modules/juce_gui_basics/filebrowser/juce_FileChooserDialogBox.cpp", "mode": "33188", "license": "bsd-3-clause", "language": [ { "name": "Batchfile", "bytes": "59" }, { "name": "C", "bytes": "7684155" }, { "name": "C++", "bytes": "31093397" }, { "name": "CMake", "bytes": "1575808" }, { "name": "Java", "bytes": "122512" }, { "name": "Lua", "bytes": "86828" }, { "name": "Makefile", "bytes": "93128" }, { "name": "NSIS", "bytes": "10171" }, { "name": "Objective-C", "bytes": "28645" }, { "name": "Objective-C++", "bytes": "911056" }, { "name": "Python", "bytes": "6593" }, { "name": "R", "bytes": "12881" }, { "name": "Shell", "bytes": "59696" } ], "symlink_target": "" }
extern MifareTag tag;
{ "content_hash": "a0950848616f1bd237971c8372bd0e48", "timestamp": "", "source": "github", "line_count": 3, "max_line_length": 21, "avg_line_length": 8, "alnum_prop": 0.75, "repo_name": "x414e54/grouping-proof", "id": "be282cbdb30380c0b087491eec441b7a588f08d5", "size": "817", "binary": false, "copies": "4", "ref": "refs/heads/master", "path": "nfc-tools-read-only/test/mifare_desfire_fixture.h", "mode": "33188", "license": "bsd-3-clause", "language": [ { "name": "ApacheConf", "bytes": "1587" }, { "name": "C", "bytes": "2629394" }, { "name": "C++", "bytes": "37999" }, { "name": "CMake", "bytes": "42492" }, { "name": "CSS", "bytes": "5273" }, { "name": "Gettext Catalog", "bytes": "124409" }, { "name": "Groff", "bytes": "4877713" }, { "name": "HTML", "bytes": "234681" }, { "name": "Java", "bytes": "440193" }, { "name": "Makefile", "bytes": "14020" }, { "name": "Objective-C++", "bytes": "2550" }, { "name": "PHP", "bytes": "7470" }, { "name": "Shell", "bytes": "2040552" }, { "name": "Vim Script", "bytes": "9616" }, { "name": "Visual Basic", "bytes": "2241" } ], "symlink_target": "" }
import logging.config import os from alembic import context from sqlalchemy import create_engine, pool def run_migrations_offline(): """Run migrations in 'offline' mode. This configures the context with just a URL and not an Engine, though an Engine is acceptable here as well. By skipping the Engine creation we don't even need a DBAPI to be available. Calls to context.execute() here emit the given string to the script output. """ context.configure( url=os.environ['ROCKET_DATABASE_URL'], literal_binds=True, dialect_opts={"paramstyle": "named"}, ) with context.begin_transaction(): context.run_migrations() def run_migrations_online(): """Run migrations in 'online' mode. In this scenario we need to create an Engine and associate a connection with the context. """ connectable = create_engine( os.environ['ROCKET_DATABASE_URL'], poolclass=pool.NullPool, ) with connectable.connect() as connection: context.configure(connection=connection) with context.begin_transaction(): context.run_migrations() logging.config.fileConfig(context.config.config_file_name) if context.is_offline_mode(): run_migrations_offline() else: run_migrations_online()
{ "content_hash": "cf72f5114c85d3953a0801fa6bcaca7e", "timestamp": "", "source": "github", "line_count": 53, "max_line_length": 64, "avg_line_length": 24.88679245283019, "alnum_prop": 0.6808188021228203, "repo_name": "xsnippet/xsnippet-api", "id": "f9161656e8eadb779b7b28e44a727646f0c84b9f", "size": "1319", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "src/storage/sql/migrations/env.py", "mode": "33188", "license": "mit", "language": [ { "name": "Mako", "bytes": "494" }, { "name": "Python", "bytes": "20699" }, { "name": "Rust", "bytes": "103336" } ], "symlink_target": "" }
/** * @fileOverview * @name preloader_gadget.js * @author [email protected] */ (function(GLGE){ (function(GUI){ /** * @class Preloader gadget * @augments GLGE.GUI.Gadget */ GUI.Preloader=function(){ // call super constructor this.baseclass.call(this); this.domGadgetObject.innerHTML = "<h1>Loading</h1>"; this.domGadgetObject.className += ' glge-gui-gadget-preloader'; // progress bar this.progressBar = new GUI.Progressbar(); this.domGadgetObject.appendChild(this.progressBar.domRoot); this.domPercentageLabel = document.createElement('div'); this.domPercentageLabel.setAttribute('class','glge-gui-gadget-preloader-percentage'); this.domPercentageLabel.innerHTML = "<div style='float:left;'>0%</div><div style='float:right;'>100%</div></div>"; this.domGadgetObject.appendChild(this.domPercentageLabel); // information box this.domInfoBox = document.createElement('div'); this.domInfoBox.setAttribute('class','glge-gui-gadget-preloader-info'); this.domInfoBox.setAttribute('style','clear:both;'); this.domGadgetObject.appendChild(this.domInfoBox); // state label this.domStateLabel = document.createElement('div'); this.domInfoBox.appendChild(this.domStateLabel); // bytes label this.domBytesLabel = document.createElement('div'); this.domInfoBox.appendChild(this.domBytesLabel); // files label this.domFilesLabel = document.createElement('div'); this.domInfoBox.appendChild(this.domFilesLabel); // last file label this.domLastFileLabel = document.createElement('div'); this.domInfoBox.appendChild(this.domLastFileLabel); } GUI.Preloader.prototype.progressBar = null; GUI.Preloader.prototype.documentLoader = null; GUI.Preloader.prototype.domInfoBox = null; GUI.Preloader.prototype.domStateLabel = null; GUI.Preloader.prototype.domBytesLabel = null; GUI.Preloader.prototype.domFilesLabel = null; GUI.Preloader.prototype.domLastFileLabel = null; GUI.Preloader.prototype.domPercentageLabel = null; /** * Combine the preloader gadget with an actual preloader * @param {GLGE.DocumentPreloader} docLoader preloader */ GUI.Preloader.prototype.setDocumentLoader = function(docLoader){ this.documentLoader = docLoader; // add listeners var that = this; this.documentLoader.addEventListener("downloadComplete", function(args){that.complete(args);}); this.documentLoader.addEventListener("progress", function(args){that.progress(args);}); this.documentLoader.addEventListener("stateChange", function(args){that.stateChange(args);}); this.documentLoader.addEventListener("fileLoaded", function(args){that.fileLoaded(args);}); } /** * Add preloader-gadget to DOM. Creates the content of the DOM-object (domGadgetObject). * @param {object} element Parent element of the gadget * @param {string|object} [position] Gadget position */ GUI.Preloader.prototype.addToDOM = function(element, position){ // update labels this.stateChange(this.documentLoader.state); this.progress({progress:0, loadedBytes:0, loadedFiles:0, totalFiles:0, totalBytes: 0}); this.fileLoaded({}); this.baseclass.addToDOM.call(this, element, position) } /** * Called on progress */ GUI.Preloader.prototype.progress = function(args){ //this.domProgressBar.progressbar({value: args.progress }); this.progressBar.setValue(args.progress); this.domBytesLabel.innerHTML = args.loadedBytes + " of " + args.totalBytes + " Bytes loaded"; this.domFilesLabel.innerHTML = args.loadedFiles + " of " + args.totalFiles + " Files loaded"; } /** * Called when the preloader finished loading */ GUI.Preloader.prototype.complete = function(args){ //this.domProgressBar.progressbar({value: 100 }); this.progressBar.setValue(100); var that = this; setTimeout ( function(){that.domGadgetRoot.parentNode.removeChild(that.domGadgetRoot)}, 300); } /** * Called when the preloader changed it's state */ GUI.Preloader.prototype.stateChange = function(args){ switch(args) { case 0: case 1: this.domStateLabel.innerHTML = "Step 1 of 2: Loading XML"; break; case 2: case 3: this.domStateLabel.innerHTML = "Step 2 of 2: Loading Textures"; break; } } /** * Called when a file has been loaded */ GUI.Preloader.prototype.fileLoaded = function(args){ if(args.url){ var path = args.url; // use only 40 letters if(path.length > 40){ path = path.slice(-37); path = "..." + path; } this.domLastFileLabel.innerHTML = "Last file loaded: \"" + path + "\""; } else if(this.domLastFileLabel.innerHTML == "") this.domLastFileLabel.innerHTML = "Last file loaded: <i>none</i>"; } GLGE.augment(GUI.Gadget,GUI.Preloader); })(GLGE.GUI);})(GLGE);
{ "content_hash": "99484abaf7448b9bb29818333199e54c", "timestamp": "", "source": "github", "line_count": 150, "max_line_length": 115, "avg_line_length": 30.713333333333335, "alnum_prop": 0.7393097460386369, "repo_name": "supereggbert/GLGE", "id": "d67ef862b8c5231e67eb628ee2024eca37b937df", "size": "5680", "binary": false, "copies": "3", "ref": "refs/heads/master", "path": "src/gui/preloader_gadget.js", "mode": "33188", "license": "bsd-3-clause", "language": [ { "name": "C", "bytes": "4346" }, { "name": "JavaScript", "bytes": "3042302" }, { "name": "Python", "bytes": "4028" }, { "name": "Shell", "bytes": "46" } ], "symlink_target": "" }
package org.basex.util.options; import org.basex.query.value.item.*; import org.basex.query.value.map.*; /** * Option containing a boolean value. * * @author BaseX Team 2005-15, BSD License * @author Christian Gruen */ public final class MapOption extends Option<FItem> { /** Map item. */ private final Map value; /** * Constructor without default value. * @param name name * @param value value */ public MapOption(final String name, final Map value) { super(name); this.value = value; } /** * Constructor without default value. * @param name name */ public MapOption(final String name) { super(name); value = null; } @Override public Map value() { return value; } }
{ "content_hash": "6205ac3eb380cdead1db97e650818963", "timestamp": "", "source": "github", "line_count": 39, "max_line_length": 56, "avg_line_length": 18.974358974358974, "alnum_prop": 0.6472972972972973, "repo_name": "deshmnnit04/basex", "id": "d658f850819cd887bb7c6c6706a7fcbb5e46ea97", "size": "740", "binary": false, "copies": "2", "ref": "refs/heads/master", "path": "basex-core/src/main/java/org/basex/util/options/MapOption.java", "mode": "33188", "license": "bsd-3-clause", "language": [ { "name": "ActionScript", "bytes": "9372" }, { "name": "Batchfile", "bytes": "2502" }, { "name": "C", "bytes": "17146" }, { "name": "C#", "bytes": "15295" }, { "name": "C++", "bytes": "7796" }, { "name": "CSS", "bytes": "3386" }, { "name": "Common Lisp", "bytes": "3211" }, { "name": "HTML", "bytes": "1057" }, { "name": "Haskell", "bytes": "4065" }, { "name": "Java", "bytes": "23497050" }, { "name": "JavaScript", "bytes": "8926" }, { "name": "Makefile", "bytes": "1234" }, { "name": "PHP", "bytes": "8690" }, { "name": "Perl", "bytes": "7801" }, { "name": "Python", "bytes": "26123" }, { "name": "QMake", "bytes": "377" }, { "name": "Rebol", "bytes": "4731" }, { "name": "Ruby", "bytes": "7359" }, { "name": "Scala", "bytes": "11692" }, { "name": "Shell", "bytes": "3557" }, { "name": "Visual Basic", "bytes": "11957" }, { "name": "XQuery", "bytes": "310833" }, { "name": "XSLT", "bytes": "172" } ], "symlink_target": "" }
<?xml version="1.0" encoding="utf-8"?> <ripple xmlns:android="http://schemas.android.com/apk/res/android" android:color="@color/black_26"> <item android:id="@android:id/mask" android:drawable="@drawable/grey_menu_large"/> <item android:drawable="@drawable/grey_menu_large"/> </ripple>
{ "content_hash": "247aacea4f44853b76eb346daf10e984", "timestamp": "", "source": "github", "line_count": 5, "max_line_length": 99, "avg_line_length": 58.4, "alnum_prop": 0.7123287671232876, "repo_name": "0359xiaodong/Qiitanium", "id": "527855af18d9ebc6449867a0c1e55c79a6f36715", "size": "292", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "qiitanium/src/main/res/drawable/grey_menu_large_ripple.xml", "mode": "33188", "license": "mit", "language": [ { "name": "CSS", "bytes": "8905" }, { "name": "HTML", "bytes": "269" }, { "name": "Java", "bytes": "222420" } ], "symlink_target": "" }
using System; using Microsoft.CodeAnalysis.CodeFixes; using System.Collections.Immutable; using System.Threading.Tasks; namespace Microsoft.NetFramework.Analyzers { /// <summary> /// CA2240: Implement ISerializable correctly /// </summary> public abstract class ImplementISerializableCorrectlyFixer : CodeFixProvider { public sealed override ImmutableArray<string> FixableDiagnosticIds => ImmutableArray.Create(ImplementISerializableCorrectlyAnalyzer.RuleId); public sealed override FixAllProvider GetFixAllProvider() { // See https://github.com/dotnet/roslyn/blob/master/docs/analyzers/FixAllProvider.md for more information on Fix All Providers return WellKnownFixAllProviders.BatchFixer; } public sealed override Task RegisterCodeFixesAsync(CodeFixContext context) { // Fixer not yet implemented. return Task.CompletedTask; } } }
{ "content_hash": "c020d916758411988bbc451bba8553b5", "timestamp": "", "source": "github", "line_count": 28, "max_line_length": 148, "avg_line_length": 34.42857142857143, "alnum_prop": 0.7188796680497925, "repo_name": "heejaechang/roslyn-analyzers", "id": "e38e782ef5886e98059b756746b8ec4badedb1c8", "size": "1126", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "src/Microsoft.NetFramework.Analyzers/Core/ImplementISerializableCorrectly.Fixer.cs", "mode": "33188", "license": "apache-2.0", "language": [ { "name": "Batchfile", "bytes": "428" }, { "name": "C#", "bytes": "5601917" }, { "name": "Groovy", "bytes": "2454" }, { "name": "PowerShell", "bytes": "7662" }, { "name": "Visual Basic", "bytes": "173853" } ], "symlink_target": "" }
using System.Threading.Tasks; using Microsoft.VisualStudio.TestTools.UnitTesting; namespace PrtgAPI.Tests.IntegrationTests.ObjectManipulation { [TestClass] public class SetObjectPropertyTests : BasePrtgClientTest { [TestMethod] [IntegrationTest] public void Action_SetObjectProperty_ResolvesLocation() { var initial = client.GetDeviceProperties(Settings.Device); client.SetObjectProperty(Settings.Device, ObjectProperty.Location, "23 Fleet Street, Boston"); var newSettings = client.GetDeviceProperties(Settings.Device); AssertEx.AreNotEqual(initial.Location, newSettings.Location, "Initial and new location were the same"); AssertEx.AreEqual("23 Fleet St, Boston, MA 02113, United States", newSettings.Location, "Location was not set properly"); client.SetObjectProperty(Settings.Device, ObjectProperty.Location, null); } [TestMethod] [IntegrationTest] public async Task Action_SetObjectProperty_ResolvesLocationAsync() { var initial = await client.GetDevicePropertiesAsync(Settings.Device); await client.SetObjectPropertyAsync(Settings.Device, ObjectProperty.Location, "23 Fleet Street, Boston"); var newSettings = await client.GetDevicePropertiesAsync(Settings.Device); AssertEx.AreNotEqual(initial.Location, newSettings.Location, "Initial and new location were the same"); AssertEx.AreEqual("23 Fleet St, Boston, MA 02113, United States", newSettings.Location, "Location was not set properly"); await client.SetObjectPropertyAsync(Settings.Device, ObjectProperty.Location, null); } [TestMethod] [IntegrationTest] public void Action_SetObjectProperty_RetrievesInheritedInterval() { var device = client.GetDevice(Settings.Device); var interval = client.GetObjectProperty<ScanningInterval>(device, ObjectProperty.Interval); Assert.AreEqual(true, device.InheritInterval); Assert.AreEqual(60, interval.TimeSpan.TotalSeconds); var sensor = client.GetSensor(Settings.PausedSensor); var sensorInterval = client.GetObjectProperty<ScanningInterval>(sensor, ObjectProperty.Interval); Assert.AreEqual(600, sensor.Interval.TotalSeconds); Assert.AreEqual(600, sensorInterval.TimeSpan.TotalSeconds); Assert.AreEqual(false, sensor.InheritInterval); try { client.SetObjectProperty(sensor, ObjectProperty.InheritInterval, true); var newSensor = client.GetSensor(Settings.PausedSensor); Assert.AreEqual(true, newSensor.InheritInterval); Assert.AreEqual(60, newSensor.Interval.TotalSeconds); var newInterval = client.GetObjectProperty<ScanningInterval>(sensor, ObjectProperty.Interval); Assert.AreEqual(600, newInterval.TimeSpan.TotalSeconds); } finally { var finalSensor = client.GetSensor(Settings.PausedSensor); if (finalSensor.InheritInterval) client.SetObjectProperty(sensor, ObjectProperty.InheritInterval, false); } } [TestMethod] [IntegrationTest] public void Action_SetObjectProperty_PrimaryChannel() { var sensor = client.GetSensor(Settings.WarningSensor); var newChannel = client.GetChannel(sensor, "Processor 1"); var initialChannel = client.GetSensorProperties(sensor).PrimaryChannel; Assert.IsNotNull(initialChannel, "Initial channel should not have been null"); Assert.AreNotEqual(initialChannel.Name, newChannel.Name, "Initial channel name matched"); Assert.AreNotEqual(initialChannel.Id, newChannel.Id, "Initial channel ID matched"); try { client.SetObjectProperty(sensor, ObjectProperty.PrimaryChannel, newChannel); var updatedChannel = client.GetSensorProperties(sensor).PrimaryChannel; Assert.AreEqual(newChannel.Name, updatedChannel.Name, "Updated channel name is incorrecet"); Assert.AreEqual(newChannel.Id, updatedChannel.Id, "Updated channel ID is incorrect"); } finally { client.SetObjectProperty(sensor, ObjectProperty.PrimaryChannel, initialChannel); } } } }
{ "content_hash": "c0c386f0e7fdf16d70b855cd739b4fc7", "timestamp": "", "source": "github", "line_count": 107, "max_line_length": 133, "avg_line_length": 42.691588785046726, "alnum_prop": 0.6639667250437828, "repo_name": "lordmilko/PrtgAPI", "id": "7d9a525bf54cba2ddc18409309dcf8d514a9c6b7", "size": "4570", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "src/PrtgAPI.Tests.IntegrationTests/CSharp/ObjectManipulation/SetObjectPropertyTests.cs", "mode": "33188", "license": "mit", "language": [ { "name": "Batchfile", "bytes": "246" }, { "name": "C#", "bytes": "7510179" }, { "name": "PowerShell", "bytes": "1805388" }, { "name": "Shell", "bytes": "318" }, { "name": "Smalltalk", "bytes": "137876" } ], "symlink_target": "" }
package com.mopub.mobileads; import android.app.Activity; import com.mopub.common.test.support.SdkTestRunner; import com.mopub.mobileads.test.support.TestMraidViewFactory; import org.junit.Before; import org.junit.Test; import org.junit.runner.RunWith; import org.mockito.ArgumentCaptor; import java.util.*; import static com.mopub.mobileads.AdFetcher.HTML_RESPONSE_BODY_KEY; import static com.mopub.mobileads.CustomEventBanner.CustomEventBannerListener; import static com.mopub.mobileads.MoPubErrorCode.MRAID_LOAD_ERROR; import static com.mopub.mobileads.MraidView.MraidListener; import static org.mockito.Matchers.any; import static org.mockito.Matchers.eq; import static org.mockito.Mockito.mock; import static org.mockito.Mockito.never; import static org.mockito.Mockito.verify; @RunWith(SdkTestRunner.class) public class MraidBannerTest { private MraidBanner subject; private MraidView mraidView; private Activity context; private Map<String, Object> localExtras; private Map<String, String> serverExtras; private CustomEventBannerListener bannerListener; private static final String INPUT_HTML_DATA = "%3Chtml%3E%3C%2Fhtml%3E"; private static final String EXPECTED_HTML_DATA = "<html></html>"; @Before public void setUp() throws Exception { subject = new MraidBanner(); mraidView = TestMraidViewFactory.getSingletonMock(); context = new Activity(); bannerListener = mock(CustomEventBanner.CustomEventBannerListener.class); localExtras = new HashMap<String, Object>(); serverExtras = new HashMap<String, String>(); serverExtras.put(HTML_RESPONSE_BODY_KEY, INPUT_HTML_DATA); } @Test public void loadBanner_whenExtrasAreMalformed_shouldNotifyBannerListenerAndReturn() throws Exception { serverExtras.remove(HTML_RESPONSE_BODY_KEY); subject.loadBanner(context, bannerListener, localExtras, serverExtras); verify(bannerListener).onBannerFailed(eq(MRAID_LOAD_ERROR)); verify(mraidView, never()).loadHtmlData(any(String.class)); verify(mraidView, never()).setMraidListener(any(MraidListener.class)); } @Test public void loadBanner_shouldLoadHtmlDataAndInitializeListeners() throws Exception { subject.loadBanner(context, bannerListener, localExtras, serverExtras); verify(mraidView).loadHtmlData(EXPECTED_HTML_DATA); verify(mraidView).setMraidListener(any(MraidListener.class)); } @Test public void invalidate_shouldDestroyMraidView() throws Exception { subject.loadBanner(context, bannerListener, localExtras, serverExtras); subject.onInvalidate(); verify(mraidView).destroy(); } @Test public void bannerMraidListener_onReady_shouldNotifyBannerLoaded() throws Exception { MraidListener mraidListener = captureMraidListener(); mraidListener.onReady(null); verify(bannerListener).onBannerLoaded(eq(mraidView)); } @Test public void bannerMraidListener_onFailure_shouldNotifyBannerFailed() throws Exception { MraidListener mraidListener = captureMraidListener(); mraidListener.onFailure(null); verify(bannerListener).onBannerFailed(eq(MRAID_LOAD_ERROR)); } @Test public void bannerMraidListener_onExpand_shouldNotifyBannerExpandedAndClicked() throws Exception { MraidListener mraidListener = captureMraidListener(); mraidListener.onExpand(null); verify(bannerListener).onBannerExpanded(); verify(bannerListener).onBannerClicked(); } @Test public void bannerMraidListener_onOpen_shouldNotifyBannerClicked() throws Exception { MraidListener mraidListener = captureMraidListener(); mraidListener.onOpen(null); verify(bannerListener).onBannerClicked(); } @Test public void bannerMraidListener_onClose_shouldNotifyBannerCollapsed() throws Exception { MraidListener mraidListener = captureMraidListener(); mraidListener.onClose(null, null); verify(bannerListener).onBannerCollapsed(); } private MraidListener captureMraidListener() { subject.loadBanner(context, bannerListener, localExtras, serverExtras); ArgumentCaptor<MraidListener> listenerCaptor = ArgumentCaptor.forClass(MraidListener.class); verify(mraidView).setMraidListener(listenerCaptor.capture()); return listenerCaptor.getValue(); } }
{ "content_hash": "0c466559a4db65de01385ed1398e5b37", "timestamp": "", "source": "github", "line_count": 124, "max_line_length": 106, "avg_line_length": 36.04032258064516, "alnum_prop": 0.7406578652942493, "repo_name": "SofialysLabs/android-sdk", "id": "8913cc1ca78c3109704565e93167762cd500ee45", "size": "6038", "binary": false, "copies": "2", "ref": "refs/heads/master", "path": "mopub-sdk/src/test/java/com/mopub/mobileads/MraidBannerTest.java", "mode": "33188", "license": "bsd-3-clause", "language": [ { "name": "Java", "bytes": "2150490" }, { "name": "JavaScript", "bytes": "21321" } ], "symlink_target": "" }
import {Services} from '../../../src/services'; import {createLoaderLogo} from './facebook-loader'; import {dashToUnderline} from '../../../src/core/types/string'; import {getData, listen} from '../../../src/event-helper'; import {getIframe, preloadBootstrap} from '../../../src/3p-frame'; import {getMode} from '../../../src/mode'; import {isLayoutSizeDefined} from '../../../src/layout'; import {isObject} from '../../../src/core/types'; import {listenFor} from '../../../src/iframe-helper'; import {removeElement} from '../../../src/dom'; import {tryParseJson} from '../../../src/json'; const TYPE = 'facebook'; class AmpFacebook extends AMP.BaseElement { /** @override @nocollapse */ static createLoaderLogoCallback(element) { return createLoaderLogo(element); } /** @param {!AmpElement} element */ constructor(element) { super(element); /** @private {?HTMLIFrameElement} */ this.iframe_ = null; /** @private @const {string} */ this.dataLocale_ = element.hasAttribute('data-locale') ? element.getAttribute('data-locale') : dashToUnderline(window.navigator.language); /** @private {?Function} */ this.unlistenMessage_ = null; /** @private {number} */ this.toggleLoadingCounter_ = 0; } /** @override */ renderOutsideViewport() { // We are conservative about loading heavy embeds. // This will still start loading before they become visible, but it // won't typically load a large number of embeds. return 0.75; } /** * @param {boolean=} opt_onLayout * @override */ preconnectCallback(opt_onLayout) { const preconnect = Services.preconnectFor(this.win); preconnect.url(this.getAmpDoc(), 'https://facebook.com', opt_onLayout); // Hosts the facebook SDK. preconnect.preload( this.getAmpDoc(), 'https://connect.facebook.net/' + this.dataLocale_ + '/sdk.js', 'script' ); preloadBootstrap(this.win, TYPE, this.getAmpDoc(), preconnect); } /** @override */ isLayoutSupported(layout) { return isLayoutSizeDefined(layout); } /** @override */ layoutCallback() { const iframe = getIframe(this.win, this.element, TYPE); iframe.title = this.element.title || 'Facebook'; this.applyFillContent(iframe); if (this.element.hasAttribute('data-allowfullscreen')) { iframe.setAttribute('allowfullscreen', 'true'); } // Triggered by context.updateDimensions() inside the iframe. listenFor( iframe, 'embed-size', (data) => { this.forceChangeHeight(data['height']); }, /* opt_is3P */ true ); this.unlistenMessage_ = listen( this.win, 'message', this.handleFacebookMessages_.bind(this) ); this.toggleLoading(true); if (getMode().test) { this.toggleLoadingCounter_++; } this.element.appendChild(iframe); this.iframe_ = iframe; return this.loadPromise(iframe); } /** * @param {!Event} event * @private */ handleFacebookMessages_(event) { if (this.iframe_ && event.source != this.iframe_.contentWindow) { return; } const eventData = getData(event); if (!eventData) { return; } const parsedEventData = isObject(eventData) ? eventData : tryParseJson(eventData); if (!parsedEventData) { return; } if (eventData['action'] == 'ready') { this.toggleLoading(false); if (getMode().test) { this.toggleLoadingCounter_++; } } } /** @override */ unlayoutOnPause() { return true; } /** @override */ unlayoutCallback() { if (this.iframe_) { removeElement(this.iframe_); this.iframe_ = null; } if (this.unlistenMessage_) { this.unlistenMessage_(); } return true; } } AMP.extension('amp-facebook', '0.1', (AMP) => { AMP.registerElement('amp-facebook', AmpFacebook); });
{ "content_hash": "b12d0f938ce9a79662d78781256e2da0", "timestamp": "", "source": "github", "line_count": 149, "max_line_length": 75, "avg_line_length": 26.19463087248322, "alnum_prop": 0.617217524980784, "repo_name": "nexxtv/amphtml", "id": "81208934ad514ee26018329940c2702c664c5630", "size": "4530", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "extensions/amp-facebook/0.1/amp-facebook.js", "mode": "33188", "license": "apache-2.0", "language": [ { "name": "C++", "bytes": "1603133" }, { "name": "CSS", "bytes": "544452" }, { "name": "Go", "bytes": "7785" }, { "name": "HTML", "bytes": "2096012" }, { "name": "JavaScript", "bytes": "19296197" }, { "name": "Python", "bytes": "65891" }, { "name": "Shell", "bytes": "29630" }, { "name": "Starlark", "bytes": "31140" }, { "name": "TypeScript", "bytes": "17981" }, { "name": "Yacc", "bytes": "28669" } ], "symlink_target": "" }
using System.Collections; using System.Collections.Generic; using UnityEngine; using UnityEngine.UI; public class HUDController : MonoBehaviour { public Transform progressTransform; public Text progressText; public Transform timeLeftTransform; public Text timeLeftText; public Text debugText; float animationRate = 1f; int timeLeftOriginalFontSize = 30; int timeLeftWarningFontSize = 50; // Use this for initialization void Start () { } // Update is called once per frame float newCrateDeliveredAnimationTimer = 1; void Update () { progressText.text = GameController.Instance.numberOfCratesDelivered.ToString(); timeLeftText.text = Mathf.Floor(GameController.Instance.timeLeft).ToString(); debugText.text = "\nv" + Application.version; float timerFocus; if (GameController.Instance.timeLeft < 10) { // 10: 1 // 6: 2 // 2: 3 timerFocus = Mathf.Clamp(1f + 2f * (10f - GameController.Instance.timeLeft) / 8f, 1, 3); } else { timerFocus = 1; } // animations when crates get delivered float scale = stepAnimationTimer(ref newCrateDeliveredAnimationTimer, 2, 1, animationRate, newCrateDelivered()); timeLeftTransform.localScale = new Vector3(scale * timerFocus, scale * timerFocus, 1); progressTransform.localScale = new Vector3(scale, scale, 1); // warn the gamer that time is almost up if (GameController.Instance.timeLeft < 10) { timeLeftText.fontSize = timeLeftWarningFontSize; timeLeftText.color = Color.red; } else { timeLeftText.fontSize = timeLeftOriginalFontSize; timeLeftText.color = Color.black; } } // helper function for scale animation public static float stepAnimationTimer(ref float timer, float startValue, float stopValue, float animationRate, bool reset) { if (reset) { timer = 0; } else if (timer < 1) { timer += Time.deltaTime * animationRate; } else { timer = 1; } return Mathf.Lerp(startValue, stopValue, timer); } // helper functions for status updates int? cratesDelivered = null; bool newCrateDelivered() { bool value = false; if (GameController.Instance.numberOfCratesDelivered != cratesDelivered && cratesDelivered != null) { value = true; } cratesDelivered = GameController.Instance.numberOfCratesDelivered; return value; } }
{ "content_hash": "7887c187a5f50272110e99b6f36305e0", "timestamp": "", "source": "github", "line_count": 96, "max_line_length": 127, "avg_line_length": 28.302083333333332, "alnum_prop": 0.6139124033860875, "repo_name": "sebnil/Bananpiren", "id": "246b5f02e2a6e09ddaa8df73496064640aae2897", "size": "2719", "binary": false, "copies": "2", "ref": "refs/heads/master", "path": "Assets/Scripts/HUDController.cs", "mode": "33188", "license": "mit", "language": [ { "name": "Batchfile", "bytes": "224" }, { "name": "C#", "bytes": "1940977" }, { "name": "CSS", "bytes": "51771" }, { "name": "HLSL", "bytes": "208517" }, { "name": "HTML", "bytes": "7788" }, { "name": "Objective-C", "bytes": "768" }, { "name": "Objective-C++", "bytes": "6612" }, { "name": "Python", "bytes": "17060" }, { "name": "ShaderLab", "bytes": "885871" }, { "name": "Shell", "bytes": "817" } ], "symlink_target": "" }
suite('rb/ui/views/DateInlineEditorView', function() { const initialDate = '2022-09-16'; let view; let $container; beforeEach(function() { $container = $('<div/>').appendTo($testsScratch); }); describe('Construction', function() { it('Default', function() { view = new RB.DateInlineEditorView({ el: $container, }); view.render(); expect(view.options.descriptorText).toBe(null); expect(view.options.minDate).toBe(null); expect(view.options.maxDate).toBe(null); expect(view.options.rawValue).toBe(null); expect(view.$buttons.length).toBe(1); expect(view.$field.length).toBe(1); expect(view.$field[0].children.length).toBe(1); expect(view.$field[0].firstElementChild.outerHTML) .toBe('<input type="date">'); }); it('With options provided', function() { view = new RB.DateInlineEditorView({ el: $container, rawValue: initialDate, descriptorText: 'Test', minDate: '2020-10-10', maxDate: '2030-10-10', }); view.render(); expect(view.options.descriptorText).toBe('Test'); expect(view.options.minDate).toBe('2020-10-10'); expect(view.options.maxDate).toBe('2030-10-10'); expect(view.options.rawValue).toBe(initialDate); expect(view.$buttons.length).toBe(1); expect(view.$field.length).toBe(1); expect(view.$field[0].firstChild.textContent).toBe('Test'); expect(view.$field[0].firstElementChild.outerHTML).toBe( '<input type="date" max="2030-10-10" min="2020-10-10">'); }); }); describe('Operations', function() { afterEach(function() { view.hideEditor(); }); describe('startEdit', function() { it('With an initial date', function() { view = new RB.DateInlineEditorView({ el: $container, rawValue: initialDate, }); view.render(); view.startEdit(); expect(view.$field[0].firstChild.tagName).toBe(undefined); expect(view.$field[0].firstElementChild.tagName).toBe('INPUT'); expect(view.$field[0].firstElementChild.value).toBe(initialDate); }); it('With no initial date', function() { view = new RB.DateInlineEditorView({ el: $container, }); view.render(); view.startEdit(); expect(view.$field[0].firstChild.tagName).toBe(undefined); expect(view.$field[0].firstElementChild.tagName).toBe('INPUT'); expect(view.$field[0].firstElementChild.value).toBe(''); }); it('With a descriptor text', function() { view = new RB.DateInlineEditorView({ el: $container, descriptorText: 'Test', }); view.render(); view.startEdit(); expect(view.$field[0].firstChild.tagName).toBe(undefined); expect(view.$field[0].firstChild.textContent).toBe('Test'); expect(view.$field[0].firstElementChild.value).toBe(''); }); }); describe('save', function() { it('With a new date', function() { view = new RB.DateInlineEditorView({ el: $container, }); view.render(); view.startEdit(); view.setValue(initialDate); view.save(); expect(view.options.rawValue).toBe(initialDate); expect(view.$el[0].innerHTML).toBe(initialDate); }); it('With an empty value', function() { view = new RB.DateInlineEditorView({ el: $container, rawValue: initialDate, }); view.render(); view.startEdit(); view.setValue(''); view.save(); expect(view.options.rawValue).toBe(''); expect(view.$el[0].innerHTML).toBe(''); }); it('Without any changes made', function() { view = new RB.DateInlineEditorView({ el: $container, rawValue: initialDate, }); view.render(); view.startEdit(); view.save(); expect(view.options.rawValue).toBe(initialDate); expect(view.$el[0].innerHTML).toBe(''); }); }); }); describe('Events', function() { it('On change', function() { view = new RB.DateInlineEditorView({ el: $container, }); spyOn(view, '_scheduleUpdateDirtyState'); view.render(); view.$field.trigger('change'); expect(view._scheduleUpdateDirtyState) .toHaveBeenCalled(); }); }); });
{ "content_hash": "85a88d2a38a0874403d3db50958d060a", "timestamp": "", "source": "github", "line_count": 160, "max_line_length": 81, "avg_line_length": 33.3375, "alnum_prop": 0.4833145856767904, "repo_name": "reviewboard/reviewboard", "id": "cb6e8df15e01e446b124b665faca2e8aa92dbffd", "size": "5334", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "reviewboard/static/rb/js/ui/views/tests/dateInlineEditorViewTests.es6.js", "mode": "33188", "license": "mit", "language": [ { "name": "CSS", "bytes": "10167" }, { "name": "Dockerfile", "bytes": "7721" }, { "name": "HTML", "bytes": "226489" }, { "name": "JavaScript", "bytes": "3991608" }, { "name": "Less", "bytes": "438017" }, { "name": "Python", "bytes": "9186415" }, { "name": "Shell", "bytes": "3855" } ], "symlink_target": "" }
namespace DEM::Anim { CPoseBuffer::CPoseBuffer(const CPoseBuffer& Other) : _Count(Other._Count) { if (_Count) { _Transforms.reset(new acl::Transform_32[_Count]); n_assert_dbg(IsAligned16(_Transforms.get())); std::memcpy(_Transforms.get(), Other._Transforms.get(), sizeof(acl::Transform_32) * _Count); } } //--------------------------------------------------------------------- CPoseBuffer::CPoseBuffer(CPoseBuffer&& Other) noexcept : _Transforms(std::move(Other._Transforms)) , _Count(Other._Count) { } //--------------------------------------------------------------------- CPoseBuffer& CPoseBuffer::operator =(const CPoseBuffer& Other) { SetSize(Other._Count); if (_Count) std::memcpy(_Transforms.get(), Other._Transforms.get(), sizeof(acl::Transform_32) * _Count); return *this; } //--------------------------------------------------------------------- CPoseBuffer& CPoseBuffer::operator =(CPoseBuffer&& Other) noexcept { _Count = Other._Count; _Transforms = std::move(Other._Transforms); return *this; } //--------------------------------------------------------------------- void CPoseBuffer::SetSize(UPTR Size) { if (_Count == Size) return; _Count = Size; if (_Count) _Transforms.reset(new acl::Transform_32[_Count]); else _Transforms.reset(); n_assert_dbg(IsAligned16(_Transforms.get())); } //--------------------------------------------------------------------- }
{ "content_hash": "dc32b1f6208e3b0dc9766be14fba25d4", "timestamp": "", "source": "github", "line_count": 49, "max_line_length": 105, "avg_line_length": 28.591836734693878, "alnum_prop": 0.516773733047823, "repo_name": "niello/deusexmachina", "id": "e74767c277696457d888322e146b2e5862032b7b", "size": "1453", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "DEM/Low/src/Animation/PoseBuffer.cpp", "mode": "33188", "license": "mit", "language": [ { "name": "Assembly", "bytes": "122533" }, { "name": "Awk", "bytes": "688" }, { "name": "Batchfile", "bytes": "7513" }, { "name": "C", "bytes": "16388375" }, { "name": "C#", "bytes": "398813" }, { "name": "C++", "bytes": "36890379" }, { "name": "CMake", "bytes": "561047" }, { "name": "CSS", "bytes": "10638" }, { "name": "Fortran", "bytes": "87" }, { "name": "FreeBasic", "bytes": "3789" }, { "name": "HTML", "bytes": "1351597" }, { "name": "Lua", "bytes": "135757" }, { "name": "M4", "bytes": "52785" }, { "name": "Makefile", "bytes": "52318" }, { "name": "Mathematica", "bytes": "4491" }, { "name": "NSIS", "bytes": "4683" }, { "name": "Objective-C", "bytes": "55376" }, { "name": "Pascal", "bytes": "29093" }, { "name": "Perl", "bytes": "39592" }, { "name": "PowerShell", "bytes": "7410" }, { "name": "Python", "bytes": "160966" }, { "name": "Roff", "bytes": "5263" }, { "name": "Ruby", "bytes": "39" }, { "name": "SWIG", "bytes": "11981" }, { "name": "Shell", "bytes": "7830" }, { "name": "TeX", "bytes": "149544" }, { "name": "VBA", "bytes": "41547" }, { "name": "Visual Basic .NET", "bytes": "8505" } ], "symlink_target": "" }
package sshd import ( "io" "net" "time" "github.com/shazow/rateio" ) type limitedConn struct { net.Conn io.Reader // Our rate-limited io.Reader for net.Conn } func (r *limitedConn) Read(p []byte) (n int, err error) { return r.Reader.Read(p) } // ReadLimitConn returns a net.Conn whose io.Reader interface is rate-limited by limiter. func ReadLimitConn(conn net.Conn, limiter rateio.Limiter) net.Conn { return &limitedConn{ Conn: conn, Reader: rateio.NewReader(conn, limiter), } } // Count each read as 1 unless it exceeds some number of bytes. type inputLimiter struct { // TODO: Could do all kinds of fancy things here, like be more forgiving of // connections that have been around for a while. Amount int Frequency time.Duration remaining int readCap int numRead int timeRead time.Time } // NewInputLimiter returns a rateio.Limiter with sensible defaults for // differentiating between humans typing and bots spamming. func NewInputLimiter() rateio.Limiter { grace := time.Second * 3 return &inputLimiter{ Amount: 2 << 14, // ~16kb, should be plenty for a high typing rate/copypasta/large key handshakes. Frequency: time.Minute * 1, readCap: 128, // Allow up to 128 bytes per read (anecdotally, 1 character = 52 bytes over ssh) numRead: -1024 * 1024, // Start with a 1mb grace timeRead: time.Now().Add(grace), } } // Count applies 1 if n<readCap, else n func (limit *inputLimiter) Count(n int) error { now := time.Now() if now.After(limit.timeRead) { limit.numRead = 0 limit.timeRead = now.Add(limit.Frequency) } if n <= limit.readCap { limit.numRead += 1 } else { limit.numRead += n } if limit.numRead > limit.Amount { return rateio.ErrRateExceeded } return nil }
{ "content_hash": "afe20f053b2f0d611cb8b50d3b08240e", "timestamp": "", "source": "github", "line_count": 71, "max_line_length": 107, "avg_line_length": 24.760563380281692, "alnum_prop": 0.7030716723549488, "repo_name": "voldyman/ssh-chat", "id": "b2607e6dca159ceb4973c6d65c9b24cf0b459e3c", "size": "1758", "binary": false, "copies": "3", "ref": "refs/heads/main", "path": "sshd/ratelimit.go", "mode": "33188", "license": "mit", "language": [ { "name": "Dockerfile", "bytes": "345" }, { "name": "Go", "bytes": "182089" }, { "name": "Makefile", "bytes": "1921" }, { "name": "Shell", "bytes": "1346" } ], "symlink_target": "" }
/*global piranha userlist */ piranha.userlist = new Vue({ el: "#userlist", data: { loading: true, users: [], roles: [], currentUserName: null }, methods: { bind: function (result) { this.users = result.users; this.roles = result.roles; }, load: function () { var self = this; piranha.permissions.load(function () { fetch(piranha.baseUrl + "manager/users/list") .then(function (response) { return response.json(); }) .then(function (result) { self.bind(result); self.loading = false; }) .catch(function (error) { console.log("error:", error); }); }); }, remove: function (user) { var self = this; var userInfo = ""; if (user) { if (user.userName && user.userName.length > 0) { userInfo += ' <br/>"' + user.userName + '"'; } } else { return; } piranha.alert.open({ title: piranha.resources.texts.delete, body: piranha.resources.texts.deleteUserConfirm + userInfo, confirmCss: "btn-danger", confirmIcon: "fas fa-trash", confirmText: piranha.resources.texts.delete, onConfirm: function () { fetch(piranha.baseUrl + "manager/user/delete", { method: "delete", headers: piranha.utils.antiForgeryHeaders(), body: JSON.stringify(user.id) }) .then(function (response) { return response.json(); }) .then(function (result) { piranha.notifications.push(result.status); self.load(); }) .catch(function (error) { console.log("error:", error); piranha.notifications.push({ body: error, type: "danger", hide: true }); }); } }); } } });
{ "content_hash": "5534e388a0b0648e8f41afeed3d84455", "timestamp": "", "source": "github", "line_count": 75, "max_line_length": 79, "avg_line_length": 32.49333333333333, "alnum_prop": 0.3996717275338531, "repo_name": "PiranhaCMS/piranha.core", "id": "bd0f542904b5e47158f69fe9363dd3a95871a2c3", "size": "2437", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "identity/Piranha.AspNetCore.Identity/assets/piranha.userlist.js", "mode": "33188", "license": "mit", "language": [ { "name": "C#", "bytes": "2380791" }, { "name": "HTML", "bytes": "237520" }, { "name": "JavaScript", "bytes": "910424" }, { "name": "SCSS", "bytes": "72532" }, { "name": "Shell", "bytes": "2937" }, { "name": "Vue", "bytes": "104096" } ], "symlink_target": "" }
ACCEPTED #### According to International Plant Names Index #### Published in null #### Original name null ### Remarks null
{ "content_hash": "2cad881ef779e4c18b39f30f4afec809", "timestamp": "", "source": "github", "line_count": 13, "max_line_length": 31, "avg_line_length": 9.692307692307692, "alnum_prop": 0.7063492063492064, "repo_name": "mdoering/backbone", "id": "1fd17d70dd12c22a6ee551afc8a97f2262a5a584", "size": "179", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "life/Plantae/Magnoliophyta/Magnoliopsida/Boraginales/Boraginaceae/Echidiocarya/Echidiocarya arizonica/README.md", "mode": "33188", "license": "apache-2.0", "language": [], "symlink_target": "" }
#pragma once #ifndef EL_READ_ASCII_HPP #define EL_READ_ASCII_HPP namespace El { namespace read { template<typename T> inline void Ascii( Matrix<T>& A, const string filename ) { DEBUG_ONLY(CSE cse("read::Ascii")) std::ifstream file( filename.c_str() ); if( !file.is_open() ) RuntimeError("Could not open ",filename); // Walk through the file once to both count the number of rows and // columns and to ensure that the number of columns is consistent Int height=0, width=0; string line; while( std::getline( file, line ) ) { std::stringstream lineStream( line ); Int numCols=0; T value; while( lineStream >> value ) ++numCols; if( numCols != 0 ) { if( numCols != width && width != 0 ) LogicError("Inconsistent number of columns"); else width = numCols; ++height; } } file.clear(); file.seekg(0,file.beg); // Resize the matrix and then read it A.Resize( height, width ); Int i=0; while( std::getline( file, line ) ) { std::stringstream lineStream( line ); Int j=0; T value; while( lineStream >> value ) { A.Set( i, j, value ); ++j; } ++i; } } template<typename T> inline void Ascii( AbstractDistMatrix<T>& A, const string filename ) { DEBUG_ONLY(CSE cse("read::Ascii")) std::ifstream file( filename.c_str() ); if( !file.is_open() ) RuntimeError("Could not open ",filename); // Walk through the file once to both count the number of rows and // columns and to ensure that the number of columns is consistent Int height=0, width=0; string line; while( std::getline( file, line ) ) { std::stringstream lineStream( line ); Int numCols=0; T value; while( lineStream >> value ) ++numCols; if( numCols != 0 ) { if( numCols != width && width != 0 ) LogicError("Inconsistent number of columns"); else width = numCols; ++height; } } file.clear(); file.seekg(0,file.beg); // Resize the matrix and then read in our local portion A.Resize( height, width ); Int i=0; while( std::getline( file, line ) ) { std::stringstream lineStream( line ); Int j=0; T value; while( lineStream >> value ) { A.Set( i, j, value ); ++j; } ++i; } } template<typename T> inline void Ascii( AbstractBlockDistMatrix<T>& A, const string filename ) { DEBUG_ONLY(CSE cse("read::Ascii")) std::ifstream file( filename.c_str() ); if( !file.is_open() ) RuntimeError("Could not open ",filename); // Walk through the file once to both count the number of rows and // columns and to ensure that the number of columns is consistent Int height=0, width=0; string line; while( std::getline( file, line ) ) { std::stringstream lineStream( line ); Int numCols=0; T value; while( lineStream >> value ) ++numCols; if( numCols != 0 ) { if( numCols != width && width != 0 ) LogicError("Inconsistent number of columns"); else width = numCols; ++height; } } file.clear(); file.seekg(0,file.beg); // Resize the matrix and then read in our local portion A.Resize( height, width ); Int i=0; while( std::getline( file, line ) ) { std::stringstream lineStream( line ); Int j=0; T value; while( lineStream >> value ) { A.Set( i, j, value ); ++j; } ++i; } } } // namespace read } // namespace El #endif // ifndef EL_READ_ASCII_HPP
{ "content_hash": "be37942c1d5e3326e29d1fc221ad11c0", "timestamp": "", "source": "github", "line_count": 156, "max_line_length": 70, "avg_line_length": 25.185897435897434, "alnum_prop": 0.5357597353016035, "repo_name": "justusc/Elemental", "id": "20defeca2c500ce2defc4edba25439911e0df067", "size": "4193", "binary": false, "copies": "2", "ref": "refs/heads/master", "path": "src/io/Read/Ascii.hpp", "mode": "33188", "license": "bsd-3-clause", "language": [ { "name": "C", "bytes": "760573" }, { "name": "C++", "bytes": "7177017" }, { "name": "CMake", "bytes": "186926" }, { "name": "Makefile", "bytes": "333" }, { "name": "Matlab", "bytes": "13306" }, { "name": "Python", "bytes": "942707" }, { "name": "Ruby", "bytes": "1393" }, { "name": "Shell", "bytes": "1335" }, { "name": "TeX", "bytes": "23728" } ], "symlink_target": "" }
package org.springframework.boot.maven; import java.util.List; import org.apache.maven.artifact.Artifact; /** * An {@ArtifactsFilter} that filters out any artifact matching an * {@link Exclude}. * * @author Stephane Nicoll * @author David Turanski * @since 1.1 */ public class ExcludeFilter extends DependencyFilter { public ExcludeFilter(List<Exclude> excludes) { super(excludes); } @Override protected boolean filter(Artifact artifact) { for (FilterableDependency dependency : getFilters()) { if (equals(artifact, dependency)) { return true; } } return false; } }
{ "content_hash": "24e645b9c97e2a1b1646d84754fbcf83", "timestamp": "", "source": "github", "line_count": 33, "max_line_length": 66, "avg_line_length": 18.303030303030305, "alnum_prop": 0.7135761589403974, "repo_name": "gregturn/spring-boot", "id": "9104159acf57e6a9b8e4ccf013804294892b30ca", "size": "1224", "binary": false, "copies": "3", "ref": "refs/heads/master", "path": "spring-boot-tools/spring-boot-maven-plugin/src/main/java/org/springframework/boot/maven/ExcludeFilter.java", "mode": "33188", "license": "apache-2.0", "language": [ { "name": "CSS", "bytes": "18786" }, { "name": "Groovy", "bytes": "39650" }, { "name": "Java", "bytes": "5022998" }, { "name": "Ruby", "bytes": "1305" }, { "name": "Shell", "bytes": "5401" }, { "name": "XSLT", "bytes": "34273" } ], "symlink_target": "" }
WHAT IS IT ========== **This is a work in progress.** This is an implementation of a MCMC for estimation and non-parametric deconvolution of galactic kinematics from hyperspectral data cubes. It is a python `2.7` module designed to be flexible, reliable and fast. It has not been tested under python `3.x`, but feel free to make it compatible ! HOW TO INSTALL ============== Using pip --------- _(still not available)_ Install `deconv3d` system-wide, ``` $ sudo pip install deconv3d ``` or just for you : ``` $ pip install --user deconv3d ``` Running one of the above commands will download and install the module on your system, as `deconv3d` is referenced on the official [python package index] (https://pypi.python.org). Manually -------- _(still not available)_ Running `python setup.py install` should do the trick. Mandatory Dependencies ---------------------- - `astropy` : http://www.astropy.org - `hyperspectral` : https://pypi.python.org/pypi/hyperspectral - `matplotlib` : https://pypi.python.org/pypi/matplotlib Optional Dependencies --------------------- - `bottleneck` : https://pypi.python.org/pypi/Bottleneck DEBIAN PACKAGES --------------- Most of the usual packages can be installed system-wise from repositories. ``` python2.7 python-numpy python-astropy python-matplotlib ``` You can also install them via `pip`, it's your choice. MPDAF PACKAGES -------------- _Optional._ `deconv3d` provides a `MUSELineSpreadFunction` class that depends on `mpdaf.MUSE.LSF`. Follow [MPDAF install instructions] (http://urania1.univ-lyon1.fr/mpdaf/chrome/site/DocCoreLib/installation.html). `deconv3d` also accepts `MPDAF`'s Cubes as input. HOW TO TEST =========== Simply run `nosetests -v --nocapture --nologcapture` from project's root : - `-v` is verbose - `--nocapture` means `print` statements will print - `--nologcapture` means `logging` statements will print These options are not mandatory for the tests to pass, but they are useful. If you don't have `nose`, you can either $ apt-get install python-nose or $ pip install --user nose HOW TO DOCUMENT =============== Install sphinx : $ apt-get install python-sphinx Make your changes into the `doc/source` files. Once its done, go to `doc` directory, run `make html`. HOW TO CONTRIBUTE ================= Get the sources. Create a virtualenv with python 2.7 : $ virtualenv venv2.7 -p /usr/bin/python2.7 Activate that virtualenv : $ source venv2.7/bin/activate Install dependencies : $ pip install -r requirements.txt You're ready to run the test-suite ! ACRONYMS ======== _Real geniuses never define acronyms. They understand them genetically._ Acronym | Meaning ---------|---------------------------------------------------------------------- EAFP | Easier to Ask for Forgiveness than Permission FFT | Fast Fourier Transform FITS | Flexible Image Transport System FWHM | Full Width at Half Maximum HDU | Header Data Unit LBYL | Look Before You Leap LSF | Line Spread Function MCMC | Markov Chain Monte Carlo MH | Metropolis-Hastings MPDAF | MUSE Python Data Analysis Framework MUSE | Multi Unit Spectroscopic Explorer NFM | Narrow Field Mode PA | Position Angle PC | ParseC PSF | Point Spread Function SNR | Signal to Noise Ratio WCS | World Coordinates System WFM | Wide Field Mode
{ "content_hash": "028940b1db1c6d73ae2f342c8398bc5b", "timestamp": "", "source": "github", "line_count": 163, "max_line_length": 80, "avg_line_length": 20.969325153374232, "alnum_prop": 0.6705675833820948, "repo_name": "irap-omp/deconv3d", "id": "734e59200572c8edb1011388cb49ff4fe8691a05", "size": "3419", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "README.md", "mode": "33188", "license": "mit", "language": [ { "name": "CSS", "bytes": "15662" }, { "name": "Python", "bytes": "302183" }, { "name": "Shell", "bytes": "947" } ], "symlink_target": "" }
package com.slack.api.app_backend.events.handler; import com.slack.api.app_backend.events.EventHandler; import com.slack.api.app_backend.events.payload.SubteamSelfAddedPayload; import com.slack.api.model.event.SubteamSelfAddedEvent; public abstract class SubteamSelfAddedHandler extends EventHandler<SubteamSelfAddedPayload> { @Override public String getEventType() { return SubteamSelfAddedEvent.TYPE_NAME; } }
{ "content_hash": "bc44c55bdafed3db05e4a55616909c07", "timestamp": "", "source": "github", "line_count": 13, "max_line_length": 93, "avg_line_length": 33.46153846153846, "alnum_prop": 0.8, "repo_name": "seratch/jslack", "id": "f7e944a489588d972239c6f06ff45a3ce21aeaba", "size": "435", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "slack-app-backend/src/main/java/com/slack/api/app_backend/events/handler/SubteamSelfAddedHandler.java", "mode": "33188", "license": "mit", "language": [ { "name": "Batchfile", "bytes": "3120" }, { "name": "Dockerfile", "bytes": "253" }, { "name": "Java", "bytes": "2053529" }, { "name": "Kotlin", "bytes": "26226" }, { "name": "Ruby", "bytes": "3769" }, { "name": "Shell", "bytes": "1133" } ], "symlink_target": "" }
package com.amazonaws.services.identitymanagement.model; import java.io.Serializable; import com.amazonaws.AmazonWebServiceRequest; /** * */ public class CreateSAMLProviderRequest extends AmazonWebServiceRequest implements Serializable, Cloneable { /** * <p> * An XML document generated by an identity provider (IdP) that supports * SAML 2.0. The document includes the issuer's name, expiration * information, and keys that can be used to validate the SAML * authentication response (assertions) that are received from the IdP. You * must generate the metadata document using the identity management * software that is used as your organization's IdP. * </p> * <p> * For more information, see <a href= * "http://docs.aws.amazon.com/IAM/latest/UserGuide/id_roles_providers_saml.html" * >About SAML 2.0-based Federation</a> in the <i>IAM User Guide</i> * </p> */ private String sAMLMetadataDocument; /** * <p> * The name of the provider to create. * </p> * <p> * The <a href="http://wikipedia.org/wiki/regex">regex pattern</a> for this * parameter is a string of characters consisting of upper and lowercase * alphanumeric characters with no spaces. You can also include any of the * following characters: =,.@- * </p> */ private String name; /** * <p> * An XML document generated by an identity provider (IdP) that supports * SAML 2.0. The document includes the issuer's name, expiration * information, and keys that can be used to validate the SAML * authentication response (assertions) that are received from the IdP. You * must generate the metadata document using the identity management * software that is used as your organization's IdP. * </p> * <p> * For more information, see <a href= * "http://docs.aws.amazon.com/IAM/latest/UserGuide/id_roles_providers_saml.html" * >About SAML 2.0-based Federation</a> in the <i>IAM User Guide</i> * </p> * * @param sAMLMetadataDocument * An XML document generated by an identity provider (IdP) that * supports SAML 2.0. The document includes the issuer's name, * expiration information, and keys that can be used to validate the * SAML authentication response (assertions) that are received from * the IdP. You must generate the metadata document using the * identity management software that is used as your organization's * IdP.</p> * <p> * For more information, see <a href= * "http://docs.aws.amazon.com/IAM/latest/UserGuide/id_roles_providers_saml.html" * >About SAML 2.0-based Federation</a> in the <i>IAM User Guide</i> */ public void setSAMLMetadataDocument(String sAMLMetadataDocument) { this.sAMLMetadataDocument = sAMLMetadataDocument; } /** * <p> * An XML document generated by an identity provider (IdP) that supports * SAML 2.0. The document includes the issuer's name, expiration * information, and keys that can be used to validate the SAML * authentication response (assertions) that are received from the IdP. You * must generate the metadata document using the identity management * software that is used as your organization's IdP. * </p> * <p> * For more information, see <a href= * "http://docs.aws.amazon.com/IAM/latest/UserGuide/id_roles_providers_saml.html" * >About SAML 2.0-based Federation</a> in the <i>IAM User Guide</i> * </p> * * @return An XML document generated by an identity provider (IdP) that * supports SAML 2.0. The document includes the issuer's name, * expiration information, and keys that can be used to validate the * SAML authentication response (assertions) that are received from * the IdP. You must generate the metadata document using the * identity management software that is used as your organization's * IdP.</p> * <p> * For more information, see <a href= * "http://docs.aws.amazon.com/IAM/latest/UserGuide/id_roles_providers_saml.html" * >About SAML 2.0-based Federation</a> in the <i>IAM User Guide</i> */ public String getSAMLMetadataDocument() { return this.sAMLMetadataDocument; } /** * <p> * An XML document generated by an identity provider (IdP) that supports * SAML 2.0. The document includes the issuer's name, expiration * information, and keys that can be used to validate the SAML * authentication response (assertions) that are received from the IdP. You * must generate the metadata document using the identity management * software that is used as your organization's IdP. * </p> * <p> * For more information, see <a href= * "http://docs.aws.amazon.com/IAM/latest/UserGuide/id_roles_providers_saml.html" * >About SAML 2.0-based Federation</a> in the <i>IAM User Guide</i> * </p> * * @param sAMLMetadataDocument * An XML document generated by an identity provider (IdP) that * supports SAML 2.0. The document includes the issuer's name, * expiration information, and keys that can be used to validate the * SAML authentication response (assertions) that are received from * the IdP. You must generate the metadata document using the * identity management software that is used as your organization's * IdP.</p> * <p> * For more information, see <a href= * "http://docs.aws.amazon.com/IAM/latest/UserGuide/id_roles_providers_saml.html" * >About SAML 2.0-based Federation</a> in the <i>IAM User Guide</i> * @return Returns a reference to this object so that method calls can be * chained together. */ public CreateSAMLProviderRequest withSAMLMetadataDocument( String sAMLMetadataDocument) { setSAMLMetadataDocument(sAMLMetadataDocument); return this; } /** * <p> * The name of the provider to create. * </p> * <p> * The <a href="http://wikipedia.org/wiki/regex">regex pattern</a> for this * parameter is a string of characters consisting of upper and lowercase * alphanumeric characters with no spaces. You can also include any of the * following characters: =,.@- * </p> * * @param name * The name of the provider to create.</p> * <p> * The <a href="http://wikipedia.org/wiki/regex">regex pattern</a> * for this parameter is a string of characters consisting of upper * and lowercase alphanumeric characters with no spaces. You can also * include any of the following characters: =,.@- */ public void setName(String name) { this.name = name; } /** * <p> * The name of the provider to create. * </p> * <p> * The <a href="http://wikipedia.org/wiki/regex">regex pattern</a> for this * parameter is a string of characters consisting of upper and lowercase * alphanumeric characters with no spaces. You can also include any of the * following characters: =,.@- * </p> * * @return The name of the provider to create.</p> * <p> * The <a href="http://wikipedia.org/wiki/regex">regex pattern</a> * for this parameter is a string of characters consisting of upper * and lowercase alphanumeric characters with no spaces. You can * also include any of the following characters: =,.@- */ public String getName() { return this.name; } /** * <p> * The name of the provider to create. * </p> * <p> * The <a href="http://wikipedia.org/wiki/regex">regex pattern</a> for this * parameter is a string of characters consisting of upper and lowercase * alphanumeric characters with no spaces. You can also include any of the * following characters: =,.@- * </p> * * @param name * The name of the provider to create.</p> * <p> * The <a href="http://wikipedia.org/wiki/regex">regex pattern</a> * for this parameter is a string of characters consisting of upper * and lowercase alphanumeric characters with no spaces. You can also * include any of the following characters: =,.@- * @return Returns a reference to this object so that method calls can be * chained together. */ public CreateSAMLProviderRequest withName(String name) { setName(name); return this; } /** * Returns a string representation of this object; useful for testing and * debugging. * * @return A string representation of this object. * * @see java.lang.Object#toString() */ @Override public String toString() { StringBuilder sb = new StringBuilder(); sb.append("{"); if (getSAMLMetadataDocument() != null) sb.append("SAMLMetadataDocument: " + getSAMLMetadataDocument() + ","); if (getName() != null) sb.append("Name: " + getName()); sb.append("}"); return sb.toString(); } @Override public boolean equals(Object obj) { if (this == obj) return true; if (obj == null) return false; if (obj instanceof CreateSAMLProviderRequest == false) return false; CreateSAMLProviderRequest other = (CreateSAMLProviderRequest) obj; if (other.getSAMLMetadataDocument() == null ^ this.getSAMLMetadataDocument() == null) return false; if (other.getSAMLMetadataDocument() != null && other.getSAMLMetadataDocument().equals( this.getSAMLMetadataDocument()) == false) return false; if (other.getName() == null ^ this.getName() == null) return false; if (other.getName() != null && other.getName().equals(this.getName()) == false) return false; return true; } @Override public int hashCode() { final int prime = 31; int hashCode = 1; hashCode = prime * hashCode + ((getSAMLMetadataDocument() == null) ? 0 : getSAMLMetadataDocument().hashCode()); hashCode = prime * hashCode + ((getName() == null) ? 0 : getName().hashCode()); return hashCode; } @Override public CreateSAMLProviderRequest clone() { return (CreateSAMLProviderRequest) super.clone(); } }
{ "content_hash": "949d121b31e7a7c49ee2f7b48dc9a148", "timestamp": "", "source": "github", "line_count": 283, "max_line_length": 93, "avg_line_length": 38.85865724381625, "alnum_prop": 0.6112576157133763, "repo_name": "nterry/aws-sdk-java", "id": "c9949012a6f14ca37f626ba3525e2d2e4cc0e1a9", "size": "11584", "binary": false, "copies": "2", "ref": "refs/heads/master", "path": "aws-java-sdk-iam/src/main/java/com/amazonaws/services/identitymanagement/model/CreateSAMLProviderRequest.java", "mode": "33188", "license": "apache-2.0", "language": [ { "name": "FreeMarker", "bytes": "126417" }, { "name": "Java", "bytes": "113994954" }, { "name": "Scilab", "bytes": "3561" } ], "symlink_target": "" }
@implementation CCPBVOrderEntry static BOOL CCPBVOrderEntry_navigateToRequiredOnly_ = YES; static BOOL CCPBVOrderEntry_navigateToEmptyOnly_ = YES; static BOOL CCPBVOrderEntry_showRequiredOnly_; + (BOOL)navigateToRequiredOnly { return CCPBVOrderEntry_navigateToRequiredOnly_; } + (BOOL *)navigateToRequiredOnlyRef { return &CCPBVOrderEntry_navigateToRequiredOnly_; } + (BOOL)navigateToEmptyOnly { return CCPBVOrderEntry_navigateToEmptyOnly_; } + (BOOL *)navigateToEmptyOnlyRef { return &CCPBVOrderEntry_navigateToEmptyOnly_; } + (BOOL)showRequiredOnly { return CCPBVOrderEntry_showRequiredOnly_; } + (BOOL *)showRequiredOnlyRef { return &CCPBVOrderEntry_showRequiredOnly_; } - (id)init { if (self = [super init]) { yPosition_ = [[RAREUTMutableInteger alloc] initWithInt:0]; CCPBVOrderEntry_showRequiredOnly_ = [CCPBVOrders showRequiredFieldsOnlyDefault]; } return self; } - (void)onClearValueActionWithNSString:(NSString *)eventName withRAREiWidget:(id<RAREiWidget>)widget withJavaUtilEventObject:(JavaUtilEventObject *)event { [self resetValueWithBoolean:YES]; } - (void)onEventWithNSString:(NSString *)eventName withRAREiWidget:(id<RAREiWidget>)widget withJavaUtilEventObject:(JavaUtilEventObject *)event { } - (void)onFieldsTableActionWithNSString:(NSString *)eventName withRAREiWidget:(id<RAREiWidget>)widget withJavaUtilEventObject:(JavaUtilEventObject *)event { RARETableViewer *table = (RARETableViewer *) check_class_cast(widget, [RARETableViewer class]); RARERenderableDataItem *row = [((RARETableViewer *) nil_chk(table)) getSelectedItem]; [self updateEntryFormWithRAREiContainer:entryForm_ withRARERenderableDataItem:row]; id<RAREiWidget> nextField = [((id<RAREiContainer>) nil_chk(entryForm_)) getWidgetWithNSString:@"nextField"]; id<RAREiWidget> previousField = [entryForm_ getWidgetWithNSString:@"previousField"]; [((id<RAREiWidget>) nil_chk(nextField)) setEnabledWithBoolean:[self hasNextFieldWithRAREiContainer:entryForm_ withBoolean:CCPBVOrderEntry_navigateToRequiredOnly_ withBoolean:CCPBVOrderEntry_navigateToEmptyOnly_]]; [((id<RAREiWidget>) nil_chk(previousField)) setEnabledWithBoolean:[self hasPreviousFieldWithRAREiContainer:entryForm_ withBoolean:CCPBVOrderEntry_navigateToRequiredOnly_ withBoolean:CCPBVOrderEntry_navigateToEmptyOnly_]]; if (entryFormInWorkspace_) { [CCPBVOrderManager pushOrderEntryViewerWithRAREiViewer:entryForm_ withJavaLangRunnable:nil]; } } - (void)onFieldValueActionWithNSString:(NSString *)eventName withRAREiWidget:(id<RAREiWidget>)widget withJavaUtilEventObject:(JavaUtilEventObject *)event { [self onFieldValueChangedWithNSString:eventName withRAREiWidget:widget withJavaUtilEventObject:event]; [self moveToNextFieldWithRAREiContainer:entryForm_ withBoolean:CCPBVOrderEntry_navigateToRequiredOnly_ withBoolean:CCPBVOrderEntry_navigateToEmptyOnly_]; } - (void)onFieldValueChangedWithNSString:(NSString *)eventName withRAREiWidget:(id<RAREiWidget>)widget withJavaUtilEventObject:(JavaUtilEventObject *)event { [CCPBVFormsManager updateValueFromWidgetWithRAREiWidget:widget]; CCPBVFieldValue *fv = (CCPBVFieldValue *) check_class_cast([((id<RAREiWidget>) nil_chk(widget)) getLinkedData], [CCPBVFieldValue class]); [self updateFieldsTableWithRAREiContainer:[widget getFormViewer] withCCPBVFieldValue:fv]; } - (void)onFieldValueForDateChangedWithNSString:(NSString *)eventName withRAREiWidget:(id<RAREiWidget>)widget withJavaUtilEventObject:(JavaUtilEventObject *)event { id<RAREiContainer> c = [((id<RAREiWidget>) nil_chk(widget)) getFormViewer]; NSString *name = [widget getName]; JavaUtilDate *date = nil; BOOL updateChooser = YES; RAREDateChooserWidget *dc = nil; RARETextFieldWidget *valueField = nil; if ([((NSString *) nil_chk(name)) isEqual:@"now"]) { date = [[JavaUtilDate alloc] init]; } else if ([name isEqual:@"dateChooser"]) { updateChooser = NO; dc = (RAREDateChooserWidget *) check_class_cast(widget, [RAREDateChooserWidget class]); date = [dc getDate]; } else if ([name isEqual:@"valueField"]) { valueField = (RARETextFieldWidget *) check_class_cast(widget, [RARETextFieldWidget class]); NSString *s = [widget getValueAsString]; date = [CCPBVUtils parseDateWithNSString:s]; if ((date == nil) && ((s != nil) && ([s sequenceLength] > 0))) { [RAREUISoundHelper errorSound]; } } if (dc == nil) { dc = (RAREDateChooserWidget *) check_class_cast([((id<RAREiContainer>) nil_chk(c)) getWidgetWithNSString:@"dateChooser"], [RAREDateChooserWidget class]); } if (valueField == nil) { valueField = (RARETextFieldWidget *) check_class_cast([((id<RAREiContainer>) nil_chk(c)) getWidgetWithNSString:@"valueField"], [RARETextFieldWidget class]); } if (updateChooser) { [((RAREDateChooserWidget *) nil_chk(dc)) setDateWithJavaUtilDate:date]; } CCPBVFieldValue *fv = (CCPBVFieldValue *) check_class_cast([((id<RAREiContainer>) nil_chk(c)) getLinkedData], [CCPBVFieldValue class]); ((CCPBVFieldValue *) nil_chk(fv))->value_ = date; if ([CCPBVOrderFields getFieldTypeWithRAREUTJSONObject:fv->field_] == [CCPBVOrderFields_FieldTypeEnum DATE]) { fv->displayValue_ = [RAREFunctions convertDateWithId:date]; } else { fv->displayValue_ = [RAREFunctions convertDateTimeWithId:date]; } if (valueField != nil) { [valueField setTextWithJavaLangCharSequence:fv->displayValue_]; if (date == nil) { [valueField requestFocus]; } } [c setValueWithId:date]; [((RARERenderableDataItem *) check_class_cast(c, [RARERenderableDataItem class])) setToStringValueWithJavaLangCharSequence:fv->displayValue_]; [self updateFieldsTableWithRAREiContainer:[((id<RAREiContainer>) nil_chk([c getParent])) getFormViewer] withCCPBVFieldValue:fv]; } - (void)onFocusGainedWithNSString:(NSString *)eventName withRAREiWidget:(id<RAREiWidget>)widget withJavaUtilEventObject:(JavaUtilEventObject *)event { if (![((RAREFocusEvent *) check_class_cast(event, [RAREFocusEvent class])) isTemporary]) { id<RAREiWidget> mb = [self getMessageBoxWithRAREiWidget:widget]; if (mb != nil) { if ([mb getLinkedData] != widget) { CCPBVFieldValue *fv = (CCPBVFieldValue *) check_class_cast([((id<RAREiWidget>) nil_chk(widget)) getLinkedData], [CCPBVFieldValue class]); RAREUTJSONObject *field = ((fv == nil) ? nil : fv->field_); [mb setValueWithId:[field optStringWithNSString:[CCPBVOrderFields DESCRIPTION]]]; } [mb setLinkedDataWithId:nil]; } } } - (void)onFocusLostWithNSString:(NSString *)eventName withRAREiWidget:(id<RAREiWidget>)widget withJavaUtilEventObject:(JavaUtilEventObject *)event { if (![((RAREFocusEvent *) check_class_cast(event, [RAREFocusEvent class])) isTemporary]) { id<RAREiWidget> mb = [self getMessageBoxWithRAREiWidget:widget]; if (mb != nil) { [mb setValueWithId:@""]; } } } - (void)onListFieldFinishedLoadingWithNSString:(NSString *)eventName withRAREiWidget:(id<RAREiWidget>)widget withJavaUtilEventObject:(JavaUtilEventObject *)event { CCPBVFieldValue *fv = (CCPBVFieldValue *) check_class_cast([((id<RAREiWidget>) nil_chk(widget)) getLinkedData], [CCPBVFieldValue class]); if ((fv != nil) && (fv->value_ != nil)) { id<RAREiListHandler> list = (id<RAREiListHandler>) check_protocol_cast(widget, @protocol(RAREiListHandler)); int n = [RARERenderableDataItem findLinkedObjectIndexWithJavaUtilList:list withId:fv->value_]; if (n != -1) { [list setSelectedIndexWithInt:n]; [list scrollRowToVisibleWithInt:n]; } } } - (void)onNavigateToXOnlyActionWithNSString:(NSString *)eventName withRAREiWidget:(id<RAREiWidget>)widget withJavaUtilEventObject:(JavaUtilEventObject *)event { if ([((NSString *) nil_chk([((id<RAREiWidget>) nil_chk(widget)) getName])) isEqual:@"required"]) { CCPBVOrderEntry_navigateToRequiredOnly_ = [widget isSelected]; } else { CCPBVOrderEntry_navigateToEmptyOnly_ = [widget isSelected]; } [self updateNavigationButtons]; } - (void)onNextOrPreviousFieldWithNSString:(NSString *)eventName withRAREiWidget:(id<RAREiWidget>)widget withJavaUtilEventObject:(JavaUtilEventObject *)event { if ([((NSString *) nil_chk([((id<RAREiWidget>) nil_chk(widget)) getName])) isEqual:@"nextField"]) { [self moveToNextFieldWithRAREiContainer:[widget getFormViewer] withBoolean:CCPBVOrderEntry_navigateToRequiredOnly_ withBoolean:CCPBVOrderEntry_navigateToEmptyOnly_]; } else { [self moveToPreviousFieldWithRAREiContainer:[widget getFormViewer] withBoolean:CCPBVOrderEntry_navigateToRequiredOnly_ withBoolean:CCPBVOrderEntry_navigateToEmptyOnly_]; } } - (void)onOrderFieldsConfigureWithNSString:(NSString *)eventName withRAREiWidget:(id<RAREiWidget>)widget withJavaUtilEventObject:(JavaUtilEventObject *)event { id<RAREiContainer> c = (id<RAREiContainer>) check_protocol_cast(widget, @protocol(RAREiContainer)); fieldsTable_ = (RARETableViewer *) check_class_cast([((id<RAREiContainer>) nil_chk(c)) getWidgetWithNSString:@"fieldsTable"], [RARETableViewer class]); RARETableViewer *table = fieldsTable_; [table addAllWithJavaUtilCollection:[((CCPBVOrderFields *) nil_chk(((CCPBVOrder *) nil_chk(order_))->orderFields_)) createTableValuesWithCCPBVOrder:order_ withRAREUIFont:[((RAREUIFont *) nil_chk([((RARETableViewer *) nil_chk(table)) getFont])) deriveBold]]]; if (CCPBVOrderEntry_showRequiredOnly_) { char required = CCPBVOrders_REQUIRED_FLAG; [table filterWithRAREUTiFilter:[[CCPBVOrderEntry_$1 alloc] init]]; } [((id<RAREiWidget>) nil_chk([c getWidgetWithNSString:@"orderedItem"])) setValueWithId:[((RARERenderableDataItem *) nil_chk(order_->orderedItem_)) description]]; [((id<RAREiWidget>) nil_chk([c getWidgetWithNSString:@"showRequiredOnly"])) setSelectedWithBoolean:CCPBVOrderEntry_showRequiredOnly_]; if (CCPBVOrderEntry_showRequiredOnly_) { [((id<RAREiWidget>) nil_chk([c getWidgetWithNSString:@"showRequiredOnly"])) setForegroundWithRAREUIColor:[RAREUIColorHelper getColorWithNSString:@"oeClinicalPrompt"]]; } } - (void)onOrderFieldsShownWithNSString:(NSString *)eventName withRAREiWidget:(id<RAREiWidget>)widget withJavaUtilEventObject:(JavaUtilEventObject *)event { [self updateOrderButtons]; } - (void)onOrderFormConfigureWithNSString:(NSString *)eventName withRAREiWidget:(id<RAREiWidget>)widget withJavaUtilEventObject:(JavaUtilEventObject *)event { id<RAREiContainer> c = [((id<RAREiWidget>) nil_chk(widget)) getFormViewer]; entryForm_ = (id<RAREiContainer>) check_protocol_cast([((id<RAREiContainer>) nil_chk(c)) getWidgetWithNSString:@"orderValueEditor"], @protocol(RAREiContainer)); if (entryForm_ == nil) { entryFormInWorkspace_ = YES; @try { (void) [RAREViewerCreator createViewerWithRAREiWidget:c withRAREActionLink:[[RAREActionLink alloc] initWithNSString:@"/oe/order_value_editor.rml"] withRAREiFunctionCallback:[[CCPBVOrderEntry_$2 alloc] initWithCCPBVOrderEntry:self]]; } @catch (JavaNetMalformedURLException *e) { [CCPBVUtils handleErrorWithJavaLangThrowable:e]; } } else { entryFormInWorkspace_ = NO; [RAREPlatform invokeLaterWithJavaLangRunnable:[[CCPBVOrderEntry_$3 alloc] initWithCCPBVOrderEntry:self]]; } } - (void)onOrderFormCreatedWithNSString:(NSString *)eventName withRAREiWidget:(id<RAREiWidget>)widget withJavaUtilEventObject:(JavaUtilEventObject *)event { order_ = [CCPBVOrderManager getOrderBeingEdited]; wasComplete_ = [((CCPBVOrder *) nil_chk(order_)) isComplete]; entryFormInWorkspace_ = NO; [((RAREUTMutableInteger *) nil_chk(yPosition_)) setWithInt:0]; } - (void)onOrderFormDisposeWithNSString:(NSString *)eventName withRAREiWidget:(id<RAREiWidget>)widget withJavaUtilEventObject:(JavaUtilEventObject *)event { id<RAREiContainer> ef = entryForm_; entryForm_ = nil; fieldsTable_ = nil; if ((ef != nil) && ![ef isAutoDispose]) { [ef dispose]; } } - (void)onOrderValueEditorConfigureWithNSString:(NSString *)eventName withRAREiWidget:(id<RAREiWidget>)widget withJavaUtilEventObject:(JavaUtilEventObject *)event { id<RAREiContainer> navigateTo = (id<RAREiContainer>) check_protocol_cast([((id<RAREiFormViewer>) nil_chk([((id<RAREiWidget>) nil_chk(widget)) getFormViewer])) getWidgetWithNSString:@"navigateTo"], @protocol(RAREiContainer)); [((id<RAREiWidget>) nil_chk([((id<RAREiContainer>) nil_chk(navigateTo)) getWidgetWithNSString:@"required"])) setSelectedWithBoolean:CCPBVOrderEntry_navigateToRequiredOnly_]; [((id<RAREiWidget>) nil_chk([navigateTo getWidgetWithNSString:@"empty"])) setSelectedWithBoolean:CCPBVOrderEntry_navigateToEmptyOnly_]; } - (void)onOrderValueEditorLoadWithNSString:(NSString *)eventName withRAREiWidget:(id<RAREiWidget>)widget withJavaUtilEventObject:(JavaUtilEventObject *)event { if (entryFormInWorkspace_) { RAREWidgetPaneViewer *pane = (RAREWidgetPaneViewer *) check_class_cast([((id<RAREiFormViewer>) nil_chk([((id<RAREiWidget>) nil_chk(widget)) getFormViewer])) getWidgetWithNSString:@"valuePane"], [RAREWidgetPaneViewer class]); id<RAREiWidget> w = [((RAREWidgetPaneViewer *) nil_chk(pane)) getWidget]; if (w != nil) { [w requestFocus]; } } } - (void)onResetToDefaultActionWithNSString:(NSString *)eventName withRAREiWidget:(id<RAREiWidget>)widget withJavaUtilEventObject:(JavaUtilEventObject *)event { [self resetValueWithBoolean:NO]; } - (void)onShowRequiredOnlyActionWithNSString:(NSString *)eventName withRAREiWidget:(id<RAREiWidget>)widget withJavaUtilEventObject:(JavaUtilEventObject *)event { char required = CCPBVOrders_REQUIRED_FLAG; RARETableViewer *table = fieldsTable_; CCPBVOrderEntry_showRequiredOnly_ = [((id<RAREiWidget>) nil_chk(widget)) isSelected]; RAREUIColor *fg = CCPBVOrderEntry_showRequiredOnly_ ? [RAREUIColorHelper getColorWithNSString:@"oeClinicalPrompt"] : [RAREUIColorHelper getForeground]; [widget setForegroundWithRAREUIColor:fg]; if (CCPBVOrderEntry_showRequiredOnly_) { [((RARETableViewer *) nil_chk(table)) filterWithRAREUTiFilter:[[CCPBVOrderEntry_$4 alloc] init]]; } else { [((RARETableViewer *) nil_chk(table)) unfilter]; } } - (void)onTogglingItemSelectedWithNSString:(NSString *)eventName withRAREiWidget:(id<RAREiWidget>)widget withJavaUtilEventObject:(JavaUtilEventObject *)event { [CCPBVFormsManager handleTogglingItemSelectedWithRAREiWidget:widget]; } - (BOOL)updateEntryFormWithRAREiContainer:(id<RAREiContainer>)entryForm withRARERenderableDataItem:(RARERenderableDataItem *)row { RAREWidgetPaneViewer *pane = (RAREWidgetPaneViewer *) check_class_cast([((id<RAREiContainer>) nil_chk(entryForm)) getWidgetWithNSString:@"valuePane"], [RAREWidgetPaneViewer class]); id<RAREiWidget> widget = [((RAREWidgetPaneViewer *) nil_chk(pane)) removeWidget]; if (widget != nil) { if (([(id) widget isKindOfClass:[RAREaTextFieldWidget class]]) && ![widget isValidForSubmissionWithBoolean:YES]) { [self reselectTableRowWithRAREiContainer:entryForm withCCPBVFieldValue:(CCPBVFieldValue *) check_class_cast([widget getLinkedData], [CCPBVFieldValue class])]; [widget requestFocus]; return NO; } [CCPBVFormsManager updateValueFromWidgetWithRAREiWidget:widget]; [self updateFieldsTableWithRAREiContainer:entryForm withCCPBVFieldValue:(CCPBVFieldValue *) check_class_cast([widget getLinkedData], [CCPBVFieldValue class])]; [widget dispose]; } CCPBVFieldValue *fv = (CCPBVFieldValue *) check_class_cast([((RARERenderableDataItem *) nil_chk(row)) getLinkedData], [CCPBVFieldValue class]); [((RAREUTMutableInteger *) nil_chk(yPosition_)) setWithInt:0]; [pane setLinkedDataWithId:row]; widget = [CCPBVFormsManager addWidgetWithRAREiContainer:pane withCCPBVFieldValue:fv withRAREWindowViewer:[RAREPlatform getWindowViewer] withBoolean:NO withBoolean:NO withBoolean:NO withRAREUTMutableInteger:yPosition_ withBoolean:NO withJavaUtilArrayList:nil]; [((id<RAREiWidget>) nil_chk([entryForm getWidgetWithNSString:@"prompt"])) setValueWithId:[NSString stringWithFormat:@"%@:", [((RAREUTJSONObject *) nil_chk(((CCPBVFieldValue *) nil_chk(fv))->field_)) optStringWithNSString:[CCPBVOrderFields PROMPT]]]]; if (!([(id) widget conformsToProtocol: @protocol(RAREiListHandler)])) { [((id<RAREiWidget>) nil_chk(widget)) selectAll]; } [((id<RAREiWidget>) nil_chk(widget)) requestFocus]; return YES; } - (void)updateFieldsTableWithRAREiContainer:(id<RAREiContainer>)entryForm withCCPBVFieldValue:(CCPBVFieldValue *)fv { RARETableViewer *table = fieldsTable_; if (table != nil) { int i = [table indexOfLinkedDataWithId:fv]; if (i != -1) { RARERenderableDataItem *row = [table getWithInt:i]; [((RARERenderableDataItem *) nil_chk([((RARERenderableDataItem *) nil_chk(row)) getWithInt:1])) setValueWithId:fv]; [table rowChangedWithInt:i]; } [((CCPBVOrder *) nil_chk(order_)) setDirtyWithBoolean:YES]; [self updateOrderButtons]; } } - (BOOL)hasNextFieldWithRAREiContainer:(id<RAREiContainer>)entryForm withBoolean:(BOOL)requiredValueOnly withBoolean:(BOOL)emptyValueOnly { RARETableViewer *table = fieldsTable_; int n = [((RARETableViewer *) nil_chk(table)) getSelectedIndex]; int len = [table size]; char required = CCPBVOrders_REQUIRED_FLAG; for (int i = n + 1; i < len; i++) { RARERenderableDataItem *row = [table getWithInt:i]; if (!requiredValueOnly || ([((RARERenderableDataItem *) nil_chk(row)) getUserStateFlags] & required) != 0) { if (emptyValueOnly) { CCPBVFieldValue *fv = (CCPBVFieldValue *) check_class_cast([((RARERenderableDataItem *) nil_chk(row)) getLinkedData], [CCPBVFieldValue class]); if (((CCPBVFieldValue *) nil_chk(fv))->value_ != nil) { continue; } return YES; } else { return YES; } } } return NO; } - (BOOL)hasPreviousFieldWithRAREiContainer:(id<RAREiContainer>)entryForm withBoolean:(BOOL)requiredValueOnly withBoolean:(BOOL)emptyValueOnly { RARETableViewer *table = fieldsTable_; int n = [((RARETableViewer *) nil_chk(table)) getSelectedIndex]; char required = CCPBVOrders_REQUIRED_FLAG; for (int i = n - 1; i >= 0; i--) { RARERenderableDataItem *row = [table getWithInt:i]; if (!requiredValueOnly || ([((RARERenderableDataItem *) nil_chk(row)) getUserStateFlags] & required) != 0) { if (emptyValueOnly) { CCPBVFieldValue *fv = (CCPBVFieldValue *) check_class_cast([((RARERenderableDataItem *) nil_chk(row)) getLinkedData], [CCPBVFieldValue class]); if (((CCPBVFieldValue *) nil_chk(fv))->value_ != nil) { continue; } return YES; } else { return YES; } } } return NO; } - (BOOL)isComplete { RARETableViewer *table = fieldsTable_; int len = [((RARETableViewer *) nil_chk(table)) size]; char required = CCPBVOrders_REQUIRED_FLAG; for (int i = 0; i < len; i++) { RARERenderableDataItem *row = [table getWithInt:i]; if (([((RARERenderableDataItem *) nil_chk(row)) getUserStateFlags] & required) != 0) { CCPBVFieldValue *fv = (CCPBVFieldValue *) check_class_cast([row getLinkedData], [CCPBVFieldValue class]); if (((CCPBVFieldValue *) nil_chk(fv))->value_ == nil) { return NO; } } } return YES; } - (void)moveToNextFieldWithRAREiContainer:(id<RAREiContainer>)entryForm withBoolean:(BOOL)requiredValueOnly withBoolean:(BOOL)emptyValueOnly { RARETableViewer *table = fieldsTable_; int n = [((RARETableViewer *) nil_chk(table)) getSelectedIndex]; int len = [table size]; char required = CCPBVOrders_REQUIRED_FLAG; RARERenderableDataItem *nextRow = nil; int index = -1; for (int i = n + 1; i < len; i++) { RARERenderableDataItem *row = [table getWithInt:i]; if (!requiredValueOnly || ([((RARERenderableDataItem *) nil_chk(row)) getUserStateFlags] & required) != 0) { if (emptyValueOnly) { CCPBVFieldValue *fv = (CCPBVFieldValue *) check_class_cast([((RARERenderableDataItem *) nil_chk(row)) getLinkedData], [CCPBVFieldValue class]); if (((CCPBVFieldValue *) nil_chk(fv))->value_ != nil) { continue; } } index = i; nextRow = row; break; } } if (nextRow != nil) { [table setSelectedIndexWithInt:index]; [table scrollRowToVisibleWithInt:index]; if ([((id<RAREiContainer>) nil_chk(entryForm)) isAttached]) { [self updateEntryFormWithRAREiContainer:entryForm withRARERenderableDataItem:nextRow]; } } if ([((id<RAREiContainer>) nil_chk(entryForm)) isAttached]) { [self updateNavigationButtons]; } } - (void)moveToPreviousFieldWithRAREiContainer:(id<RAREiContainer>)entryForm withBoolean:(BOOL)requiredValueOnly withBoolean:(BOOL)emptyValueOnly { RARETableViewer *table = fieldsTable_; int n = [((RARETableViewer *) nil_chk(table)) getSelectedIndex]; char required = CCPBVOrders_REQUIRED_FLAG; RARERenderableDataItem *prevRow = nil; int index = -1; for (int i = n - 1; i >= 0; i--) { RARERenderableDataItem *row = [table getWithInt:i]; if (!requiredValueOnly || ([((RARERenderableDataItem *) nil_chk(row)) getUserStateFlags] & required) != 0) { if (emptyValueOnly) { CCPBVFieldValue *fv = (CCPBVFieldValue *) check_class_cast([((RARERenderableDataItem *) nil_chk(row)) getLinkedData], [CCPBVFieldValue class]); if (((CCPBVFieldValue *) nil_chk(fv))->value_ != nil) { continue; } } prevRow = row; index = i; break; } } if (prevRow != nil) { [table setSelectedIndexWithInt:index]; [table scrollRowToVisibleWithInt:index]; [self updateEntryFormWithRAREiContainer:entryForm withRARERenderableDataItem:prevRow]; } [self updateNavigationButtons]; } - (void)reselectTableRowWithRAREiContainer:(id<RAREiContainer>)entryForm withCCPBVFieldValue:(CCPBVFieldValue *)fv { RARETableViewer *table = fieldsTable_; if (table != nil) { int i = [table indexOfLinkedDataWithId:fv]; if (i != -1) { [table setSelectedIndexWithInt:i]; } } } - (void)resetValueWithBoolean:(BOOL)clear { RAREWidgetPaneViewer *pane = (RAREWidgetPaneViewer *) check_class_cast([((id<RAREiContainer>) nil_chk(entryForm_)) getWidgetWithNSString:@"valuePane"], [RAREWidgetPaneViewer class]); id<RAREiWidget> fw = [((RAREWidgetPaneViewer *) nil_chk(pane)) getWidget]; CCPBVFieldValue *fv = (CCPBVFieldValue *) check_class_cast([((id<RAREiWidget>) nil_chk(fw)) getLinkedData], [CCPBVFieldValue class]); if (clear) { [((CCPBVFieldValue *) nil_chk(fv)) clear]; } else { [((CCPBVFieldValue *) nil_chk(fv)) reset]; } [CCPBVFormsManager updateWidgetFromValueWithRAREiWidget:fw withCCPBVFieldValue:fv]; [self updateFieldsTableWithRAREiContainer:entryForm_ withCCPBVFieldValue:fv]; } - (id<RAREiWidget>)getMessageBoxWithRAREiWidget:(id<RAREiWidget>)widget { id<RAREiContainer> c = [((id<RAREiWidget>) nil_chk(widget)) getParent]; while ((c != nil) && ![((NSString *) nil_chk([c getName])) isEqual:@"formFields"]) { c = [((id<RAREiContainer>) nil_chk(c)) getParent]; } if (c != nil) { c = [c getParent]; } return (c == nil) ? nil : [c getWidgetWithNSString:@"messageBox"]; } - (void)updateNavigationButtons { id<RAREiWidget> nextField = [((id<RAREiContainer>) nil_chk(entryForm_)) getWidgetWithNSString:@"nextField"]; id<RAREiWidget> previousField = [entryForm_ getWidgetWithNSString:@"previousField"]; [((id<RAREiWidget>) nil_chk(nextField)) setEnabledWithBoolean:[self hasNextFieldWithRAREiContainer:entryForm_ withBoolean:CCPBVOrderEntry_navigateToRequiredOnly_ withBoolean:CCPBVOrderEntry_navigateToEmptyOnly_]]; [((id<RAREiWidget>) nil_chk(previousField)) setEnabledWithBoolean:[self hasPreviousFieldWithRAREiContainer:entryForm_ withBoolean:CCPBVOrderEntry_navigateToRequiredOnly_ withBoolean:CCPBVOrderEntry_navigateToEmptyOnly_]]; } - (void)updateOrderButtons { id<RAREiContainer> c = (id<RAREiContainer>) check_protocol_cast([((id<RAREiFormViewer>) nil_chk([((RARETableViewer *) nil_chk(fieldsTable_)) getFormViewer])) getWidgetWithNSString:@"buttonPanel"], @protocol(RAREiContainer)); RAREPushButtonWidget *pb = (RAREPushButtonWidget *) check_class_cast([((id<RAREiContainer>) nil_chk(c)) getWidgetWithNSString:@"yesButton"], [RAREPushButtonWidget class]); BOOL complete = [self isComplete]; [((CCPBVOrder *) nil_chk(order_)) setCompleteWithBoolean:complete]; [((RAREPushButtonWidget *) nil_chk(pb)) setForegroundWithRAREUIColor:[RAREUIColorHelper getColorWithNSString:complete ? @"orderCompleteColor" : @"orderIncompleteColor"]]; [pb update]; if (complete && !wasComplete_ && entryForm_ != nil && [entryForm_ isAttached]) { wasComplete_ = YES; NSString *text = [RAREPlatform getResourceAsStringWithNSString:@"bv.oe.text.order_complete"]; [RAREUINotifier showMessageWithNSString:text withInt:500 withRAREUINotifier_LocationEnum:[RAREUINotifier_LocationEnum CENTER] withRAREiPlatformIcon:nil withJavaLangRunnable:[[CCPBVOrderEntry_$5 alloc] initWithCCPBVOrderEntry:self]]; } } - (void)copyAllFieldsTo:(CCPBVOrderEntry *)other { [super copyAllFieldsTo:other]; other->entryForm_ = entryForm_; other->entryFormInWorkspace_ = entryFormInWorkspace_; other->fieldsTable_ = fieldsTable_; other->order_ = order_; other->wasComplete_ = wasComplete_; other->yPosition_ = yPosition_; } + (J2ObjcClassInfo *)__metadata { static J2ObjcMethodInfo methods[] = { { "updateEntryFormWithRAREiContainer:withRARERenderableDataItem:", NULL, "Z", 0x1, NULL }, { "hasNextFieldWithRAREiContainer:withBoolean:withBoolean:", NULL, "Z", 0x4, NULL }, { "hasPreviousFieldWithRAREiContainer:withBoolean:withBoolean:", NULL, "Z", 0x4, NULL }, { "isComplete", NULL, "Z", 0x4, NULL }, { "moveToNextFieldWithRAREiContainer:withBoolean:withBoolean:", NULL, "V", 0x4, NULL }, { "moveToPreviousFieldWithRAREiContainer:withBoolean:withBoolean:", NULL, "V", 0x4, NULL }, { "reselectTableRowWithRAREiContainer:withCCPBVFieldValue:", NULL, "V", 0x4, NULL }, { "resetValueWithBoolean:", NULL, "V", 0x4, NULL }, { "getMessageBoxWithRAREiWidget:", NULL, "LRAREiWidget", 0x2, NULL }, { "updateNavigationButtons", NULL, "V", 0x2, NULL }, { "updateOrderButtons", NULL, "V", 0x2, NULL }, }; static J2ObjcFieldInfo fields[] = { { "navigateToRequiredOnly_", NULL, 0x8, "Z" }, { "navigateToEmptyOnly_", NULL, 0x8, "Z" }, { "showRequiredOnly_", NULL, 0x8, "Z" }, { "yPosition_", NULL, 0x0, "LRAREUTMutableInteger" }, { "fieldsTable_", NULL, 0x0, "LRARETableViewer" }, { "entryForm_", NULL, 0x0, "LRAREiContainer" }, { "order_", NULL, 0x0, "LCCPBVOrder" }, { "entryFormInWorkspace_", NULL, 0x0, "Z" }, { "wasComplete_", NULL, 0x0, "Z" }, }; static J2ObjcClassInfo _CCPBVOrderEntry = { "OrderEntry", "com.sparseware.bellavista.oe", NULL, 0x1, 11, methods, 9, fields, 0, NULL}; return &_CCPBVOrderEntry; } @end @implementation CCPBVOrderEntry_$1 - (BOOL)passesWithId:(id)value withRAREUTiStringConverter:(id<RAREUTiStringConverter>)converter { return ([((RARERenderableDataItem *) check_class_cast(value, [RARERenderableDataItem class])) getUserStateFlags] & 64) != 0; } - (id)init { return [super init]; } + (J2ObjcClassInfo *)__metadata { static J2ObjcMethodInfo methods[] = { { "passesWithId:withRAREUTiStringConverter:", NULL, "Z", 0x1, NULL }, }; static J2ObjcClassInfo _CCPBVOrderEntry_$1 = { "$1", "com.sparseware.bellavista.oe", "OrderEntry", 0x8000, 1, methods, 0, NULL, 0, NULL}; return &_CCPBVOrderEntry_$1; } @end @implementation CCPBVOrderEntry_$2 - (void)finishedWithBoolean:(BOOL)canceled withId:(id)returnValue { if ([returnValue isKindOfClass:[JavaLangThrowable class]]) { [CCPBVUtils handleErrorWithJavaLangThrowable:(JavaLangThrowable *) check_class_cast(returnValue, [JavaLangThrowable class])]; return; } this$0_->entryForm_ = (id<RAREiContainer>) check_protocol_cast(returnValue, @protocol(RAREiContainer)); [((id<RAREiContainer>) nil_chk(this$0_->entryForm_)) setAutoDisposeWithBoolean:NO]; [this$0_ moveToNextFieldWithRAREiContainer:this$0_->entryForm_ withBoolean:YES withBoolean:YES]; } - (id)initWithCCPBVOrderEntry:(CCPBVOrderEntry *)outer$ { this$0_ = outer$; return [super init]; } + (J2ObjcClassInfo *)__metadata { static J2ObjcFieldInfo fields[] = { { "this$0_", NULL, 0x1012, "LCCPBVOrderEntry" }, }; static J2ObjcClassInfo _CCPBVOrderEntry_$2 = { "$2", "com.sparseware.bellavista.oe", "OrderEntry", 0x8000, 0, NULL, 1, fields, 0, NULL}; return &_CCPBVOrderEntry_$2; } @end @implementation CCPBVOrderEntry_$3 - (void)run { [this$0_ moveToNextFieldWithRAREiContainer:this$0_->entryForm_ withBoolean:YES withBoolean:YES]; } - (id)initWithCCPBVOrderEntry:(CCPBVOrderEntry *)outer$ { this$0_ = outer$; return [super init]; } + (J2ObjcClassInfo *)__metadata { static J2ObjcFieldInfo fields[] = { { "this$0_", NULL, 0x1012, "LCCPBVOrderEntry" }, }; static J2ObjcClassInfo _CCPBVOrderEntry_$3 = { "$3", "com.sparseware.bellavista.oe", "OrderEntry", 0x8000, 0, NULL, 1, fields, 0, NULL}; return &_CCPBVOrderEntry_$3; } @end @implementation CCPBVOrderEntry_$4 - (BOOL)passesWithId:(id)value withRAREUTiStringConverter:(id<RAREUTiStringConverter>)converter { return ([((RARERenderableDataItem *) check_class_cast(value, [RARERenderableDataItem class])) getUserStateFlags] & 64) != 0; } - (id)init { return [super init]; } + (J2ObjcClassInfo *)__metadata { static J2ObjcMethodInfo methods[] = { { "passesWithId:withRAREUTiStringConverter:", NULL, "Z", 0x1, NULL }, }; static J2ObjcClassInfo _CCPBVOrderEntry_$4 = { "$4", "com.sparseware.bellavista.oe", "OrderEntry", 0x8000, 1, methods, 0, NULL, 0, NULL}; return &_CCPBVOrderEntry_$4; } @end @implementation CCPBVOrderEntry_$5 - (void)run { if (this$0_->entryFormInWorkspace_ && (this$0_->entryForm_ != nil) && [this$0_->entryForm_ isAttached]) { [CCPBVUtils popViewerStack]; } } - (id)initWithCCPBVOrderEntry:(CCPBVOrderEntry *)outer$ { this$0_ = outer$; return [super init]; } + (J2ObjcClassInfo *)__metadata { static J2ObjcFieldInfo fields[] = { { "this$0_", NULL, 0x1012, "LCCPBVOrderEntry" }, }; static J2ObjcClassInfo _CCPBVOrderEntry_$5 = { "$5", "com.sparseware.bellavista.oe", "OrderEntry", 0x8000, 0, NULL, 1, fields, 0, NULL}; return &_CCPBVOrderEntry_$5; } @end
{ "content_hash": "8c6a053bbf564caec9f8faaee075755d", "timestamp": "", "source": "github", "line_count": 685, "max_line_length": 261, "avg_line_length": 46.04525547445255, "alnum_prop": 0.7018483878126882, "repo_name": "sparseware/ccp-bellavista", "id": "7f480de207a6102274a61e46ae8a4a46573cf6bc", "size": "33543", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "BellaVista-ios/BellaVista/BellaVista/transpiled/com/sparseware/bellavista/oe/OrderEntry.m", "mode": "33188", "license": "apache-2.0", "language": [ { "name": "CSS", "bytes": "1924" }, { "name": "HTML", "bytes": "158269" }, { "name": "Java", "bytes": "808364" }, { "name": "Objective-C", "bytes": "1593842" } ], "symlink_target": "" }
<h1><a href="../cli/npm-ls.html">npm-ls</a></h1> <p>List installed packages</p> <h2 id="synopsis">SYNOPSIS</h2> <pre><code>npm list [[@&lt;scope&gt;/]&lt;pkg&gt; ...] npm ls [[@&lt;scope&gt;/]&lt;pkg&gt; ...] npm la [[@&lt;scope&gt;/]&lt;pkg&gt; ...] npm ll [[@&lt;scope&gt;/]&lt;pkg&gt; ...] </code></pre><h2 id="description">DESCRIPTION</h2> <p>This command will print to stdout all the versions of packages that are installed, as well as their dependencies, in a tree-structure.</p> <p>Positional arguments are <code>name@version-range</code> identifiers, which will limit the results to only the paths to the packages named. Note that nested packages will <em>also</em> show the paths to the specified packages. For example, running <code>npm ls promzard</code> in npm&#39;s source tree will show:</p> <pre><code>[email protected] /path/to/npm └─┬ [email protected] └── [email protected] </code></pre><p>It will print out extraneous, missing, and invalid packages.</p> <p>If a project specifies git urls for dependencies these are shown in parentheses after the name@version to make it easier for users to recognize potential forks of a project.</p> <p>When run as <code>ll</code> or <code>la</code>, it shows extended information by default.</p> <h2 id="configuration">CONFIGURATION</h2> <h3 id="json">json</h3> <ul> <li>Default: false</li> <li>Type: Boolean</li> </ul> <p>Show information in JSON format.</p> <h3 id="long">long</h3> <ul> <li>Default: false</li> <li>Type: Boolean</li> </ul> <p>Show extended information.</p> <h3 id="parseable">parseable</h3> <ul> <li>Default: false</li> <li>Type: Boolean</li> </ul> <p>Show parseable output instead of tree view.</p> <h3 id="global">global</h3> <ul> <li>Default: false</li> <li>Type: Boolean</li> </ul> <p>List packages in the global install prefix instead of in the current project.</p> <h3 id="depth">depth</h3> <ul> <li>Type: Int</li> </ul> <p>Max display depth of the dependency tree.</p> <h3 id="prod-production">prod / production</h3> <ul> <li>Type: Boolean</li> <li>Default: false</li> </ul> <p>Display only the dependency tree for packages in <code>dependencies</code>.</p> <h3 id="dev">dev</h3> <ul> <li>Type: Boolean</li> <li>Default: false</li> </ul> <p>Display only the dependency tree for packages in <code>devDependencies</code>.</p> <h2 id="see-also">SEE ALSO</h2> <ul> <li><a href="../cli/npm-config.html">npm-config(1)</a></li> <li><a href="../misc/npm-config.html">npm-config(7)</a></li> <li><a href="../files/npmrc.html">npmrc(5)</a></li> <li><a href="../files/npm-folders.html">npm-folders(5)</a></li> <li><a href="../cli/npm-install.html">npm-install(1)</a></li> <li><a href="../cli/npm-link.html">npm-link(1)</a></li> <li><a href="../cli/npm-prune.html">npm-prune(1)</a></li> <li><a href="../cli/npm-outdated.html">npm-outdated(1)</a></li> <li><a href="../cli/npm-update.html">npm-update(1)</a></li> </ul>
{ "content_hash": "2f1b05fb193d54c10ca46cd5a20fe886", "timestamp": "", "source": "github", "line_count": 77, "max_line_length": 96, "avg_line_length": 37.467532467532465, "alnum_prop": 0.6724436741767764, "repo_name": "socialenemy/angular-laravel", "id": "448aae4d11bd41a588c1fc0040f7d8180bc087a1", "size": "2897", "binary": false, "copies": "4", "ref": "refs/heads/master", "path": "node_modules/laravel-elixir/node_modules/npm/html/partial/doc/cli/npm-ls.html", "mode": "33261", "license": "mit", "language": [ { "name": "ApacheConf", "bytes": "936" }, { "name": "CSS", "bytes": "131395" }, { "name": "JavaScript", "bytes": "2934867" }, { "name": "PHP", "bytes": "88229" } ], "symlink_target": "" }
%%% RenderToolbox3 Copyright (c) 2012-2013 The RenderToolbox3 Team. %%% About Us://github.com/DavidBrainard/RenderToolbox3/wiki/About-Us %%% RenderToolbox3 is released under the MIT License. See LICENSE.txt. % % Fill in generic objects with default properties, if needed. % @param objects % % @details % Add default properties to generic mappings objects, as needed to make % them complete. @a objects must be a struct array of mappings % objects as returned from MappingsToObjects() or % GenericObjectsToMitsuba(). % % @details % Used internally by MakeSceneFiles(). % % @details % Usage: % objects = SupplementGenericObjects(objects) % % @ingroup Mappings function objects = SupplementGenericObjects(objects) % fill in properties for each object, by type for ii = 1:numel(objects) % pull out one object to modify obj = objects(ii); switch obj.class case 'material' switch obj.subclass case 'matte' obj = FillInObjectProperty(obj, 'diffuseReflectance', 'spectrum', '300:0.5 800:0.5'); case 'anisoward' obj = FillInObjectProperty(obj, 'diffuseReflectance', 'spectrum', '300:0.5 800:0.5'); obj = FillInObjectProperty(obj, 'specularReflectance', 'spectrum', '300:0.5 800:0.5'); obj = FillInObjectProperty(obj, 'alphaU', 'float', '0.1'); obj = FillInObjectProperty(obj, 'alphaV', 'float', '0.1'); case 'metal' dataPath = fullfile(RenderToolboxRoot(), 'RenderData', 'PBRTMetals'); eta = fullfile(dataPath, 'Cu.eta.spd'); k = fullfile(dataPath, 'Cu.k.spd'); obj = FillInObjectProperty(obj, 'eta', 'spectrum', eta); obj = FillInObjectProperty(obj, 'k', 'spectrum', k); obj = FillInObjectProperty(obj, 'roughness', 'float', '0.4'); case 'bumpmap' obj = FillInObjectProperty(obj, 'materialID', 'string', ''); obj = FillInObjectProperty(obj, 'textureID', 'string', ''); obj = FillInObjectProperty(obj, 'scale', 'float', '1.0'); end case 'light' switch obj.subclass case {'point', 'directional', 'spot', 'area'} obj = FillInObjectProperty(obj, 'intensity', 'spectrum', '300:1.0 800:1.0'); end case {'floatTexture', 'spectrumTexture'} switch obj.subclass case 'bitmap' obj = FillInObjectProperty(obj, 'filename', 'string', ''); obj = FillInObjectProperty(obj, 'wrapMode', 'string', 'repeat'); obj = FillInObjectProperty(obj, 'gamma', 'float', '1'); obj = FillInObjectProperty(obj, 'filterMode', 'string', 'ewa'); obj = FillInObjectProperty(obj, 'maxAnisotropy', 'float', '20'); obj = FillInObjectProperty(obj, 'offsetU', 'float', '0.0'); obj = FillInObjectProperty(obj, 'offsetV', 'float', '0.0'); obj = FillInObjectProperty(obj, 'scaleU', 'float', '1.0'); obj = FillInObjectProperty(obj, 'scaleV', 'float', '1.0'); case 'checkerboard' obj = FillInObjectProperty(obj, 'checksPerU', 'float', '2'); obj = FillInObjectProperty(obj, 'checksPerV', 'float', '2'); obj = FillInObjectProperty(obj, 'offsetU', 'float', '0'); obj = FillInObjectProperty(obj, 'offsetV', 'float', '0'); if strcmp('floatTexture', obj.subclass) obj = FillInObjectProperty(obj, 'oddColor', 'float', '0'); obj = FillInObjectProperty(obj, 'evenColor', 'float', '1'); else obj = FillInObjectProperty(obj, 'oddColor', 'spectrum', '300:0 800:0'); obj = FillInObjectProperty(obj, 'evenColor', 'spectrum', '300:1 800:1'); end end end % save the modified object objects(ii) = obj; end
{ "content_hash": "5ab6bec7a085f5dcdb1e6bb9b1e203e9", "timestamp": "", "source": "github", "line_count": 88, "max_line_length": 106, "avg_line_length": 48.27272727272727, "alnum_prop": 0.5440207156308852, "repo_name": "tlian7/RenderToolbox3", "id": "949132bb41677dead1cd78248d8d1d67d99149ae", "size": "4248", "binary": false, "copies": "2", "ref": "refs/heads/master", "path": "BatchRenderer/Mappings/SupplementGenericObjects.m", "mode": "33188", "license": "mit", "language": [ { "name": "C++", "bytes": "7832" }, { "name": "Matlab", "bytes": "549238" }, { "name": "Python", "bytes": "32125" }, { "name": "Shell", "bytes": "28422" } ], "symlink_target": "" }
package de.dieploegers.groupcal.handlers; import java.sql.Connection; import java.sql.DriverManager; import java.sql.ResultSet; import java.sql.SQLException; import java.sql.Statement; import java.util.Map; import com.zimbra.common.localconfig.LC; import com.zimbra.common.service.ServiceException; import com.zimbra.common.soap.Element; import com.zimbra.soap.DocumentHandler; import com.zimbra.soap.ZimbraSoapContext; /** * Zimbra Group Calender extension - Get available timespan * * Returns the available timespan, that is available in the groupcal cache * database. * * <GetTimespanRequest xmlns="urn:groupCal" /> * * <GetTimespanRespone> * <start>{start time in seconds since the epoch}</start> * <end>{end time in seconds since the epoch}</end> * </GetTimespanRespone> * * @author Dennis Plöger <[email protected]> */ public class GetTimespan extends DocumentHandler { /** * Handle the request * @param request The request * @param context The soap context * @return The response * @throws ServiceException */ public Element handle(Element request, Map<String, Object> context) throws ServiceException { // Create response ZimbraSoapContext zsc = getZimbraSoapContext(context); Element response = zsc.createElement( "GetTimespanResponse" ); // Get database information from local config String jdbcUrl = LC.get("groupcal_jdbc_url"); String jdbcDriver = LC.get("groupcal_jdbc_driver"); String jdbcUser = LC.get("groupcal_jdbc_user"); String jdbcPassword = LC.get("groupcal_jdbc_password"); try { // Add driver Class.forName(jdbcDriver); Connection connect = DriverManager.getConnection( jdbcUrl, jdbcUser, jdbcPassword ); // Query timespan Statement statement = connect.createStatement(); String query = "select min(START_TIMESTAMP) as START," + " max(END_TIMESTAMP) as END" + " from APPTCACHE"; ResultSet results = statement.executeQuery(query); while (results.next()) { String startTime = results.getString("START"); String endTime = results.getString("END"); if (startTime == null || endTime == null) { throw ServiceException.NOT_FOUND("No data available."); } Element elStart = response.addUniqueElement("start"); Element elEnd = response.addUniqueElement("end"); elStart.setText(startTime); elEnd.setText(endTime); } } catch (SQLException e) { throw ServiceException.FAILURE("Error speaking to database.", e); } catch (ClassNotFoundException e) { throw ServiceException.FAILURE("Database-Driver not found.", e); } return response; } }
{ "content_hash": "e9e721ed0df32e8e17c42063f3649080", "timestamp": "", "source": "github", "line_count": 112, "max_line_length": 77, "avg_line_length": 29.392857142857142, "alnum_prop": 0.5732077764277035, "repo_name": "dploeger/zimbra.de_dieploegers_groupcal", "id": "80fdb8162768c41299c2ecddd28a1331576158dd", "size": "3293", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "serverextension/src/de/dieploegers/groupcal/handlers/GetTimespan.java", "mode": "33188", "license": "mit", "language": [ { "name": "CSS", "bytes": "194" }, { "name": "Java", "bytes": "15210" }, { "name": "JavaScript", "bytes": "34105" }, { "name": "Python", "bytes": "13570" } ], "symlink_target": "" }
require('../../../modules/es.array.copy-within'); module.exports = require('../../../internals/entry-virtual')('Array').copyWithin;
{ "content_hash": "8c4c46c97bfaa11561df9094fe5dd990", "timestamp": "", "source": "github", "line_count": 3, "max_line_length": 81, "avg_line_length": 44.333333333333336, "alnum_prop": 0.6541353383458647, "repo_name": "PolymerLabs/arcs-live", "id": "5ee4e32469d7e70dd988de299b3e7ffffe132daa", "size": "133", "binary": false, "copies": "4", "ref": "refs/heads/master", "path": "concrete-storage/node_modules/core-js/es/array/virtual/copy-within.js", "mode": "33188", "license": "bsd-3-clause", "language": [ { "name": "Batchfile", "bytes": "42" }, { "name": "C++", "bytes": "2523" }, { "name": "CSS", "bytes": "91310" }, { "name": "CoffeeScript", "bytes": "3272" }, { "name": "HTML", "bytes": "1280188" }, { "name": "JavaScript", "bytes": "6704824" }, { "name": "Kotlin", "bytes": "55841" }, { "name": "Makefile", "bytes": "89" }, { "name": "PHP", "bytes": "3338" }, { "name": "Shell", "bytes": "2391" }, { "name": "Starlark", "bytes": "7650" }, { "name": "TypeScript", "bytes": "178144" } ], "symlink_target": "" }
/** * This view shows the header in the layout. */ girder.views.LayoutHeaderView = girder.View.extend({ events: { 'click .g-app-title': function () { girder.router.navigate('', {trigger: true}); } }, initialize: function () { this.userView = new girder.views.LayoutHeaderUserView({ parentView: this }); this.searchWidget = new girder.views.SearchFieldWidget({ placeholder: 'Quick search...', types: ['item', 'folder', 'group', 'collection', 'user'], parentView: this }).on('g:resultClicked', function (result) { this.searchWidget.resetState(); girder.router.navigate(result.type + '/' + result.id, { trigger: true }); }, this); }, render: function () { this.$el.html(girder.templates.layoutHeader()); this.userView.setElement(this.$('.g-current-user-wrapper')).render(); this.searchWidget.setElement(this.$('.g-quick-search-container')).render(); } });
{ "content_hash": "79fe2399c4e4f458bae63053eba5ad61", "timestamp": "", "source": "github", "line_count": 34, "max_line_length": 83, "avg_line_length": 31.61764705882353, "alnum_prop": 0.5562790697674419, "repo_name": "chrismattmann/girder", "id": "0c47d865192a1b90b554a71b4aac717977ddc219", "size": "1075", "binary": false, "copies": "5", "ref": "refs/heads/master", "path": "clients/web/src/views/layout/HeaderView.js", "mode": "33188", "license": "apache-2.0", "language": [ { "name": "CMake", "bytes": "36635" }, { "name": "CSS", "bytes": "156740" }, { "name": "HTML", "bytes": "161646" }, { "name": "JavaScript", "bytes": "1358011" }, { "name": "Mako", "bytes": "1483" }, { "name": "Python", "bytes": "1202964" }, { "name": "Ruby", "bytes": "9923" }, { "name": "Shell", "bytes": "3298" } ], "symlink_target": "" }
<html> <head> <meta http-equiv="Content-Type" content="text/html; charset=US-ASCII"> <title>buffer (26 of 28 overloads)</title> <link rel="stylesheet" href="../../../../../doc/src/boostbook.css" type="text/css"> <meta name="generator" content="DocBook XSL Stylesheets V1.78.1"> <link rel="home" href="../../../boost_asio.html" title="Boost.Asio"> <link rel="up" href="../buffer.html" title="buffer"> <link rel="prev" href="overload25.html" title="buffer (25 of 28 overloads)"> <link rel="next" href="overload27.html" title="buffer (27 of 28 overloads)"> </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="overload25.html"><img src="../../../../../doc/src/images/prev.png" alt="Prev"></a><a accesskey="u" href="../buffer.html"><img src="../../../../../doc/src/images/up.png" alt="Up"></a><a accesskey="h" href="../../../boost_asio.html"><img src="../../../../../doc/src/images/home.png" alt="Home"></a><a accesskey="n" href="overload27.html"><img src="../../../../../doc/src/images/next.png" alt="Next"></a> </div> <div class="section"> <div class="titlepage"><div><div><h4 class="title"> <a name="boost_asio.reference.buffer.overload26"></a><a class="link" href="overload26.html" title="buffer (26 of 28 overloads)">buffer (26 of 28 overloads)</a> </h4></div></div></div> <p> Create a new non-modifiable buffer that represents the given POD vector. </p> <pre class="programlisting"><span class="keyword">template</span><span class="special">&lt;</span> <span class="keyword">typename</span> <span class="identifier">PodType</span><span class="special">,</span> <span class="keyword">typename</span> <span class="identifier">Allocator</span><span class="special">&gt;</span> <span class="identifier">const_buffers_1</span> <span class="identifier">buffer</span><span class="special">(</span> <span class="keyword">const</span> <span class="identifier">std</span><span class="special">::</span><span class="identifier">vector</span><span class="special">&lt;</span> <span class="identifier">PodType</span><span class="special">,</span> <span class="identifier">Allocator</span> <span class="special">&gt;</span> <span class="special">&amp;</span> <span class="identifier">data</span><span class="special">,</span> <span class="identifier">std</span><span class="special">::</span><span class="identifier">size_t</span> <span class="identifier">max_size_in_bytes</span><span class="special">);</span> </pre> <h6> <a name="boost_asio.reference.buffer.overload26.h0"></a> <span class="phrase"><a name="boost_asio.reference.buffer.overload26.return_value"></a></span><a class="link" href="overload26.html#boost_asio.reference.buffer.overload26.return_value">Return Value</a> </h6> <p> A <a class="link" href="../const_buffers_1.html" title="const_buffers_1"><code class="computeroutput"><span class="identifier">const_buffers_1</span></code></a> value equivalent to: </p> <pre class="programlisting"><span class="identifier">const_buffers_1</span><span class="special">(</span> <span class="identifier">data</span><span class="special">.</span><span class="identifier">size</span><span class="special">()</span> <span class="special">?</span> <span class="special">&amp;</span><span class="identifier">data</span><span class="special">[</span><span class="number">0</span><span class="special">]</span> <span class="special">:</span> <span class="number">0</span><span class="special">,</span> <span class="identifier">min</span><span class="special">(</span><span class="identifier">data</span><span class="special">.</span><span class="identifier">size</span><span class="special">()</span> <span class="special">*</span> <span class="keyword">sizeof</span><span class="special">(</span><span class="identifier">PodType</span><span class="special">),</span> <span class="identifier">max_size_in_bytes</span><span class="special">));</span> </pre> <h6> <a name="boost_asio.reference.buffer.overload26.h1"></a> <span class="phrase"><a name="boost_asio.reference.buffer.overload26.remarks"></a></span><a class="link" href="overload26.html#boost_asio.reference.buffer.overload26.remarks">Remarks</a> </h6> <p> The buffer is invalidated by any vector operation that would also invalidate iterators. </p> </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 &#169; 2003-2013 Christopher M. Kohlhoff<p> Distributed under the Boost Software License, Version 1.0. (See accompanying file LICENSE_1_0.txt or 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="overload25.html"><img src="../../../../../doc/src/images/prev.png" alt="Prev"></a><a accesskey="u" href="../buffer.html"><img src="../../../../../doc/src/images/up.png" alt="Up"></a><a accesskey="h" href="../../../boost_asio.html"><img src="../../../../../doc/src/images/home.png" alt="Home"></a><a accesskey="n" href="overload27.html"><img src="../../../../../doc/src/images/next.png" alt="Next"></a> </div> </body> </html>
{ "content_hash": "963474ee76311db160c4c9ee017fedcd", "timestamp": "", "source": "github", "line_count": 74, "max_line_length": 451, "avg_line_length": 80.36486486486487, "alnum_prop": 0.6520934925172356, "repo_name": "NixaSoftware/CVis", "id": "2acd089474210cbb822cebc5ee1c3ea2b1969e37", "size": "5947", "binary": false, "copies": "7", "ref": "refs/heads/master", "path": "venv/bin/doc/html/boost_asio/reference/buffer/overload26.html", "mode": "33261", "license": "apache-2.0", "language": [ { "name": "Assembly", "bytes": "160965" }, { "name": "Batchfile", "bytes": "45451" }, { "name": "C", "bytes": "4818355" }, { "name": "C#", "bytes": "40804" }, { "name": "C++", "bytes": "145737889" }, { "name": "CMake", "bytes": "53495" }, { "name": "CSS", "bytes": "287550" }, { "name": "CWeb", "bytes": "174166" }, { "name": "Cuda", "bytes": "26749" }, { "name": "Fortran", "bytes": "9668" }, { "name": "HTML", "bytes": "155266453" }, { "name": "IDL", "bytes": "14" }, { "name": "JavaScript", "bytes": "225380" }, { "name": "Lex", "bytes": "1231" }, { "name": "M4", "bytes": "29689" }, { "name": "Makefile", "bytes": "1560105" }, { "name": "Max", "bytes": "36857" }, { "name": "Objective-C", "bytes": "4303" }, { "name": "Objective-C++", "bytes": "218" }, { "name": "PHP", "bytes": "59030" }, { "name": "Perl", "bytes": "23580" }, { "name": "Perl 6", "bytes": "7975" }, { "name": "Python", "bytes": "28662237" }, { "name": "QML", "bytes": "593" }, { "name": "Rebol", "bytes": "354" }, { "name": "Roff", "bytes": "8039" }, { "name": "Shell", "bytes": "376471" }, { "name": "Smarty", "bytes": "2045" }, { "name": "Tcl", "bytes": "1172" }, { "name": "TeX", "bytes": "13404" }, { "name": "XSLT", "bytes": "746813" }, { "name": "Yacc", "bytes": "18910" } ], "symlink_target": "" }
<!-- HBSIGNORE --> <div class="modal" tabindex="-1" role="dialog"> <div class="modal-dialog modal-lg"> <div class="modal-content"> <div class="modal-header"> <button type="button" class="close" ng-click="$hide()">&times;</button> <h4 class="modal-title">Charte de confidentialité</h4> </div> <div class="modal-body"> <p> <strong> CHARTE RELATIVE A LA PROTECTION<br> DES DONNEES A CARACTERE PERSONNEL DES UTILISATEURS </strong> </p> <br> <p> <strong> 1. Définition et nature des données à caractère personnel </strong> </p> <br> <p> Lors de votre utilisation de l'application mobile Shopmycourses, téléchargeable sur Android et IOS (ci-après : l’« <strong>Application</strong> ») et/ou du site www.shopmycourses.fr (ci-après : le « <strong>Site</strong> »), nous pouvons être amenés à vous demander de nous communiquer des données à caractère personnel vous concernant. </p> <br> <p> Le terme « <strong>données à caractère personnel</strong> » désigne toutes les données qui permettent d’identifier un individu, ce qui correspond notamment à vos nom, prénoms, adresse de courrier électronique, adresse de livraison, numéro de téléphone, données relatives à vos transactions sur l’Application ou sur le Site, détails de vos commandes, numéros de carte bancaire, ainsi qu’à tout autre renseignement que vous choisirez de nous communiquer à votre sujet. </p> <br> <p> <strong> 2. Objet de la présente charte </strong> </p> <br> <p> La présente charte a pour objet de vous informer sur les moyens que nous mettons en œuvre pour collecter vos données à caractère personnel, dans le respect le plus strict de vos droits. </p> <br> <p> Nous vous indiquons à ce sujet que nous nous conformons, dans la collecte et la gestion de vos données à caractère personnel, à la loi n° 78-17 du 6 janvier 1978 relative à l'informatique, aux fichiers et aux libertés, dans sa version actuelle modifiée. </p> <br> <p> <strong> 3. Identité du responsable de la collecte de données </strong> </p> <br> <p> Le responsable de la collecte de vos données à caractère personnel est la société Shopmycourses, société par actions simplifiée immatriculée au RCS de Paris sous le n° 818 818 890, dont le siège social est situé 10 rue de Penthièvre – 75 008 Paris (dénommée dans le cadre des présentes : « <strong>Nous</strong> »). </p> <br> <p> Téléphone : 06 32 75 74 01<br> Adresse électronique : [email protected] </p> <br> <p> <strong> 4. Collecte des données à caractère personnel </strong> </p> <br> <p> Vos données à caractère personnel sont collectées pour répondre à une ou plusieurs des finalités suivantes : </p> <br> <ul> <li> <p> (i) Gérer votre accès à certains services accessibles sur l’Application et sur le Site et leur utilisation, </p> </li> <li> <p> (ii) Effectuer les opérations relatives à la gestion des clients concernant les contrats, commandes, livraisons, factures, programmes de fidélité, suivis de la relation avec les clients, </p> </li> <li> <p> (iii) Constituer un fichier de membres inscrits, d’utilisateurs, de clients et prospects, </p> </li> <li> <p> (iv) Adresser des newsletters, sollicitations et messages promotionnels. Dans le cas où vous ne le souhaiteriez pas, nous vous donnons la faculté d’exprimer votre refus à ce sujet lors de la collecte de vos données ; </p> </li> <li> <p> (v) Élaborer des statistiques commerciales et de fréquentation de nos services, </p> </li> <li> <p> (vi) Organiser des jeux concours, loteries et toutes opérations promotionnelles à l’exclusion des jeux d’argent et de hasard en ligne soumis à l’agrément de l’Autorité de Régulation des Jeux en ligne, </p> </li> <li> <p> (vii) Gérer la gestion des avis des personnes sur des services ou contenus, </p> </li> <li> <p> (viii) Gérer les impayés et les contentieux éventuels quant à l’utilisation de nos services, </p> </li> <li> <p> (ix) Respecter nos obligations légales et réglementaires. </p> </li> </ul> <br> <p> Nous vous informons, lors de la collecte de vos données personnelles, si certaines données doivent être obligatoirement renseignées ou si elles sont facultatives. Nous vous indiquons également quelles sont les conséquences éventuelles d’un défaut de réponse. </p> <br> <p> <strong> 5. Destinataires des données collectées </strong> </p> <br> <p> Seul le personnel de notre société, les services chargés du contrôle (commissaire aux comptes notamment), nos sous-traitants auront accès à vos données à caractère personnel et notamment nos livreurs qui auront accès à vos données d’identification suivantes : nom, prénoms, adresse de livraison, numéros de téléphone, détails de vos commandes. </p> <br> <p> Peuvent également être destinataires de vos données à caractère personnel les organismes publics, exclusivement pour répondre à nos obligations légales, les auxiliaires de justice, les officiers ministériels et les organismes chargés d’effectuer le recouvrement de créances. </p> <br> <p> <strong> 6. Cession des données à caractère personnel </strong> </p> <br> <p> Vos données à caractère personnel ne feront pas l’objet de cessions, locations ou échanges au bénéfice de tiers. </p> <br> <p> <strong> 7. Durée de conservation des données à caractère personnel </strong> </p> <br> <p> <ul> <li> <p> (i) Concernant les données relatives à la gestion de clients et prospects : </p> <p> Vos données à caractère personnel ne seront pas conservées au-delà de la durée strictement nécessaire à la gestion de notre relation commerciale avec vous. Toutefois, les données permettant d’établir la preuve d’un droit ou d’un contrat, devant être conservées au titre du respect d’une obligation légale, le seront pendant la durée prévue par la loi en vigueur. </p> <p> Concernant d’éventuelles opérations de prospection à destination des clients, leurs données pourront être conservées pendant un délai de trois (3) ans à compter de la fin de la relation commerciale. </p> <p> Les données à caractère personnel relatives à un prospect, non client, pourront être conservées pendant un délai de trois (3) ans à compter de leur collecte ou du dernier contact émanant du prospect. </p> <p> Au terme de ce délai de trois (3) ans, nous pourrons reprendre contact avec vous pour savoir si vous souhaitez continuer à recevoir des sollicitations commerciales. </p> </li> <br> <li> <p> (ii) Concernant les pièces d’identité : </p> <p> En cas d’exercice du droit d’accès ou de rectification, les données relatives aux pièces d’identité pourront être conservées pendant le délai prévu à l’article 9 du Code de procédure pénale, soit un (1) an. En cas d’exercice du droit d’opposition, ces données peuvent être archivées pendant le délai de prescription prévu par l’article 8 du Code de procédure pénale, soit trois (3) ans. </p> </li> <br> <li> <p> (iii) Concernant les données relatives aux cartes bancaires : </p> <p> Les transactions financières relatives au paiement des achats et des frais via l’Application, sont confiées à un prestataire de services de paiement qui en assure le bon déroulement et la sécurité. </p> <p> Pour les besoins des services, ce prestataire de services de paiement peut être amené à être destinataire de vos données à caractère personnel relatives à vos numéros de cartes bancaires, qu’il recueille et conserve en notre nom et pour notre compte. </p> <p> Nous n’avons pas accès à ces données. </p> <p> Pour vous permettre de réaliser régulièrement des achats ou de régler les frais afférents sur l’Application, vos données relatives à vos cartes bancaires sont conservées pendant le temps de votre inscription sur l’Application et, à tout le moins, jusqu’au moment où vous réalisez votre dernière transaction. </p> <p> En ayant coché sur l’Application la case expressément prévue à cet effet, vous nous donnez votre consentement exprès pour cette conservation. </p> <p> Les données relatives au cryptogramme visuel ou CVV2, inscrit sur votre carte bancaire, ne sont pas stockées. </p> <p> Si vous refusez que vos données à caractère personnel relatives à vos numéros de cartes bancaires soient conservées dans les conditions précisées ci-dessus, nous ne conserverons pas ces données au-delà du temps nécessaire pour permettre la réalisation de la transaction. </p> <p> En tout état de cause, les données relatives à celles-ci pourront être conservées, pour une finalité de preuve en cas d’éventuelle contestation de la transaction, en archives intermédiaires, pour la durée prévue par l’article L 133-24 du Code monétaire et financier, en l’occurrence treize (13) mois suivant la date de débit. Ce délai peut être étendu à quinze (15) mois afin de prendre en compte la possibilité d’utilisation des cartes de paiement à débit différé. </p> </li> <br> <li> <p> (iv) Concernant la gestion des listes d’opposition à recevoir de la prospection : </p> <p> Les informations permettant de prendre en compte votre droit d’opposition sont conservées au minimum trois (3) ans à compter de l’exercice du droit d’opposition. </p> </li> <br> <li> <p> (v) Concernant les statistiques de mesure d’audience : </p> <p> Les informations stockées dans le terminal des utilisateurs ou tout autre élément utilisé pour identifier les utilisateurs et permettant leur traçabilité ou fréquentation ne seront pas conservées au-delà de six (6) mois. </p> </li> </ul> </p> <br> <p> <strong> 8. Sécurité </strong> </p> <br> <p> Nous vous informons prendre toutes précautions utiles, mesures organisationnelles et techniques appropriées pour préserver la sécurité, l’intégrité et la confidentialité de vos données à caractère personnel et notamment, empêcher qu’elles soient déformées, endommagées ou que des tiers non autorisés y aient accès. </p> <p> Nous recourrons également à des systèmes de paiement sécurisé conformes à l’état de l’art et à la réglementation applicable. </p> <br> <p> <strong> 9. Cookies </strong> </p> <br> <p> Les cookies sont des fichiers textes, souvent cryptés, stockés dans votre navigateur. Ils sont créés lorsque le navigateur d’un utilisateur charge un site internet donné : le site envoie des informations au navigateur, qui créé alors un fichier texte. Chaque fois que l’utilisateur revient sur le même site, le navigateur récupère ce fichier et l’envoie au serveur du site internet. </p> <br> <p> On peut distinguer deux types de cookies, qui n’ont pas les mêmes finalités : les cookies techniques et les cookies publicitaires : </p> <br> <p> <ul> <li> <p> Les cookies techniques sont utilisés tout au long de votre navigation, afin de la faciliter et d’exécuter certaines fonctions. Un cookie technique peut par exemple être utilisé pour mémoriser les réponses renseignées dans un formulaire ou encore les préférences de l’utilisateur s’agissant de la langue ou de la présentation d’un site internet, lorsque de telles options sont disponibles. </p> </li> <li> <p> Les cookies publicitaires peuvent être créés non seulement par le site internet sur lequel l’utilisateur navigue, mais également par d’autres sites internet diffusant des publicités, annonces, widgets ou autres éléments sur la page affichée. Ces cookies peuvent notamment être utilisés pour effectuer de la publicité ciblée, c’est-à-dire de la publicité déterminée en fonction de la navigation de l’utilisateur. </p> </li> </ul> </p> <br> <p> Nous utilisons des cookies techniques. Ceux-ci sont stockés dans votre navigateur pour une période de 30 jours. </p> <br> <p> Nous n’utilisons pas de cookies publicitaires. Toutefois, si nous devions en utiliser à l’avenir, nous vous en informerions au préalable et vous auriez la possibilité le cas échéant de désactiver ces cookies. </p> <br> <p> Nous vous rappelons à toutes fins utiles qu’il vous est possible de vous opposer au dépôt de cookies en configurant votre navigateur. Un tel refus pourrait toutefois empêcher le bon fonctionnement du Site. </p> <br> <p> <strong> 10. Consentement </strong> </p> <br> <p> Lorsque vous choisissez de communiquer vos données à caractère personnel, vous donnez expressément votre consentement pour la collecte et l’utilisation de celles-ci conformément à ce qui est énoncé à la présente charte et à la législation en vigueur. </p> <br> <p> <strong> 11. Accès à vos données à caractère personnel </strong> </p> <br> <p> Conformément à la loi n° 78-17 du 6 janvier 1978 relative à l'informatique, aux fichiers et aux libertés, vous disposez du droit d’obtenir la communication et, le cas échéant, la rectification ou la suppression des données vous concernant. </p> <br> <p> Vous pouvez vous adresser à : </p> <br> <p> <ul> <li> <p> adresse de courrier électronique : [email protected] </p> </li> <li> <p> adresse de courrier postal : Shopmycourses, 10 rue de Penthièvre 75008 Paris </p> </li> </ul> </p> <br> <p> Il est rappelé que toute personne peut, pour des motifs légitimes, s'opposer au traitement des données la concernant. </p> <br> <p> <strong> 12. Modifications </strong> </p> <br> <p> Nous nous réservons le droit, à notre seule discrétion, de modifier à tout moment la présente charte, en totalité ou en partie. Ces modifications entreront en vigueur à compter de la publication de la nouvelle charte. Votre utilisation de l’Application et/ou du Site suite à l’entrée en vigueur de ces modifications vaudra reconnaissance et acceptation de la nouvelle charte. A défaut et si cette nouvelle charte ne vous convient pas, vous ne devrez plus accéder à l’Application ou au Site. </p> <br> <p> <strong> 13. Entrée en vigueur </strong> </p> <br> <p> La présente charte est entrée en vigueur le 18/07/2016. </p> </div> <div class="modal-footer"> <button type="button" class="btn btn-default" ng-click="$hide()">Retour</button> </div> </div> </div> </div> </div>
{ "content_hash": "4af0bebcc65f01917c89b64cc243b3d4", "timestamp": "", "source": "github", "line_count": 402, "max_line_length": 178, "avg_line_length": 46.01243781094527, "alnum_prop": 0.5633345947991566, "repo_name": "javimosch/bastack", "id": "938a7d1f096122210ca77ccfeb5330190ec323f5", "size": "19064", "binary": false, "copies": "2", "ref": "refs/heads/master", "path": "src/client/smc/static/templates/Privacy.html", "mode": "33188", "license": "apache-2.0", "language": [ { "name": "CSS", "bytes": "447406" }, { "name": "HTML", "bytes": "1485993" }, { "name": "JavaScript", "bytes": "5521211" }, { "name": "Shell", "bytes": "1417" } ], "symlink_target": "" }
source ./shared.functions.sh START_DIR=$PWD WORK_DIR=$START_DIR/../../../../../../.macosbuild mkdir -p $WORK_DIR WORK_DIR=$(abspath "$WORK_DIR") source ./mac.05.libvcx.env.sh cd ../../../.. export ORIGINAL_PATH=$PATH #export ORIGINAL_PKG_CONFIG_PATH=$PKG_CONFIG_PATH # Commenting because we don't want to compile cargo everytime # cargo clean cargo install export OPENSSL_DIR_DARWIN=$OPENSSL_DIR # KS: Commenting it out because we want to debug only on armv7 based device/simulator # export PATH=$WORK_DIR/NDK/arm/bin:$ORIGINAL_PATH # export OPENSSL_DIR=$WORK_DIR/openssl_for_ios_and_android/output/android/openssl-armeabi # export ANDROID_SODIUM_LIB=$WORK_DIR/libzmq-android/libsodium/libsodium_arm/lib # export ANDROID_ZMQ_LIB=$WORK_DIR/libzmq-android/zmq/libzmq_arm/lib # export LIBINDY_DIR=$WORK_DIR/vcx-indy-sdk/libindy/target/arm-linux-androideabi/release # cargo build --target arm-linux-androideabi --release --verbose # export PATH=$WORK_DIR/NDK/arm/bin:$ORIGINAL_PATH # export OPENSSL_DIR=$WORK_DIR/openssl_for_ios_and_android/output/android/openssl-armeabi-v7a # export ANDROID_SODIUM_LIB=$WORK_DIR/libzmq-android/libsodium/libsodium_armv7/lib # export ANDROID_ZMQ_LIB=$WORK_DIR/libzmq-android/zmq/libzmq_armv7/lib # export LIBINDY_DIR=$WORK_DIR/vcx-indy-sdk/libindy/target/armv7-linux-androideabi/debug # cargo build --target armv7-linux-androideabi # export PATH=$WORK_DIR/NDK/arm64/bin:$ORIGINAL_PATH # export OPENSSL_DIR=$WORK_DIR/openssl_for_ios_and_android/output/android/openssl-arm64-v8a # export ANDROID_SODIUM_LIB=$WORK_DIR/libzmq-android/libsodium/libsodium_arm64/lib # export ANDROID_ZMQ_LIB=$WORK_DIR/libzmq-android/zmq/libzmq_arm64/lib # export LIBINDY_DIR=$WORK_DIR/vcx-indy-sdk/libindy/target/aarch64-linux-android/release # cargo build --target aarch64-linux-android --release --verbose # export PATH=$WORK_DIR/NDK/x86/bin:$ORIGINAL_PATH # export OPENSSL_DIR=$WORK_DIR/openssl_for_ios_and_android/output/android/openssl-x86 # export ANDROID_SODIUM_LIB=$WORK_DIR/libzmq-android/libsodium/libsodium_x86/lib # export ANDROID_ZMQ_LIB=$WORK_DIR/libzmq-android/zmq/libzmq_x86/lib # export LIBINDY_DIR=$WORK_DIR/vcx-indy-sdk/libindy/target/i686-linux-android/debug # cargo build --target i686-linux-android export PATH=$WORK_DIR/NDK/x86_64/bin:$ORIGINAL_PATH export OPENSSL_DIR=$WORK_DIR/openssl_for_ios_and_android/output/android/openssl-x86_64 export ANDROID_SODIUM_LIB=$WORK_DIR/libzmq-android/libsodium/libsodium_x86_64/lib export ANDROID_ZMQ_LIB=$WORK_DIR/libzmq-android/zmq/libzmq_x86_64/lib export LIBINDY_DIR=$WORK_DIR/vcx-indy-sdk/libindy/target/x86_64-linux-android/release # export LIBINDY_DIR=$WORK_DIR/vcx-indy-sdk/libindy/target/x86_64-linux-android/debug cargo build --target x86_64-linux-android # This builds the library for code that runs in OSX # ln -sf $WORK_DIR/vcx-indy-sdk/libindy/target/x86_64-apple-darwin/debug/libindy.dylib /usr/local/lib/libindy.dylib export PATH=$ORIGINAL_PATH export OPENSSL_DIR=$OPENSSL_DIR_DARWIN unset ANDROID_SODIUM_LIB unset ANDROID_ZMQ_LIB unset LIBINDY_DIR # cargo build --target x86_64-apple-darwin --release --verbose #cargo test #export PKG_CONFIG_PATH=$ORIGINAL_PKG_CONFIG_PATH # To build for macos #cargo build #export LIBINDY_DIR=/usr/local/lib #export RUST_BACKTRACE=1 # To build for iOS #LIBINDY_DIR=/usr/local/lib RUST_BACKTRACE=1 cargo lipo --release #cargo lipo --release --verbose --targets="aarch64-apple-ios,armv7-apple-ios,armv7s-apple-ios,i386-apple-ios,x86_64-apple-ios" #LIBINDY_DIR=/usr/local/lib RUST_BACKTRACE=1 cargo lipo #LIBINDY_DIR=/usr/local/lib cargo test
{ "content_hash": "bffd1eaec39ae4e970a324002a00faef", "timestamp": "", "source": "github", "line_count": 88, "max_line_length": 126, "avg_line_length": 40.70454545454545, "alnum_prop": 0.7763819095477387, "repo_name": "anastasia-tarasova/indy-sdk", "id": "647db920d7e4a15d3640572e67c59cc6ee60389d", "size": "3593", "binary": false, "copies": "4", "ref": "refs/heads/master", "path": "vcx/libvcx/build_scripts/android/mac/debug/mac.06.x86_64.libvcx.build.sh", "mode": "33261", "license": "apache-2.0", "language": [ { "name": "C", "bytes": "207870" }, { "name": "C#", "bytes": "842011" }, { "name": "C++", "bytes": "229233" }, { "name": "CSS", "bytes": "137079" }, { "name": "Dockerfile", "bytes": "23945" }, { "name": "Groovy", "bytes": "102863" }, { "name": "HTML", "bytes": "897750" }, { "name": "Java", "bytes": "882162" }, { "name": "JavaScript", "bytes": "185247" }, { "name": "Makefile", "bytes": "328" }, { "name": "Objective-C", "bytes": "584121" }, { "name": "Objective-C++", "bytes": "706749" }, { "name": "Perl", "bytes": "8271" }, { "name": "Python", "bytes": "750776" }, { "name": "Ruby", "bytes": "80525" }, { "name": "Rust", "bytes": "5872898" }, { "name": "Shell", "bytes": "251160" }, { "name": "Swift", "bytes": "1114" }, { "name": "TypeScript", "bytes": "197439" } ], "symlink_target": "" }
package org.kuali.rice.kew.api.document; import javax.xml.bind.annotation.XmlEnum; import javax.xml.bind.annotation.XmlEnumValue; import javax.xml.bind.annotation.XmlRootElement; import javax.xml.bind.annotation.XmlType; import org.kuali.rice.core.api.mo.common.Coded; import java.util.EnumSet; /** * An enumeration representing valid workflow document statuses. * * @author Kuali Rice Team ([email protected]) * */ @XmlRootElement(name = "documentStatus") @XmlType(name = "DocumentStatusType") @XmlEnum public enum DocumentStatus implements Coded { @XmlEnumValue("I") INITIATED("I", DocumentStatusCategory.PENDING), @XmlEnumValue("S") SAVED("S", DocumentStatusCategory.PENDING), @XmlEnumValue("R") ENROUTE("R", DocumentStatusCategory.PENDING), @XmlEnumValue("E") EXCEPTION("E", DocumentStatusCategory.PENDING), @XmlEnumValue("P") PROCESSED("P", DocumentStatusCategory.SUCCESSFUL), @XmlEnumValue("F") FINAL("F", DocumentStatusCategory.SUCCESSFUL), @XmlEnumValue("X") CANCELED("X", DocumentStatusCategory.UNSUCCESSFUL), @XmlEnumValue("D") DISAPPROVED("D", DocumentStatusCategory.UNSUCCESSFUL), /** * When invoked, RECALL & CANCEL action will perform the RECALL and set the route status of the document to the new, terminal status of RECALLED * @since 2.1 */ @XmlEnumValue("L") RECALLED("L", DocumentStatusCategory.UNSUCCESSFUL); private final String code; private final DocumentStatusCategory category; private DocumentStatus(String code, DocumentStatusCategory category) { this.code = code; this.category = category; } @Override public String getCode() { return code; } public DocumentStatusCategory getCategory() { return category; } public String getLabel() { return name(); } public static DocumentStatus fromCode(String code) { if (code == null) { return null; } for (DocumentStatus status : values()) { if (status.code.equals(code)) { return status; } } throw new IllegalArgumentException("Failed to locate the DocumentStatus with the given code: " + code); } public static EnumSet<DocumentStatus> getStatusesForCategory(DocumentStatusCategory category) { if (category == null) { throw new IllegalArgumentException("category was null"); } EnumSet<DocumentStatus> categoryStatuses = EnumSet.noneOf(DocumentStatus.class); for (DocumentStatus status : values()) { if (status.category == category) { categoryStatuses.add(status); } } return categoryStatuses; } }
{ "content_hash": "1f11d287576888a02b9fa4c2194792cf", "timestamp": "", "source": "github", "line_count": 84, "max_line_length": 148, "avg_line_length": 30.523809523809526, "alnum_prop": 0.719188767550702, "repo_name": "mztaylor/rice-git", "id": "3a56f2a594b692eeece037348b28bb01364bf00a", "size": "3185", "binary": false, "copies": "8", "ref": "refs/heads/master", "path": "rice-middleware/kew/api/src/main/java/org/kuali/rice/kew/api/document/DocumentStatus.java", "mode": "33188", "license": "apache-2.0", "language": [ { "name": "CSS", "bytes": "795267" }, { "name": "Groovy", "bytes": "2170621" }, { "name": "Java", "bytes": "34571234" }, { "name": "JavaScript", "bytes": "2652150" }, { "name": "PHP", "bytes": "15766" }, { "name": "Shell", "bytes": "10444" }, { "name": "XSLT", "bytes": "107686" } ], "symlink_target": "" }
using static System.Console; using System; public class Program { public static void Main() { WriteLine(TimeZoneInfo.ConvertTime(DateTime.Now, TimeZoneInfo.FindSystemTimeZoneById("E. South America Standard Time"))); WriteLine("{0} - ", TimeZoneInfo.Local); WriteLine("{0} - ", TimeZoneInfo.Utc); foreach (var zone in TimeZoneInfo.GetSystemTimeZones()) { Write("{0} - ", zone.Id); Write("{0} - ", zone.BaseUtcOffset); Write("{0} - ", zone.DisplayName); Write("{0} - ", zone.DaylightName); WriteLine("{0} - ", zone.SupportsDaylightSavingTime); } } } //https://pt.stackoverflow.com/q/46488/101
{ "content_hash": "df5de8cb52cdce98e581583040012439", "timestamp": "", "source": "github", "line_count": 19, "max_line_length": 123, "avg_line_length": 34.68421052631579, "alnum_prop": 0.6418816388467374, "repo_name": "maniero/SOpt", "id": "43c87bf206aaadcbd6da3aa14339d8faf6dd994c", "size": "659", "binary": false, "copies": "2", "ref": "refs/heads/master", "path": "CSharp/DateTime/GetDateTzInfo.cs", "mode": "33188", "license": "mit", "language": [ { "name": "ABAP", "bytes": "447" }, { "name": "ASP.NET", "bytes": "318" }, { "name": "Assembly", "bytes": "8524" }, { "name": "C", "bytes": "364697" }, { "name": "C#", "bytes": "638419" }, { "name": "C++", "bytes": "139511" }, { "name": "CSS", "bytes": "308" }, { "name": "Dart", "bytes": "1153" }, { "name": "Elixir", "bytes": "398" }, { "name": "F#", "bytes": "85" }, { "name": "Forth", "bytes": "909" }, { "name": "GLSL", "bytes": "73" }, { "name": "Go", "bytes": "1205" }, { "name": "Groovy", "bytes": "1986" }, { "name": "HTML", "bytes": "6964" }, { "name": "Hack", "bytes": "11250" }, { "name": "Java", "bytes": "242308" }, { "name": "JavaScript", "bytes": "134134" }, { "name": "Kotlin", "bytes": "7424" }, { "name": "Lua", "bytes": "11238" }, { "name": "MATLAB", "bytes": "80" }, { "name": "Makefile", "bytes": "389" }, { "name": "PHP", "bytes": "102650" }, { "name": "Pascal", "bytes": "728" }, { "name": "PostScript", "bytes": "114" }, { "name": "Python", "bytes": "72427" }, { "name": "RenderScript", "bytes": "115" }, { "name": "Ruby", "bytes": "3562" }, { "name": "Rust", "bytes": "1455" }, { "name": "Scheme", "bytes": "852" }, { "name": "Smalltalk", "bytes": "103" }, { "name": "Swift", "bytes": "827" }, { "name": "TSQL", "bytes": "4011" }, { "name": "TypeScript", "bytes": "7501" }, { "name": "VBA", "bytes": "137" }, { "name": "Visual Basic .NET", "bytes": "12125" }, { "name": "xBase", "bytes": "1152" } ], "symlink_target": "" }
ACCEPTED #### According to The Catalogue of Life, 3rd January 2011 #### Published in null #### Original name null ### Remarks null
{ "content_hash": "210af69cfb0cdeb9bb03a9054bc568d3", "timestamp": "", "source": "github", "line_count": 13, "max_line_length": 39, "avg_line_length": 10.307692307692308, "alnum_prop": 0.6940298507462687, "repo_name": "mdoering/backbone", "id": "76c02ab60781530e060521a2a8319eced6b61b5e", "size": "189", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "life/Plantae/Magnoliophyta/Magnoliopsida/Caryophyllales/Chenopodiaceae/Chenopodium/Chenopodium microphyllum/README.md", "mode": "33188", "license": "apache-2.0", "language": [], "symlink_target": "" }
/*! * \file value_ref_fwd.hpp * \author Andrey Semashev * \date 27.07.2012 * * The header contains forward declaration of a value reference wrapper. */ #ifndef BOOST_LOG_UTILITY_VALUE_REF_FWD_HPP_INCLUDED_ #define BOOST_LOG_UTILITY_VALUE_REF_FWD_HPP_INCLUDED_ #include <boost/log/detail/config.hpp> #ifdef BOOST_HAS_PRAGMA_ONCE #pragma once #endif namespace boost { BOOST_LOG_OPEN_NAMESPACE /*! * \brief Reference wrapper for a stored attribute value. */ template< typename T, typename TagT = void > class value_ref; BOOST_LOG_CLOSE_NAMESPACE // namespace log } // namespace boost #endif // BOOST_LOG_UTILITY_VALUE_REF_FWD_HPP_INCLUDED_
{ "content_hash": "5ada36d14619d5a26e3f074ba134c55a", "timestamp": "", "source": "github", "line_count": 33, "max_line_length": 72, "avg_line_length": 20.96969696969697, "alnum_prop": 0.6921965317919075, "repo_name": "aredotna/case", "id": "5ce40d87ab71b292533304a62bab1de1b726228c", "size": "922", "binary": false, "copies": "18", "ref": "refs/heads/master", "path": "ios/Pods/boost-for-react-native/boost/log/utility/value_ref_fwd.hpp", "mode": "33188", "license": "mit", "language": [ { "name": "Batchfile", "bytes": "1561" }, { "name": "C", "bytes": "472721" }, { "name": "C++", "bytes": "131186843" }, { "name": "CMake", "bytes": "5364" }, { "name": "Java", "bytes": "5648" }, { "name": "JavaScript", "bytes": "4178" }, { "name": "M4", "bytes": "9738" }, { "name": "Objective-C", "bytes": "7257511" }, { "name": "Perl", "bytes": "6080" }, { "name": "Ruby", "bytes": "3016" }, { "name": "Shell", "bytes": "13492" }, { "name": "Swift", "bytes": "36541" }, { "name": "TypeScript", "bytes": "398266" } ], "symlink_target": "" }
//排序扩展 jQuery.fn.sortElements = (function() { var sort = [].sort; return function(comparator, getSortable) { getSortable = getSortable || function() { return this; }; var placements = this.map(function() { var sortElement = getSortable.call(this), parentNode = sortElement.parentNode, nextSibling = parentNode.insertBefore(document.createTextNode(''), sortElement.nextSibling); return function() { if (parentNode === this) { throw new Error("You can't sort elements if any one is a descendant of another."); } parentNode.insertBefore(this, nextSibling); parentNode.removeChild(nextSibling); }; }); return sort.call(this, comparator).each(function(i) { placements[i].call(getSortable.call(this)); }); }; })(); (function($){ function micF(obj, options){ this.obj = $(obj); this.opts = options; this.mic_arr = {}; this.client_arr = {}; this.skip = 0; this.num = 10; this.page = true; } micF.prototype.init = function(){ var self = this; this.opts.totalId = 'micTotal'; this.opts.itemClass = 'mic-item'; this.opts.listId = 'micList'; //加载模板 this.obj.append( this.template() ); //scroll操作翻页 $("#"+this.opts.listId).scroll(function(){ var h = $(this).height();//div可视区域的高度 var sh = $(this)[0].scrollHeight;//滚动的高度,$(this)指代jQuery对象,而$(this)[0]指代的是dom节点 var st =$(this)[0].scrollTop;//滚动条的高度,即滚动条的当前位置到div顶部的距离 if(h+st>=sh){ //上面的代码是判断滚动条滑到底部的代码 if(self.page){ self.skip = self.skip + self.num; self.opts.config.dmsMicListByPage(self.skip, self.num, function(dms_data){ console.log('翻页'); if(dms_data.List.length==0) self.page = false; self.micInit(dms_data); self.updateTotal(dms_data.Total); },function(dms_data){ }); } } }); //先拉取第一页用户列表 this.opts.config.dmsMicListByPage(this.skip, this.num, function(data){ self.micInit(data); var this_num = self.opts.config.dmsConfig.client_id in self.client_arr ? 0 : 1; self.updateTotal(data.Total + this_num ); /* 记录上麦列表的状态 用户刷新页面 默认是会离开排麦列表的 */ //把自己加入用户列表 如果已经添加 将会忽略 //self.opts.config.dmsConfig.clientId = self.opts.config.dmsConfig.client_id; //self.enterInfo(self.opts.config.dmsConfig); },function(data){ self.warnWindow(data.FlagString); }); this.opts.config.onMicEnter(function(dms_data) { self.enterInfo(dms_data); self.updateTotal(dms_data.total); }); this.opts.config.onMicLeave(function(dms_data) { self.leaveInfo(dms_data); self.updateTotal(dms_data.total); }); } micF.prototype.micInit = function(data){ for(var i in data.List){ var item = data.List[i]; if( item.clientId in this.client_arr ){ continue; } this.client_arr[item.clientId] = 1; this.mic_arr[item.uid] = this.mic_arr[item.uid] ? (this.mic_arr[item.uid]+1) : 1; //增加该用户的连接计数 this.appentList(item); } } //ROP相关 micF.prototype.enterInfo = function(item){ this.client_arr[item.clientId] = 1; this.mic_arr[item.uid] = this.mic_arr[item.uid] ? (this.mic_arr[item.uid]+1) : 1; //增加该用户的连接计数 this.appentList(item); } micF.prototype.leaveInfo = function(item){ if( item.clientId in this.client_arr ){ delete this.client_arr[item.clientId]; } else { return ; } this.mic_arr[item.uid] = this.mic_arr[item.uid] ? (this.mic_arr[item.uid]-1) : 0; //减少该用户的连接计数 if( this.mic_arr[item.uid] <= 0 ){ delete this.mic_arr[item.uid]; $('#mic_'+item.uid).remove(); } } micF.prototype.updateTotal = function(num){ $('#'+this.opts.totalId).html( num ); $('.mic-item').sortElements(function(a, b) { return $(a).attr('time') > $(b).attr('time') ? 1 : -1; }); } //模板 micF.prototype.template = function(){ var html = '\ <div class="miclist-box">\ <div class="mic-list" id="'+this.opts.listId+'">\ </div>\ </div>\ '; return html; } micF.prototype.warnWindow = function(warning){ alert(warning); } //信息显示 micF.prototype.appentList = function(data){ if($('#mic_'+data.uid).length>0){ //已存在条目 不用重复添加 return; } var row = data.clientId.split('_')[0]; var nick = data.nick; var uid =data.uid; if(!this.opts.type){ var is_stream_ex = data.pub_stream && data.pub_stream == this.opts.config.dmsConfig.stream_ex; var show_connect = is_stream_ex ? 'display:none;' : '', show_reject = is_stream_ex ? 'display:none;' : '', show_quit = is_stream_ex ? '' : 'display:none;'; var oper = '<span style="float:right;margin-right:15px;margin-top:6px;'+show_connect+'" onclick="connectRoomMic(\''+uid+'\',\''+data.clientId+'\')" class="new-btn new-btn-blue">允许</span><span onclick="rejectRoomMic(\''+uid+'\',\''+data.clientId+'\')" style="float:right;margin-right:15px;margin-top:6px;'+show_reject+'" class="new-btn new-btn-orange">拒绝</span><span onclick="quitRoomMic(\''+uid+'\',\''+data.clientId+'\')" style="float:right;margin-right:15px;margin-top:6px;'+show_quit+'" class="quit-btn new-btn-orange">下麦</span>'; }else{ var oper = ''; } var html = '\ <div style="padding:10px;border-bottom:1px solid gray;" data-uid="'+ uid +'" data-ext="'+ data.ext +'" data-client="' + data.clientId + '" time="'+row+'" id="mic_'+uid+'" class="'+this.opts.itemClass+'" >\ <div class="mic-item-info"><img style="width:35px;height:35px;border-radius:50%;margin-right:10px;" src="'+data.ava+'" />\ '+this.opts.config.htmlspecialchars(nick)+oper+'\ </div>\ </div>\ '; $('#'+this.opts.listId).append(html); } //扩展 $.fn.miclist = function(opts){ var defaults = {}; var options = $.extend(defaults, opts); var micB = new micF(this, options); micB.init(); return micB; } })(jQuery);
{ "content_hash": "a3fe3e4cb22ea1daecb28b0cb588c32d", "timestamp": "", "source": "github", "line_count": 175, "max_line_length": 549, "avg_line_length": 42.36, "alnum_prop": 0.48536355051935787, "repo_name": "aodianyunGroup/financeWebSDK", "id": "07441b8c7edede0d2eadc19cd87c6366c5c3bc0f", "size": "7795", "binary": false, "copies": "2", "ref": "refs/heads/master", "path": "preview/assets/js/miclist.js", "mode": "33188", "license": "mit", "language": [ { "name": "CSS", "bytes": "57461" }, { "name": "HTML", "bytes": "161397" }, { "name": "JavaScript", "bytes": "676516" } ], "symlink_target": "" }
package com.intellij.ui.breadcrumbs; import com.intellij.ide.IdeTooltipManager; import com.intellij.openapi.application.ModalityState; import com.intellij.openapi.application.ReadAction; import com.intellij.openapi.editor.colors.EditorColors; import com.intellij.openapi.editor.colors.EditorColorsManager; import com.intellij.openapi.editor.colors.TextAttributesKey; import com.intellij.openapi.editor.ex.EditorSettingsExternalizable; import com.intellij.openapi.editor.markup.TextAttributes; import com.intellij.ui.UIBundle; import com.intellij.ui.components.breadcrumbs.Breadcrumbs; import com.intellij.ui.components.breadcrumbs.Crumb; import com.intellij.util.concurrency.AppExecutorUtil; import consulo.awt.TargetAWT; import consulo.logging.Logger; import consulo.ui.color.ColorValue; import org.jetbrains.concurrency.Promise; import javax.annotation.Nonnull; import javax.annotation.Nullable; import javax.swing.border.EmptyBorder; import java.awt.*; import java.awt.event.MouseEvent; import java.util.HashMap; import java.util.Map; import java.util.concurrent.CancellationException; import java.util.concurrent.ExecutionException; import java.util.concurrent.TimeoutException; /** * @author Sergey.Malenkov */ final class PsiBreadcrumbs extends Breadcrumbs { private final static Logger LOG = Logger.getInstance(PsiBreadcrumbs.class); private final Map<Crumb, Promise<String>> scheduledTooltipTasks = new HashMap<>(); boolean above = EditorSettingsExternalizable.getInstance().isBreadcrumbsAbove(); void updateBorder(int offset) { // do not use scaling here because this border is used to align breadcrumbs with a gutter setBorder(new EmptyBorder(0, offset, 0, 0)); } @Override protected void paintMarker(Graphics2D g, int x, int y, int width, int height, Crumb crumb, int thickness) { super.paintMarker(g, x, y, width, above ? height : thickness, crumb, thickness); } @Override public Color getForeground() { if (!isForegroundSet()) { ColorValue foreground = EditorColorsManager.getInstance().getGlobalScheme().getColor(EditorColors.LINE_NUMBERS_COLOR); if (foreground != null) return TargetAWT.to(foreground); } return super.getForeground(); } @Override public Color getBackground() { if (!isBackgroundSet()) { ColorValue background = EditorColorsManager.getInstance().getGlobalScheme().getColor(EditorColors.GUTTER_BACKGROUND); if (background != null) return TargetAWT.to(background); } return super.getBackground(); } @Nullable @Override public String getToolTipText(MouseEvent event) { if (hovered == null) { return null; } if (!(hovered instanceof LazyTooltipCrumb) || !((LazyTooltipCrumb)hovered).needCalculateTooltip()) { return hovered.getTooltip(); } final Crumb crumb = hovered; Promise<String> tooltipLazy; synchronized (scheduledTooltipTasks) { tooltipLazy = scheduledTooltipTasks.get(crumb); if (tooltipLazy == null) { Runnable removeFinishedTask = () -> { synchronized (scheduledTooltipTasks) { scheduledTooltipTasks.remove(crumb); } }; final IdeTooltipManager tooltipManager = IdeTooltipManager.getInstance(); final Component component = event == null ? null : event.getComponent(); tooltipLazy = ReadAction.nonBlocking(() -> crumb.getTooltip()).expireWhen(() -> !tooltipManager.isProcessing(component)) .finishOnUiThread(ModalityState.any(), toolTipText -> tooltipManager.updateShownTooltip(component)).submit(AppExecutorUtil.getAppExecutorService()).onError(throwable -> { if (!(throwable instanceof CancellationException)) { LOG.error("Exception in LazyTooltipCrumb", throwable); } removeFinishedTask.run(); }).onSuccess(toolTipText -> removeFinishedTask.run()); scheduledTooltipTasks.put(crumb, tooltipLazy); } } if (tooltipLazy.isSucceeded()) { try { return tooltipLazy.blockingGet(0); } catch (TimeoutException | ExecutionException e) { LOG.error(e); } } return getLazyTooltipProgressText(); } @Nonnull private static String getLazyTooltipProgressText() { return UIBundle.message("crumbs.calculating.tooltip"); } @Override protected ColorValue getForeground(Crumb crumb) { CrumbPresentation presentation = PsiCrumb.getPresentation(crumb); if (presentation == null) return super.getForeground(crumb); ColorValue background = super.getBackground(crumb); if (background != null) return super.getForeground(crumb); return presentation.getBackgroundColor(isSelected(crumb), isHovered(crumb), isAfterSelected(crumb)); } @Override protected ColorValue getBackground(Crumb crumb) { CrumbPresentation presentation = PsiCrumb.getPresentation(crumb); if (presentation == null) return super.getBackground(crumb); ColorValue background = super.getBackground(crumb); if (background == null) return null; return presentation.getBackgroundColor(isSelected(crumb), isHovered(crumb), isAfterSelected(crumb)); } @Override protected TextAttributes getAttributes(Crumb crumb) { TextAttributesKey key = getKey(crumb); return key == null ? null : EditorColorsManager.getInstance().getGlobalScheme().getAttributes(key); } private TextAttributesKey getKey(Crumb crumb) { if (isHovered(crumb)) return EditorColors.BREADCRUMBS_HOVERED; if (isSelected(crumb)) return EditorColors.BREADCRUMBS_CURRENT; if (isAfterSelected(crumb)) return EditorColors.BREADCRUMBS_INACTIVE; return EditorColors.BREADCRUMBS_DEFAULT; } }
{ "content_hash": "a684754d7b5331f20dd4197eff4be0b3", "timestamp": "", "source": "github", "line_count": 151, "max_line_length": 186, "avg_line_length": 37.94701986754967, "alnum_prop": 0.7324607329842932, "repo_name": "consulo/consulo", "id": "e906e2d2725665226e5f584cb0037e34a6d2a1ce", "size": "6330", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "modules/base/lang-impl/src/main/java/com/intellij/ui/breadcrumbs/PsiBreadcrumbs.java", "mode": "33188", "license": "apache-2.0", "language": [ { "name": "Batchfile", "bytes": "299" }, { "name": "C", "bytes": "52718" }, { "name": "C++", "bytes": "72795" }, { "name": "CMake", "bytes": "854" }, { "name": "CSS", "bytes": "64655" }, { "name": "Groovy", "bytes": "36006" }, { "name": "HTML", "bytes": "173780" }, { "name": "Java", "bytes": "64026758" }, { "name": "Lex", "bytes": "5909" }, { "name": "Objective-C", "bytes": "23787" }, { "name": "Python", "bytes": "3276" }, { "name": "SCSS", "bytes": "9782" }, { "name": "Shell", "bytes": "5689" }, { "name": "Thrift", "bytes": "1216" }, { "name": "XSLT", "bytes": "49230" } ], "symlink_target": "" }
layout: post title: Invalid Uses Of a Type --- I joined a discussion recently about a new API being added to a type with well established semantics. The API seemed to, pretty blatantly, violate the key invariants of the type and I was curious about the justifications. Of the various reasons given one in particular stood out to me as questionable: > The type can already be used in this manner hence this API adds nothing new to the equation, it just standardizes the behavior Typically this is a really good justification for adding an API. Centralizing similar code snippets into a single API lowers maintenence cost, reduces code size, etc ... As previously stated though this seemed like a violation of established invariants so I dug into the provided samples. They all fell into the following categories: 1. Unsafe Code 2. Unverifiable Code 3. Private Reflection I assumed this should go without saying but apparently in needs to be said: > Code samples of this nature are intentionally violating the type system and should never be considered as valid uses of a type If samples of this nature were considered valid then they could be used to justify practically any API on a type. For example this argument could be applied to adding a setter on the indexer of [string](http://msdn.microsoft.com/en-us/library/system.string(v=vs.110).aspx). After all with `unsafe` code I can already mutate its contents so clearly mutations are valid: ``` string s = "cat"; unsafe { fixed (char* i = s) { // "cat" becomes "bat"! *i = 'b'; } } ``` Clearly though `string` is an immutable type and making it mutable would invalidate loads of existing code in the wild. No developer out there designed their programs considering the impacts of a `string` being mutated. That would be a waste of brain power. That is why this line of reasoning is simply flawed. The above listed techniques exist purely to violate the verifiable type system and to bypass object accessibility. By definition they are using a type in a way that it was never meant to be used. These are simply not valid samples. Note: The API in question is not string. I used it as an example because it is a well known type with well established semantics.
{ "content_hash": "4ac77126a36b2d0748cbc372a8b75afa", "timestamp": "", "source": "github", "line_count": 34, "max_line_length": 370, "avg_line_length": 66.58823529411765, "alnum_prop": 0.7685512367491166, "repo_name": "jaredpar/jaredpar.github.io", "id": "61c9198430d9df597f30c0096a6e6f4b16a51cc5", "size": "2268", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "_drafts/invalid-uses-of-a-type.md", "mode": "33188", "license": "mit", "language": [ { "name": "CSS", "bytes": "7139" }, { "name": "HTML", "bytes": "20824" }, { "name": "JavaScript", "bytes": "387" }, { "name": "Ruby", "bytes": "49" } ], "symlink_target": "" }
""" HDBSCAN: Hierarchical Density-Based Spatial Clustering of Applications with Noise """ import numpy as np from sklearn.base import BaseEstimator, ClusterMixin from sklearn.metrics import pairwise_distances from scipy.sparse import issparse from sklearn.neighbors import KDTree, BallTree from joblib import Memory from warnings import warn from sklearn.utils import check_array from joblib.parallel import cpu_count from scipy.sparse import csgraph from ._hdbscan_linkage import ( single_linkage, mst_linkage_core, mst_linkage_core_vector, label, ) from ._hdbscan_tree import ( condense_tree, compute_stability, get_clusters, outlier_scores, ) from ._hdbscan_reachability import mutual_reachability, sparse_mutual_reachability from ._hdbscan_boruvka import KDTreeBoruvkaAlgorithm, BallTreeBoruvkaAlgorithm from .dist_metrics import DistanceMetric from .plots import CondensedTree, SingleLinkageTree, MinimumSpanningTree from .prediction import PredictionData FAST_METRICS = KDTree.valid_metrics + BallTree.valid_metrics + ["cosine", "arccos"] # Author: Leland McInnes <[email protected]> # Steve Astels <[email protected]> # John Healy <[email protected]> # # License: BSD 3 clause from numpy import isclose def _tree_to_labels( X, single_linkage_tree, min_cluster_size=10, cluster_selection_method="eom", allow_single_cluster=False, match_reference_implementation=False, cluster_selection_epsilon=0.0, max_cluster_size=0, ): """Converts a pretrained tree and cluster size into a set of labels and probabilities. """ condensed_tree = condense_tree(single_linkage_tree, min_cluster_size) stability_dict = compute_stability(condensed_tree) labels, probabilities, stabilities = get_clusters( condensed_tree, stability_dict, cluster_selection_method, allow_single_cluster, match_reference_implementation, cluster_selection_epsilon, max_cluster_size, ) return (labels, probabilities, stabilities, condensed_tree, single_linkage_tree) def _hdbscan_generic( X, min_samples=5, alpha=1.0, metric="minkowski", p=2, leaf_size=None, gen_min_span_tree=False, **kwargs ): if metric == "minkowski": distance_matrix = pairwise_distances(X, metric=metric, p=p) elif metric == "arccos": distance_matrix = pairwise_distances(X, metric="cosine", **kwargs) elif metric == "precomputed": # Treating this case explicitly, instead of letting # sklearn.metrics.pairwise_distances handle it, # enables the usage of numpy.inf in the distance # matrix to indicate missing distance information. # TODO: Check if copying is necessary distance_matrix = X.copy() else: distance_matrix = pairwise_distances(X, metric=metric, **kwargs) if issparse(distance_matrix): # raise TypeError('Sparse distance matrices not yet supported') return _hdbscan_sparse_distance_matrix( distance_matrix, min_samples, alpha, metric, p, leaf_size, gen_min_span_tree, **kwargs ) mutual_reachability_ = mutual_reachability(distance_matrix, min_samples, alpha) min_spanning_tree = mst_linkage_core(mutual_reachability_) # Warn if the MST couldn't be constructed around the missing distances if np.isinf(min_spanning_tree.T[2]).any(): warn( "The minimum spanning tree contains edge weights with value " "infinity. Potentially, you are missing too many distances " "in the initial distance matrix for the given neighborhood " "size.", UserWarning, ) # mst_linkage_core does not generate a full minimal spanning tree # If a tree is required then we must build the edges from the information # returned by mst_linkage_core (i.e. just the order of points to be merged) if gen_min_span_tree: result_min_span_tree = min_spanning_tree.copy() for index, row in enumerate(result_min_span_tree[1:], 1): candidates = np.where(isclose(mutual_reachability_[int(row[1])], row[2]))[0] candidates = np.intersect1d( candidates, min_spanning_tree[:index, :2].astype(int) ) candidates = candidates[candidates != row[1]] assert len(candidates) > 0 row[0] = candidates[0] else: result_min_span_tree = None # Sort edges of the min_spanning_tree by weight min_spanning_tree = min_spanning_tree[np.argsort(min_spanning_tree.T[2]), :] # Convert edge list into standard hierarchical clustering format single_linkage_tree = label(min_spanning_tree) return single_linkage_tree, result_min_span_tree def _hdbscan_sparse_distance_matrix( X, min_samples=5, alpha=1.0, metric="minkowski", p=2, leaf_size=40, gen_min_span_tree=False, **kwargs ): assert issparse(X) # Check for connected component on X if csgraph.connected_components(X, directed=False, return_labels=False) > 1: raise ValueError( "Sparse distance matrix has multiple connected " "components!\nThat is, there exist groups of points " "that are completely disjoint -- there are no distance " "relations connecting them\n" "Run hdbscan on each component." ) lil_matrix = X.tolil() # Compute sparse mutual reachability graph # if max_dist > 0, max distance to use when the reachability is infinite max_dist = kwargs.get("max_dist", 0.0) mutual_reachability_ = sparse_mutual_reachability( lil_matrix, min_points=min_samples, max_dist=max_dist, alpha=alpha ) # Check connected component on mutual reachability # If more than one component, it means that even if the distance matrix X # has one component, there exists with less than `min_samples` neighbors if ( csgraph.connected_components( mutual_reachability_, directed=False, return_labels=False ) > 1 ): raise ValueError( ( "There exists points with less than %s neighbors. " "Ensure your distance matrix has non zeros values for " "at least `min_sample`=%s neighbors for each points (i.e. K-nn graph), " "or specify a `max_dist` to use when distances are missing." ) % (min_samples, min_samples) ) # Compute the minimum spanning tree for the sparse graph sparse_min_spanning_tree = csgraph.minimum_spanning_tree(mutual_reachability_) # Convert the graph to scipy cluster array format nonzeros = sparse_min_spanning_tree.nonzero() nonzero_vals = sparse_min_spanning_tree[nonzeros] min_spanning_tree = np.vstack(nonzeros + (nonzero_vals,)).T # Sort edges of the min_spanning_tree by weight min_spanning_tree = min_spanning_tree[np.argsort(min_spanning_tree.T[2]), :][0] # Convert edge list into standard hierarchical clustering format single_linkage_tree = label(min_spanning_tree) if gen_min_span_tree: return single_linkage_tree, min_spanning_tree else: return single_linkage_tree, None def _hdbscan_prims_kdtree( X, min_samples=5, alpha=1.0, metric="minkowski", p=2, leaf_size=40, gen_min_span_tree=False, **kwargs ): if X.dtype != np.float64: X = X.astype(np.float64) # The Cython routines used require contiguous arrays if not X.flags["C_CONTIGUOUS"]: X = np.array(X, dtype=np.double, order="C") tree = KDTree(X, metric=metric, leaf_size=leaf_size, **kwargs) # TO DO: Deal with p for minkowski appropriately dist_metric = DistanceMetric.get_metric(metric, **kwargs) # Get distance to kth nearest neighbour core_distances = tree.query( X, k=min_samples + 1, dualtree=True, breadth_first=True )[0][:, -1].copy(order="C") # Mutual reachability distance is implicit in mst_linkage_core_vector min_spanning_tree = mst_linkage_core_vector(X, core_distances, dist_metric, alpha) # Sort edges of the min_spanning_tree by weight min_spanning_tree = min_spanning_tree[np.argsort(min_spanning_tree.T[2]), :] # Convert edge list into standard hierarchical clustering format single_linkage_tree = label(min_spanning_tree) if gen_min_span_tree: return single_linkage_tree, min_spanning_tree else: return single_linkage_tree, None def _hdbscan_prims_balltree( X, min_samples=5, alpha=1.0, metric="minkowski", p=2, leaf_size=40, gen_min_span_tree=False, **kwargs ): if X.dtype != np.float64: X = X.astype(np.float64) # The Cython routines used require contiguous arrays if not X.flags["C_CONTIGUOUS"]: X = np.array(X, dtype=np.double, order="C") tree = BallTree(X, metric=metric, leaf_size=leaf_size, **kwargs) dist_metric = DistanceMetric.get_metric(metric, **kwargs) # Get distance to kth nearest neighbour core_distances = tree.query( X, k=min_samples + 1, dualtree=True, breadth_first=True )[0][:, -1].copy(order="C") # Mutual reachability distance is implicit in mst_linkage_core_vector min_spanning_tree = mst_linkage_core_vector(X, core_distances, dist_metric, alpha) # Sort edges of the min_spanning_tree by weight min_spanning_tree = min_spanning_tree[np.argsort(min_spanning_tree.T[2]), :] # Convert edge list into standard hierarchical clustering format single_linkage_tree = label(min_spanning_tree) if gen_min_span_tree: return single_linkage_tree, min_spanning_tree else: return single_linkage_tree, None def _hdbscan_boruvka_kdtree( X, min_samples=5, alpha=1.0, metric="minkowski", p=2, leaf_size=40, approx_min_span_tree=True, gen_min_span_tree=False, core_dist_n_jobs=4, **kwargs ): if leaf_size < 3: leaf_size = 3 if core_dist_n_jobs < 1: core_dist_n_jobs = max(cpu_count() + 1 + core_dist_n_jobs, 1) if X.dtype != np.float64: X = X.astype(np.float64) tree = KDTree(X, metric=metric, leaf_size=leaf_size, **kwargs) alg = KDTreeBoruvkaAlgorithm( tree, min_samples, metric=metric, leaf_size=leaf_size // 3, approx_min_span_tree=approx_min_span_tree, n_jobs=core_dist_n_jobs, **kwargs ) min_spanning_tree = alg.spanning_tree() # Sort edges of the min_spanning_tree by weight row_order = np.argsort(min_spanning_tree.T[2]) min_spanning_tree = min_spanning_tree[row_order, :] # Convert edge list into standard hierarchical clustering format single_linkage_tree = label(min_spanning_tree) if gen_min_span_tree: return single_linkage_tree, min_spanning_tree else: return single_linkage_tree, None def _hdbscan_boruvka_balltree( X, min_samples=5, alpha=1.0, metric="minkowski", p=2, leaf_size=40, approx_min_span_tree=True, gen_min_span_tree=False, core_dist_n_jobs=4, **kwargs ): if leaf_size < 3: leaf_size = 3 if core_dist_n_jobs < 1: core_dist_n_jobs = max(cpu_count() + 1 + core_dist_n_jobs, 1) if X.dtype != np.float64: X = X.astype(np.float64) tree = BallTree(X, metric=metric, leaf_size=leaf_size, **kwargs) alg = BallTreeBoruvkaAlgorithm( tree, min_samples, metric=metric, leaf_size=leaf_size // 3, approx_min_span_tree=approx_min_span_tree, n_jobs=core_dist_n_jobs, **kwargs ) min_spanning_tree = alg.spanning_tree() # Sort edges of the min_spanning_tree by weight min_spanning_tree = min_spanning_tree[np.argsort(min_spanning_tree.T[2]), :] # Convert edge list into standard hierarchical clustering format single_linkage_tree = label(min_spanning_tree) if gen_min_span_tree: return single_linkage_tree, min_spanning_tree else: return single_linkage_tree, None def check_precomputed_distance_matrix(X): """Perform check_array(X) after removing infinite values (numpy.inf) from the given distance matrix.""" tmp = X.copy() tmp[np.isinf(tmp)] = 1 check_array(tmp) def remap_condensed_tree(tree, internal_to_raw, outliers): """ Takes an internal condensed_tree structure and adds back in a set of points that were initially detected as non-finite and returns that new tree. These points will all be split off from the maximal node at lambda zero and considered noise points. Parameters ---------- tree: condensed_tree internal_to_raw: dict a mapping from internal integer index to the raw integer index finite_index: ndarray Boolean array of which entries in the raw data were finite """ finite_count = len(internal_to_raw) outlier_count = len(outliers) for i, (parent, child, lambda_val, child_size) in enumerate(tree): if child < finite_count: child = internal_to_raw[child] else: child = child + outlier_count tree[i] = (parent + outlier_count, child, lambda_val, child_size) outlier_list = [] root = tree[0][0] # Should I check to be sure this is the minimal lambda? for outlier in outliers: outlier_list.append((root, outlier, 0, 1)) outlier_tree = np.array( outlier_list, dtype=[ ("parent", np.intp), ("child", np.intp), ("lambda_val", float), ("child_size", np.intp), ], ) tree = np.append(outlier_tree, tree) return tree def remap_single_linkage_tree(tree, internal_to_raw, outliers): """ Takes an internal single_linkage_tree structure and adds back in a set of points that were initially detected as non-finite and returns that new tree. These points will all be merged into the final node at np.inf distance and considered noise points. Parameters ---------- tree: single_linkage_tree internal_to_raw: dict a mapping from internal integer index to the raw integer index finite_index: ndarray Boolean array of which entries in the raw data were finite """ finite_count = len(internal_to_raw) outlier_count = len(outliers) for i, (left, right, distance, size) in enumerate(tree): if left < finite_count: tree[i, 0] = internal_to_raw[left] else: tree[i, 0] = left + outlier_count if right < finite_count: tree[i, 1] = internal_to_raw[right] else: tree[i, 1] = right + outlier_count outlier_tree = np.zeros((len(outliers), 4)) last_cluster_id = tree[tree.shape[0] - 1][0:2].max() last_cluster_size = tree[tree.shape[0] - 1][3] for i, outlier in enumerate(outliers): outlier_tree[i] = (outlier, last_cluster_id + 1, np.inf, last_cluster_size + 1) last_cluster_id += 1 last_cluster_size += 1 tree = np.vstack([tree, outlier_tree]) return tree def is_finite(matrix): """Returns true only if all the values of a ndarray or sparse matrix are finite""" if issparse(matrix): return np.alltrue(np.isfinite(matrix.tocoo().data)) else: return np.alltrue(np.isfinite(matrix)) def get_finite_row_indices(matrix): """Returns the indices of the purely finite rows of a sparse matrix or dense ndarray""" if issparse(matrix): row_indices = np.array( [i for i, row in enumerate(matrix.tolil().data) if np.all(np.isfinite(row))] ) else: row_indices = np.where(np.isfinite(matrix).sum(axis=1) == matrix.shape[1])[0] return row_indices def hdbscan( X, min_cluster_size=5, min_samples=None, alpha=1.0, cluster_selection_epsilon=0.0, max_cluster_size=0, metric="minkowski", p=2, leaf_size=40, algorithm="best", memory=Memory(None, verbose=0), approx_min_span_tree=True, gen_min_span_tree=False, core_dist_n_jobs=4, cluster_selection_method="eom", allow_single_cluster=False, match_reference_implementation=False, **kwargs ): """Perform HDBSCAN clustering from a vector array or distance matrix. Parameters ---------- X : array or sparse (CSR) matrix of shape (n_samples, n_features), or \ array of shape (n_samples, n_samples) A feature array, or array of distances between samples if ``metric='precomputed'``. min_cluster_size : int, optional (default=5) The minimum number of samples in a group for that group to be considered a cluster; groupings smaller than this size will be left as noise. min_samples : int, optional (default=None) The number of samples in a neighborhood for a point to be considered as a core point. This includes the point itself. defaults to the min_cluster_size. cluster_selection_epsilon: float, optional (default=0.0) A distance threshold. Clusters below this value will be merged. See [3]_ for more information. Note that this should not be used if we want to predict the cluster labels for new points in future (e.g. using approximate_predict), as the approximate_predict function is not aware of this argument. alpha : float, optional (default=1.0) A distance scaling parameter as used in robust single linkage. See [2]_ for more information. max_cluster_size : int, optional (default=0) A limit to the size of clusters returned by the eom algorithm. Has no effect when using leaf clustering (where clusters are usually small regardless) and can also be overridden in rare cases by a high value for cluster_selection_epsilon. Note that this should not be used if we want to predict the cluster labels for new points in future (e.g. using approximate_predict), as the approximate_predict function is not aware of this argument. metric : string or callable, optional (default='minkowski') The metric to use when calculating distance between instances in a feature array. If metric is a string or callable, it must be one of the options allowed by metrics.pairwise.pairwise_distances for its metric parameter. If metric is "precomputed", X is assumed to be a distance matrix and must be square. p : int, optional (default=2) p value to use if using the minkowski metric. leaf_size : int, optional (default=40) Leaf size for trees responsible for fast nearest neighbour queries. algorithm : string, optional (default='best') Exactly which algorithm to use; hdbscan has variants specialised for different characteristics of the data. By default this is set to ``best`` which chooses the "best" algorithm given the nature of the data. You can force other options if you believe you know better. Options are: * ``best`` * ``generic`` * ``prims_kdtree`` * ``prims_balltree`` * ``boruvka_kdtree`` * ``boruvka_balltree`` memory : instance of joblib.Memory or string, optional Used to cache the output of the computation of the tree. By default, no caching is done. If a string is given, it is the path to the caching directory. approx_min_span_tree : bool, optional (default=True) Whether to accept an only approximate minimum spanning tree. For some algorithms this can provide a significant speedup, but the resulting clustering may be of marginally lower quality. If you are willing to sacrifice speed for correctness you may want to explore this; in general this should be left at the default True. gen_min_span_tree : bool, optional (default=False) Whether to generate the minimum spanning tree for later analysis. core_dist_n_jobs : int, optional (default=4) Number of parallel jobs to run in core distance computations (if supported by the specific algorithm). For ``core_dist_n_jobs`` below -1, (n_cpus + 1 + core_dist_n_jobs) are used. cluster_selection_method : string, optional (default='eom') The method used to select clusters from the condensed tree. The standard approach for HDBSCAN* is to use an Excess of Mass algorithm to find the most persistent clusters. Alternatively you can instead select the clusters at the leaves of the tree -- this provides the most fine grained and homogeneous clusters. Options are: * ``eom`` * ``leaf`` allow_single_cluster : bool, optional (default=False) By default HDBSCAN* will not produce a single cluster, setting this to t=True will override this and allow single cluster results in the case that you feel this is a valid result for your dataset. (default False) match_reference_implementation : bool, optional (default=False) There exist some interpretational differences between this HDBSCAN* implementation and the original authors reference implementation in Java. This can result in very minor differences in clustering results. Setting this flag to True will, at a some performance cost, ensure that the clustering results match the reference implementation. **kwargs : optional Arguments passed to the distance metric Returns ------- labels : ndarray, shape (n_samples, ) Cluster labels for each point. Noisy samples are given the label -1. probabilities : ndarray, shape (n_samples, ) Cluster membership strengths for each point. Noisy samples are assigned 0. cluster_persistence : array, shape (n_clusters, ) A score of how persistent each cluster is. A score of 1.0 represents a perfectly stable cluster that persists over all distance scales, while a score of 0.0 represents a perfectly ephemeral cluster. These scores can be guage the relative coherence of the clusters output by the algorithm. condensed_tree : record array The condensed cluster hierarchy used to generate clusters. single_linkage_tree : ndarray, shape (n_samples - 1, 4) The single linkage tree produced during clustering in scipy hierarchical clustering format (see http://docs.scipy.org/doc/scipy/reference/cluster.hierarchy.html). min_spanning_tree : ndarray, shape (n_samples - 1, 3) The minimum spanning as an edgelist. If gen_min_span_tree was False this will be None. References ---------- .. [1] Campello, R. J., Moulavi, D., & Sander, J. (2013, April). Density-based clustering based on hierarchical density estimates. In Pacific-Asia Conference on Knowledge Discovery and Data Mining (pp. 160-172). Springer Berlin Heidelberg. .. [2] Chaudhuri, K., & Dasgupta, S. (2010). Rates of convergence for the cluster tree. In Advances in Neural Information Processing Systems (pp. 343-351). .. [3] Malzer, C., & Baum, M. (2019). A Hybrid Approach To Hierarchical Density-based Cluster Selection. arxiv preprint 1911.02282. """ if min_samples is None: min_samples = min_cluster_size if not np.issubdtype(type(min_samples), np.integer) or \ not np.issubdtype(type(min_cluster_size), np.integer): raise ValueError("Min samples and min cluster size must be integers!") if min_samples <= 0 or min_cluster_size <= 0: raise ValueError( "Min samples and Min cluster size must be positive" " integers" ) if min_cluster_size == 1: raise ValueError("Min cluster size must be greater than one") if np.issubdtype(type(cluster_selection_epsilon), np.integer): cluster_selection_epsilon = float(cluster_selection_epsilon) if type(cluster_selection_epsilon) is not float or cluster_selection_epsilon < 0.0: raise ValueError("Epsilon must be a float value greater than or equal to 0!") if not isinstance(alpha, float) or alpha <= 0.0: raise ValueError("Alpha must be a positive float value greater than" " 0!") if leaf_size < 1: raise ValueError("Leaf size must be greater than 0!") if metric == "minkowski": if p is None: raise TypeError("Minkowski metric given but no p value supplied!") if p < 0: raise ValueError( "Minkowski metric with negative p value is not" " defined!" ) if match_reference_implementation: min_samples = min_samples - 1 min_cluster_size = min_cluster_size + 1 approx_min_span_tree = False if cluster_selection_method not in ("eom", "leaf"): raise ValueError( "Invalid Cluster Selection Method: %s\n" 'Should be one of: "eom", "leaf"\n' ) # Checks input and converts to an nd-array where possible if metric != "precomputed" or issparse(X): X = check_array(X, accept_sparse="csr", force_all_finite=False) else: # Only non-sparse, precomputed distance matrices are handled here # and thereby allowed to contain numpy.inf for missing distances check_precomputed_distance_matrix(X) # Python 2 and 3 compliant string_type checking if isinstance(memory, str): memory = Memory(memory, verbose=0) size = X.shape[0] min_samples = min(size - 1, min_samples) if min_samples == 0: min_samples = 1 if algorithm != "best": if metric != "precomputed" and issparse(X) and algorithm != "generic": raise ValueError("Sparse data matrices only support algorithm 'generic'.") if algorithm == "generic": (single_linkage_tree, result_min_span_tree) = memory.cache( _hdbscan_generic )(X, min_samples, alpha, metric, p, leaf_size, gen_min_span_tree, **kwargs) elif algorithm == "prims_kdtree": if metric not in KDTree.valid_metrics: raise ValueError("Cannot use Prim's with KDTree for this" " metric!") (single_linkage_tree, result_min_span_tree) = memory.cache( _hdbscan_prims_kdtree )(X, min_samples, alpha, metric, p, leaf_size, gen_min_span_tree, **kwargs) elif algorithm == "prims_balltree": if metric not in BallTree.valid_metrics: raise ValueError("Cannot use Prim's with BallTree for this" " metric!") (single_linkage_tree, result_min_span_tree) = memory.cache( _hdbscan_prims_balltree )(X, min_samples, alpha, metric, p, leaf_size, gen_min_span_tree, **kwargs) elif algorithm == "boruvka_kdtree": if metric not in BallTree.valid_metrics: raise ValueError("Cannot use Boruvka with KDTree for this" " metric!") (single_linkage_tree, result_min_span_tree) = memory.cache( _hdbscan_boruvka_kdtree )( X, min_samples, alpha, metric, p, leaf_size, approx_min_span_tree, gen_min_span_tree, core_dist_n_jobs, **kwargs ) elif algorithm == "boruvka_balltree": if metric not in BallTree.valid_metrics: raise ValueError("Cannot use Boruvka with BallTree for this" " metric!") if (X.shape[0] // leaf_size) > 16000: warn( "A large dataset size and small leaf_size may induce excessive " "memory usage. If you are running out of memory consider " "increasing the ``leaf_size`` parameter." ) (single_linkage_tree, result_min_span_tree) = memory.cache( _hdbscan_boruvka_balltree )( X, min_samples, alpha, metric, p, leaf_size, approx_min_span_tree, gen_min_span_tree, core_dist_n_jobs, **kwargs ) else: raise TypeError("Unknown algorithm type %s specified" % algorithm) else: if issparse(X) or metric not in FAST_METRICS: # We can't do much with sparse matrices ... (single_linkage_tree, result_min_span_tree) = memory.cache( _hdbscan_generic )(X, min_samples, alpha, metric, p, leaf_size, gen_min_span_tree, **kwargs) elif metric in KDTree.valid_metrics: # TO DO: Need heuristic to decide when to go to boruvka; # still debugging for now if X.shape[1] > 60: (single_linkage_tree, result_min_span_tree) = memory.cache( _hdbscan_prims_kdtree )( X, min_samples, alpha, metric, p, leaf_size, gen_min_span_tree, **kwargs ) else: (single_linkage_tree, result_min_span_tree) = memory.cache( _hdbscan_boruvka_kdtree )( X, min_samples, alpha, metric, p, leaf_size, approx_min_span_tree, gen_min_span_tree, core_dist_n_jobs, **kwargs ) else: # Metric is a valid BallTree metric # TO DO: Need heuristic to decide when to go to boruvka; # still debugging for now if X.shape[1] > 60: (single_linkage_tree, result_min_span_tree) = memory.cache( _hdbscan_prims_balltree )( X, min_samples, alpha, metric, p, leaf_size, gen_min_span_tree, **kwargs ) else: (single_linkage_tree, result_min_span_tree) = memory.cache( _hdbscan_boruvka_balltree )( X, min_samples, alpha, metric, p, leaf_size, approx_min_span_tree, gen_min_span_tree, core_dist_n_jobs, **kwargs ) return ( _tree_to_labels( X, single_linkage_tree, min_cluster_size, cluster_selection_method, allow_single_cluster, match_reference_implementation, cluster_selection_epsilon, max_cluster_size, ) + (result_min_span_tree,) ) # Inherits from sklearn class HDBSCAN(BaseEstimator, ClusterMixin): """Perform HDBSCAN clustering from vector array or distance matrix. HDBSCAN - Hierarchical Density-Based Spatial Clustering of Applications with Noise. Performs DBSCAN over varying epsilon values and integrates the result to find a clustering that gives the best stability over epsilon. This allows HDBSCAN to find clusters of varying densities (unlike DBSCAN), and be more robust to parameter selection. Parameters ---------- min_cluster_size : int, optional (default=5) The minimum size of clusters; single linkage splits that contain fewer points than this will be considered points "falling out" of a cluster rather than a cluster splitting into two new clusters. min_samples : int, optional (default=None) The number of samples in a neighbourhood for a point to be considered a core point. metric : string, or callable, optional (default='euclidean') The metric to use when calculating distance between instances in a feature array. If metric is a string or callable, it must be one of the options allowed by metrics.pairwise.pairwise_distances for its metric parameter. If metric is "precomputed", X is assumed to be a distance matrix and must be square. p : int, optional (default=None) p value to use if using the minkowski metric. alpha : float, optional (default=1.0) A distance scaling parameter as used in robust single linkage. See [3]_ for more information. cluster_selection_epsilon: float, optional (default=0.0) A distance threshold. Clusters below this value will be merged. See [5]_ for more information. algorithm : string, optional (default='best') Exactly which algorithm to use; hdbscan has variants specialised for different characteristics of the data. By default this is set to ``best`` which chooses the "best" algorithm given the nature of the data. You can force other options if you believe you know better. Options are: * ``best`` * ``generic`` * ``prims_kdtree`` * ``prims_balltree`` * ``boruvka_kdtree`` * ``boruvka_balltree`` leaf_size: int, optional (default=40) If using a space tree algorithm (kdtree, or balltree) the number of points ina leaf node of the tree. This does not alter the resulting clustering, but may have an effect on the runtime of the algorithm. memory : Instance of joblib.Memory or string (optional) Used to cache the output of the computation of the tree. By default, no caching is done. If a string is given, it is the path to the caching directory. approx_min_span_tree : bool, optional (default=True) Whether to accept an only approximate minimum spanning tree. For some algorithms this can provide a significant speedup, but the resulting clustering may be of marginally lower quality. If you are willing to sacrifice speed for correctness you may want to explore this; in general this should be left at the default True. gen_min_span_tree: bool, optional (default=False) Whether to generate the minimum spanning tree with regard to mutual reachability distance for later analysis. core_dist_n_jobs : int, optional (default=4) Number of parallel jobs to run in core distance computations (if supported by the specific algorithm). For ``core_dist_n_jobs`` below -1, (n_cpus + 1 + core_dist_n_jobs) are used. cluster_selection_method : string, optional (default='eom') The method used to select clusters from the condensed tree. The standard approach for HDBSCAN* is to use an Excess of Mass algorithm to find the most persistent clusters. Alternatively you can instead select the clusters at the leaves of the tree -- this provides the most fine grained and homogeneous clusters. Options are: * ``eom`` * ``leaf`` allow_single_cluster : bool, optional (default=False) By default HDBSCAN* will not produce a single cluster, setting this to True will override this and allow single cluster results in the case that you feel this is a valid result for your dataset. prediction_data : boolean, optional Whether to generate extra cached data for predicting labels or membership vectors few new unseen points later. If you wish to persist the clustering object for later re-use you probably want to set this to True. (default False) match_reference_implementation : bool, optional (default=False) There exist some interpretational differences between this HDBSCAN* implementation and the original authors reference implementation in Java. This can result in very minor differences in clustering results. Setting this flag to True will, at a some performance cost, ensure that the clustering results match the reference implementation. **kwargs : optional Arguments passed to the distance metric Attributes ---------- labels_ : ndarray, shape (n_samples, ) Cluster labels for each point in the dataset given to fit(). Noisy samples are given the label -1. probabilities_ : ndarray, shape (n_samples, ) The strength with which each sample is a member of its assigned cluster. Noise points have probability zero; points in clusters have values assigned proportional to the degree that they persist as part of the cluster. cluster_persistence_ : ndarray, shape (n_clusters, ) A score of how persistent each cluster is. A score of 1.0 represents a perfectly stable cluster that persists over all distance scales, while a score of 0.0 represents a perfectly ephemeral cluster. These scores can be guage the relative coherence of the clusters output by the algorithm. condensed_tree_ : CondensedTree object The condensed tree produced by HDBSCAN. The object has methods for converting to pandas, networkx, and plotting. single_linkage_tree_ : SingleLinkageTree object The single linkage tree produced by HDBSCAN. The object has methods for converting to pandas, networkx, and plotting. minimum_spanning_tree_ : MinimumSpanningTree object The minimum spanning tree of the mutual reachability graph generated by HDBSCAN. Note that this is not generated by default and will only be available if `gen_min_span_tree` was set to True on object creation. Even then in some optimized cases a tre may not be generated. outlier_scores_ : ndarray, shape (n_samples, ) Outlier scores for clustered points; the larger the score the more outlier-like the point. Useful as an outlier detection technique. Based on the GLOSH algorithm by Campello, Moulavi, Zimek and Sander. prediction_data_ : PredictionData object Cached data used for predicting the cluster labels of new or unseen points. Necessary only if you are using functions from ``hdbscan.prediction`` (see :func:`~hdbscan.prediction.approximate_predict`, :func:`~hdbscan.prediction.membership_vector`, and :func:`~hdbscan.prediction.all_points_membership_vectors`). exemplars_ : list A list of exemplar points for clusters. Since HDBSCAN supports arbitrary shapes for clusters we cannot provide a single cluster exemplar per cluster. Instead a list is returned with each element of the list being a numpy array of exemplar points for a cluster -- these points are the "most representative" points of the cluster. relative_validity_ : float A fast approximation of the Density Based Cluster Validity (DBCV) score [4]. The only differece, and the speed, comes from the fact that this relative_validity_ is computed using the mutual- reachability minimum spanning tree, i.e. minimum_spanning_tree_, instead of the all-points minimum spanning tree used in the reference. This score might not be an objective measure of the goodness of clusterering. It may only be used to compare results across different choices of hyper-parameters, therefore is only a relative score. References ---------- .. [1] Campello, R. J., Moulavi, D., & Sander, J. (2013, April). Density-based clustering based on hierarchical density estimates. In Pacific-Asia Conference on Knowledge Discovery and Data Mining (pp. 160-172). Springer Berlin Heidelberg. .. [2] Campello, R. J., Moulavi, D., Zimek, A., & Sander, J. (2015). Hierarchical density estimates for data clustering, visualization, and outlier detection. ACM Transactions on Knowledge Discovery from Data (TKDD), 10(1), 5. .. [3] Chaudhuri, K., & Dasgupta, S. (2010). Rates of convergence for the cluster tree. In Advances in Neural Information Processing Systems (pp. 343-351). .. [4] Moulavi, D., Jaskowiak, P.A., Campello, R.J., Zimek, A. and Sander, J., 2014. Density-Based Clustering Validation. In SDM (pp. 839-847). .. [5] Malzer, C., & Baum, M. (2019). A Hybrid Approach To Hierarchical Density-based Cluster Selection. arxiv preprint 1911.02282. """ def __init__( self, min_cluster_size=5, min_samples=None, cluster_selection_epsilon=0.0, max_cluster_size=0, metric="euclidean", alpha=1.0, p=None, algorithm="best", leaf_size=40, memory=Memory(None, verbose=0), approx_min_span_tree=True, gen_min_span_tree=False, core_dist_n_jobs=4, cluster_selection_method="eom", allow_single_cluster=False, prediction_data=False, match_reference_implementation=False, **kwargs ): self.min_cluster_size = min_cluster_size self.min_samples = min_samples self.alpha = alpha self.max_cluster_size = max_cluster_size self.cluster_selection_epsilon = cluster_selection_epsilon self.metric = metric self.p = p self.algorithm = algorithm self.leaf_size = leaf_size self.memory = memory self.approx_min_span_tree = approx_min_span_tree self.gen_min_span_tree = gen_min_span_tree self.core_dist_n_jobs = core_dist_n_jobs self.cluster_selection_method = cluster_selection_method self.allow_single_cluster = allow_single_cluster self.match_reference_implementation = match_reference_implementation self.prediction_data = prediction_data self._metric_kwargs = kwargs self._condensed_tree = None self._single_linkage_tree = None self._min_spanning_tree = None self._raw_data = None self._outlier_scores = None self._prediction_data = None self._relative_validity = None def fit(self, X, y=None): """Perform HDBSCAN clustering from features or distance matrix. Parameters ---------- X : array or sparse (CSR) matrix of shape (n_samples, n_features), or \ array of shape (n_samples, n_samples) A feature array, or array of distances between samples if ``metric='precomputed'``. Returns ------- self : object Returns self """ if self.metric != "precomputed": # Non-precomputed matrices may contain non-finite values. # Rows with these values X = check_array(X, accept_sparse="csr", force_all_finite=False) self._raw_data = X self._all_finite = is_finite(X) if ~self._all_finite: # Pass only the purely finite indices into hdbscan # We will later assign all non-finite points to the background -1 cluster finite_index = get_finite_row_indices(X) clean_data = X[finite_index] internal_to_raw = { x: y for x, y in zip(range(len(finite_index)), finite_index) } outliers = list(set(range(X.shape[0])) - set(finite_index)) else: clean_data = X elif issparse(X): # Handle sparse precomputed distance matrices separately X = check_array(X, accept_sparse="csr") clean_data = X else: # Only non-sparse, precomputed distance matrices are allowed # to have numpy.inf values indicating missing distances check_precomputed_distance_matrix(X) clean_data = X kwargs = self.get_params() # prediction data only applies to the persistent model, so remove # it from the keyword args we pass on the the function kwargs.pop("prediction_data", None) kwargs.update(self._metric_kwargs) ( self.labels_, self.probabilities_, self.cluster_persistence_, self._condensed_tree, self._single_linkage_tree, self._min_spanning_tree, ) = hdbscan(clean_data, **kwargs) if self.metric != "precomputed" and not self._all_finite: # remap indices to align with original data in the case of non-finite entries. self._condensed_tree = remap_condensed_tree( self._condensed_tree, internal_to_raw, outliers ) self._single_linkage_tree = remap_single_linkage_tree( self._single_linkage_tree, internal_to_raw, outliers ) new_labels = np.full(X.shape[0], -1) new_labels[finite_index] = self.labels_ self.labels_ = new_labels new_probabilities = np.zeros(X.shape[0]) new_probabilities[finite_index] = self.probabilities_ self.probabilities_ = new_probabilities if self.prediction_data: self.generate_prediction_data() return self def fit_predict(self, X, y=None): """Performs clustering on X and returns cluster labels. Parameters ---------- X : array or sparse (CSR) matrix of shape (n_samples, n_features), or \ array of shape (n_samples, n_samples) A feature array, or array of distances between samples if ``metric='precomputed'``. Returns ------- y : ndarray, shape (n_samples, ) cluster labels """ self.fit(X) return self.labels_ def generate_prediction_data(self): """ Create data that caches intermediate results used for predicting the label of new/unseen points. This data is only useful if you are intending to use functions from ``hdbscan.prediction``. """ if self.metric in FAST_METRICS: min_samples = self.min_samples or self.min_cluster_size if self.metric in KDTree.valid_metrics: tree_type = "kdtree" elif self.metric in BallTree.valid_metrics: tree_type = "balltree" else: warn("Metric {} not supported for prediction data!".format(self.metric)) return self._prediction_data = PredictionData( self._raw_data, self.condensed_tree_, min_samples, tree_type=tree_type, metric=self.metric, **self._metric_kwargs ) else: warn( "Cannot generate prediction data for non-vector" "space inputs -- access to the source data rather" "than mere distances is required!" ) def weighted_cluster_centroid(self, cluster_id): """Provide an approximate representative point for a given cluster. Note that this technique assumes a euclidean metric for speed of computation. For more general metrics use the ``weighted_cluster_medoid`` method which is slower, but can work with the metric the model trained with. Parameters ---------- cluster_id: int The id of the cluster to compute a centroid for. Returns ------- centroid: array of shape (n_features,) A representative centroid for cluster ``cluster_id``. """ if not hasattr(self, "labels_"): raise AttributeError("Model has not been fit to data") if cluster_id == -1: raise ValueError( "Cannot calculate weighted centroid for -1 cluster " "since it is a noise cluster" ) mask = self.labels_ == cluster_id cluster_data = self._raw_data[mask] cluster_membership_strengths = self.probabilities_[mask] return np.average(cluster_data, weights=cluster_membership_strengths, axis=0) def weighted_cluster_medoid(self, cluster_id): """Provide an approximate representative point for a given cluster. Note that this technique can be very slow and memory intensive for large clusters. For faster results use the ``weighted_cluster_centroid`` method which is faster, but assumes a euclidean metric. Parameters ---------- cluster_id: int The id of the cluster to compute a medoid for. Returns ------- centroid: array of shape (n_features,) A representative medoid for cluster ``cluster_id``. """ if not hasattr(self, "labels_"): raise AttributeError("Model has not been fit to data") if cluster_id == -1: raise ValueError( "Cannot calculate weighted centroid for -1 cluster " "since it is a noise cluster" ) mask = self.labels_ == cluster_id cluster_data = self._raw_data[mask] cluster_membership_strengths = self.probabilities_[mask] dist_mat = pairwise_distances( cluster_data, metric=self.metric, **self._metric_kwargs ) dist_mat = dist_mat * cluster_membership_strengths medoid_index = np.argmin(dist_mat.sum(axis=1)) return cluster_data[medoid_index] def dbscan_clustering(self, cut_distance, min_cluster_size=5): """Return clustering that would be equivalent to running DBSCAN* for a particular cut_distance (or epsilon) DBSCAN* can be thought of as DBSCAN without the border points. As such these results may differ slightly from sklearns implementation of dbscan in the non-core points. This can also be thought of as a flat clustering derived from constant height cut through the single linkage tree. This represents the result of selecting a cut value for robust single linkage clustering. The `min_cluster_size` allows the flat clustering to declare noise points (and cluster smaller than `min_cluster_size`). Parameters ---------- cut_distance : float The mutual reachability distance cut value to use to generate a flat clustering. min_cluster_size : int, optional Clusters smaller than this value with be called 'noise' and remain unclustered in the resulting flat clustering. Returns ------- labels : array [n_samples] An array of cluster labels, one per datapoint. Unclustered points are assigned the label -1. """ return self.single_linkage_tree_.get_clusters( cut_distance=cut_distance, min_cluster_size=min_cluster_size, ) @property def prediction_data_(self): if self._prediction_data is None: raise AttributeError("No prediction data was generated") else: return self._prediction_data @property def outlier_scores_(self): if self._outlier_scores is not None: return self._outlier_scores else: if self._condensed_tree is not None: self._outlier_scores = outlier_scores(self._condensed_tree) return self._outlier_scores else: raise AttributeError( "No condensed tree was generated; try running fit first." ) @property def condensed_tree_(self): if self._condensed_tree is not None: return CondensedTree( self._condensed_tree, self.cluster_selection_method, self.allow_single_cluster, ) else: raise AttributeError( "No condensed tree was generated; try running fit first." ) @property def single_linkage_tree_(self): if self._single_linkage_tree is not None: return SingleLinkageTree(self._single_linkage_tree) else: raise AttributeError( "No single linkage tree was generated; try running fit" " first." ) @property def minimum_spanning_tree_(self): if self._min_spanning_tree is not None: if self._raw_data is not None: return MinimumSpanningTree(self._min_spanning_tree, self._raw_data) else: warn( "No raw data is available; this may be due to using" " a precomputed metric matrix. No minimum spanning" " tree will be provided without raw data." ) return None else: raise AttributeError( "No minimum spanning tree was generated." "This may be due to optimized algorithm variations that skip" " explicit generation of the spanning tree." ) @property def exemplars_(self): if self._prediction_data is not None: return self._prediction_data.exemplars elif self.metric in FAST_METRICS: self.generate_prediction_data() return self._prediction_data.exemplars else: raise AttributeError( "Currently exemplars require the use of vector input data" "with a suitable metric. This will likely change in the " "future, but for now no exemplars can be provided" ) @property def relative_validity_(self): if self._relative_validity is not None: return self._relative_validity if not self.gen_min_span_tree: raise AttributeError( "Minimum spanning tree not present. " + "Either HDBSCAN object was created with " + "gen_min_span_tree=False or the tree was " + "not generated in spite of it owing to " + "internal optimization criteria." ) return labels = self.labels_ sizes = np.bincount(labels + 1) noise_size = sizes[0] cluster_size = sizes[1:] total = noise_size + np.sum(cluster_size) num_clusters = len(cluster_size) DSC = np.zeros(num_clusters) min_outlier_sep = np.inf # only required if num_clusters = 1 correction_const = 2 # only required if num_clusters = 1 # Unltimately, for each Ci, we only require the # minimum of DSPC(Ci, Cj) over all Cj != Ci. # So let's call this value DSPC_wrt(Ci), i.e. # density separation 'with respect to' Ci. DSPC_wrt = np.ones(num_clusters) * np.inf max_distance = 0 mst_df = self.minimum_spanning_tree_.to_pandas() for edge in mst_df.iterrows(): label1 = labels[int(edge[1]["from"])] label2 = labels[int(edge[1]["to"])] length = edge[1]["distance"] max_distance = max(max_distance, length) if label1 == -1 and label2 == -1: continue elif label1 == -1 or label2 == -1: # If exactly one of the points is noise min_outlier_sep = min(min_outlier_sep, length) continue if label1 == label2: # Set the density sparseness of the cluster # to the sparsest value seen so far. DSC[label1] = max(length, DSC[label1]) else: # Check whether density separations with # respect to each of these clusters can # be reduced. DSPC_wrt[label1] = min(length, DSPC_wrt[label1]) DSPC_wrt[label2] = min(length, DSPC_wrt[label2]) # In case min_outlier_sep is still np.inf, we assign a new value to it. # This only makes sense if num_clusters = 1 since it has turned out # that the MR-MST has no edges between a noise point and a core point. min_outlier_sep = max_distance if min_outlier_sep == np.inf else min_outlier_sep # DSPC_wrt[Ci] might be infinite if the connected component for Ci is # an "island" in the MR-MST. Whereas for other clusters Cj and Ck, the # MR-MST might contain an edge with one point in Cj and ther other one # in Ck. Here, we replace the infinite density separation of Ci by # another large enough value. # # TODO: Think of a better yet efficient way to handle this. correction = correction_const * ( max_distance if num_clusters > 1 else min_outlier_sep ) DSPC_wrt[np.where(DSPC_wrt == np.inf)] = correction V_index = [ (DSPC_wrt[i] - DSC[i]) / max(DSPC_wrt[i], DSC[i]) for i in range(num_clusters) ] score = np.sum( [(cluster_size[i] * V_index[i]) / total for i in range(num_clusters)] ) self._relative_validity = score return self._relative_validity
{ "content_hash": "0c0169dc0cb5b31fa989ab665a826b1d", "timestamp": "", "source": "github", "line_count": 1524, "max_line_length": 115, "avg_line_length": 38.02690288713911, "alnum_prop": 0.6160681931910341, "repo_name": "scikit-learn-contrib/hdbscan", "id": "ce0092d04e6b868365c4b8957b766dbc288e366d", "size": "57977", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "hdbscan/hdbscan_.py", "mode": "33188", "license": "bsd-3-clause", "language": [ { "name": "Cython", "bytes": "155467" }, { "name": "Jupyter Notebook", "bytes": "6845240" }, { "name": "Python", "bytes": "242605" }, { "name": "Shell", "bytes": "1322" }, { "name": "TeX", "bytes": "1790" } ], "symlink_target": "" }