text
stringlengths
2
1.04M
meta
dict
/* * 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 io.trino.sql.planner.iterative.rule; import com.google.common.collect.ImmutableList; import com.google.common.collect.ImmutableSet; import io.trino.Session; import io.trino.execution.warnings.WarningCollector; import io.trino.metadata.AnalyzePropertyManager; import io.trino.metadata.OperatorNotFoundException; import io.trino.metadata.SessionPropertyManager; import io.trino.metadata.TableProceduresPropertyManager; import io.trino.metadata.TableProceduresRegistry; import io.trino.metadata.TablePropertyManager; import io.trino.security.AllowAllAccessControl; import io.trino.spi.type.Type; import io.trino.sql.DynamicFilters; import io.trino.sql.PlannerContext; import io.trino.sql.analyzer.StatementAnalyzerFactory; import io.trino.sql.parser.SqlParser; import io.trino.sql.planner.PlanNodeIdAllocator; import io.trino.sql.planner.Symbol; import io.trino.sql.planner.SymbolAllocator; import io.trino.sql.planner.TypeAnalyzer; import io.trino.sql.planner.TypeProvider; import io.trino.sql.planner.optimizations.PlanOptimizer; import io.trino.sql.planner.plan.DynamicFilterId; import io.trino.sql.planner.plan.FilterNode; import io.trino.sql.planner.plan.JoinNode; import io.trino.sql.planner.plan.PlanNode; import io.trino.sql.planner.plan.PlanVisitor; import io.trino.sql.planner.plan.SemiJoinNode; import io.trino.sql.planner.plan.SpatialJoinNode; import io.trino.sql.planner.plan.TableScanNode; import io.trino.sql.tree.Cast; import io.trino.sql.tree.Expression; import io.trino.sql.tree.ExpressionRewriter; import io.trino.sql.tree.ExpressionTreeRewriter; import io.trino.sql.tree.LogicalExpression; import io.trino.sql.tree.NodeRef; import io.trino.sql.tree.SymbolReference; import io.trino.type.TypeCoercion; import java.util.HashSet; import java.util.List; import java.util.Map; import java.util.Optional; import java.util.Set; import static com.google.common.collect.ImmutableList.toImmutableList; import static com.google.common.collect.ImmutableMap.toImmutableMap; import static com.google.common.collect.ImmutableSet.toImmutableSet; import static io.trino.spi.function.OperatorType.SATURATED_FLOOR_CAST; import static io.trino.sql.DynamicFilters.extractDynamicFilters; import static io.trino.sql.DynamicFilters.getDescriptor; import static io.trino.sql.DynamicFilters.isDynamicFilter; import static io.trino.sql.ExpressionUtils.combineConjuncts; import static io.trino.sql.ExpressionUtils.combinePredicates; import static io.trino.sql.ExpressionUtils.extractConjuncts; import static io.trino.sql.planner.plan.ChildReplacer.replaceChildren; import static io.trino.sql.tree.BooleanLiteral.TRUE_LITERAL; import static java.util.Objects.requireNonNull; import static java.util.stream.Collectors.toList; /** * Dynamic filters are supported only right after TableScan and only if the subtree is on * 1. the probe side of some downstream JoinNode or * 2. the source side of some downstream SemiJoinNode node * Dynamic filters are removed from JoinNode/SemiJoinNode if there is no consumer for it on probe/source side */ public class RemoveUnsupportedDynamicFilters implements PlanOptimizer { private final PlannerContext plannerContext; private final TypeAnalyzer typeAnalyzer; public RemoveUnsupportedDynamicFilters(PlannerContext plannerContext) { this.plannerContext = requireNonNull(plannerContext, "plannerContext is null"); // This is a limited type analyzer for the simple expressions used in dynamic filters this.typeAnalyzer = new TypeAnalyzer( plannerContext, new StatementAnalyzerFactory( plannerContext, new SqlParser(), new AllowAllAccessControl(), user -> ImmutableSet.of(), new TableProceduresRegistry(), new SessionPropertyManager(), new TablePropertyManager(), new AnalyzePropertyManager(), new TableProceduresPropertyManager())); } @Override public PlanNode optimize(PlanNode plan, Session session, TypeProvider types, SymbolAllocator symbolAllocator, PlanNodeIdAllocator idAllocator, WarningCollector warningCollector) { PlanWithConsumedDynamicFilters result = plan.accept(new RemoveUnsupportedDynamicFilters.Rewriter(session, types), ImmutableSet.of()); return result.getNode(); } private class Rewriter extends PlanVisitor<PlanWithConsumedDynamicFilters, Set<DynamicFilterId>> { private final Session session; private final TypeProvider types; private final TypeCoercion typeCoercion; public Rewriter(Session session, TypeProvider types) { this.session = requireNonNull(session, "session is null"); this.types = requireNonNull(types, "types is null"); this.typeCoercion = new TypeCoercion(plannerContext.getTypeManager()::getType); } @Override protected PlanWithConsumedDynamicFilters visitPlan(PlanNode node, Set<DynamicFilterId> allowedDynamicFilterIds) { List<PlanWithConsumedDynamicFilters> children = node.getSources().stream() .map(source -> source.accept(this, allowedDynamicFilterIds)) .collect(toImmutableList()); PlanNode result = replaceChildren( node, children.stream() .map(PlanWithConsumedDynamicFilters::getNode) .collect(toList())); Set<DynamicFilterId> consumedDynamicFilterIds = children.stream() .map(PlanWithConsumedDynamicFilters::getConsumedDynamicFilterIds) .flatMap(Set::stream) .collect(toImmutableSet()); return new PlanWithConsumedDynamicFilters(result, consumedDynamicFilterIds); } @Override public PlanWithConsumedDynamicFilters visitJoin(JoinNode node, Set<DynamicFilterId> allowedDynamicFilterIds) { ImmutableSet<DynamicFilterId> allowedDynamicFilterIdsProbeSide = ImmutableSet.<DynamicFilterId>builder() .addAll(node.getDynamicFilters().keySet()) .addAll(allowedDynamicFilterIds) .build(); PlanWithConsumedDynamicFilters leftResult = node.getLeft().accept(this, allowedDynamicFilterIdsProbeSide); Set<DynamicFilterId> consumedProbeSide = leftResult.getConsumedDynamicFilterIds(); Map<DynamicFilterId, Symbol> dynamicFilters = node.getDynamicFilters().entrySet().stream() .filter(entry -> consumedProbeSide.contains(entry.getKey())) .collect(toImmutableMap(Map.Entry::getKey, Map.Entry::getValue)); PlanWithConsumedDynamicFilters rightResult = node.getRight().accept(this, allowedDynamicFilterIds); Set<DynamicFilterId> consumed = new HashSet<>(rightResult.getConsumedDynamicFilterIds()); consumed.addAll(consumedProbeSide); consumed.removeAll(dynamicFilters.keySet()); Optional<Expression> filter = node .getFilter().map(this::removeAllDynamicFilters) // no DF support at Join operators. .filter(expression -> !expression.equals(TRUE_LITERAL)); PlanNode left = leftResult.getNode(); PlanNode right = rightResult.getNode(); if (!left.equals(node.getLeft()) || !right.equals(node.getRight()) || !dynamicFilters.equals(node.getDynamicFilters()) || !filter.equals(node.getFilter())) { return new PlanWithConsumedDynamicFilters(new JoinNode( node.getId(), node.getType(), left, right, node.getCriteria(), node.getLeftOutputSymbols(), node.getRightOutputSymbols(), node.isMaySkipOutputDuplicates(), filter, node.getLeftHashSymbol(), node.getRightHashSymbol(), node.getDistributionType(), node.isSpillable(), dynamicFilters, node.getReorderJoinStatsAndCost()), ImmutableSet.copyOf(consumed)); } return new PlanWithConsumedDynamicFilters(node, ImmutableSet.copyOf(consumed)); } @Override public PlanWithConsumedDynamicFilters visitSpatialJoin(SpatialJoinNode node, Set<DynamicFilterId> allowedDynamicFilterIds) { PlanWithConsumedDynamicFilters leftResult = node.getLeft().accept(this, allowedDynamicFilterIds); PlanWithConsumedDynamicFilters rightResult = node.getRight().accept(this, allowedDynamicFilterIds); Set<DynamicFilterId> consumed = ImmutableSet.<DynamicFilterId>builder() .addAll(leftResult.consumedDynamicFilterIds) .addAll(rightResult.consumedDynamicFilterIds) .build(); Expression filter = removeAllDynamicFilters(node.getFilter()); if (!node.getFilter().equals(filter) || leftResult.getNode() != node.getLeft() || rightResult.getNode() != node.getRight()) { return new PlanWithConsumedDynamicFilters( new SpatialJoinNode( node.getId(), node.getType(), leftResult.getNode(), rightResult.getNode(), node.getOutputSymbols(), filter, node.getLeftPartitionSymbol(), node.getRightPartitionSymbol(), node.getKdbTree()), consumed); } return new PlanWithConsumedDynamicFilters(node, consumed); } @Override public PlanWithConsumedDynamicFilters visitSemiJoin(SemiJoinNode node, Set<DynamicFilterId> allowedDynamicFilterIds) { if (node.getDynamicFilterId().isEmpty()) { return visitPlan(node, allowedDynamicFilterIds); } DynamicFilterId dynamicFilterId = node.getDynamicFilterId().get(); Set<DynamicFilterId> allowedDynamicFilterIdsSourceSide = ImmutableSet.<DynamicFilterId>builder() .add(dynamicFilterId) .addAll(allowedDynamicFilterIds) .build(); PlanWithConsumedDynamicFilters sourceResult = node.getSource().accept(this, allowedDynamicFilterIdsSourceSide); PlanWithConsumedDynamicFilters filteringSourceResult = node.getFilteringSource().accept(this, allowedDynamicFilterIds); Set<DynamicFilterId> consumed = new HashSet<>(filteringSourceResult.getConsumedDynamicFilterIds()); consumed.addAll(sourceResult.getConsumedDynamicFilterIds()); Optional<DynamicFilterId> newFilterId; if (consumed.contains(dynamicFilterId)) { consumed.remove(dynamicFilterId); newFilterId = Optional.of(dynamicFilterId); } else { newFilterId = Optional.empty(); } PlanNode newSource = sourceResult.getNode(); PlanNode newFilteringSource = filteringSourceResult.getNode(); if (!newSource.equals(node.getSource()) || !newFilteringSource.equals(node.getFilteringSource()) || !newFilterId.equals(node.getDynamicFilterId())) { return new PlanWithConsumedDynamicFilters(new SemiJoinNode( node.getId(), newSource, newFilteringSource, node.getSourceJoinSymbol(), node.getFilteringSourceJoinSymbol(), node.getSemiJoinOutput(), node.getSourceHashSymbol(), node.getFilteringSourceHashSymbol(), node.getDistributionType(), newFilterId), ImmutableSet.copyOf(consumed)); } return new PlanWithConsumedDynamicFilters(node, ImmutableSet.copyOf(consumed)); } @Override public PlanWithConsumedDynamicFilters visitFilter(FilterNode node, Set<DynamicFilterId> allowedDynamicFilterIds) { PlanWithConsumedDynamicFilters result = node.getSource().accept(this, allowedDynamicFilterIds); Expression original = node.getPredicate(); ImmutableSet.Builder<DynamicFilterId> consumedDynamicFilterIds = ImmutableSet.<DynamicFilterId>builder() .addAll(result.getConsumedDynamicFilterIds()); PlanNode source = result.getNode(); Expression modified; if (source instanceof TableScanNode) { // Keep only allowed dynamic filters modified = removeDynamicFilters(original, allowedDynamicFilterIds, consumedDynamicFilterIds); } else { modified = removeAllDynamicFilters(original); } if (TRUE_LITERAL.equals(modified)) { return new PlanWithConsumedDynamicFilters(source, consumedDynamicFilterIds.build()); } if (!original.equals(modified) || source != node.getSource()) { return new PlanWithConsumedDynamicFilters( new FilterNode(node.getId(), source, modified), consumedDynamicFilterIds.build()); } return new PlanWithConsumedDynamicFilters(node, consumedDynamicFilterIds.build()); } private Expression removeDynamicFilters(Expression expression, Set<DynamicFilterId> allowedDynamicFilterIds, ImmutableSet.Builder<DynamicFilterId> consumedDynamicFilterIds) { return combineConjuncts(plannerContext.getMetadata(), extractConjuncts(expression) .stream() .map(this::removeNestedDynamicFilters) .filter(conjunct -> getDescriptor(conjunct) .map(descriptor -> { if (allowedDynamicFilterIds.contains(descriptor.getId()) && isSupportedDynamicFilterExpression(descriptor.getInput())) { consumedDynamicFilterIds.add(descriptor.getId()); return true; } return false; }).orElse(true)) .collect(toImmutableList())); } private boolean isSupportedDynamicFilterExpression(Expression expression) { if (expression instanceof SymbolReference) { return true; } if (!(expression instanceof Cast)) { return false; } Cast castExpression = (Cast) expression; if (!(castExpression.getExpression() instanceof SymbolReference)) { return false; } Map<NodeRef<Expression>, Type> expressionTypes = typeAnalyzer.getTypes(session, types, expression); Type castSourceType = expressionTypes.get(NodeRef.of(castExpression.getExpression())); Type castTargetType = expressionTypes.get(NodeRef.<Expression>of(castExpression)); // CAST must be an implicit coercion if (!typeCoercion.canCoerce(castSourceType, castTargetType)) { return false; } return doesSaturatedFloorCastOperatorExist(castTargetType, castSourceType); } private boolean doesSaturatedFloorCastOperatorExist(Type fromType, Type toType) { try { plannerContext.getMetadata().getCoercion(session, SATURATED_FLOOR_CAST, fromType, toType); } catch (OperatorNotFoundException e) { return false; } return true; } private Expression removeAllDynamicFilters(Expression expression) { Expression rewrittenExpression = removeNestedDynamicFilters(expression); DynamicFilters.ExtractResult extractResult = extractDynamicFilters(rewrittenExpression); if (extractResult.getDynamicConjuncts().isEmpty()) { return rewrittenExpression; } return combineConjuncts(plannerContext.getMetadata(), extractResult.getStaticConjuncts()); } private Expression removeNestedDynamicFilters(Expression expression) { return ExpressionTreeRewriter.rewriteWith(new ExpressionRewriter<>() { @Override public Expression rewriteLogicalExpression(LogicalExpression node, Void context, ExpressionTreeRewriter<Void> treeRewriter) { LogicalExpression rewrittenNode = treeRewriter.defaultRewrite(node, context); boolean modified = (node != rewrittenNode); ImmutableList.Builder<Expression> expressionBuilder = ImmutableList.builder(); for (Expression term : rewrittenNode.getTerms()) { if (isDynamicFilter(term)) { expressionBuilder.add(TRUE_LITERAL); modified = true; } else { expressionBuilder.add(term); } } if (!modified) { return node; } return combinePredicates(plannerContext.getMetadata(), node.getOperator(), expressionBuilder.build()); } }, expression); } } private static class PlanWithConsumedDynamicFilters { private final PlanNode node; private final Set<DynamicFilterId> consumedDynamicFilterIds; PlanWithConsumedDynamicFilters(PlanNode node, Set<DynamicFilterId> consumedDynamicFilterIds) { this.node = node; this.consumedDynamicFilterIds = ImmutableSet.copyOf(consumedDynamicFilterIds); } PlanNode getNode() { return node; } Set<DynamicFilterId> getConsumedDynamicFilterIds() { return consumedDynamicFilterIds; } } }
{ "content_hash": "37c9c67435237a626e20ec477a56d90d", "timestamp": "", "source": "github", "line_count": 424, "max_line_length": 181, "avg_line_length": 46.31367924528302, "alnum_prop": 0.624484391709528, "repo_name": "ebyhr/presto", "id": "8036942bda29cc10eaecb9f6315ad8c3e80c3873", "size": "19637", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "core/trino-main/src/main/java/io/trino/sql/planner/iterative/rule/RemoveUnsupportedDynamicFilters.java", "mode": "33188", "license": "apache-2.0", "language": [ { "name": "ANTLR", "bytes": "26917" }, { "name": "CSS", "bytes": "12957" }, { "name": "HTML", "bytes": "28832" }, { "name": "Java", "bytes": "31247929" }, { "name": "JavaScript", "bytes": "211244" }, { "name": "Makefile", "bytes": "6830" }, { "name": "PLSQL", "bytes": "2797" }, { "name": "PLpgSQL", "bytes": "11504" }, { "name": "Python", "bytes": "7811" }, { "name": "SQLPL", "bytes": "926" }, { "name": "Shell", "bytes": "29857" }, { "name": "Thrift", "bytes": "12631" } ], "symlink_target": "" }
<?xml version="1.0" encoding="UTF-8"?> <!-- Generated by org.testng.reporters.JUnitReportReporter --> <testsuite hostname="GZ-QA-AutoTool" name="KWS.prepare.t15_04_20_09_49_45" tests="1" failures="0" timestamp="21 Apr 2015 04:51:19 GMT" time="85.067" errors="1"> <testcase name="TK_UBVR_AddExistingRegistryByCoupleSearch" time="85.067" classname="KWS.prepare.t15_04_20_09_49_45"> <error type="java.lang.AssertionError" message="TIME OUT!! 20 second(s) has passed,but did not find element [By.xpath: //div[text()=&#039;Stone Wang&#039;]] "> <![CDATA[java.lang.AssertionError: TIME OUT!! 20 second(s) has passed,but did not find element [By.xpath: //div[text()='Stone Wang']] at org.testng.Assert.fail(Assert.java:94) at KWS.prepare.autoMan.getElement(autoMan.java:63) at KWS.prepare.autoMan.ElementPresent(autoMan.java:288) at KWS.prepare.testdata.readExcel(testdata.java:137) at KWS.prepare.t15_04_20_09_49_45.TK_UBVR_AddExistingRegistryByCoupleSearch(t15_04_20_09_49_45.java:8) at sun.reflect.NativeMethodAccessorImpl.invoke0(Native Method) at sun.reflect.NativeMethodAccessorImpl.invoke(NativeMethodAccessorImpl.java:57) at sun.reflect.DelegatingMethodAccessorImpl.invoke(DelegatingMethodAccessorImpl.java:43) at java.lang.reflect.Method.invoke(Method.java:606) at org.testng.internal.MethodInvocationHelper.invokeMethod(MethodInvocationHelper.java:84) at org.testng.internal.Invoker.invokeMethod(Invoker.java:714) at org.testng.internal.Invoker.invokeTestMethod(Invoker.java:901) at org.testng.internal.Invoker.invokeTestMethods(Invoker.java:1231) at org.testng.internal.TestMethodWorker.invokeTestMethods(TestMethodWorker.java:127) at org.testng.internal.TestMethodWorker.run(TestMethodWorker.java:111) at org.testng.TestRunner.privateRun(TestRunner.java:767) at org.testng.TestRunner.run(TestRunner.java:617) at org.testng.SuiteRunner.runTest(SuiteRunner.java:334) at org.testng.SuiteRunner.runSequentially(SuiteRunner.java:329) at org.testng.SuiteRunner.privateRun(SuiteRunner.java:291) at org.testng.SuiteRunner.run(SuiteRunner.java:240) at org.testng.SuiteRunnerWorker.runSuite(SuiteRunnerWorker.java:52) at org.testng.SuiteRunnerWorker.run(SuiteRunnerWorker.java:86) at org.testng.TestNG.runSuitesSequentially(TestNG.java:1224) at org.testng.TestNG.runSuitesLocally(TestNG.java:1149) at org.testng.TestNG.run(TestNG.java:1057) at org.testng.TestNG.privateMain(TestNG.java:1364) at org.testng.TestNG.main(TestNG.java:1333) ]]> </error> </testcase> <!-- TK_UBVR_AddExistingRegistryByCoupleSearch --> </testsuite> <!-- KWS.prepare.t15_04_20_09_49_45 -->
{ "content_hash": "c8dd35aa2419655ebf5d11c78f7774cb", "timestamp": "", "source": "github", "line_count": 38, "max_line_length": 163, "avg_line_length": 68.60526315789474, "alnum_prop": 0.7886459532029152, "repo_name": "threeStone313/auto_web", "id": "8ad290fdd00ea0c0fdeaef52e970ea1733c0378c", "size": "2607", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "result/test-report/junitreports/TEST-KWS.prepare.t15_04_20_09_49_45.xml", "mode": "33188", "license": "mit", "language": [ { "name": "ApacheConf", "bytes": "364" }, { "name": "CSS", "bytes": "587152" }, { "name": "HTML", "bytes": "5481727" }, { "name": "Java", "bytes": "63558" }, { "name": "JavaScript", "bytes": "2178608" }, { "name": "PHP", "bytes": "2221076" }, { "name": "Shell", "bytes": "2908" } ], "symlink_target": "" }
package com.amazonaws.util.awsclientgenerator.generators.cpp.dynamodb; import com.amazonaws.util.awsclientgenerator.domainmodels.SdkFileEntry; import com.amazonaws.util.awsclientgenerator.domainmodels.codegeneration.ServiceModel; import com.amazonaws.util.awsclientgenerator.domainmodels.codegeneration.Shape; import com.amazonaws.util.awsclientgenerator.generators.cpp.JsonCppClientGenerator; import org.apache.velocity.Template; import java.nio.charset.StandardCharsets; import java.util.Arrays; import java.util.HashSet; import java.util.Map; import java.util.Set; public class DynamoDBJsonCppClientGenerator extends JsonCppClientGenerator { public DynamoDBJsonCppClientGenerator() throws Exception { super(); } @Override public SdkFileEntry[] generateSourceFiles(ServiceModel serviceModel) throws Exception { // add a helper class that is used for AttributeValue values. Shape attributeValueShape = new Shape(); attributeValueShape.setName("AttributeValueValue"); attributeValueShape.setType("structure"); serviceModel.getShapes().put(attributeValueShape.getName(), attributeValueShape); return super.generateSourceFiles(serviceModel); } @Override protected SdkFileEntry generateModelHeaderFile(ServiceModel serviceModel, Map.Entry<String, Shape> shapeEntry) throws Exception { switch(shapeEntry.getKey()) { case "AttributeValue": { Template template = velocityEngine.getTemplate("/com/amazonaws/util/awsclientgenerator/velocity/cpp/dynamodb/AttributeValueHeader.vm", StandardCharsets.UTF_8.name()); return makeFile(template, createContext(serviceModel), "include/aws/dynamodb/model/AttributeValue.h", true); } case "AttributeValueValue": { Template template = velocityEngine.getTemplate("/com/amazonaws/util/awsclientgenerator/velocity/cpp/dynamodb/AttributeValueValueHeader.vm", StandardCharsets.UTF_8.name()); return makeFile(template, createContext(serviceModel), "include/aws/dynamodb/model/AttributeValueValue.h", true); } default: return super.generateModelHeaderFile(serviceModel, shapeEntry); } } @Override protected SdkFileEntry generateModelSourceFile(ServiceModel serviceModel, Map.Entry<String, Shape> shapeEntry) throws Exception { switch(shapeEntry.getKey()) { case "AttributeValue": { Template template = velocityEngine.getTemplate("/com/amazonaws/util/awsclientgenerator/velocity/cpp/dynamodb/AttributeValueSource.vm"); return makeFile(template, createContext(serviceModel), "source/model/AttributeValue.cpp", true); } case "AttributeValueValue": { Template template = velocityEngine.getTemplate("/com/amazonaws/util/awsclientgenerator/velocity/cpp/dynamodb/AttributeValueValueSource.vm"); return makeFile(template, createContext(serviceModel), "source/model/AttributeValueValue.cpp", true); } default: return super.generateModelSourceFile(serviceModel, shapeEntry); } } @Override protected Set<String> getRetryableErrors() { return new HashSet<>(Arrays.asList(new String[]{"LimitExceededException", "ProvisionedThroughputExceededException", "ResourceInUseException"})); } }
{ "content_hash": "406d8cd7f5fc602e2be928f4eae21e18", "timestamp": "", "source": "github", "line_count": 71, "max_line_length": 187, "avg_line_length": 48.45070422535211, "alnum_prop": 0.7255813953488373, "repo_name": "chiaming0914/awe-cpp-sdk", "id": "8d4122e46317f5eedc63dd45b53d3b46ab2b58eb", "size": "4011", "binary": false, "copies": "3", "ref": "refs/heads/master", "path": "code-generation/generator/src/main/java/com/amazonaws/util/awsclientgenerator/generators/cpp/dynamodb/DynamoDBJsonCppClientGenerator.java", "mode": "33188", "license": "apache-2.0", "language": [ { "name": "C", "bytes": "2313" }, { "name": "C++", "bytes": "98158533" }, { "name": "CMake", "bytes": "437471" }, { "name": "HTML", "bytes": "4471" }, { "name": "Java", "bytes": "239297" }, { "name": "Python", "bytes": "72827" }, { "name": "Shell", "bytes": "2803" } ], "symlink_target": "" }
package com.amazonaws.services.cognitoidentity; import javax.annotation.Generated; import com.amazonaws.*; import com.amazonaws.regions.*; import com.amazonaws.services.cognitoidentity.model.*; /** * Interface for accessing Amazon Cognito Identity. * <p> * <b>Note:</b> Do not directly implement this interface, new methods are added to it regularly. Extend from * {@link com.amazonaws.services.cognitoidentity.AbstractAmazonCognitoIdentity} instead. * </p> * <p> * <fullname>Amazon Cognito Federated Identities</fullname> * <p> * Amazon Cognito Federated Identities is a web service that delivers scoped temporary credentials to mobile devices and * other untrusted environments. It uniquely identifies a device and supplies the user with a consistent identity over * the lifetime of an application. * </p> * <p> * Using Amazon Cognito Federated Identities, you can enable authentication with one or more third-party identity * providers (Facebook, Google, or Login with Amazon) or an Amazon Cognito user pool, and you can also choose to support * unauthenticated access from your app. Cognito delivers a unique identifier for each user and acts as an OpenID token * provider trusted by AWS Security Token Service (STS) to access temporary, limited-privilege AWS credentials. * </p> * <p> * For a description of the authentication flow from the Amazon Cognito Developer Guide see <a * href="https://docs.aws.amazon.com/cognito/latest/developerguide/authentication-flow.html">Authentication Flow</a>. * </p> * <p> * For more information see <a * href="https://docs.aws.amazon.com/cognito/latest/developerguide/cognito-identity.html">Amazon Cognito Federated * Identities</a>. * </p> */ @Generated("com.amazonaws:aws-java-sdk-code-generator") public interface AmazonCognitoIdentity { /** * The region metadata service name for computing region endpoints. You can use this value to retrieve metadata * (such as supported regions) of the service. * * @see RegionUtils#getRegionsForService(String) */ String ENDPOINT_PREFIX = "cognito-identity"; /** * Overrides the default endpoint for this client ("https://cognito-identity.us-east-1.amazonaws.com"). Callers can * use this method to control which AWS region they want to work with. * <p> * Callers can pass in just the endpoint (ex: "cognito-identity.us-east-1.amazonaws.com") or a full URL, including * the protocol (ex: "https://cognito-identity.us-east-1.amazonaws.com"). If the protocol is not specified here, the * default protocol from this client's {@link ClientConfiguration} will be used, which by default is HTTPS. * <p> * For more information on using AWS regions with the AWS SDK for Java, and a complete list of all available * endpoints for all AWS services, see: <a href= * "https://docs.aws.amazon.com/sdk-for-java/v1/developer-guide/java-dg-region-selection.html#region-selection-choose-endpoint" * > https://docs.aws.amazon.com/sdk-for-java/v1/developer-guide/java-dg-region-selection.html#region-selection- * choose-endpoint</a> * <p> * <b>This method is not threadsafe. An endpoint should be configured when the client is created and before any * service requests are made. Changing it afterwards creates inevitable race conditions for any service requests in * transit or retrying.</b> * * @param endpoint * The endpoint (ex: "cognito-identity.us-east-1.amazonaws.com") or a full URL, including the protocol (ex: * "https://cognito-identity.us-east-1.amazonaws.com") of the region specific AWS endpoint this client will * communicate with. * @deprecated use {@link AwsClientBuilder#setEndpointConfiguration(AwsClientBuilder.EndpointConfiguration)} for * example: * {@code builder.setEndpointConfiguration(new EndpointConfiguration(endpoint, signingRegion));} */ @Deprecated void setEndpoint(String endpoint); /** * An alternative to {@link AmazonCognitoIdentity#setEndpoint(String)}, sets the regional endpoint for this client's * service calls. Callers can use this method to control which AWS region they want to work with. * <p> * By default, all service endpoints in all regions use the https protocol. To use http instead, specify it in the * {@link ClientConfiguration} supplied at construction. * <p> * <b>This method is not threadsafe. A region should be configured when the client is created and before any service * requests are made. Changing it afterwards creates inevitable race conditions for any service requests in transit * or retrying.</b> * * @param region * The region this client will communicate with. See {@link Region#getRegion(com.amazonaws.regions.Regions)} * for accessing a given region. Must not be null and must be a region where the service is available. * * @see Region#getRegion(com.amazonaws.regions.Regions) * @see Region#createClient(Class, com.amazonaws.auth.AWSCredentialsProvider, ClientConfiguration) * @see Region#isServiceSupported(String) * @deprecated use {@link AwsClientBuilder#setRegion(String)} */ @Deprecated void setRegion(Region region); /** * <p> * Creates a new identity pool. The identity pool is a store of user identity information that is specific to your * AWS account. The keys for <code>SupportedLoginProviders</code> are as follows: * </p> * <ul> * <li> * <p> * Facebook: <code>graph.facebook.com</code> * </p> * </li> * <li> * <p> * Google: <code>accounts.google.com</code> * </p> * </li> * <li> * <p> * Amazon: <code>www.amazon.com</code> * </p> * </li> * <li> * <p> * Twitter: <code>api.twitter.com</code> * </p> * </li> * <li> * <p> * Digits: <code>www.digits.com</code> * </p> * </li> * </ul> * <p> * You must use AWS Developer credentials to call this API. * </p> * * @param createIdentityPoolRequest * Input to the CreateIdentityPool action. * @return Result of the CreateIdentityPool operation returned by the service. * @throws InvalidParameterException * Thrown for missing or bad input parameter(s). * @throws NotAuthorizedException * Thrown when a user is not authorized to access the requested resource. * @throws ResourceConflictException * Thrown when a user tries to use a login which is already linked to another account. * @throws TooManyRequestsException * Thrown when a request is throttled. * @throws InternalErrorException * Thrown when the service encounters an error during processing the request. * @throws LimitExceededException * Thrown when the total number of user pools has exceeded a preset limit. * @sample AmazonCognitoIdentity.CreateIdentityPool * @see <a href="http://docs.aws.amazon.com/goto/WebAPI/cognito-identity-2014-06-30/CreateIdentityPool" * target="_top">AWS API Documentation</a> */ CreateIdentityPoolResult createIdentityPool(CreateIdentityPoolRequest createIdentityPoolRequest); /** * <p> * Deletes identities from an identity pool. You can specify a list of 1-60 identities that you want to delete. * </p> * <p> * You must use AWS Developer credentials to call this API. * </p> * * @param deleteIdentitiesRequest * Input to the <code>DeleteIdentities</code> action. * @return Result of the DeleteIdentities operation returned by the service. * @throws InvalidParameterException * Thrown for missing or bad input parameter(s). * @throws TooManyRequestsException * Thrown when a request is throttled. * @throws InternalErrorException * Thrown when the service encounters an error during processing the request. * @sample AmazonCognitoIdentity.DeleteIdentities * @see <a href="http://docs.aws.amazon.com/goto/WebAPI/cognito-identity-2014-06-30/DeleteIdentities" * target="_top">AWS API Documentation</a> */ DeleteIdentitiesResult deleteIdentities(DeleteIdentitiesRequest deleteIdentitiesRequest); /** * <p> * Deletes an identity pool. Once a pool is deleted, users will not be able to authenticate with the pool. * </p> * <p> * You must use AWS Developer credentials to call this API. * </p> * * @param deleteIdentityPoolRequest * Input to the DeleteIdentityPool action. * @return Result of the DeleteIdentityPool operation returned by the service. * @throws InvalidParameterException * Thrown for missing or bad input parameter(s). * @throws ResourceNotFoundException * Thrown when the requested resource (for example, a dataset or record) does not exist. * @throws NotAuthorizedException * Thrown when a user is not authorized to access the requested resource. * @throws TooManyRequestsException * Thrown when a request is throttled. * @throws InternalErrorException * Thrown when the service encounters an error during processing the request. * @sample AmazonCognitoIdentity.DeleteIdentityPool * @see <a href="http://docs.aws.amazon.com/goto/WebAPI/cognito-identity-2014-06-30/DeleteIdentityPool" * target="_top">AWS API Documentation</a> */ DeleteIdentityPoolResult deleteIdentityPool(DeleteIdentityPoolRequest deleteIdentityPoolRequest); /** * <p> * Returns metadata related to the given identity, including when the identity was created and any associated linked * logins. * </p> * <p> * You must use AWS Developer credentials to call this API. * </p> * * @param describeIdentityRequest * Input to the <code>DescribeIdentity</code> action. * @return Result of the DescribeIdentity operation returned by the service. * @throws InvalidParameterException * Thrown for missing or bad input parameter(s). * @throws ResourceNotFoundException * Thrown when the requested resource (for example, a dataset or record) does not exist. * @throws NotAuthorizedException * Thrown when a user is not authorized to access the requested resource. * @throws TooManyRequestsException * Thrown when a request is throttled. * @throws InternalErrorException * Thrown when the service encounters an error during processing the request. * @sample AmazonCognitoIdentity.DescribeIdentity * @see <a href="http://docs.aws.amazon.com/goto/WebAPI/cognito-identity-2014-06-30/DescribeIdentity" * target="_top">AWS API Documentation</a> */ DescribeIdentityResult describeIdentity(DescribeIdentityRequest describeIdentityRequest); /** * <p> * Gets details about a particular identity pool, including the pool name, ID description, creation date, and * current number of users. * </p> * <p> * You must use AWS Developer credentials to call this API. * </p> * * @param describeIdentityPoolRequest * Input to the DescribeIdentityPool action. * @return Result of the DescribeIdentityPool operation returned by the service. * @throws InvalidParameterException * Thrown for missing or bad input parameter(s). * @throws ResourceNotFoundException * Thrown when the requested resource (for example, a dataset or record) does not exist. * @throws NotAuthorizedException * Thrown when a user is not authorized to access the requested resource. * @throws TooManyRequestsException * Thrown when a request is throttled. * @throws InternalErrorException * Thrown when the service encounters an error during processing the request. * @sample AmazonCognitoIdentity.DescribeIdentityPool * @see <a href="http://docs.aws.amazon.com/goto/WebAPI/cognito-identity-2014-06-30/DescribeIdentityPool" * target="_top">AWS API Documentation</a> */ DescribeIdentityPoolResult describeIdentityPool(DescribeIdentityPoolRequest describeIdentityPoolRequest); /** * <p> * Returns credentials for the provided identity ID. Any provided logins will be validated against supported login * providers. If the token is for cognito-identity.amazonaws.com, it will be passed through to AWS Security Token * Service with the appropriate role for the token. * </p> * <p> * This is a public API. You do not need any credentials to call this API. * </p> * * @param getCredentialsForIdentityRequest * Input to the <code>GetCredentialsForIdentity</code> action. * @return Result of the GetCredentialsForIdentity operation returned by the service. * @throws InvalidParameterException * Thrown for missing or bad input parameter(s). * @throws ResourceNotFoundException * Thrown when the requested resource (for example, a dataset or record) does not exist. * @throws NotAuthorizedException * Thrown when a user is not authorized to access the requested resource. * @throws ResourceConflictException * Thrown when a user tries to use a login which is already linked to another account. * @throws TooManyRequestsException * Thrown when a request is throttled. * @throws InvalidIdentityPoolConfigurationException * Thrown if the identity pool has no role associated for the given auth type (auth/unauth) or if the * AssumeRole fails. * @throws InternalErrorException * Thrown when the service encounters an error during processing the request. * @throws ExternalServiceException * An exception thrown when a dependent service such as Facebook or Twitter is not responding * @sample AmazonCognitoIdentity.GetCredentialsForIdentity * @see <a href="http://docs.aws.amazon.com/goto/WebAPI/cognito-identity-2014-06-30/GetCredentialsForIdentity" * target="_top">AWS API Documentation</a> */ GetCredentialsForIdentityResult getCredentialsForIdentity(GetCredentialsForIdentityRequest getCredentialsForIdentityRequest); /** * <p> * Generates (or retrieves) a Cognito ID. Supplying multiple logins will create an implicit linked account. * </p> * <p> * This is a public API. You do not need any credentials to call this API. * </p> * * @param getIdRequest * Input to the GetId action. * @return Result of the GetId operation returned by the service. * @throws InvalidParameterException * Thrown for missing or bad input parameter(s). * @throws ResourceNotFoundException * Thrown when the requested resource (for example, a dataset or record) does not exist. * @throws NotAuthorizedException * Thrown when a user is not authorized to access the requested resource. * @throws ResourceConflictException * Thrown when a user tries to use a login which is already linked to another account. * @throws TooManyRequestsException * Thrown when a request is throttled. * @throws InternalErrorException * Thrown when the service encounters an error during processing the request. * @throws LimitExceededException * Thrown when the total number of user pools has exceeded a preset limit. * @throws ExternalServiceException * An exception thrown when a dependent service such as Facebook or Twitter is not responding * @sample AmazonCognitoIdentity.GetId * @see <a href="http://docs.aws.amazon.com/goto/WebAPI/cognito-identity-2014-06-30/GetId" target="_top">AWS API * Documentation</a> */ GetIdResult getId(GetIdRequest getIdRequest); /** * <p> * Gets the roles for an identity pool. * </p> * <p> * You must use AWS Developer credentials to call this API. * </p> * * @param getIdentityPoolRolesRequest * Input to the <code>GetIdentityPoolRoles</code> action. * @return Result of the GetIdentityPoolRoles operation returned by the service. * @throws InvalidParameterException * Thrown for missing or bad input parameter(s). * @throws ResourceNotFoundException * Thrown when the requested resource (for example, a dataset or record) does not exist. * @throws NotAuthorizedException * Thrown when a user is not authorized to access the requested resource. * @throws ResourceConflictException * Thrown when a user tries to use a login which is already linked to another account. * @throws TooManyRequestsException * Thrown when a request is throttled. * @throws InternalErrorException * Thrown when the service encounters an error during processing the request. * @sample AmazonCognitoIdentity.GetIdentityPoolRoles * @see <a href="http://docs.aws.amazon.com/goto/WebAPI/cognito-identity-2014-06-30/GetIdentityPoolRoles" * target="_top">AWS API Documentation</a> */ GetIdentityPoolRolesResult getIdentityPoolRoles(GetIdentityPoolRolesRequest getIdentityPoolRolesRequest); /** * <p> * Gets an OpenID token, using a known Cognito ID. This known Cognito ID is returned by <a>GetId</a>. You can * optionally add additional logins for the identity. Supplying multiple logins creates an implicit link. * </p> * <p> * The OpenID token is valid for 10 minutes. * </p> * <p> * This is a public API. You do not need any credentials to call this API. * </p> * * @param getOpenIdTokenRequest * Input to the GetOpenIdToken action. * @return Result of the GetOpenIdToken operation returned by the service. * @throws InvalidParameterException * Thrown for missing or bad input parameter(s). * @throws ResourceNotFoundException * Thrown when the requested resource (for example, a dataset or record) does not exist. * @throws NotAuthorizedException * Thrown when a user is not authorized to access the requested resource. * @throws ResourceConflictException * Thrown when a user tries to use a login which is already linked to another account. * @throws TooManyRequestsException * Thrown when a request is throttled. * @throws InternalErrorException * Thrown when the service encounters an error during processing the request. * @throws ExternalServiceException * An exception thrown when a dependent service such as Facebook or Twitter is not responding * @sample AmazonCognitoIdentity.GetOpenIdToken * @see <a href="http://docs.aws.amazon.com/goto/WebAPI/cognito-identity-2014-06-30/GetOpenIdToken" * target="_top">AWS API Documentation</a> */ GetOpenIdTokenResult getOpenIdToken(GetOpenIdTokenRequest getOpenIdTokenRequest); /** * <p> * Registers (or retrieves) a Cognito <code>IdentityId</code> and an OpenID Connect token for a user authenticated * by your backend authentication process. Supplying multiple logins will create an implicit linked account. You can * only specify one developer provider as part of the <code>Logins</code> map, which is linked to the identity pool. * The developer provider is the "domain" by which Cognito will refer to your users. * </p> * <p> * You can use <code>GetOpenIdTokenForDeveloperIdentity</code> to create a new identity and to link new logins (that * is, user credentials issued by a public provider or developer provider) to an existing identity. When you want to * create a new identity, the <code>IdentityId</code> should be null. When you want to associate a new login with an * existing authenticated/unauthenticated identity, you can do so by providing the existing <code>IdentityId</code>. * This API will create the identity in the specified <code>IdentityPoolId</code>. * </p> * <p> * You must use AWS Developer credentials to call this API. * </p> * * @param getOpenIdTokenForDeveloperIdentityRequest * Input to the <code>GetOpenIdTokenForDeveloperIdentity</code> action. * @return Result of the GetOpenIdTokenForDeveloperIdentity operation returned by the service. * @throws InvalidParameterException * Thrown for missing or bad input parameter(s). * @throws ResourceNotFoundException * Thrown when the requested resource (for example, a dataset or record) does not exist. * @throws NotAuthorizedException * Thrown when a user is not authorized to access the requested resource. * @throws ResourceConflictException * Thrown when a user tries to use a login which is already linked to another account. * @throws TooManyRequestsException * Thrown when a request is throttled. * @throws InternalErrorException * Thrown when the service encounters an error during processing the request. * @throws DeveloperUserAlreadyRegisteredException * The provided developer user identifier is already registered with Cognito under a different identity ID. * @sample AmazonCognitoIdentity.GetOpenIdTokenForDeveloperIdentity * @see <a * href="http://docs.aws.amazon.com/goto/WebAPI/cognito-identity-2014-06-30/GetOpenIdTokenForDeveloperIdentity" * target="_top">AWS API Documentation</a> */ GetOpenIdTokenForDeveloperIdentityResult getOpenIdTokenForDeveloperIdentity( GetOpenIdTokenForDeveloperIdentityRequest getOpenIdTokenForDeveloperIdentityRequest); /** * <p> * Use <code>GetPrincipalTagAttributeMap</code> to list all mappings between <code>PrincipalTags</code> and user * attributes. * </p> * * @param getPrincipalTagAttributeMapRequest * @return Result of the GetPrincipalTagAttributeMap operation returned by the service. * @throws InvalidParameterException * Thrown for missing or bad input parameter(s). * @throws ResourceNotFoundException * Thrown when the requested resource (for example, a dataset or record) does not exist. * @throws NotAuthorizedException * Thrown when a user is not authorized to access the requested resource. * @throws TooManyRequestsException * Thrown when a request is throttled. * @throws InternalErrorException * Thrown when the service encounters an error during processing the request. * @sample AmazonCognitoIdentity.GetPrincipalTagAttributeMap * @see <a href="http://docs.aws.amazon.com/goto/WebAPI/cognito-identity-2014-06-30/GetPrincipalTagAttributeMap" * target="_top">AWS API Documentation</a> */ GetPrincipalTagAttributeMapResult getPrincipalTagAttributeMap(GetPrincipalTagAttributeMapRequest getPrincipalTagAttributeMapRequest); /** * <p> * Lists the identities in an identity pool. * </p> * <p> * You must use AWS Developer credentials to call this API. * </p> * * @param listIdentitiesRequest * Input to the ListIdentities action. * @return Result of the ListIdentities operation returned by the service. * @throws InvalidParameterException * Thrown for missing or bad input parameter(s). * @throws ResourceNotFoundException * Thrown when the requested resource (for example, a dataset or record) does not exist. * @throws NotAuthorizedException * Thrown when a user is not authorized to access the requested resource. * @throws TooManyRequestsException * Thrown when a request is throttled. * @throws InternalErrorException * Thrown when the service encounters an error during processing the request. * @sample AmazonCognitoIdentity.ListIdentities * @see <a href="http://docs.aws.amazon.com/goto/WebAPI/cognito-identity-2014-06-30/ListIdentities" * target="_top">AWS API Documentation</a> */ ListIdentitiesResult listIdentities(ListIdentitiesRequest listIdentitiesRequest); /** * <p> * Lists all of the Cognito identity pools registered for your account. * </p> * <p> * You must use AWS Developer credentials to call this API. * </p> * * @param listIdentityPoolsRequest * Input to the ListIdentityPools action. * @return Result of the ListIdentityPools operation returned by the service. * @throws InvalidParameterException * Thrown for missing or bad input parameter(s). * @throws NotAuthorizedException * Thrown when a user is not authorized to access the requested resource. * @throws TooManyRequestsException * Thrown when a request is throttled. * @throws ResourceNotFoundException * Thrown when the requested resource (for example, a dataset or record) does not exist. * @throws InternalErrorException * Thrown when the service encounters an error during processing the request. * @sample AmazonCognitoIdentity.ListIdentityPools * @see <a href="http://docs.aws.amazon.com/goto/WebAPI/cognito-identity-2014-06-30/ListIdentityPools" * target="_top">AWS API Documentation</a> */ ListIdentityPoolsResult listIdentityPools(ListIdentityPoolsRequest listIdentityPoolsRequest); /** * <p> * Lists the tags that are assigned to an Amazon Cognito identity pool. * </p> * <p> * A tag is a label that you can apply to identity pools to categorize and manage them in different ways, such as by * purpose, owner, environment, or other criteria. * </p> * <p> * You can use this action up to 10 times per second, per account. * </p> * * @param listTagsForResourceRequest * @return Result of the ListTagsForResource operation returned by the service. * @throws InvalidParameterException * Thrown for missing or bad input parameter(s). * @throws ResourceNotFoundException * Thrown when the requested resource (for example, a dataset or record) does not exist. * @throws NotAuthorizedException * Thrown when a user is not authorized to access the requested resource. * @throws TooManyRequestsException * Thrown when a request is throttled. * @throws InternalErrorException * Thrown when the service encounters an error during processing the request. * @sample AmazonCognitoIdentity.ListTagsForResource * @see <a href="http://docs.aws.amazon.com/goto/WebAPI/cognito-identity-2014-06-30/ListTagsForResource" * target="_top">AWS API Documentation</a> */ ListTagsForResourceResult listTagsForResource(ListTagsForResourceRequest listTagsForResourceRequest); /** * <p> * Retrieves the <code>IdentityID</code> associated with a <code>DeveloperUserIdentifier</code> or the list of * <code>DeveloperUserIdentifier</code> values associated with an <code>IdentityId</code> for an existing identity. * Either <code>IdentityID</code> or <code>DeveloperUserIdentifier</code> must not be null. If you supply only one * of these values, the other value will be searched in the database and returned as a part of the response. If you * supply both, <code>DeveloperUserIdentifier</code> will be matched against <code>IdentityID</code>. If the values * are verified against the database, the response returns both values and is the same as the request. Otherwise a * <code>ResourceConflictException</code> is thrown. * </p> * <p> * <code>LookupDeveloperIdentity</code> is intended for low-throughput control plane operations: for example, to * enable customer service to locate an identity ID by username. If you are using it for higher-volume operations * such as user authentication, your requests are likely to be throttled. <a>GetOpenIdTokenForDeveloperIdentity</a> * is a better option for higher-volume operations for user authentication. * </p> * <p> * You must use AWS Developer credentials to call this API. * </p> * * @param lookupDeveloperIdentityRequest * Input to the <code>LookupDeveloperIdentityInput</code> action. * @return Result of the LookupDeveloperIdentity operation returned by the service. * @throws InvalidParameterException * Thrown for missing or bad input parameter(s). * @throws ResourceNotFoundException * Thrown when the requested resource (for example, a dataset or record) does not exist. * @throws NotAuthorizedException * Thrown when a user is not authorized to access the requested resource. * @throws ResourceConflictException * Thrown when a user tries to use a login which is already linked to another account. * @throws TooManyRequestsException * Thrown when a request is throttled. * @throws InternalErrorException * Thrown when the service encounters an error during processing the request. * @sample AmazonCognitoIdentity.LookupDeveloperIdentity * @see <a href="http://docs.aws.amazon.com/goto/WebAPI/cognito-identity-2014-06-30/LookupDeveloperIdentity" * target="_top">AWS API Documentation</a> */ LookupDeveloperIdentityResult lookupDeveloperIdentity(LookupDeveloperIdentityRequest lookupDeveloperIdentityRequest); /** * <p> * Merges two users having different <code>IdentityId</code>s, existing in the same identity pool, and identified by * the same developer provider. You can use this action to request that discrete users be merged and identified as a * single user in the Cognito environment. Cognito associates the given source user ( * <code>SourceUserIdentifier</code>) with the <code>IdentityId</code> of the <code>DestinationUserIdentifier</code> * . Only developer-authenticated users can be merged. If the users to be merged are associated with the same public * provider, but as two different users, an exception will be thrown. * </p> * <p> * The number of linked logins is limited to 20. So, the number of linked logins for the source user, * <code>SourceUserIdentifier</code>, and the destination user, <code>DestinationUserIdentifier</code>, together * should not be larger than 20. Otherwise, an exception will be thrown. * </p> * <p> * You must use AWS Developer credentials to call this API. * </p> * * @param mergeDeveloperIdentitiesRequest * Input to the <code>MergeDeveloperIdentities</code> action. * @return Result of the MergeDeveloperIdentities operation returned by the service. * @throws InvalidParameterException * Thrown for missing or bad input parameter(s). * @throws ResourceNotFoundException * Thrown when the requested resource (for example, a dataset or record) does not exist. * @throws NotAuthorizedException * Thrown when a user is not authorized to access the requested resource. * @throws ResourceConflictException * Thrown when a user tries to use a login which is already linked to another account. * @throws TooManyRequestsException * Thrown when a request is throttled. * @throws InternalErrorException * Thrown when the service encounters an error during processing the request. * @sample AmazonCognitoIdentity.MergeDeveloperIdentities * @see <a href="http://docs.aws.amazon.com/goto/WebAPI/cognito-identity-2014-06-30/MergeDeveloperIdentities" * target="_top">AWS API Documentation</a> */ MergeDeveloperIdentitiesResult mergeDeveloperIdentities(MergeDeveloperIdentitiesRequest mergeDeveloperIdentitiesRequest); /** * <p> * Sets the roles for an identity pool. These roles are used when making calls to <a>GetCredentialsForIdentity</a> * action. * </p> * <p> * You must use AWS Developer credentials to call this API. * </p> * * @param setIdentityPoolRolesRequest * Input to the <code>SetIdentityPoolRoles</code> action. * @return Result of the SetIdentityPoolRoles operation returned by the service. * @throws InvalidParameterException * Thrown for missing or bad input parameter(s). * @throws ResourceNotFoundException * Thrown when the requested resource (for example, a dataset or record) does not exist. * @throws NotAuthorizedException * Thrown when a user is not authorized to access the requested resource. * @throws ResourceConflictException * Thrown when a user tries to use a login which is already linked to another account. * @throws TooManyRequestsException * Thrown when a request is throttled. * @throws InternalErrorException * Thrown when the service encounters an error during processing the request. * @throws ConcurrentModificationException * Thrown if there are parallel requests to modify a resource. * @sample AmazonCognitoIdentity.SetIdentityPoolRoles * @see <a href="http://docs.aws.amazon.com/goto/WebAPI/cognito-identity-2014-06-30/SetIdentityPoolRoles" * target="_top">AWS API Documentation</a> */ SetIdentityPoolRolesResult setIdentityPoolRoles(SetIdentityPoolRolesRequest setIdentityPoolRolesRequest); /** * <p> * You can use this operation to use default (username and clientID) attribute or custom attribute mappings. * </p> * * @param setPrincipalTagAttributeMapRequest * @return Result of the SetPrincipalTagAttributeMap operation returned by the service. * @throws InvalidParameterException * Thrown for missing or bad input parameter(s). * @throws ResourceNotFoundException * Thrown when the requested resource (for example, a dataset or record) does not exist. * @throws NotAuthorizedException * Thrown when a user is not authorized to access the requested resource. * @throws TooManyRequestsException * Thrown when a request is throttled. * @throws InternalErrorException * Thrown when the service encounters an error during processing the request. * @sample AmazonCognitoIdentity.SetPrincipalTagAttributeMap * @see <a href="http://docs.aws.amazon.com/goto/WebAPI/cognito-identity-2014-06-30/SetPrincipalTagAttributeMap" * target="_top">AWS API Documentation</a> */ SetPrincipalTagAttributeMapResult setPrincipalTagAttributeMap(SetPrincipalTagAttributeMapRequest setPrincipalTagAttributeMapRequest); /** * <p> * Assigns a set of tags to the specified Amazon Cognito identity pool. A tag is a label that you can use to * categorize and manage identity pools in different ways, such as by purpose, owner, environment, or other * criteria. * </p> * <p> * Each tag consists of a key and value, both of which you define. A key is a general category for more specific * values. For example, if you have two versions of an identity pool, one for testing and another for production, * you might assign an <code>Environment</code> tag key to both identity pools. The value of this key might be * <code>Test</code> for one identity pool and <code>Production</code> for the other. * </p> * <p> * Tags are useful for cost tracking and access control. You can activate your tags so that they appear on the * Billing and Cost Management console, where you can track the costs associated with your identity pools. In an IAM * policy, you can constrain permissions for identity pools based on specific tags or tag values. * </p> * <p> * You can use this action up to 5 times per second, per account. An identity pool can have as many as 50 tags. * </p> * * @param tagResourceRequest * @return Result of the TagResource operation returned by the service. * @throws InvalidParameterException * Thrown for missing or bad input parameter(s). * @throws ResourceNotFoundException * Thrown when the requested resource (for example, a dataset or record) does not exist. * @throws NotAuthorizedException * Thrown when a user is not authorized to access the requested resource. * @throws TooManyRequestsException * Thrown when a request is throttled. * @throws InternalErrorException * Thrown when the service encounters an error during processing the request. * @sample AmazonCognitoIdentity.TagResource * @see <a href="http://docs.aws.amazon.com/goto/WebAPI/cognito-identity-2014-06-30/TagResource" target="_top">AWS * API Documentation</a> */ TagResourceResult tagResource(TagResourceRequest tagResourceRequest); /** * <p> * Unlinks a <code>DeveloperUserIdentifier</code> from an existing identity. Unlinked developer users will be * considered new identities next time they are seen. If, for a given Cognito identity, you remove all federated * identities as well as the developer user identifier, the Cognito identity becomes inaccessible. * </p> * <p> * You must use AWS Developer credentials to call this API. * </p> * * @param unlinkDeveloperIdentityRequest * Input to the <code>UnlinkDeveloperIdentity</code> action. * @return Result of the UnlinkDeveloperIdentity operation returned by the service. * @throws InvalidParameterException * Thrown for missing or bad input parameter(s). * @throws ResourceNotFoundException * Thrown when the requested resource (for example, a dataset or record) does not exist. * @throws NotAuthorizedException * Thrown when a user is not authorized to access the requested resource. * @throws ResourceConflictException * Thrown when a user tries to use a login which is already linked to another account. * @throws TooManyRequestsException * Thrown when a request is throttled. * @throws InternalErrorException * Thrown when the service encounters an error during processing the request. * @sample AmazonCognitoIdentity.UnlinkDeveloperIdentity * @see <a href="http://docs.aws.amazon.com/goto/WebAPI/cognito-identity-2014-06-30/UnlinkDeveloperIdentity" * target="_top">AWS API Documentation</a> */ UnlinkDeveloperIdentityResult unlinkDeveloperIdentity(UnlinkDeveloperIdentityRequest unlinkDeveloperIdentityRequest); /** * <p> * Unlinks a federated identity from an existing account. Unlinked logins will be considered new identities next * time they are seen. Removing the last linked login will make this identity inaccessible. * </p> * <p> * This is a public API. You do not need any credentials to call this API. * </p> * * @param unlinkIdentityRequest * Input to the UnlinkIdentity action. * @return Result of the UnlinkIdentity operation returned by the service. * @throws InvalidParameterException * Thrown for missing or bad input parameter(s). * @throws ResourceNotFoundException * Thrown when the requested resource (for example, a dataset or record) does not exist. * @throws NotAuthorizedException * Thrown when a user is not authorized to access the requested resource. * @throws ResourceConflictException * Thrown when a user tries to use a login which is already linked to another account. * @throws TooManyRequestsException * Thrown when a request is throttled. * @throws InternalErrorException * Thrown when the service encounters an error during processing the request. * @throws ExternalServiceException * An exception thrown when a dependent service such as Facebook or Twitter is not responding * @sample AmazonCognitoIdentity.UnlinkIdentity * @see <a href="http://docs.aws.amazon.com/goto/WebAPI/cognito-identity-2014-06-30/UnlinkIdentity" * target="_top">AWS API Documentation</a> */ UnlinkIdentityResult unlinkIdentity(UnlinkIdentityRequest unlinkIdentityRequest); /** * <p> * Removes the specified tags from the specified Amazon Cognito identity pool. You can use this action up to 5 times * per second, per account * </p> * * @param untagResourceRequest * @return Result of the UntagResource operation returned by the service. * @throws InvalidParameterException * Thrown for missing or bad input parameter(s). * @throws ResourceNotFoundException * Thrown when the requested resource (for example, a dataset or record) does not exist. * @throws NotAuthorizedException * Thrown when a user is not authorized to access the requested resource. * @throws TooManyRequestsException * Thrown when a request is throttled. * @throws InternalErrorException * Thrown when the service encounters an error during processing the request. * @sample AmazonCognitoIdentity.UntagResource * @see <a href="http://docs.aws.amazon.com/goto/WebAPI/cognito-identity-2014-06-30/UntagResource" target="_top">AWS * API Documentation</a> */ UntagResourceResult untagResource(UntagResourceRequest untagResourceRequest); /** * <p> * Updates an identity pool. * </p> * <p> * You must use AWS Developer credentials to call this API. * </p> * * @param updateIdentityPoolRequest * An object representing an Amazon Cognito identity pool. * @return Result of the UpdateIdentityPool operation returned by the service. * @throws InvalidParameterException * Thrown for missing or bad input parameter(s). * @throws ResourceNotFoundException * Thrown when the requested resource (for example, a dataset or record) does not exist. * @throws NotAuthorizedException * Thrown when a user is not authorized to access the requested resource. * @throws ResourceConflictException * Thrown when a user tries to use a login which is already linked to another account. * @throws TooManyRequestsException * Thrown when a request is throttled. * @throws InternalErrorException * Thrown when the service encounters an error during processing the request. * @throws ConcurrentModificationException * Thrown if there are parallel requests to modify a resource. * @throws LimitExceededException * Thrown when the total number of user pools has exceeded a preset limit. * @sample AmazonCognitoIdentity.UpdateIdentityPool * @see <a href="http://docs.aws.amazon.com/goto/WebAPI/cognito-identity-2014-06-30/UpdateIdentityPool" * target="_top">AWS API Documentation</a> */ UpdateIdentityPoolResult updateIdentityPool(UpdateIdentityPoolRequest updateIdentityPoolRequest); /** * Shuts down this client object, releasing any resources that might be held open. This is an optional method, and * callers are not expected to call it, but can if they want to explicitly release any open resources. Once a client * has been shutdown, it should not be used to make any more requests. */ void shutdown(); /** * Returns additional metadata for a previously executed successful request, typically used for debugging issues * where a service isn't acting as expected. This data isn't considered part of the result data returned by an * operation, so it's available through this separate, diagnostic interface. * <p> * Response metadata is only cached for a limited period of time, so if you need to access this extra diagnostic * information for an executed request, you should use this method to retrieve it as soon as possible after * executing a request. * * @param request * The originally executed request. * * @return The response metadata for the specified request, or null if none is available. */ ResponseMetadata getCachedResponseMetadata(AmazonWebServiceRequest request); }
{ "content_hash": "f5fe77dcf1608639912b7a7959c757ba", "timestamp": "", "source": "github", "line_count": 867, "max_line_length": 137, "avg_line_length": 52.02537485582468, "alnum_prop": 0.6936106061277879, "repo_name": "aws/aws-sdk-java", "id": "6c28e5650794636d0797e77cd54fdf32123ebb73", "size": "45686", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "aws-java-sdk-cognitoidentity/src/main/java/com/amazonaws/services/cognitoidentity/AmazonCognitoIdentity.java", "mode": "33188", "license": "apache-2.0", "language": [], "symlink_target": "" }
import { Cliente } from "../cliente/cliente"; export class ReporteDiseno { _id:number; fecha:Date; cliente:Cliente folio:number; fechaRecibido:String; solicitante:String; horaEntrada:String; tecnica:String; comprasTaller:String; puntadas:String; tintas:String; fechaSalida:String; horaSalida: String logotipo:String; comentarios:String; trabajoCreadoPor:String; constructor() { this._id = 0; this.fecha = new Date(); this.cliente = new Cliente(); this.folio= -1; this.fechaRecibido = ""; this.solicitante = ""; this.horaEntrada = ""; this.tecnica = ""; this.comprasTaller = ""; this.puntadas = ""; this.tintas = ""; this.fechaSalida = ""; this.horaSalida = ""; this.logotipo = ""; this.comentarios = ""; this.trabajoCreadoPor = ""; } }
{ "content_hash": "aa6c14d6a0d40f6d60768719ed75bd00", "timestamp": "", "source": "github", "line_count": 42, "max_line_length": 45, "avg_line_length": 20.19047619047619, "alnum_prop": 0.6273584905660378, "repo_name": "Danigzs/TSPractice", "id": "b69d2dfc69befe2b71a9b7e28d092cb60857438a", "size": "848", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "app/dailyreports/reportediseno.ts", "mode": "33261", "license": "mit", "language": [ { "name": "CSS", "bytes": "90128" }, { "name": "HTML", "bytes": "231918" }, { "name": "JavaScript", "bytes": "155632" }, { "name": "TypeScript", "bytes": "347202" } ], "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" xmlns:v="urn:schemas-microsoft-com:vml"> <head> <link rel="stylesheet" href="right_2_col_em.css" type="text/css" media="screen" /> </head> <body> #start // SEO-friendly (1-2) 2-column em-widths liquid layout (content, 12em) with header and footer. // Sources: http://matthewjamestaylor.com/blog/holy-grail-no-quirks-mode.htm, http://matthewjamestaylor.com/blog/ultimate-2-column-right-menu-ems.htm <div class="pagewrap"> <div class="header">@mw_header@</div> <div class="contentwrap"> <div class="colmask"> <div class="colleft"> <div class="col1wrap"> <div class="col1">@mw_content@</div> </div> <div class="col2">@mw_left@</div> </div> </div> </div> <div class="footer">@mw_footer@</div> </div> #end </body> </html>
{ "content_hash": "df192f495b1ffee213c4155df9836c26", "timestamp": "", "source": "github", "line_count": 26, "max_line_length": 150, "avg_line_length": 34.69230769230769, "alnum_prop": 0.6674057649667405, "repo_name": "harrylongworth/tv-bb", "id": "30f41896339672e206f52708c84d04801de03858", "size": "902", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "widgets/bb_layout/base/right_2_col_em.html", "mode": "33261", "license": "mit", "language": [ { "name": "CSS", "bytes": "70007" }, { "name": "HTML", "bytes": "13441" }, { "name": "JavaScript", "bytes": "125481" }, { "name": "PHP", "bytes": "1563905" } ], "symlink_target": "" }
.. -*- mode: rst -*- |Travis|_ |AppVeyor|_ |Coveralls|_ |CircleCI|_ |Python27|_ |Python35|_ |PyPi|_ .. |Travis| image:: https://api.travis-ci.org/scikit-learn/scikit-learn.svg?branch=master .. _Travis: https://travis-ci.org/scikit-learn/scikit-learn .. |AppVeyor| image:: https://ci.appveyor.com/api/projects/status/github/scikit-learn/scikit-learn?branch=master&svg=true .. _AppVeyor: https://ci.appveyor.com/project/sklearn-ci/scikit-learn/history .. |Coveralls| image:: https://coveralls.io/repos/scikit-learn/scikit-learn/badge.svg?branch=master&service=github .. _Coveralls: https://coveralls.io/r/scikit-learn/scikit-learn .. |CircleCI| image:: https://circleci.com/gh/scikit-learn/scikit-learn/tree/master.svg?style=shield&circle-token=:circle-token .. _CircleCI: https://circleci.com/gh/scikit-learn/scikit-learn .. |Python27| image:: https://img.shields.io/badge/python-2.7-blue.svg .. _Python27: https://badge.fury.io/py/scikit-learn .. |Python35| image:: https://img.shields.io/badge/python-3.5-blue.svg .. _Python35: https://badge.fury.io/py/scikit-learn .. |PyPi| image:: https://badge.fury.io/py/scikit-learn.svg .. _PyPi: https://badge.fury.io/py/scikit-learn One Class Splitting Criteria for Random Forests ============ This repository provide the code corresponding to the article `One Class Splitting Criteria for Random Forests <https://arxiv.org/pdf/1611.01971v3.pdf>`_, and other anomaly detection algorithms. Abstract ======= Random Forests (RFs) are strong machine learning tools for classification and regression. However, they remain supervised algorithms, and no extension of RFs to the one-class setting has been proposed, except for techniques based on second-class sampling. This work fills this gap by proposing a natural methodology to extend standard splitting criteria to the one-class setting, structurally generalizing RFs to one-class classification. An extensive benchmark of seven state-of-the-art anomaly detection algorithms is also presented. This empirically demonstrates the relevance of our approach. Install ======= The implementation is based on a fork of scikit-learn. To have a working version of both scikit-learn and OCRF scikit-learn one can use conda to create a virtual environment specific to OCRF while keeping the original version of scikit-learn clean. This package uses distutils, which is the default way of installing python modules. To install in your home directory, use:: python setup.py build_ext --inplace and run your personal code inside the folder OCRF. To use OCRF outside of the OCRF folder change the environment variable PYTHONPATH or create a virtual environment with Conda. Install with Conda ======= First install conda `Conda <https://docs.continuum.io/anaconda/install>`_ and update it:: conda update conda conda update --all Then create a virtual environment for OCRF, activate it and install OCRF and its dependencies on the new virtual environment:: conda create -n OCRF_env python=2.7 anaconda source activate OCRF_env conda install -n OCRF_env numpy scipy cython matplotlib git clone https://github.com/ngoix/OCRF cd OCRF pip install --upgrade pip pip install pyper python setup.py install cd .. Now OCRF is installed. To check it run the script benchmark_oneclassrf.py:: python benchmarks/benchmark_oneclassrf.py To quit the environment and revert to the original scikit-learn use:: source deactivate To return to the OCRF environment use:: source activate OCRF_env scikit-learn ============ `scikit-learn <http://scikit-learn.org/>`_ is a Python module for machine learning built on top of SciPy and distributed under the 3-Clause BSD license. The project was started in 2007 by David Cournapeau as a Google Summer of Code project, and since then many volunteers have contributed. See the AUTHORS.rst file for a complete list of contributors. It is currently maintained by a team of volunteers. **Note** `scikit-learn` was previously referred to as `scikits.learn`.
{ "content_hash": "2f4a1099a8b8fc62de9dff356e0ea865", "timestamp": "", "source": "github", "line_count": 99, "max_line_length": 248, "avg_line_length": 40.676767676767675, "alnum_prop": 0.7613608145021108, "repo_name": "ngoix/OCRF", "id": "69903ab6c2bea17e44b0e246b4ce852c28a1b63d", "size": "4027", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "README.rst", "mode": "33188", "license": "bsd-3-clause", "language": [ { "name": "Batchfile", "bytes": "3366" }, { "name": "C", "bytes": "394791" }, { "name": "C++", "bytes": "327278" }, { "name": "CMake", "bytes": "16307" }, { "name": "CSS", "bytes": "12938" }, { "name": "JavaScript", "bytes": "827" }, { "name": "Makefile", "bytes": "83581" }, { "name": "PowerShell", "bytes": "17042" }, { "name": "Python", "bytes": "6574844" }, { "name": "R", "bytes": "9377" }, { "name": "Shell", "bytes": "12357" } ], "symlink_target": "" }
{-# LANGUAGE DataKinds #-} {-# LANGUAGE GADTs #-} {-# LANGUAGE LambdaCase #-} {-# LANGUAGE Rank2Types #-} -- | Prenex normalization pass, to float all quantifiers to the "outside" of a -- 'Prop' expression. This is necessary because SBV assumes that all inputs are -- already in prenex normal form: -- https://hackage.haskell.org/package/sbv-8.0/docs/Data-SBV.html#g:34. module Pact.Analyze.PrenexNormalize ( prenexConvert ) where import Data.Bifunctor (bimap) import Pact.Analyze.Types import Pact.Analyze.Util -- Note: pattern match shortcomings -- -- Unfortunately, the version of GHC we're using doesn't support the COMPLETE -- pragma to mark a set of pattern synonyms as complete. Because of this, we -- forgo pattern synonyms on the left-hand-side, resulting in some unfortunate -- patterns, like `CoreProp (Numerical (IntArithOp op a b))` (as compared to -- `PIntArithOp op a b`). -- -- Also, in several places we need to mark a `Numerical` pattern as vacuous, -- for reasons that elude me. singFloat :: SingTy a -> Prop a -> ([Quantifier], Prop a) singFloat ty p = case p of CoreProp Var{} -> ([], p) CoreProp Lit{} -> ([], p) CoreProp Sym{} -> ([], p) -- prop specific PropSpecific Result -> ([], p) PropSpecific Abort -> ([], p) PropSpecific Success -> ([], p) PropSpecific GovPasses -> ([], p) PropSpecific TableWrite{} -> ([], p) PropSpecific TableRead{} -> ([], p) PropSpecific ColumnWritten{} -> ([], p) PropSpecific ColumnRead{} -> ([], p) PropSpecific GuardPassed{} -> ([], p) PropSpecific RowEnforced{} -> ([], p) PropSpecific IntColumnDelta{} -> ([], p) PropSpecific DecColumnDelta{} -> ([], p) PropSpecific (PropRead ty' ba tn pRk) -> PropSpecific . PropRead ty' ba tn <$> float pRk -- functions CoreProp (Identity tya a) -> CoreProp . Identity tya <$> singFloat tya a; CoreProp (Constantly tyb a b) -> CoreProp <$> (Constantly tyb <$> singFloat ty a <*> singFloat tyb b) CoreProp (Compose tya tyb tyc a b c) -> CoreProp <$> (Compose tya tyb tyc <$> singFloat tya a <*> singFloatOpen tyb b <*> singFloatOpen tyc c) -- int CoreProp (Numerical (IntArithOp op a b)) -> PNumerical ... IntArithOp op <$> float a <*> float b CoreProp (Numerical (IntUnaryArithOp op a)) -> PNumerical . IntUnaryArithOp op <$> float a CoreProp (Numerical (ModOp a b)) -> PNumerical ... ModOp <$> float a <*> float b CoreProp (Numerical (RoundingLikeOp1 op a)) -> PNumerical . RoundingLikeOp1 op <$> float a CoreProp (StrLength pStr) -> PStrLength <$> float pStr CoreProp (StrToInt s) -> CoreProp . StrToInt <$> float s CoreProp (StrToIntBase b s) -> CoreProp ... StrToIntBase <$> float b <*> float s PropSpecific (IntCellDelta tn cn a) -> PropSpecific . IntCellDelta tn cn <$> float a PropSpecific (RowWriteCount tn pRk) -> PropSpecific . RowWriteCount tn <$> float pRk PropSpecific (RowReadCount tn pRk) -> PropSpecific . RowReadCount tn <$> float pRk CoreProp (Numerical (BitwiseOp op args)) -> PNumerical . BitwiseOp op <$> traverse (singFloat ty) args -- decimal CoreProp (Numerical (DecArithOp op a b)) -> PNumerical ... DecArithOp op <$> float a <*> float b CoreProp (Numerical (DecUnaryArithOp op a)) -> PNumerical . DecUnaryArithOp op <$> float a CoreProp (Numerical (DecIntArithOp op a b)) -> PNumerical ... DecIntArithOp op <$> float a <*> float b CoreProp (Numerical (IntDecArithOp op a b)) -> PNumerical ... IntDecArithOp op <$> float a <*> float b CoreProp (Numerical (RoundingLikeOp2 op a b)) -> PNumerical ... RoundingLikeOp2 op <$> float a <*> float b PropSpecific (DecCellDelta tn cn a) -> PropSpecific . DecCellDelta tn cn <$> float a -- str CoreProp (StrTake s1 s2) -> PStrTake <$> float s1 <*> float s2 CoreProp (StrDrop s1 s2) -> PStrDrop <$> float s1 <*> float s2 CoreProp (StrConcat s1 s2) -> PStrConcat <$> float s1 <*> float s2 CoreProp (Typeof tya a) -> CoreProp . Typeof tya <$> singFloat tya a -- time CoreProp (IntAddTime time int) -> PIntAddTime <$> float time <*> float int CoreProp (DecAddTime time dec) -> PDecAddTime <$> float time <*> float dec -- bool -- - quantification PropSpecific (Forall uid name ty' prop) -> let (qs, prop') = float prop in (Forall' uid name ty':qs, prop') PropSpecific (Exists uid name ty' prop) -> let (qs, prop') = float prop in (Exists' uid name ty':qs, prop') -- - comparison CoreProp (Comparison ty' op a b) -> CoreProp ... Comparison ty' op <$> singFloat ty' a <*> singFloat ty' b CoreProp (ObjectEqNeq ty1 ty2 op a b) -> CoreProp <$> (ObjectEqNeq ty1 ty2 op <$> singFloat ty1 a <*> singFloat ty2 b) CoreProp (GuardEqNeq op a b) -> CoreProp <$> (GuardEqNeq op <$> float a <*> float b) CoreProp (ListEqNeq ty' op a b) -> CoreProp <$> (ListEqNeq ty' op <$> singFloat (SList ty') a <*> singFloat (SList ty') b) CoreProp (StrContains needle haystack) -> CoreProp <$> (StrContains <$> float needle <*> float haystack) CoreProp (ListContains ty' needle haystack) -> CoreProp <$> (ListContains ty' <$> singFloat ty' needle <*> singFloat (SList ty') haystack) -- - logical CoreProp (Logical AndOp [a, b]) -> PAnd <$> float a <*> float b CoreProp (Logical OrOp [a, b]) -> POr <$> float a <*> float b CoreProp (Logical NotOp [a]) -> bimap (fmap flipQuantifier) PNot (float a) CoreProp (Logical _ _) -> error ("ill-defined logical op: " ++ showTm p) CoreProp (AndQ ty' f g a) -> CoreProp <$> (AndQ ty' <$> floatOpen f <*> floatOpen g <*> singFloat ty' a) CoreProp (OrQ ty' f g a) -> CoreProp <$> (OrQ ty' <$> floatOpen f <*> floatOpen g <*> singFloat ty' a) PropSpecific (RowRead tn pRk) -> PropSpecific . RowRead tn <$> float pRk PropSpecific (RowWrite tn pRk) -> PropSpecific . RowWrite tn <$> float pRk PropSpecific (RowExists tn pRk beforeAfter) -> PropSpecific ... RowExists tn <$> float pRk <*> pure beforeAfter -- lists CoreProp (ListLength ty' pLst) -> CoreProp . ListLength ty' <$> singFloat (SList ty') pLst CoreProp (ListAt ty' a b) -> CoreProp <$> (ListAt ty' <$> float a <*> singFloat (SList ty') b) CoreProp (ListReverse ty' lst) -> CoreProp . ListReverse ty' <$> singFloat (SList ty') lst CoreProp (ListSort ty' lst) -> CoreProp . ListSort ty' <$> singFloat (SList ty') lst CoreProp (ListDrop ty' a b) -> CoreProp <$> (ListDrop ty' <$> float a <*> singFloat (SList ty') b) CoreProp (ListTake ty' a b) -> CoreProp <$> (ListTake ty' <$> float a <*> singFloat (SList ty') b) CoreProp (ListConcat ty' l1 l2) -> CoreProp <$> (ListConcat ty' <$> singFloat (SList ty') l1 <*> singFloat (SList ty') l2) CoreProp (MakeList ty' a b) -> CoreProp <$> (MakeList ty' <$> float a <*> singFloat ty' b) CoreProp (LiteralList ty' as) -> CoreProp <$> (LiteralList ty' <$> traverse (singFloat ty') as) CoreProp (ListMap tya tyb b as) -> CoreProp <$> (ListMap tya tyb <$> singFloatOpen tyb b <*> singFloat (SList tya) as) CoreProp (ListFilter ty' a b) -> CoreProp <$> (ListFilter ty' <$> floatOpen a <*> singFloat (SList ty') b) CoreProp (ListFold tya tyb (Open v1 nm1 a) b c) -> do a' <- singFloatOpen tya a b' <- singFloat tya b c' <- singFloat (SList tyb) c pure $ CoreProp $ ListFold tya tyb (Open v1 nm1 a') b' c' -- objects CoreProp (ObjAt ty' str obj) -> PObjAt ty' <$> float str <*> singFloat ty' obj CoreProp (ObjContains ty' a b) -> CoreProp <$> (ObjContains ty' <$> float a <*> singFloat ty' b) CoreProp (ObjLength ty' obj) -> CoreProp <$> (ObjLength ty' <$> singFloat ty' obj) CoreProp (ObjDrop ty' keys obj) -> CoreProp <$> (ObjDrop ty' <$> float keys <*> singFloat ty' obj) CoreProp (ObjTake ty' keys obj) -> CoreProp <$> (ObjTake ty' <$> float keys <*> singFloat ty' obj) CoreProp LiteralObject{} -> ([], p) CoreProp ObjMerge{} -> ([], p) CoreProp (Where objty tya a b c) -> CoreProp <$> (Where objty tya <$> float a <*> floatOpen b <*> singFloat objty c) where floatOpen :: SingI b => Open a Prop b -> ([Quantifier], Open a Prop b) floatOpen = singFloatOpen sing singFloatOpen :: SingTy b -> Open a Prop b -> ([Quantifier], Open a Prop b) singFloatOpen ty' (Open v nm a) = Open v nm <$> singFloat ty' a float :: SingI a => Prop a -> ([Quantifier], Prop a) float = singFloat sing flipQuantifier :: Quantifier -> Quantifier flipQuantifier = \case Forall' uid name ty' -> Exists' uid name ty' Exists' uid name ty' -> Forall' uid name ty' reassembleFloated :: [Quantifier] -> Prop 'TyBool -> Prop 'TyBool reassembleFloated qs prop = let mkQuantifiedProp q acc = case q of Forall' uid name ty -> PropSpecific (Forall uid name ty acc) Exists' uid name ty -> PropSpecific (Exists uid name ty acc) in foldr mkQuantifiedProp prop qs -- We first use @singFloat SBool@ to remove all quantifiers from the @Prop@ -- (modifying them as necessary, then put them back in place on the outside of -- the syntax tree. -- -- The only interesting cases are those for @Forall@, @Exists@, and @PNot@. In -- the first two cases, we capture the quantifier to singFloat it up. In the -- @PNot@ case, we flip all the quantifiers found inside the @PNot@ as we lift -- them over it. prenexConvert :: Prop 'TyBool -> Prop 'TyBool prenexConvert = uncurry reassembleFloated . singFloat SBool
{ "content_hash": "79d3063c0a4d9fa035f6138c3c075e18", "timestamp": "", "source": "github", "line_count": 223, "max_line_length": 95, "avg_line_length": 43.2780269058296, "alnum_prop": 0.6324733188270646, "repo_name": "kadena-io/pact", "id": "7d42fdfe6dfb9a73ed610e183e749b186b4a466f", "size": "9651", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "src-tool/Pact/Analyze/PrenexNormalize.hs", "mode": "33188", "license": "bsd-3-clause", "language": [ { "name": "C", "bytes": "78184" }, { "name": "HTML", "bytes": "2327" }, { "name": "Haskell", "bytes": "1870778" }, { "name": "JavaScript", "bytes": "12586" }, { "name": "Nix", "bytes": "7894" }, { "name": "Shell", "bytes": "6584" } ], "symlink_target": "" }
/** * DocuSign REST API * The DocuSign REST API provides you with a powerful, convenient, and simple Web services API for interacting with DocuSign. * * OpenAPI spec version: v2.1 * Contact: [email protected] * * NOTE: This class is auto generated. Do not edit the class manually and submit a new issue instead. * */ (function(root, factory) { if (typeof define === 'function' && define.amd) { // AMD. Register as an anonymous module. define(['ApiClient', 'model/BulkRecipientSignatureProvider', 'model/BulkRecipientTabLabel', 'model/ErrorDetails'], factory); } else if (typeof module === 'object' && module.exports) { // CommonJS-like environments that support module.exports, like Node. module.exports = factory(require('../ApiClient'), require('./BulkRecipientSignatureProvider'), require('./BulkRecipientTabLabel'), require('./ErrorDetails')); } else { // Browser globals (root is window) if (!root.Docusign) { root.Docusign = {}; } root.Docusign.BulkRecipient = factory(root.Docusign.ApiClient, root.Docusign.BulkRecipientSignatureProvider, root.Docusign.BulkRecipientTabLabel, root.Docusign.ErrorDetails); } }(this, function(ApiClient, BulkRecipientSignatureProvider, BulkRecipientTabLabel, ErrorDetails) { 'use strict'; /** * The BulkRecipient model module. * @module model/BulkRecipient */ /** * Constructs a new <code>BulkRecipient</code>. * @alias module:model/BulkRecipient * @class */ var exports = function() { var _this = this; }; /** * Constructs a <code>BulkRecipient</code> from a plain JavaScript object, optionally creating a new instance. * Copies all relevant properties from <code>data</code> to <code>obj</code> if supplied or a new instance if not. * @param {Object} data The plain JavaScript object bearing properties of interest. * @param {module:model/BulkRecipient} obj Optional instance to populate. * @return {module:model/BulkRecipient} The populated <code>BulkRecipient</code> instance. */ exports.constructFromObject = function(data, obj) { if (data) { obj = obj || new exports(); if (data.hasOwnProperty('accessCode')) { obj['accessCode'] = ApiClient.convertToType(data['accessCode'], 'String'); } if (data.hasOwnProperty('email')) { obj['email'] = ApiClient.convertToType(data['email'], 'String'); } if (data.hasOwnProperty('errorDetails')) { obj['errorDetails'] = ApiClient.convertToType(data['errorDetails'], [ErrorDetails]); } if (data.hasOwnProperty('identification')) { obj['identification'] = ApiClient.convertToType(data['identification'], 'String'); } if (data.hasOwnProperty('name')) { obj['name'] = ApiClient.convertToType(data['name'], 'String'); } if (data.hasOwnProperty('note')) { obj['note'] = ApiClient.convertToType(data['note'], 'String'); } if (data.hasOwnProperty('phoneNumber')) { obj['phoneNumber'] = ApiClient.convertToType(data['phoneNumber'], 'String'); } if (data.hasOwnProperty('recipientSignatureProviderInfo')) { obj['recipientSignatureProviderInfo'] = ApiClient.convertToType(data['recipientSignatureProviderInfo'], [BulkRecipientSignatureProvider]); } if (data.hasOwnProperty('rowNumber')) { obj['rowNumber'] = ApiClient.convertToType(data['rowNumber'], 'String'); } if (data.hasOwnProperty('tabLabels')) { obj['tabLabels'] = ApiClient.convertToType(data['tabLabels'], [BulkRecipientTabLabel]); } } return obj; } /** * If a value is provided, the recipient must enter the value as the access code to view and sign the envelope. Maximum Length: 50 characters and it must conform to the account's access code format setting. If blank, but the signer `accessCode` property is set in the envelope, then that value is used. If blank and the signer `accessCode` property is not set, then the access code is not required. * @member {String} accessCode */ exports.prototype['accessCode'] = undefined; /** * Specifies the recipient's email address. Maximum length: 100 characters. * @member {String} email */ exports.prototype['email'] = undefined; /** * Array or errors. * @member {Array.<module:model/ErrorDetails>} errorDetails */ exports.prototype['errorDetails'] = undefined; /** * Specifies the authentication check used for the signer. If blank then no authentication check is required for the signer. Only one value can be used in this field. The acceptable values are: * KBA: Enables the normal ID check authentication set up for your account. * Phone: Enables phone authentication. * SMS: Enables SMS authentication. * @member {String} identification */ exports.prototype['identification'] = undefined; /** * Specifies the recipient's name. Maximum length: 50 characters. * @member {String} name */ exports.prototype['name'] = undefined; /** * Specifies a note that is unique to this recipient. This note is sent to the recipient via the signing email. The note displays in the signing UI near the upper left corner of the document on the signing screen. Maximum Length: 1000 characters. * @member {String} note */ exports.prototype['note'] = undefined; /** * This is only used if the Identification field value is Phone or SMS. The value for this field can be a valid telephone number or, if Phone, usersupplied (SMS authentication cannot use a user supplied number). Parenthesis and dashes can be used in the telephone number. If `usersupplied` is used, the signer supplies his or her own telephone number. * @member {String} phoneNumber */ exports.prototype['phoneNumber'] = undefined; /** * * @member {Array.<module:model/BulkRecipientSignatureProvider>} recipientSignatureProviderInfo */ exports.prototype['recipientSignatureProviderInfo'] = undefined; /** * * @member {String} rowNumber */ exports.prototype['rowNumber'] = undefined; /** * Specifies values used to populate recipient tabs with information. This allows each bulk recipient signer to have different values for their associated tabs. Any number of `tabLabel` columns can be added to the bulk recipient file. The information used in the bulk recipient file header must be the same as the `tabLabel` for the tab. The values entered in this column are automatically inserted into the corresponding tab for the recipient in the same row. Note that this option cannot be used for tabs that do not have data or that are automatically populated data such as Signature, Full Name, Email Address, Company, Title, and Date Signed tabs. * @member {Array.<module:model/BulkRecipientTabLabel>} tabLabels */ exports.prototype['tabLabels'] = undefined; return exports; }));
{ "content_hash": "9c4f181b305312beb33dbf9c725b52a9", "timestamp": "", "source": "github", "line_count": 147, "max_line_length": 657, "avg_line_length": 46.91156462585034, "alnum_prop": 0.7027262180974478, "repo_name": "docusign/docusign-node-client", "id": "f93311af510697ee176a44d40a2280250ec3720d", "size": "6896", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "src/model/BulkRecipient.js", "mode": "33188", "license": "mit", "language": [ { "name": "JavaScript", "bytes": "4711737" } ], "symlink_target": "" }
namespace Springboard365.Xrm.Plugins.Core.IntegrationTest { using System; using Microsoft.Crm.Sdk.Messages; using Microsoft.Xrm.Sdk; public class LoseOpportunitySpecificationFixture : SpecificationFixtureBase { public LoseOpportunityRequest LoseOpportunityRequest { get; private set; } public string MessageName { get; private set; } public void PerformTestSetup() { MessageName = "Lose"; var opportunityEntity = EntityFactory.CreateOpportunity(); var opportunityClose = new Entity("opportunityclose"); opportunityClose["opportunityid"] = opportunityEntity.ToEntityReference(); opportunityClose["subject"] = "Lost!"; opportunityClose["actualend"] = DateTime.Now; opportunityClose["description"] = "Lost!"; LoseOpportunityRequest = new LoseOpportunityRequest { OpportunityClose = opportunityClose, Status = new OptionSetValue(5) }; } } }
{ "content_hash": "bf5fd01558f343f486fa4e807cdbd4ee", "timestamp": "", "source": "github", "line_count": 32, "max_line_length": 86, "avg_line_length": 33.0625, "alnum_prop": 0.6379962192816635, "repo_name": "Davesmall28/DSmall.DynamicsCrm.Plugins.Core", "id": "9f0129e355cbd993b3cf105f0ca6da1aabebcb5f", "size": "1058", "binary": false, "copies": "2", "ref": "refs/heads/master", "path": "Springboard365.Xrm.Plugins.Core.IntegrationTest/PluginTest/LoseOpportunity/LoseOpportunitySpecificationFixture.cs", "mode": "33188", "license": "apache-2.0", "language": [ { "name": "Batchfile", "bytes": "2602" }, { "name": "C#", "bytes": "334982" }, { "name": "PowerShell", "bytes": "13378" } ], "symlink_target": "" }
{% load parse_date %} <table id="instances" class="wide"> <tr> <th>Id</th> <th>Tenant</th> <th>User</th> <th>Host</th> <th>Created</th> <th>Image</th> <th>IPs</th> <th>State</th> <th>Actions</th> </tr> {% for instance in instances %} <tr id="{{instance.id}}" class="{% cycle "odd" "even" %}"> <td>{{instance.id}}</td> <td>{{instance.attrs.tenant_id}}</td> <td>{{instance.attrs.user_id}}</td> <td class="name">{{instance.attrs.host}}</td> <td>{{instance.attrs.launched_at|parse_date}}</td> <td>{{instance.image_name}}</td> <td class="ip_list"> {% for ip_group, addresses in instance.addresses.items %} {% if instance.addresses.items|length > 1 %} <h4>{{ip_group}}</h4> <ul> {% for address in addresses %} <li>{{address.addr}}</li> {% endfor %} </ul> {% else %} <ul> {% for address in addresses %} <li>{{address.addr}}</li> {% endfor %} </ul> {% endif %} {% endfor %} </td> <td>{{instance.status|lower|capfirst}}</td> <td id="actions"> <ul> <li class="form">{% include "django_openstack/common/instances/_terminate.html" with form=terminate_form %}</li> <li class="form">{% include "django_openstack/common/instances/_reboot.html" with form=reboot_form %}</li> <li><a target="_blank" href="{% url dash_instances_console request.user.tenant_id instance.id %}">Console Log</a></li> <li><a target="_blank" href="{% url dash_instances_vnc request.user.tenant_id instance.id %}">VNC Console</a></li> </ul> </td> </tr> {% endfor %} </table>
{ "content_hash": "167a73b3e6cf58f865df631f46717b17", "timestamp": "", "source": "github", "line_count": 53, "max_line_length": 128, "avg_line_length": 33.60377358490566, "alnum_prop": 0.5137563166760247, "repo_name": "armaan/openstack-dashboard", "id": "b3c2569c88aa937585745ba21b5dbeca6bf4824f", "size": "1781", "binary": false, "copies": "3", "ref": "refs/heads/master", "path": "django-openstack/django_openstack/templates/django_openstack/syspanel/instances/_list.html", "mode": "33188", "license": "apache-2.0", "language": [], "symlink_target": "" }
using System.Linq; using System.ServiceModel.Syndication; using Firehose.Web.Extensions; using Xunit; namespace UnitTest { public class IEnumerableExtensionsTest { [Fact] public void DistinctBySyndicationItemId_WithDuplicateIds_Test() { var items = new SyndicationItem[] { new SyndicationItem { Id = "http://blog.com/?p=23" }, new SyndicationItem { Id = "http://blog.com/?p=23" } }; var filteredItems = items.DistinctBy(i => i.Id).ToList(); Assert.Single(filteredItems); } [Fact] public void DistinctBySyndicationItemId_WithDuplicateIdsInDifferentLetterCases_Test() { var items = new SyndicationItem[] { new SyndicationItem { Id = "http://blog.com/?p=23" }, new SyndicationItem { Id = "http://blog.com/?P=23" } }; var filteredItems = items.DistinctBy(i => i.Id).ToList(); Assert.Single(filteredItems); } [Fact] public void DistinctBySyndicationItemId_WithoutDuplicateIds_Test() { var items = new SyndicationItem[] { new SyndicationItem { Id = "http://blog.com/?p=23" }, new SyndicationItem { Id = "http://blog.com/?p=24" } }; var filteredItems = items.DistinctBy(i => i.Id).ToList(); Assert.Equal(items.Length, filteredItems.Count); } [Fact] public void DistinctBySyndicationItemId_WithEmptyArray_Test() { var items = new SyndicationItem[] { }; var filteredItems = items.DistinctBy(i => i.Id).ToList(); Assert.Equal(items.Length, filteredItems.Count); } } }
{ "content_hash": "a7864afcd71ac171f82ec318f547721e", "timestamp": "", "source": "github", "line_count": 55, "max_line_length": 93, "avg_line_length": 33, "alnum_prop": 0.5548209366391185, "repo_name": "planetpowershell/planetpowershell", "id": "dfa94214111e630509801c66427d68bd660def10", "size": "1817", "binary": false, "copies": "2", "ref": "refs/heads/main", "path": "src/UnitTest/IEnumerableExtensionsTest.cs", "mode": "33188", "license": "mit", "language": [ { "name": "ASP.NET", "bytes": "103" }, { "name": "C#", "bytes": "145885" }, { "name": "CSS", "bytes": "3260" }, { "name": "HTML", "bytes": "19921" }, { "name": "JavaScript", "bytes": "214014" }, { "name": "Less", "bytes": "3909" }, { "name": "PowerShell", "bytes": "6089" }, { "name": "Shell", "bytes": "2945" } ], "symlink_target": "" }
<?php namespace TheSeer\phpDox { use TheSeer\fDOM\fDOMElement; class CollectorConfig { protected $ctx; protected $project; public function __construct(ProjectConfig $project, fDOMElement $ctx) { $this->project = $project; $this->ctx = $ctx; } public function getBackend() { if ($this->ctx->hasAttribute('backend')) { return $this->ctx->getAttribute('backend', 'parser'); } return 'parser'; } /** * @return FileInfo */ public function getWorkDirectory() { return $this->project->getWorkDirectory(); } /** * @return FileInfo */ public function getSourceDirectory() { return $this->project->getSourceDirectory(); } public function isPublicOnlyMode() { if ($this->ctx->hasAttribute('publiconly')) { return $this->ctx->getAttribute('publiconly', 'false') === 'true'; } return $this->project->isPublicOnlyMode(); } public function getIncludeMasks() { return $this->getMasks('include') ?: '*.php'; } public function getExcludeMasks() { return $this->getMasks('exclude'); } public function doResolveInheritance() { $inNode = $this->ctx->queryOne('cfg:inheritance'); if (!$inNode) { return true; } return $inNode->getAttribute('resolve', 'true')=='true'; } public function getInheritanceConfig() { return new InheritanceConfig($this, $this->ctx->queryOne('cfg:inheritance')); } protected function getMasks($nodename) { $list = array(); foreach($this->ctx->query('cfg:'.$nodename) as $node) { $list[] = $node->getAttribute('mask'); } return $list; } } }
{ "content_hash": "5894d1a5a8752944bb04209141267de7", "timestamp": "", "source": "github", "line_count": 75, "max_line_length": 89, "avg_line_length": 26.88, "alnum_prop": 0.5074404761904762, "repo_name": "fsaibene/TPlaboratorioIV2016", "id": "b2b488f3f0453373aa0ea077dd147c8fd33dbd70", "size": "3803", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "vendor/theseer/phpdox/src/config/CollectorConfig.php", "mode": "33188", "license": "mit", "language": [ { "name": "CSS", "bytes": "20559" }, { "name": "HTML", "bytes": "21464" }, { "name": "JavaScript", "bytes": "43603" }, { "name": "PHP", "bytes": "1907865" } ], "symlink_target": "" }
'use strict'; import confidential from 'confidential-divshot'; window.parsed = confidential({ foo: { bar: { property: 'KEY' } } });
{ "content_hash": "d4f5c8dfd1f2512d7d167423a7df658f", "timestamp": "", "source": "github", "line_count": 11, "max_line_length": 48, "avg_line_length": 13.818181818181818, "alnum_prop": 0.5986842105263158, "repo_name": "bendrucker/confidential-divshot", "id": "0d2fbf36b7df93f21e0683afa674ddac7134518b", "size": "152", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "test/fixture.js", "mode": "33188", "license": "mit", "language": [ { "name": "JavaScript", "bytes": "936" } ], "symlink_target": "" }
<?xml version="1.0" encoding="UTF-8"?> <!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" xml:lang="en_US" lang="en_US"> <head> <meta http-equiv="Content-Type" content="text/html; charset=utf-8" /> <title>Qt 4.8: gameengine.cpp Example File (demos/mobile/quickhit/gameengine.cpp)</title> <link rel="stylesheet" type="text/css" href="style/style.css" /> <script src="scripts/jquery.js" type="text/javascript"></script> <script src="scripts/functions.js" type="text/javascript"></script> <link rel="stylesheet" type="text/css" href="style/superfish.css" /> <link rel="stylesheet" type="text/css" href="style/narrow.css" /> <!--[if IE]> <meta name="MSSmartTagsPreventParsing" content="true"> <meta http-equiv="imagetoolbar" content="no"> <![endif]--> <!--[if lt IE 7]> <link rel="stylesheet" type="text/css" href="style/style_ie6.css"> <![endif]--> <!--[if IE 7]> <link rel="stylesheet" type="text/css" href="style/style_ie7.css"> <![endif]--> <!--[if IE 8]> <link rel="stylesheet" type="text/css" href="style/style_ie8.css"> <![endif]--> <script src="scripts/superfish.js" type="text/javascript"></script> <script src="scripts/narrow.js" type="text/javascript"></script> </head> <body class="" onload="CheckEmptyAndLoadList();"> <div class="header" id="qtdocheader"> <div class="content"> <div id="nav-logo"> <a href="index.html">Home</a></div> <a href="index.html" class="qtref"><span>Qt Reference Documentation</span></a> <div id="narrowsearch"></div> <div id="nav-topright"> <ul> <li class="nav-topright-home"><a href="http://qt.digia.com/">Qt HOME</a></li> <li class="nav-topright-dev"><a href="http://qt-project.org/">DEV</a></li> <li class="nav-topright-doc nav-topright-doc-active"><a href="http://qt-project.org/doc/"> DOC</a></li> <li class="nav-topright-blog"><a href="http://blog.qt.digia.com/">BLOG</a></li> </ul> </div> <div id="shortCut"> <ul> <li class="shortCut-topleft-inactive"><span><a href="index.html">Qt 4.8</a></span></li> <li class="shortCut-topleft-active"><a href="http://qt-project.org/doc/">ALL VERSIONS </a></li> </ul> </div> <ul class="sf-menu" id="narrowmenu"> <li><a href="#">API Lookup</a> <ul> <li><a href="classes.html">Class index</a></li> <li><a href="functions.html">Function index</a></li> <li><a href="modules.html">Modules</a></li> <li><a href="namespaces.html">Namespaces</a></li> <li><a href="qtglobal.html">Global Declarations</a></li> <li><a href="qdeclarativeelements.html">QML elements</a></li> </ul> </li> <li><a href="#">Qt Topics</a> <ul> <li><a href="qt-basic-concepts.html">Programming with Qt</a></li> <li><a href="qtquick.html">Device UIs &amp; Qt Quick</a></li> <li><a href="qt-gui-concepts.html">UI Design with Qt</a></li> <li><a href="supported-platforms.html">Supported Platforms</a></li> <li><a href="technology-apis.html">Qt and Key Technologies</a></li> <li><a href="best-practices.html">How-To's and Best Practices</a></li> </ul> </li> <li><a href="#">Examples</a> <ul> <li><a href="all-examples.html">Examples</a></li> <li><a href="tutorials.html">Tutorials</a></li> <li><a href="demos.html">Demos</a></li> <li><a href="qdeclarativeexamples.html">QML Examples</a></li> </ul> </li> </ul> </div> </div> <div class="wrapper"> <div class="hd"> <span></span> </div> <div class="bd group"> <div class="sidebar"> <div class="searchlabel"> Search index:</div> <div class="search" id="sidebarsearch"> <form id="qtdocsearch" action="" onsubmit="return false;"> <fieldset> <input type="text" name="searchstring" id="pageType" value="" /> <div id="resultdialog"> <a href="#" id="resultclose">Close</a> <p id="resultlinks" class="all"><a href="#" id="showallresults">All</a> | <a href="#" id="showapiresults">API</a> | <a href="#" id="showarticleresults">Articles</a> | <a href="#" id="showexampleresults">Examples</a></p> <p id="searchcount" class="all"><span id="resultcount"></span><span id="apicount"></span><span id="articlecount"></span><span id="examplecount"></span>&nbsp;results:</p> <ul id="resultlist" class="all"> </ul> </div> </fieldset> </form> </div> <div class="box first bottombar" id="lookup"> <h2 title="API Lookup"><span></span> API Lookup</h2> <div id="list001" class="list"> <ul id="ul001" > <li class="defaultLink"><a href="classes.html">Class index</a></li> <li class="defaultLink"><a href="functions.html">Function index</a></li> <li class="defaultLink"><a href="modules.html">Modules</a></li> <li class="defaultLink"><a href="namespaces.html">Namespaces</a></li> <li class="defaultLink"><a href="qtglobal.html">Global Declarations</a></li> <li class="defaultLink"><a href="qdeclarativeelements.html">QML elements</a></li> </ul> </div> </div> <div class="box bottombar" id="topics"> <h2 title="Qt Topics"><span></span> Qt Topics</h2> <div id="list002" class="list"> <ul id="ul002" > <li class="defaultLink"><a href="qt-basic-concepts.html">Programming with Qt</a></li> <li class="defaultLink"><a href="qtquick.html">Device UIs &amp; Qt Quick</a></li> <li class="defaultLink"><a href="qt-gui-concepts.html">UI Design with Qt</a></li> <li class="defaultLink"><a href="supported-platforms.html">Supported Platforms</a></li> <li class="defaultLink"><a href="technology-apis.html">Qt and Key Technologies</a></li> <li class="defaultLink"><a href="best-practices.html">How-To's and Best Practices</a></li> </ul> </div> </div> <div class="box" id="examples"> <h2 title="Examples"><span></span> Examples</h2> <div id="list003" class="list"> <ul id="ul003"> <li class="defaultLink"><a href="all-examples.html">Examples</a></li> <li class="defaultLink"><a href="tutorials.html">Tutorials</a></li> <li class="defaultLink"><a href="demos.html">Demos</a></li> <li class="defaultLink"><a href="qdeclarativeexamples.html">QML Examples</a></li> </ul> </div> </div> </div> <div class="wrap"> <div class="toolbar"> <div class="breadcrumb toolblock"> <ul> <li class="first"><a href="index.html">Home</a></li> <!-- Breadcrumbs go here --> </ul> </div> <div class="toolbuttons toolblock"> <ul> <li id="smallA" class="t_button">A</li> <li id="medA" class="t_button active">A</li> <li id="bigA" class="t_button">A</li> <li id="print" class="t_button"><a href="javascript:this.print();"> <span>Print</span></a></li> </ul> </div> </div> <div class="content mainContent"> <h1 class="title">gameengine.cpp Example File</h1> <span class="small-subtitle">demos/mobile/quickhit/gameengine.cpp</span> <!-- $$$demos/mobile/quickhit/gameengine.cpp-description --> <div class="descr"> <a name="details"></a> <pre class="cpp"> <span class="comment"></span> <span class="preprocessor">#include &quot;gameengine.h&quot;</span> <span class="preprocessor">#include &quot;plugins/levelplugininterface.h&quot;</span> <span class="preprocessor">#include &quot;InvSounds.h&quot;</span> <span class="preprocessor">#include &lt;QDebug&gt;</span> <span class="preprocessor">#include &lt;QTimerEvent&gt;</span> <span class="preprocessor">#include &lt;QTime&gt;</span> <span class="preprocessor">#include &lt;QDesktopServices&gt;</span> <span class="keyword">const</span> <span class="type">int</span> TIMER_SPEED <span class="operator">=</span> <span class="number">80</span>; GameEngine<span class="operator">::</span>GameEngine(<span class="type"><a href="qobject.html">QObject</a></span><span class="operator">*</span> parent) :<span class="type"><a href="qobject.html">QObject</a></span>(parent) { m_timerId <span class="operator">=</span> <span class="number">0</span>; m_doEnemyMissile <span class="operator">=</span> <span class="number">1500</span> <span class="operator">/</span> TIMER_SPEED; m_GameGml <span class="operator">=</span> <span class="number">0</span>; m_gameLevel <span class="operator">=</span> <span class="number">0</span>; clearQmlObjects(); <span class="comment">// For random</span> <span class="type"><a href="qtime.html">QTime</a></span> time <span class="operator">=</span> <span class="type"><a href="qtime.html">QTime</a></span><span class="operator">::</span>currentTime(); qsrand((<span class="type"><a href="qtglobal.html#uint-typedef">uint</a></span>)time<span class="operator">.</span>msec()); <span class="comment">// Sound engine</span> m_soundEngine <span class="operator">=</span> <span class="keyword">new</span> CInvSounds(<span class="keyword">this</span>); <span class="comment">// Device profile</span> m_silent <span class="operator">=</span> <span class="keyword">false</span>; <span class="preprocessor">#ifdef Q_OS_SYMBIAN</span> iVibrate <span class="operator">=</span> CHWRMVibra<span class="operator">::</span>NewL(); <span class="preprocessor">#endif</span> <span class="comment">// Get device profile, is it silent?</span> <span class="preprocessor">#if defined Q_OS_SYMBIAN || defined Q_WS_MAEMO_5</span> m_systemDeviceInfo <span class="operator">=</span> <span class="keyword">new</span> <span class="type">QSystemDeviceInfo</span>(<span class="keyword">this</span>); <span class="type"><a href="qobject.html">QObject</a></span><span class="operator">::</span>connect(m_systemDeviceInfo<span class="operator">,</span>SIGNAL(currentProfileChanged(<span class="type">QSystemDeviceInfo</span><span class="operator">::</span>Profile))<span class="operator">,</span><span class="keyword">this</span><span class="operator">,</span> SLOT(currentProfileChanged(<span class="type">QSystemDeviceInfo</span><span class="operator">::</span>Profile))); <span class="type">QSystemDeviceInfo</span><span class="operator">::</span>Profile p <span class="operator">=</span> m_systemDeviceInfo<span class="operator">-</span><span class="operator">&gt;</span>currentProfile(); <span class="keyword">if</span> (p <span class="operator">=</span><span class="operator">=</span> <span class="type">QSystemDeviceInfo</span><span class="operator">::</span>SilentProfile) { m_silent <span class="operator">=</span> <span class="keyword">true</span>; } <span class="preprocessor">#endif</span> } GameEngine<span class="operator">::</span><span class="operator">~</span>GameEngine() { <span class="preprocessor">#ifdef Q_OS_SYMBIAN</span> <span class="keyword">delete</span> iVibrate; <span class="preprocessor">#endif</span> } <span class="type">void</span> GameEngine<span class="operator">::</span>gameStartSound() { <span class="keyword">if</span> (<span class="operator">!</span>m_silent) m_soundEngine<span class="operator">-</span><span class="operator">&gt;</span>gameStartSound(); } <span class="preprocessor">#if defined Q_OS_SYMBIAN || defined Q_WS_MAEMO_5</span> <span class="type">void</span> GameEngine<span class="operator">::</span>currentProfileChanged(<span class="type">QSystemDeviceInfo</span><span class="operator">::</span>Profile p) { <span class="keyword">if</span> (p <span class="operator">=</span><span class="operator">=</span> <span class="type">QSystemDeviceInfo</span><span class="operator">::</span>SilentProfile) { enableSounds(<span class="type"><a href="qvariant.html">QVariant</a></span>(<span class="keyword">false</span>)); } <span class="keyword">else</span> { enableSounds(<span class="type"><a href="qvariant.html">QVariant</a></span>(<span class="keyword">true</span>)); } } <span class="preprocessor">#endif</span> <span class="type">void</span> GameEngine<span class="operator">::</span>enableSounds(<span class="type"><a href="qvariant.html">QVariant</a></span> enable) { m_silent <span class="operator">=</span> <span class="operator">!</span>enable<span class="operator">.</span>toBool(); <span class="keyword">if</span> (m_silent) <span class="keyword">this</span><span class="operator">-</span><span class="operator">&gt;</span>m_soundEngine<span class="operator">-</span><span class="operator">&gt;</span>enableSounds(<span class="keyword">false</span>); <span class="keyword">else</span> <span class="keyword">this</span><span class="operator">-</span><span class="operator">&gt;</span>m_soundEngine<span class="operator">-</span><span class="operator">&gt;</span>enableSounds(<span class="keyword">true</span>); } <span class="type"><a href="qvariant.html">QVariant</a></span> GameEngine<span class="operator">::</span>randInt(<span class="type"><a href="qvariant.html">QVariant</a></span> low<span class="operator">,</span> <span class="type"><a href="qvariant.html">QVariant</a></span> high) { <span class="comment">// Random number between low and high</span> <span class="keyword">return</span> qrand() <span class="operator">%</span> ((high<span class="operator">.</span>toInt() <span class="operator">+</span> <span class="number">1</span>) <span class="operator">-</span> low<span class="operator">.</span>toInt()) <span class="operator">+</span> low<span class="operator">.</span>toInt(); } <span class="type">void</span> GameEngine<span class="operator">::</span>setGameLevel(LevelPluginInterface<span class="operator">*</span> level) { <span class="comment">// Set used game level</span> m_gameLevel <span class="operator">=</span> level; <span class="keyword">if</span> (m_gameLevel) { <span class="comment">// Set used sound from the level into sound engine</span> m_soundEngine<span class="operator">-</span><span class="operator">&gt;</span>enableSounds(m_gameLevel<span class="operator">-</span><span class="operator">&gt;</span>levelSounds()); <span class="comment">// Invoke QML to take new level in use</span> <span class="type"><a href="qmetaobject.html">QMetaObject</a></span><span class="operator">::</span>invokeMethod(m_GameGml<span class="operator">,</span> <span class="string">&quot;levelReadyForCreation&quot;</span><span class="operator">,</span> <span class="type"><a href="qt.html">Qt</a></span><span class="operator">::</span>AutoConnection); m_doEnemyMissile <span class="operator">=</span> m_gameLevel<span class="operator">-</span><span class="operator">&gt;</span>enemyFireSpeed()<span class="operator">.</span>toInt() <span class="operator">/</span> TIMER_SPEED; } } <span class="type">void</span> GameEngine<span class="operator">::</span>setPluginList(<span class="type"><a href="qlist.html">QList</a></span><span class="operator">&lt;</span><span class="type"><a href="qpluginloader.html">QPluginLoader</a></span><span class="operator">*</span><span class="operator">&gt;</span> plugins) { m_pluginList <span class="operator">=</span> plugins; } <span class="type"><a href="qvariant.html">QVariant</a></span> GameEngine<span class="operator">::</span>pluginList() { <span class="type"><a href="qstringlist.html">QStringList</a></span> list; <span class="type"><a href="qpluginloader.html">QPluginLoader</a></span><span class="operator">*</span> loader; foreach (loader<span class="operator">,</span>m_pluginList) { <span class="type"><a href="qstring.html">QString</a></span> s <span class="operator">=</span> loader<span class="operator">-</span><span class="operator">&gt;</span>fileName(); s <span class="operator">=</span> s<span class="operator">.</span>mid(s<span class="operator">.</span>lastIndexOf(<span class="string">&quot;/&quot;</span>)<span class="operator">+</span><span class="number">1</span>); s <span class="operator">=</span> s<span class="operator">.</span>left(s<span class="operator">.</span>lastIndexOf(<span class="string">&quot;.&quot;</span>)); s <span class="operator">=</span> s<span class="operator">.</span>toUpper(); <span class="preprocessor">#ifdef Q_WS_MAEMO_5</span> <span class="keyword">if</span> (s<span class="operator">.</span>contains(<span class="string">&quot;LIB&quot;</span>)) { s <span class="operator">=</span> s<span class="operator">.</span>right(s<span class="operator">.</span>length() <span class="operator">-</span> (s<span class="operator">.</span>indexOf(<span class="string">&quot;LIB&quot;</span>)<span class="operator">+</span><span class="number">3</span>)); } <span class="preprocessor">#endif</span> list<span class="operator">.</span>append(s); } <span class="keyword">return</span> <span class="type"><a href="qvariant.html">QVariant</a></span>(list); } <span class="type">void</span> GameEngine<span class="operator">::</span>pauseLevel(<span class="type"><a href="qvariant.html">QVariant</a></span> doPause) { <span class="type">bool</span> enableTimer <span class="operator">=</span> <span class="operator">!</span>doPause<span class="operator">.</span>toBool(); enableEngineTimer(<span class="type"><a href="qvariant.html">QVariant</a></span>(enableTimer)); <span class="type"><a href="qmetaobject.html">QMetaObject</a></span><span class="operator">::</span>invokeMethod(m_levelQml<span class="operator">,</span> <span class="string">&quot;pause&quot;</span><span class="operator">,</span> <span class="type"><a href="qt.html">Qt</a></span><span class="operator">::</span>AutoConnection<span class="operator">,</span>Q_ARG(<span class="type"><a href="qvariant.html">QVariant</a></span><span class="operator">,</span> doPause)); } <span class="type">void</span> GameEngine<span class="operator">::</span>findQmlObjects() { <span class="keyword">if</span> (m_GameGml) { <a href="qtglobal.html#qDebug">qDebug</a>() <span class="operator">&lt;</span><span class="operator">&lt;</span> <span class="string">&quot;GameEngine::findQmlObjects()&quot;</span>; <span class="comment">// Find Missiles objects</span> m_missileList<span class="operator">.</span>clear(); m_enemyMissileList<span class="operator">.</span>clear(); findMissiles(m_GameGml); <span class="comment">// Set QMLs</span> setLevelQml(m_GameGml<span class="operator">-</span><span class="operator">&gt;</span>findChild<span class="operator">&lt;</span><span class="type"><a href="qobject.html">QObject</a></span><span class="operator">*</span><span class="operator">&gt;</span>(<span class="string">&quot;level&quot;</span>)); setEnemiesGridQml(m_GameGml<span class="operator">-</span><span class="operator">&gt;</span>findChild<span class="operator">&lt;</span><span class="type"><a href="qobject.html">QObject</a></span><span class="operator">*</span><span class="operator">&gt;</span>(<span class="string">&quot;enemiesGrid&quot;</span>)); setMyShipQml(m_GameGml<span class="operator">-</span><span class="operator">&gt;</span>findChild<span class="operator">&lt;</span><span class="type"><a href="qobject.html">QObject</a></span><span class="operator">*</span><span class="operator">&gt;</span>(<span class="string">&quot;myShip&quot;</span>)); <span class="comment">// Find Enemies objects</span> m_enemyList<span class="operator">.</span>clear(); <a href="qtglobal.html#qDebug">qDebug</a>() <span class="operator">&lt;</span><span class="operator">&lt;</span> <span class="string">&quot;GameEngine::findQmlObjects() find enemies from: level QML&quot;</span>; findEnemies(m_levelQml); } <span class="keyword">else</span> { <a href="qtglobal.html#qDebug">qDebug</a>() <span class="operator">&lt;</span><span class="operator">&lt;</span> <span class="string">&quot;GameEngine::findQmlObjects() rootObject NULL&quot;</span>; } } <span class="type">void</span> GameEngine<span class="operator">::</span>clearQmlObjects() { m_missileList<span class="operator">.</span>clear(); m_enemyMissileList<span class="operator">.</span>clear(); m_enemyList<span class="operator">.</span>clear(); m_levelQml <span class="operator">=</span> <span class="number">0</span>; m_enemiesGridGml <span class="operator">=</span> <span class="number">0</span>; m_myShipGml <span class="operator">=</span> <span class="number">0</span>; <span class="comment">//m_GameGml = 0; // NOTE: Do not delete this</span> } <span class="type">void</span> GameEngine<span class="operator">::</span>findMissiles(<span class="type"><a href="qobject.html">QObject</a></span> <span class="operator">*</span>rootObject) { <span class="keyword">if</span> (rootObject) { <span class="type"><a href="qobject.html#QObjectList-typedef">QObjectList</a></span> list <span class="operator">=</span> rootObject<span class="operator">-</span><span class="operator">&gt;</span>children(); <span class="type"><a href="qobject.html">QObject</a></span><span class="operator">*</span> item; foreach (item<span class="operator">,</span>list) { <span class="keyword">if</span> (item<span class="operator">-</span><span class="operator">&gt;</span>children()<span class="operator">.</span>count()<span class="operator">&gt;</span><span class="number">0</span>) { findMissiles(item); } <span class="keyword">else</span> { <span class="keyword">if</span> (rootObject<span class="operator">-</span><span class="operator">&gt;</span>objectName()<span class="operator">=</span><span class="operator">=</span><span class="string">&quot;missile&quot;</span>) { <span class="type"><a href="qdeclarativeitem.html">QDeclarativeItem</a></span><span class="operator">*</span> missile <span class="operator">=</span> <span class="keyword">static_cast</span><span class="operator">&lt;</span><span class="type"><a href="qdeclarativeitem.html">QDeclarativeItem</a></span><span class="operator">*</span><span class="operator">&gt;</span>(rootObject); m_missileList<span class="operator">.</span>append(missile); } <span class="keyword">else</span> <span class="keyword">if</span> (rootObject<span class="operator">-</span><span class="operator">&gt;</span>objectName()<span class="operator">=</span><span class="operator">=</span><span class="string">&quot;enemy_missile&quot;</span>) { <span class="type"><a href="qdeclarativeitem.html">QDeclarativeItem</a></span><span class="operator">*</span> enemyMissile <span class="operator">=</span> <span class="keyword">static_cast</span><span class="operator">&lt;</span><span class="type"><a href="qdeclarativeitem.html">QDeclarativeItem</a></span><span class="operator">*</span><span class="operator">&gt;</span>(rootObject); m_enemyMissileList<span class="operator">.</span>append(enemyMissile); } } } } <span class="keyword">else</span> { <a href="qtglobal.html#qDebug">qDebug</a>() <span class="operator">&lt;</span><span class="operator">&lt;</span> <span class="string">&quot;GameEngine::findMissiles() rootObject NULL&quot;</span>; } } <span class="type">void</span> GameEngine<span class="operator">::</span>findEnemies(<span class="type"><a href="qobject.html">QObject</a></span> <span class="operator">*</span>rootObject) { <span class="keyword">if</span> (rootObject) { <span class="type"><a href="qobject.html#QObjectList-typedef">QObjectList</a></span> list <span class="operator">=</span> rootObject<span class="operator">-</span><span class="operator">&gt;</span>children(); <span class="type"><a href="qobject.html">QObject</a></span><span class="operator">*</span> item; foreach (item<span class="operator">,</span>list) { <span class="keyword">if</span> (item<span class="operator">-</span><span class="operator">&gt;</span>children()<span class="operator">.</span>count()<span class="operator">&gt;</span><span class="number">0</span> <span class="operator">&amp;</span><span class="operator">&amp;</span> item<span class="operator">-</span><span class="operator">&gt;</span>objectName()<span class="operator">!</span><span class="operator">=</span><span class="string">&quot;enemy&quot;</span>) { <span class="comment">//qDebug() &lt;&lt; &quot;Enemy children found from: &quot; &lt;&lt; item-&gt;objectName();</span> findEnemies(item); } <span class="keyword">else</span> { <span class="keyword">if</span> (item<span class="operator">-</span><span class="operator">&gt;</span>objectName()<span class="operator">=</span><span class="operator">=</span><span class="string">&quot;enemy&quot;</span>) { <span class="comment">//qDebug() &lt;&lt; &quot;Enemy child founds: &quot; &lt;&lt; item-&gt;objectName();</span> <span class="type"><a href="qdeclarativeitem.html">QDeclarativeItem</a></span><span class="operator">*</span> enemy <span class="operator">=</span> <span class="keyword">static_cast</span><span class="operator">&lt;</span><span class="type"><a href="qdeclarativeitem.html">QDeclarativeItem</a></span><span class="operator">*</span><span class="operator">&gt;</span>(item); m_enemyList<span class="operator">.</span>append(enemy); } } } } <span class="keyword">else</span> { <a href="qtglobal.html#qDebug">qDebug</a>() <span class="operator">&lt;</span><span class="operator">&lt;</span> <span class="string">&quot;GameEngine::findEnemies() rootObject NULL&quot;</span>; } } <span class="type">void</span> GameEngine<span class="operator">::</span>setEnemiesGridQml(<span class="type"><a href="qobject.html">QObject</a></span><span class="operator">*</span> o) { m_enemiesGridGml <span class="operator">=</span> <span class="keyword">static_cast</span><span class="operator">&lt;</span><span class="type"><a href="qdeclarativeitem.html">QDeclarativeItem</a></span><span class="operator">*</span><span class="operator">&gt;</span>(o); } <span class="type">void</span> GameEngine<span class="operator">::</span>setMyShipQml(<span class="type"><a href="qobject.html">QObject</a></span><span class="operator">*</span> o) { m_myShipGml <span class="operator">=</span> <span class="keyword">static_cast</span><span class="operator">&lt;</span><span class="type"><a href="qdeclarativeitem.html">QDeclarativeItem</a></span><span class="operator">*</span><span class="operator">&gt;</span>(o); } <span class="type">void</span> GameEngine<span class="operator">::</span>setGameQml(<span class="type"><a href="qobject.html">QObject</a></span><span class="operator">*</span> o) { m_GameGml <span class="operator">=</span> <span class="keyword">static_cast</span><span class="operator">&lt;</span><span class="type"><a href="qdeclarativeitem.html">QDeclarativeItem</a></span><span class="operator">*</span><span class="operator">&gt;</span>(o); } <span class="type">void</span> GameEngine<span class="operator">::</span>timerEvent(<span class="type"><a href="qtimerevent.html">QTimerEvent</a></span> <span class="operator">*</span>e) { <span class="keyword">if</span> (e<span class="operator">-</span><span class="operator">&gt;</span>timerId()<span class="operator">=</span><span class="operator">=</span>m_timerId) { <span class="comment">// Do hit test</span> doHitTest(); m_doEnemyMissile<span class="operator">-</span><span class="operator">-</span>; <span class="keyword">if</span> (m_gameLevel <span class="operator">&amp;</span><span class="operator">&amp;</span> m_doEnemyMissile<span class="operator">&lt;</span><span class="number">0</span>) { m_doEnemyMissile <span class="operator">=</span> m_gameLevel<span class="operator">-</span><span class="operator">&gt;</span>enemyFireSpeed()<span class="operator">.</span>toInt() <span class="operator">/</span> TIMER_SPEED; <span class="comment">// Do emeny missile launch</span> doEnemyMissile(); } } } <span class="type">void</span> GameEngine<span class="operator">::</span>enableEngineTimer(<span class="type"><a href="qvariant.html">QVariant</a></span> enable) { <span class="keyword">if</span> (m_gameLevel) { <span class="keyword">if</span> (m_timerId<span class="operator">=</span><span class="operator">=</span><span class="number">0</span> <span class="operator">&amp;</span><span class="operator">&amp;</span> enable<span class="operator">.</span>toBool()) { m_timerId <span class="operator">=</span> <span class="type"><a href="qobject.html">QObject</a></span><span class="operator">::</span>startTimer(TIMER_SPEED); } <span class="keyword">else</span> <span class="keyword">if</span> (m_timerId <span class="operator">!</span><span class="operator">=</span> <span class="number">0</span> <span class="operator">&amp;</span><span class="operator">&amp;</span> <span class="operator">!</span>enable<span class="operator">.</span>toBool()) { <span class="type"><a href="qobject.html">QObject</a></span><span class="operator">::</span>killTimer(m_timerId); m_timerId <span class="operator">=</span> <span class="number">0</span>; } } } <span class="type">void</span> GameEngine<span class="operator">::</span>selectVisibleEnemy(<span class="type">int</span><span class="operator">&amp;</span> start<span class="operator">,</span> <span class="type">int</span><span class="operator">&amp;</span> end) { <span class="type"><a href="qdeclarativeitem.html">QDeclarativeItem</a></span><span class="operator">*</span> enemy <span class="operator">=</span> <span class="number">0</span>; <span class="keyword">for</span> (<span class="type">int</span> i<span class="operator">=</span><span class="number">0</span> ; i<span class="operator">&lt;</span>m_enemyList<span class="operator">.</span>count() ; i<span class="operator">+</span><span class="operator">+</span>) { enemy <span class="operator">=</span> m_enemyList<span class="operator">[</span>i<span class="operator">]</span>; <span class="keyword">if</span> (enemy<span class="operator">-</span><span class="operator">&gt;</span>opacity()<span class="operator">=</span><span class="operator">=</span><span class="number">1</span>) { start <span class="operator">=</span> i; <span class="keyword">break</span>; } } enemy <span class="operator">=</span> <span class="number">0</span>; <span class="keyword">for</span> (<span class="type">int</span> e<span class="operator">=</span>m_enemyList<span class="operator">.</span>count()<span class="operator">-</span><span class="number">1</span> ; e<span class="operator">&gt;</span><span class="number">0</span> ; e<span class="operator">-</span><span class="operator">-</span>) { enemy <span class="operator">=</span> m_enemyList<span class="operator">[</span>e<span class="operator">]</span>; <span class="keyword">if</span> (enemy<span class="operator">-</span><span class="operator">&gt;</span>opacity()<span class="operator">=</span><span class="operator">=</span><span class="number">1</span>) { end <span class="operator">=</span> e; <span class="keyword">break</span>; } } } <span class="type">void</span> GameEngine<span class="operator">::</span>doEnemyMissile() { <span class="type"><a href="qmutexlocker.html">QMutexLocker</a></span> locker(<span class="operator">&amp;</span>m_enemyListMutex); <span class="type"><a href="qdeclarativeitem.html">QDeclarativeItem</a></span><span class="operator">*</span> missile <span class="operator">=</span> <span class="number">0</span>; <span class="type"><a href="qdeclarativeitem.html">QDeclarativeItem</a></span><span class="operator">*</span> enemy <span class="operator">=</span> <span class="number">0</span>; <span class="comment">// Find free missile</span> foreach (missile<span class="operator">,</span> m_enemyMissileList) { <span class="keyword">if</span> (missile<span class="operator">-</span><span class="operator">&gt;</span>opacity()<span class="operator">=</span><span class="operator">=</span><span class="number">0</span>){ <span class="comment">// Random select enemy who fire</span> <span class="type">int</span> start<span class="operator">=</span><span class="number">0</span>; <span class="type">int</span> end<span class="operator">=</span><span class="number">0</span>; selectVisibleEnemy(start<span class="operator">,</span>end); <span class="type">int</span> whoWillFire <span class="operator">=</span> randInt(<span class="type"><a href="qvariant.html">QVariant</a></span>(start)<span class="operator">,</span><span class="type"><a href="qvariant.html">QVariant</a></span>(end))<span class="operator">.</span>toInt(); <span class="keyword">if</span> (m_enemyList<span class="operator">.</span>count() <span class="operator">&lt;</span> whoWillFire<span class="operator">+</span><span class="number">1</span>) <span class="keyword">break</span>; enemy <span class="operator">=</span> m_enemyList<span class="operator">.</span>at(whoWillFire); <span class="keyword">if</span> (enemy <span class="operator">&amp;</span><span class="operator">&amp;</span> enemy<span class="operator">-</span><span class="operator">&gt;</span>opacity()<span class="operator">=</span><span class="operator">=</span><span class="number">1</span>) { <span class="type"><a href="qpointf.html">QPointF</a></span> enemyP <span class="operator">=</span> enemy<span class="operator">-</span><span class="operator">&gt;</span>pos(); <span class="keyword">if</span> (m_enemiesGridGml) { enemyP <span class="operator">+</span><span class="operator">=</span> m_enemiesGridGml<span class="operator">-</span><span class="operator">&gt;</span>pos(); } <span class="comment">//qDebug() &lt;&lt; &quot;QMetaObject::invokeMethod() - fireEnemyMissile&quot;;</span> <span class="type"><a href="qmetaobject.html">QMetaObject</a></span><span class="operator">::</span>invokeMethod(m_GameGml<span class="operator">,</span> <span class="string">&quot;fireEnemyMissile&quot;</span><span class="operator">,</span> <span class="type"><a href="qt.html">Qt</a></span><span class="operator">::</span>AutoConnection<span class="operator">,</span> Q_ARG(<span class="type"><a href="qvariant.html">QVariant</a></span><span class="operator">,</span> enemyP<span class="operator">.</span>x()<span class="operator">+</span>enemy<span class="operator">-</span><span class="operator">&gt;</span>boundingRect()<span class="operator">.</span>width()<span class="operator">/</span><span class="number">4</span>)<span class="operator">,</span> Q_ARG(<span class="type"><a href="qvariant.html">QVariant</a></span><span class="operator">,</span> enemyP<span class="operator">.</span>y()<span class="operator">+</span>enemy<span class="operator">-</span><span class="operator">&gt;</span>boundingRect()<span class="operator">.</span>height())<span class="operator">,</span> Q_ARG(<span class="type"><a href="qvariant.html">QVariant</a></span><span class="operator">,</span> m_GameGml<span class="operator">-</span><span class="operator">&gt;</span>boundingRect()<span class="operator">.</span>height())); } <span class="keyword">break</span>; } } } <span class="type">void</span> GameEngine<span class="operator">::</span>doHitTest() { <span class="type"><a href="qmutexlocker.html">QMutexLocker</a></span> locker(<span class="operator">&amp;</span>m_enemyListMutex); <span class="type"><a href="qdeclarativeitem.html">QDeclarativeItem</a></span><span class="operator">*</span> missile <span class="operator">=</span> <span class="number">0</span>; <span class="type"><a href="qdeclarativeitem.html">QDeclarativeItem</a></span><span class="operator">*</span> enemy <span class="operator">=</span> <span class="number">0</span>; <span class="comment">// No enemies?</span> <span class="keyword">if</span> (m_enemyList<span class="operator">.</span>count()<span class="operator">=</span><span class="operator">=</span><span class="number">0</span>) { enableEngineTimer(<span class="type"><a href="qvariant.html">QVariant</a></span>(<span class="keyword">false</span>)); <a href="qtglobal.html#qDebug">qDebug</a>() <span class="operator">&lt;</span><span class="operator">&lt;</span> <span class="string">&quot;No enemies left&quot;</span>; gameOver(<span class="keyword">true</span>); <span class="keyword">return</span>; } <span class="keyword">if</span> (<span class="operator">!</span>m_myShipGml) { <span class="keyword">return</span>; } <span class="comment">// Check ship collision</span> <span class="keyword">if</span> (m_myShipGml<span class="operator">-</span><span class="operator">&gt;</span>opacity()<span class="operator">=</span><span class="operator">=</span><span class="number">1</span>) { <span class="keyword">for</span> (<span class="type">int</span> e<span class="operator">=</span><span class="number">0</span>; e<span class="operator">&lt;</span>m_enemyList<span class="operator">.</span>count(); e<span class="operator">+</span><span class="operator">+</span>) { enemy <span class="operator">=</span> m_enemyList<span class="operator">[</span>e<span class="operator">]</span>; <span class="keyword">if</span> (enemy<span class="operator">-</span><span class="operator">&gt;</span>opacity()<span class="operator">=</span><span class="operator">=</span><span class="number">0</span>) { <span class="keyword">break</span>; } <span class="type"><a href="qpointf.html">QPointF</a></span> enemyP <span class="operator">=</span> enemy<span class="operator">-</span><span class="operator">&gt;</span>pos(); <span class="keyword">if</span> (m_enemiesGridGml) { enemyP <span class="operator">+</span><span class="operator">=</span> m_enemiesGridGml<span class="operator">-</span><span class="operator">&gt;</span>pos(); } <span class="type"><a href="qrectf.html">QRectF</a></span> enemyR(enemyP<span class="operator">,</span><span class="type"><a href="qsize.html">QSize</a></span>(enemy<span class="operator">-</span><span class="operator">&gt;</span>boundingRect()<span class="operator">.</span>width()<span class="operator">,</span>enemy<span class="operator">-</span><span class="operator">&gt;</span>boundingRect()<span class="operator">.</span>height())); <span class="comment">// Collision?</span> <span class="keyword">if</span> (enemyR<span class="operator">.</span>contains(m_myShipGml<span class="operator">-</span><span class="operator">&gt;</span>pos())) { enableEngineTimer(<span class="type"><a href="qvariant.html">QVariant</a></span>(<span class="keyword">false</span>)); <span class="comment">// Collision explosion</span> <span class="type"><a href="qpointf.html">QPointF</a></span> myP <span class="operator">=</span> m_myShipGml<span class="operator">-</span><span class="operator">&gt;</span>pos(); playSound(<span class="number">1</span>); <span class="type"><a href="qmetaobject.html">QMetaObject</a></span><span class="operator">::</span>invokeMethod(m_levelQml<span class="operator">,</span> <span class="string">&quot;explode&quot;</span><span class="operator">,</span> <span class="type"><a href="qt.html">Qt</a></span><span class="operator">::</span>AutoConnection<span class="operator">,</span> Q_ARG(<span class="type"><a href="qvariant.html">QVariant</a></span><span class="operator">,</span> myP<span class="operator">.</span>x()<span class="operator">+</span>m_myShipGml<span class="operator">-</span><span class="operator">&gt;</span>boundingRect()<span class="operator">.</span>width()<span class="operator">/</span><span class="number">2</span>)<span class="operator">,</span> Q_ARG(<span class="type"><a href="qvariant.html">QVariant</a></span><span class="operator">,</span> myP<span class="operator">.</span>y()<span class="operator">+</span>m_myShipGml<span class="operator">-</span><span class="operator">&gt;</span>boundingRect()<span class="operator">.</span>height())); m_myShipGml<span class="operator">-</span><span class="operator">&gt;</span>setOpacity(<span class="number">0</span>); gameOver(<span class="keyword">false</span>); <a href="qtglobal.html#qDebug">qDebug</a>() <span class="operator">&lt;</span><span class="operator">&lt;</span> <span class="string">&quot;Collision&quot;</span>; <span class="keyword">return</span>; } <span class="comment">// Enemy too deep?</span> <span class="keyword">else</span> <span class="keyword">if</span> (enemyR<span class="operator">.</span>bottomLeft()<span class="operator">.</span>y() <span class="operator">&gt;</span> m_myShipGml<span class="operator">-</span><span class="operator">&gt;</span>pos()<span class="operator">.</span>y()<span class="operator">+</span>m_myShipGml<span class="operator">-</span><span class="operator">&gt;</span>pos()<span class="operator">.</span>y()<span class="operator">*</span><span class="number">0.1</span>) { enableEngineTimer(<span class="type"><a href="qvariant.html">QVariant</a></span>(<span class="keyword">false</span>)); <span class="comment">// Enemy too deep explosion</span> <span class="type"><a href="qpointf.html">QPointF</a></span> myP <span class="operator">=</span> m_myShipGml<span class="operator">-</span><span class="operator">&gt;</span>pos(); playSound(<span class="number">1</span>); <span class="type"><a href="qmetaobject.html">QMetaObject</a></span><span class="operator">::</span>invokeMethod(m_levelQml<span class="operator">,</span> <span class="string">&quot;explode&quot;</span><span class="operator">,</span> <span class="type"><a href="qt.html">Qt</a></span><span class="operator">::</span>AutoConnection<span class="operator">,</span> Q_ARG(<span class="type"><a href="qvariant.html">QVariant</a></span><span class="operator">,</span> myP<span class="operator">.</span>x()<span class="operator">+</span>m_myShipGml<span class="operator">-</span><span class="operator">&gt;</span>boundingRect()<span class="operator">.</span>width()<span class="operator">/</span><span class="number">2</span>)<span class="operator">,</span> Q_ARG(<span class="type"><a href="qvariant.html">QVariant</a></span><span class="operator">,</span> myP<span class="operator">.</span>y()<span class="operator">+</span>m_myShipGml<span class="operator">-</span><span class="operator">&gt;</span>boundingRect()<span class="operator">.</span>height())); m_myShipGml<span class="operator">-</span><span class="operator">&gt;</span>setOpacity(<span class="number">0</span>); gameOver(<span class="keyword">false</span>); <a href="qtglobal.html#qDebug">qDebug</a>() <span class="operator">&lt;</span><span class="operator">&lt;</span> <span class="string">&quot;Enemy too deep&quot;</span>; <span class="keyword">return</span>; } } } <span class="comment">// Check your missiles hit to enemies</span> foreach (missile<span class="operator">,</span> m_missileList) { <span class="keyword">if</span> (missile<span class="operator">-</span><span class="operator">&gt;</span>opacity()<span class="operator">=</span><span class="operator">=</span><span class="number">1</span>){ <span class="keyword">for</span> (<span class="type">int</span> e<span class="operator">=</span><span class="number">0</span>; e<span class="operator">&lt;</span>m_enemyList<span class="operator">.</span>count(); e<span class="operator">+</span><span class="operator">+</span>) { enemy <span class="operator">=</span> m_enemyList<span class="operator">[</span>e<span class="operator">]</span>; <span class="keyword">if</span> (enemy<span class="operator">-</span><span class="operator">&gt;</span>opacity()<span class="operator">&lt;</span><span class="number">1</span>) { <span class="keyword">break</span>; } <span class="type"><a href="qpointf.html">QPointF</a></span> missileP <span class="operator">=</span> missile<span class="operator">-</span><span class="operator">&gt;</span>pos(); missileP<span class="operator">.</span>setX(missileP<span class="operator">.</span>rx() <span class="operator">+</span> missile<span class="operator">-</span><span class="operator">&gt;</span>boundingRect()<span class="operator">.</span>width()<span class="operator">/</span><span class="number">2</span>); <span class="type"><a href="qpointf.html">QPointF</a></span> enemyP <span class="operator">=</span> enemy<span class="operator">-</span><span class="operator">&gt;</span>pos(); <span class="keyword">if</span> (m_enemiesGridGml) { enemyP <span class="operator">+</span><span class="operator">=</span> m_enemiesGridGml<span class="operator">-</span><span class="operator">&gt;</span>pos(); } <span class="type"><a href="qrectf.html">QRectF</a></span> r(enemyP<span class="operator">,</span><span class="type"><a href="qsize.html">QSize</a></span>(enemy<span class="operator">-</span><span class="operator">&gt;</span>boundingRect()<span class="operator">.</span>width()<span class="operator">,</span>enemy<span class="operator">-</span><span class="operator">&gt;</span>boundingRect()<span class="operator">.</span>height())); <span class="keyword">if</span> (r<span class="operator">.</span>contains(missileP)) { <span class="comment">// Hit !</span> playSound(<span class="number">0</span>); <span class="comment">//qDebug() &lt;&lt; &quot;QMetaObject::invokeMethod() - explode&quot;;</span> <span class="type"><a href="qmetaobject.html">QMetaObject</a></span><span class="operator">::</span>invokeMethod(m_levelQml<span class="operator">,</span> <span class="string">&quot;explode&quot;</span><span class="operator">,</span> <span class="type"><a href="qt.html">Qt</a></span><span class="operator">::</span>AutoConnection<span class="operator">,</span> Q_ARG(<span class="type"><a href="qvariant.html">QVariant</a></span><span class="operator">,</span> enemyP<span class="operator">.</span>x()<span class="operator">+</span>enemy<span class="operator">-</span><span class="operator">&gt;</span>boundingRect()<span class="operator">.</span>width()<span class="operator">/</span><span class="number">2</span>)<span class="operator">,</span> Q_ARG(<span class="type"><a href="qvariant.html">QVariant</a></span><span class="operator">,</span> enemyP<span class="operator">.</span>y()<span class="operator">+</span>enemy<span class="operator">-</span><span class="operator">&gt;</span>boundingRect()<span class="operator">.</span>height())); missile<span class="operator">-</span><span class="operator">&gt;</span>setOpacity(<span class="number">0</span>); <span class="comment">//fastVibra();</span> <span class="keyword">if</span> (m_enemiesGridGml) { <span class="comment">// Set transparent placeholder for enemy when using GridView</span> enemy<span class="operator">-</span><span class="operator">&gt;</span>setProperty(<span class="string">&quot;source&quot;</span><span class="operator">,</span><span class="type"><a href="qvariant.html">QVariant</a></span>(<span class="string">&quot;file:/&quot;</span><span class="operator">+</span>m_gameLevel<span class="operator">-</span><span class="operator">&gt;</span>pathToTransparentEnemyPic()<span class="operator">.</span>toString())); } <span class="keyword">else</span> { <span class="comment">// Hide enemy after explode</span> enemy<span class="operator">-</span><span class="operator">&gt;</span>setOpacity(<span class="number">0</span>); } <span class="comment">// Remove enemy from list</span> m_enemyList<span class="operator">.</span>removeAt(e); e<span class="operator">-</span><span class="operator">-</span>; } enemy <span class="operator">=</span> <span class="number">0</span>; } } } <span class="comment">// Check enemies missiles hit to you</span> <span class="keyword">if</span> (m_myShipGml<span class="operator">-</span><span class="operator">&gt;</span>opacity()<span class="operator">=</span><span class="operator">=</span><span class="number">1</span>) { foreach (missile<span class="operator">,</span> m_enemyMissileList) { <span class="keyword">if</span> (missile<span class="operator">-</span><span class="operator">&gt;</span>opacity()<span class="operator">=</span><span class="operator">=</span><span class="number">1</span>){ <span class="type"><a href="qpointf.html">QPointF</a></span> missileP <span class="operator">=</span> missile<span class="operator">-</span><span class="operator">&gt;</span>pos(); missileP<span class="operator">.</span>setX(missileP<span class="operator">.</span>rx() <span class="operator">+</span> missile<span class="operator">-</span><span class="operator">&gt;</span>boundingRect()<span class="operator">.</span>width()<span class="operator">/</span><span class="number">2</span>); <span class="type"><a href="qpointf.html">QPointF</a></span> myP <span class="operator">=</span> m_myShipGml<span class="operator">-</span><span class="operator">&gt;</span>pos(); <span class="type"><a href="qrectf.html">QRectF</a></span> r(myP<span class="operator">,</span><span class="type"><a href="qsize.html">QSize</a></span>(m_myShipGml<span class="operator">-</span><span class="operator">&gt;</span>boundingRect()<span class="operator">.</span>width()<span class="operator">,</span>m_myShipGml<span class="operator">-</span><span class="operator">&gt;</span>boundingRect()<span class="operator">.</span>height())); <span class="keyword">if</span> (r<span class="operator">.</span>contains(missileP)) { <span class="comment">// Hit !</span> playSound(<span class="number">1</span>); <span class="comment">//qDebug() &lt;&lt; &quot;QMetaObject::invokeMethod() - explode&quot;;</span> <span class="type"><a href="qmetaobject.html">QMetaObject</a></span><span class="operator">::</span>invokeMethod(m_levelQml<span class="operator">,</span> <span class="string">&quot;explode&quot;</span><span class="operator">,</span> <span class="type"><a href="qt.html">Qt</a></span><span class="operator">::</span>AutoConnection<span class="operator">,</span> Q_ARG(<span class="type"><a href="qvariant.html">QVariant</a></span><span class="operator">,</span> myP<span class="operator">.</span>x()<span class="operator">+</span>m_myShipGml<span class="operator">-</span><span class="operator">&gt;</span>boundingRect()<span class="operator">.</span>width()<span class="operator">/</span><span class="number">2</span>)<span class="operator">,</span> Q_ARG(<span class="type"><a href="qvariant.html">QVariant</a></span><span class="operator">,</span> myP<span class="operator">.</span>y()<span class="operator">+</span>m_myShipGml<span class="operator">-</span><span class="operator">&gt;</span>boundingRect()<span class="operator">.</span>height())); missile<span class="operator">-</span><span class="operator">&gt;</span>setOpacity(<span class="number">0</span>); m_myShipGml<span class="operator">-</span><span class="operator">&gt;</span>setOpacity(<span class="number">0</span>); <span class="keyword">break</span>; } } } } <span class="keyword">else</span> { <span class="comment">// You was killed</span> enableEngineTimer(<span class="type"><a href="qvariant.html">QVariant</a></span>(<span class="keyword">false</span>)); gameOver(<span class="keyword">false</span>); <a href="qtglobal.html#qDebug">qDebug</a>() <span class="operator">&lt;</span><span class="operator">&lt;</span> <span class="string">&quot;You was killed by enemy missile&quot;</span>; } } <span class="type">void</span> GameEngine<span class="operator">::</span>playSound(<span class="type"><a href="qvariant.html">QVariant</a></span> index) { <span class="keyword">if</span> (<span class="operator">!</span>m_silent) { <span class="type">int</span> i <span class="operator">=</span> index<span class="operator">.</span>toInt(); m_soundEngine<span class="operator">-</span><span class="operator">&gt;</span>playSound(i); } } <span class="type">void</span> GameEngine<span class="operator">::</span>playSounds(<span class="type"><a href="qvariant.html">QVariant</a></span> index<span class="operator">,</span> <span class="type"><a href="qvariant.html">QVariant</a></span> count) { <span class="keyword">if</span> (<span class="operator">!</span>m_silent) { m_soundEngine<span class="operator">-</span><span class="operator">&gt;</span>playSounds(index<span class="operator">.</span>toInt()<span class="operator">,</span>count<span class="operator">.</span>toInt()); } } <span class="type">void</span> GameEngine<span class="operator">::</span>playInternalSound(<span class="type"><a href="qvariant.html">QVariant</a></span> index) { <span class="keyword">if</span> (<span class="operator">!</span>m_silent) { m_soundEngine<span class="operator">-</span><span class="operator">&gt;</span>playInternalSound(index<span class="operator">.</span>toInt()); } } <span class="type">void</span> GameEngine<span class="operator">::</span>playInternalSounds(<span class="type"><a href="qvariant.html">QVariant</a></span> index<span class="operator">,</span> <span class="type"><a href="qvariant.html">QVariant</a></span> count) { <span class="keyword">if</span> (<span class="operator">!</span>m_silent) { m_soundEngine<span class="operator">-</span><span class="operator">&gt;</span>playInternalSounds(index<span class="operator">.</span>toInt()<span class="operator">,</span>count<span class="operator">.</span>toInt()); } } <span class="type">void</span> GameEngine<span class="operator">::</span>gameOver(<span class="type">bool</span> youWin) { <a href="qtglobal.html#qDebug">qDebug</a>() <span class="operator">&lt;</span><span class="operator">&lt;</span> <span class="string">&quot;GameEngine::gameOver() &quot;</span><span class="operator">&lt;</span><span class="operator">&lt;</span> youWin; <span class="type"><a href="qmetaobject.html">QMetaObject</a></span><span class="operator">::</span>invokeMethod(m_GameGml<span class="operator">,</span> <span class="string">&quot;gameOver&quot;</span><span class="operator">,</span> <span class="type"><a href="qt.html">Qt</a></span><span class="operator">::</span>AutoConnection<span class="operator">,</span>Q_ARG(<span class="type"><a href="qvariant.html">QVariant</a></span><span class="operator">,</span> youWin)); } <span class="type">void</span> GameEngine<span class="operator">::</span>pauseGame() { <span class="type"><a href="qmetaobject.html">QMetaObject</a></span><span class="operator">::</span>invokeMethod(m_GameGml<span class="operator">,</span> <span class="string">&quot;pauseGame&quot;</span><span class="operator">,</span> <span class="type"><a href="qt.html">Qt</a></span><span class="operator">::</span>AutoConnection); } <span class="type"><a href="qvariant.html">QVariant</a></span> GameEngine<span class="operator">::</span>isSymbian() { <span class="preprocessor">#ifdef Q_OS_SYMBIAN</span> <span class="keyword">return</span> <span class="type"><a href="qvariant.html">QVariant</a></span>(<span class="keyword">true</span>); <span class="preprocessor">#else</span> <span class="keyword">return</span> <span class="type"><a href="qvariant.html">QVariant</a></span>(<span class="keyword">false</span>); <span class="preprocessor">#endif</span> } <span class="type"><a href="qvariant.html">QVariant</a></span> GameEngine<span class="operator">::</span>isMaemo() { <span class="preprocessor">#ifdef Q_WS_MAEMO_5</span> <span class="keyword">return</span> <span class="type"><a href="qvariant.html">QVariant</a></span>(<span class="keyword">true</span>); <span class="preprocessor">#else</span> <span class="keyword">return</span> <span class="type"><a href="qvariant.html">QVariant</a></span>(<span class="keyword">false</span>); <span class="preprocessor">#endif</span> } <span class="type"><a href="qvariant.html">QVariant</a></span> GameEngine<span class="operator">::</span>isWindows() { <span class="preprocessor">#ifdef Q_OS_WIN</span> <span class="keyword">return</span> <span class="type"><a href="qvariant.html">QVariant</a></span>(<span class="keyword">true</span>); <span class="preprocessor">#else</span> <span class="keyword">return</span> <span class="type"><a href="qvariant.html">QVariant</a></span>(<span class="keyword">false</span>); <span class="preprocessor">#endif</span> } <span class="type">void</span> GameEngine<span class="operator">::</span>vibra() { <span class="preprocessor">#ifdef Q_OS_SYMBIAN</span> <span class="keyword">if</span> (iVibrate){ TRAPD(err<span class="operator">,</span> iVibrate<span class="operator">-</span><span class="operator">&gt;</span>StartVibraL(<span class="number">4000</span><span class="operator">,</span>KHWRMVibraMaxIntensity)); } <span class="preprocessor">#endif</span> } <span class="type">void</span> GameEngine<span class="operator">::</span>fastVibra() { <span class="preprocessor">#ifdef Q_OS_SYMBIAN</span> <span class="keyword">if</span> (iVibrate){ TRAPD(err<span class="operator">,</span> iVibrate<span class="operator">-</span><span class="operator">&gt;</span>StartVibraL(<span class="number">100</span><span class="operator">,</span>KHWRMVibraMaxIntensity)); } <span class="preprocessor">#endif</span> } <span class="type">void</span> GameEngine<span class="operator">::</span>openLink(<span class="type"><a href="qvariant.html">QVariant</a></span> link) { <span class="type"><a href="qdesktopservices.html">QDesktopServices</a></span><span class="operator">::</span>openUrl(<span class="type"><a href="qurl.html">QUrl</a></span>(link<span class="operator">.</span>toString())); }</pre> </div> <!-- @@@demos/mobile/quickhit/gameengine.cpp --> </div> </div> </div> <div class="ft"> <span></span> </div> </div> <div class="footer"> <p> <acronym title="Copyright">&copy;</acronym> 2013 Digia Plc and/or its subsidiaries. Documentation contributions included herein are the copyrights of their respective owners.</p> <br /> <p> The documentation provided herein is licensed under the terms of the <a href="http://www.gnu.org/licenses/fdl.html">GNU Free Documentation License version 1.3</a> as published by the Free Software Foundation.</p> <p> Documentation sources may be obtained from <a href="http://www.qt-project.org"> www.qt-project.org</a>.</p> <br /> <p> Digia, Qt and their respective logos are trademarks of Digia Plc in Finland and/or other countries worldwide. All other trademarks are property of their respective owners. <a title="Privacy Policy" href="http://en.gitorious.org/privacy_policy/">Privacy Policy</a></p> </div> <script src="scripts/functions.js" type="text/javascript"></script> </body> </html>
{ "content_hash": "920e8e69e437b34944f0b1e1f077ad44", "timestamp": "", "source": "github", "line_count": 748, "max_line_length": 525, "avg_line_length": 83.64973262032086, "alnum_prop": 0.628272334984817, "repo_name": "stephaneAG/PengPod700", "id": "212e0296d51f3dea208ac9eee268cb2da96facc5", "size": "64633", "binary": false, "copies": "2", "ref": "refs/heads/master", "path": "QtEsrc/backup_qt/qt-everywhere-opensource-src-4.8.5/doc/html/demos-mobile-quickhit-gameengine-cpp.html", "mode": "33188", "license": "mit", "language": [ { "name": "Assembly", "bytes": "167426" }, { "name": "Batchfile", "bytes": "25368" }, { "name": "C", "bytes": "3755463" }, { "name": "C#", "bytes": "9282" }, { "name": "C++", "bytes": "177871700" }, { "name": "CSS", "bytes": "600936" }, { "name": "GAP", "bytes": "758872" }, { "name": "GLSL", "bytes": "32226" }, { "name": "Groff", "bytes": "106542" }, { "name": "HTML", "bytes": "273585110" }, { "name": "IDL", "bytes": "1194" }, { "name": "JavaScript", "bytes": "435912" }, { "name": "Makefile", "bytes": "289373" }, { "name": "Objective-C", "bytes": "1898658" }, { "name": "Objective-C++", "bytes": "3222428" }, { "name": "PHP", "bytes": "6074" }, { "name": "Perl", "bytes": "291672" }, { "name": "Prolog", "bytes": "102468" }, { "name": "Python", "bytes": "22546" }, { "name": "QML", "bytes": "3580408" }, { "name": "QMake", "bytes": "2191574" }, { "name": "Scilab", "bytes": "2390" }, { "name": "Shell", "bytes": "116533" }, { "name": "TypeScript", "bytes": "42452" }, { "name": "Visual Basic", "bytes": "8370" }, { "name": "XQuery", "bytes": "25094" }, { "name": "XSLT", "bytes": "252382" } ], "symlink_target": "" }
/* ixgb_hw.c * Shared functions for accessing and configuring the adapter */ #include "ixgb_hw.h" #include "ixgb_ids.h" /* Local function prototypes */ static uint32_t ixgb_hash_mc_addr(struct ixgb_hw *hw, uint8_t * mc_addr); static void ixgb_mta_set(struct ixgb_hw *hw, uint32_t hash_value); static void ixgb_get_bus_info(struct ixgb_hw *hw); static boolean_t ixgb_link_reset(struct ixgb_hw *hw); static void ixgb_optics_reset(struct ixgb_hw *hw); static ixgb_phy_type ixgb_identify_phy(struct ixgb_hw *hw); static void ixgb_clear_hw_cntrs(struct ixgb_hw *hw); static void ixgb_clear_vfta(struct ixgb_hw *hw); static void ixgb_init_rx_addrs(struct ixgb_hw *hw); static uint16_t ixgb_read_phy_reg(struct ixgb_hw *hw, uint32_t reg_address, uint32_t phy_address, uint32_t device_type); static boolean_t ixgb_setup_fc(struct ixgb_hw *hw); static boolean_t mac_addr_valid(uint8_t *mac_addr); static uint32_t ixgb_mac_reset(struct ixgb_hw *hw) { uint32_t ctrl_reg; ctrl_reg = IXGB_CTRL0_RST | IXGB_CTRL0_SDP3_DIR | /* All pins are Output=1 */ IXGB_CTRL0_SDP2_DIR | IXGB_CTRL0_SDP1_DIR | IXGB_CTRL0_SDP0_DIR | IXGB_CTRL0_SDP3 | /* Initial value 1101 */ IXGB_CTRL0_SDP2 | IXGB_CTRL0_SDP0; #ifdef HP_ZX1 /* Workaround for 82597EX reset errata */ IXGB_WRITE_REG_IO(hw, CTRL0, ctrl_reg); #else IXGB_WRITE_REG(hw, CTRL0, ctrl_reg); #endif /* Delay a few ms just to allow the reset to complete */ msec_delay(IXGB_DELAY_AFTER_RESET); ctrl_reg = IXGB_READ_REG(hw, CTRL0); #ifdef DBG /* Make sure the self-clearing global reset bit did self clear */ ASSERT(!(ctrl_reg & IXGB_CTRL0_RST)); #endif if (hw->phy_type == ixgb_phy_type_txn17401) { ixgb_optics_reset(hw); } return ctrl_reg; } /****************************************************************************** * Reset the transmit and receive units; mask and clear all interrupts. * * hw - Struct containing variables accessed by shared code *****************************************************************************/ boolean_t ixgb_adapter_stop(struct ixgb_hw *hw) { uint32_t ctrl_reg; uint32_t icr_reg; DEBUGFUNC("ixgb_adapter_stop"); /* If we are stopped or resetting exit gracefully and wait to be * started again before accessing the hardware. */ if(hw->adapter_stopped) { DEBUGOUT("Exiting because the adapter is already stopped!!!\n"); return FALSE; } /* Set the Adapter Stopped flag so other driver functions stop * touching the Hardware. */ hw->adapter_stopped = TRUE; /* Clear interrupt mask to stop board from generating interrupts */ DEBUGOUT("Masking off all interrupts\n"); IXGB_WRITE_REG(hw, IMC, 0xFFFFFFFF); /* Disable the Transmit and Receive units. Then delay to allow * any pending transactions to complete before we hit the MAC with * the global reset. */ IXGB_WRITE_REG(hw, RCTL, IXGB_READ_REG(hw, RCTL) & ~IXGB_RCTL_RXEN); IXGB_WRITE_REG(hw, TCTL, IXGB_READ_REG(hw, TCTL) & ~IXGB_TCTL_TXEN); msec_delay(IXGB_DELAY_BEFORE_RESET); /* Issue a global reset to the MAC. This will reset the chip's * transmit, receive, DMA, and link units. It will not effect * the current PCI configuration. The global reset bit is self- * clearing, and should clear within a microsecond. */ DEBUGOUT("Issuing a global reset to MAC\n"); ctrl_reg = ixgb_mac_reset(hw); /* Clear interrupt mask to stop board from generating interrupts */ DEBUGOUT("Masking off all interrupts\n"); IXGB_WRITE_REG(hw, IMC, 0xffffffff); /* Clear any pending interrupt events. */ icr_reg = IXGB_READ_REG(hw, ICR); return (ctrl_reg & IXGB_CTRL0_RST); } /****************************************************************************** * Identifies the vendor of the optics module on the adapter. The SR adapters * support two different types of XPAK optics, so it is necessary to determine * which optics are present before applying any optics-specific workarounds. * * hw - Struct containing variables accessed by shared code. * * Returns: the vendor of the XPAK optics module. *****************************************************************************/ static ixgb_xpak_vendor ixgb_identify_xpak_vendor(struct ixgb_hw *hw) { uint32_t i; uint16_t vendor_name[5]; ixgb_xpak_vendor xpak_vendor; DEBUGFUNC("ixgb_identify_xpak_vendor"); /* Read the first few bytes of the vendor string from the XPAK NVR * registers. These are standard XENPAK/XPAK registers, so all XPAK * devices should implement them. */ for (i = 0; i < 5; i++) { vendor_name[i] = ixgb_read_phy_reg(hw, MDIO_PMA_PMD_XPAK_VENDOR_NAME + i, IXGB_PHY_ADDRESS, MDIO_PMA_PMD_DID); } /* Determine the actual vendor */ if (vendor_name[0] == 'I' && vendor_name[1] == 'N' && vendor_name[2] == 'T' && vendor_name[3] == 'E' && vendor_name[4] == 'L') { xpak_vendor = ixgb_xpak_vendor_intel; } else { xpak_vendor = ixgb_xpak_vendor_infineon; } return (xpak_vendor); } /****************************************************************************** * Determine the physical layer module on the adapter. * * hw - Struct containing variables accessed by shared code. The device_id * field must be (correctly) populated before calling this routine. * * Returns: the phy type of the adapter. *****************************************************************************/ static ixgb_phy_type ixgb_identify_phy(struct ixgb_hw *hw) { ixgb_phy_type phy_type; ixgb_xpak_vendor xpak_vendor; DEBUGFUNC("ixgb_identify_phy"); /* Infer the transceiver/phy type from the device id */ switch (hw->device_id) { case IXGB_DEVICE_ID_82597EX: DEBUGOUT("Identified TXN17401 optics\n"); phy_type = ixgb_phy_type_txn17401; break; case IXGB_DEVICE_ID_82597EX_SR: /* The SR adapters carry two different types of XPAK optics * modules; read the vendor identifier to determine the exact * type of optics. */ xpak_vendor = ixgb_identify_xpak_vendor(hw); if (xpak_vendor == ixgb_xpak_vendor_intel) { DEBUGOUT("Identified TXN17201 optics\n"); phy_type = ixgb_phy_type_txn17201; } else { DEBUGOUT("Identified G6005 optics\n"); phy_type = ixgb_phy_type_g6005; } break; case IXGB_DEVICE_ID_82597EX_LR: DEBUGOUT("Identified G6104 optics\n"); phy_type = ixgb_phy_type_g6104; break; default: DEBUGOUT("Unknown physical layer module\n"); phy_type = ixgb_phy_type_unknown; break; } return (phy_type); } /****************************************************************************** * Performs basic configuration of the adapter. * * hw - Struct containing variables accessed by shared code * * Resets the controller. * Reads and validates the EEPROM. * Initializes the receive address registers. * Initializes the multicast table. * Clears all on-chip counters. * Calls routine to setup flow control settings. * Leaves the transmit and receive units disabled and uninitialized. * * Returns: * TRUE if successful, * FALSE if unrecoverable problems were encountered. *****************************************************************************/ boolean_t ixgb_init_hw(struct ixgb_hw *hw) { uint32_t i; uint32_t ctrl_reg; boolean_t status; DEBUGFUNC("ixgb_init_hw"); /* Issue a global reset to the MAC. This will reset the chip's * transmit, receive, DMA, and link units. It will not effect * the current PCI configuration. The global reset bit is self- * clearing, and should clear within a microsecond. */ DEBUGOUT("Issuing a global reset to MAC\n"); ctrl_reg = ixgb_mac_reset(hw); DEBUGOUT("Issuing an EE reset to MAC\n"); #ifdef HP_ZX1 /* Workaround for 82597EX reset errata */ IXGB_WRITE_REG_IO(hw, CTRL1, IXGB_CTRL1_EE_RST); #else IXGB_WRITE_REG(hw, CTRL1, IXGB_CTRL1_EE_RST); #endif /* Delay a few ms just to allow the reset to complete */ msec_delay(IXGB_DELAY_AFTER_EE_RESET); if (ixgb_get_eeprom_data(hw) == FALSE) { return(FALSE); } /* Use the device id to determine the type of phy/transceiver. */ hw->device_id = ixgb_get_ee_device_id(hw); hw->phy_type = ixgb_identify_phy(hw); /* Setup the receive addresses. * Receive Address Registers (RARs 0 - 15). */ ixgb_init_rx_addrs(hw); /* * Check that a valid MAC address has been set. * If it is not valid, we fail hardware init. */ if (!mac_addr_valid(hw->curr_mac_addr)) { DEBUGOUT("MAC address invalid after ixgb_init_rx_addrs\n"); return(FALSE); } /* tell the routines in this file they can access hardware again */ hw->adapter_stopped = FALSE; /* Fill in the bus_info structure */ ixgb_get_bus_info(hw); /* Zero out the Multicast HASH table */ DEBUGOUT("Zeroing the MTA\n"); for(i = 0; i < IXGB_MC_TBL_SIZE; i++) IXGB_WRITE_REG_ARRAY(hw, MTA, i, 0); /* Zero out the VLAN Filter Table Array */ ixgb_clear_vfta(hw); /* Zero all of the hardware counters */ ixgb_clear_hw_cntrs(hw); /* Call a subroutine to setup flow control. */ status = ixgb_setup_fc(hw); /* 82597EX errata: Call check-for-link in case lane deskew is locked */ ixgb_check_for_link(hw); return (status); } /****************************************************************************** * Initializes receive address filters. * * hw - Struct containing variables accessed by shared code * * Places the MAC address in receive address register 0 and clears the rest * of the receive addresss registers. Clears the multicast table. Assumes * the receiver is in reset when the routine is called. *****************************************************************************/ static void ixgb_init_rx_addrs(struct ixgb_hw *hw) { uint32_t i; DEBUGFUNC("ixgb_init_rx_addrs"); /* * If the current mac address is valid, assume it is a software override * to the permanent address. * Otherwise, use the permanent address from the eeprom. */ if (!mac_addr_valid(hw->curr_mac_addr)) { /* Get the MAC address from the eeprom for later reference */ ixgb_get_ee_mac_addr(hw, hw->curr_mac_addr); DEBUGOUT3(" Keeping Permanent MAC Addr =%.2X %.2X %.2X ", hw->curr_mac_addr[0], hw->curr_mac_addr[1], hw->curr_mac_addr[2]); DEBUGOUT3("%.2X %.2X %.2X\n", hw->curr_mac_addr[3], hw->curr_mac_addr[4], hw->curr_mac_addr[5]); } else { /* Setup the receive address. */ DEBUGOUT("Overriding MAC Address in RAR[0]\n"); DEBUGOUT3(" New MAC Addr =%.2X %.2X %.2X ", hw->curr_mac_addr[0], hw->curr_mac_addr[1], hw->curr_mac_addr[2]); DEBUGOUT3("%.2X %.2X %.2X\n", hw->curr_mac_addr[3], hw->curr_mac_addr[4], hw->curr_mac_addr[5]); ixgb_rar_set(hw, hw->curr_mac_addr, 0); } /* Zero out the other 15 receive addresses. */ DEBUGOUT("Clearing RAR[1-15]\n"); for(i = 1; i < IXGB_RAR_ENTRIES; i++) { IXGB_WRITE_REG_ARRAY(hw, RA, (i << 1), 0); IXGB_WRITE_REG_ARRAY(hw, RA, ((i << 1) + 1), 0); } return; } /****************************************************************************** * Updates the MAC's list of multicast addresses. * * hw - Struct containing variables accessed by shared code * mc_addr_list - the list of new multicast addresses * mc_addr_count - number of addresses * pad - number of bytes between addresses in the list * * The given list replaces any existing list. Clears the last 15 receive * address registers and the multicast table. Uses receive address registers * for the first 15 multicast addresses, and hashes the rest into the * multicast table. *****************************************************************************/ void ixgb_mc_addr_list_update(struct ixgb_hw *hw, uint8_t *mc_addr_list, uint32_t mc_addr_count, uint32_t pad) { uint32_t hash_value; uint32_t i; uint32_t rar_used_count = 1; /* RAR[0] is used for our MAC address */ DEBUGFUNC("ixgb_mc_addr_list_update"); /* Set the new number of MC addresses that we are being requested to use. */ hw->num_mc_addrs = mc_addr_count; /* Clear RAR[1-15] */ DEBUGOUT(" Clearing RAR[1-15]\n"); for(i = rar_used_count; i < IXGB_RAR_ENTRIES; i++) { IXGB_WRITE_REG_ARRAY(hw, RA, (i << 1), 0); IXGB_WRITE_REG_ARRAY(hw, RA, ((i << 1) + 1), 0); } /* Clear the MTA */ DEBUGOUT(" Clearing MTA\n"); for(i = 0; i < IXGB_MC_TBL_SIZE; i++) { IXGB_WRITE_REG_ARRAY(hw, MTA, i, 0); } /* Add the new addresses */ for(i = 0; i < mc_addr_count; i++) { DEBUGOUT(" Adding the multicast addresses:\n"); DEBUGOUT7(" MC Addr #%d =%.2X %.2X %.2X %.2X %.2X %.2X\n", i, mc_addr_list[i * (IXGB_ETH_LENGTH_OF_ADDRESS + pad)], mc_addr_list[i * (IXGB_ETH_LENGTH_OF_ADDRESS + pad) + 1], mc_addr_list[i * (IXGB_ETH_LENGTH_OF_ADDRESS + pad) + 2], mc_addr_list[i * (IXGB_ETH_LENGTH_OF_ADDRESS + pad) + 3], mc_addr_list[i * (IXGB_ETH_LENGTH_OF_ADDRESS + pad) + 4], mc_addr_list[i * (IXGB_ETH_LENGTH_OF_ADDRESS + pad) + 5]); /* Place this multicast address in the RAR if there is room, * * else put it in the MTA */ if(rar_used_count < IXGB_RAR_ENTRIES) { ixgb_rar_set(hw, mc_addr_list + (i * (IXGB_ETH_LENGTH_OF_ADDRESS + pad)), rar_used_count); DEBUGOUT1("Added a multicast address to RAR[%d]\n", i); rar_used_count++; } else { hash_value = ixgb_hash_mc_addr(hw, mc_addr_list + (i * (IXGB_ETH_LENGTH_OF_ADDRESS + pad))); DEBUGOUT1(" Hash value = 0x%03X\n", hash_value); ixgb_mta_set(hw, hash_value); } } DEBUGOUT("MC Update Complete\n"); return; } /****************************************************************************** * Hashes an address to determine its location in the multicast table * * hw - Struct containing variables accessed by shared code * mc_addr - the multicast address to hash * * Returns: * The hash value *****************************************************************************/ static uint32_t ixgb_hash_mc_addr(struct ixgb_hw *hw, uint8_t *mc_addr) { uint32_t hash_value = 0; DEBUGFUNC("ixgb_hash_mc_addr"); /* The portion of the address that is used for the hash table is * determined by the mc_filter_type setting. */ switch (hw->mc_filter_type) { /* [0] [1] [2] [3] [4] [5] * 01 AA 00 12 34 56 * LSB MSB - According to H/W docs */ case 0: /* [47:36] i.e. 0x563 for above example address */ hash_value = ((mc_addr[4] >> 4) | (((uint16_t) mc_addr[5]) << 4)); break; case 1: /* [46:35] i.e. 0xAC6 for above example address */ hash_value = ((mc_addr[4] >> 3) | (((uint16_t) mc_addr[5]) << 5)); break; case 2: /* [45:34] i.e. 0x5D8 for above example address */ hash_value = ((mc_addr[4] >> 2) | (((uint16_t) mc_addr[5]) << 6)); break; case 3: /* [43:32] i.e. 0x634 for above example address */ hash_value = ((mc_addr[4]) | (((uint16_t) mc_addr[5]) << 8)); break; default: /* Invalid mc_filter_type, what should we do? */ DEBUGOUT("MC filter type param set incorrectly\n"); ASSERT(0); break; } hash_value &= 0xFFF; return (hash_value); } /****************************************************************************** * Sets the bit in the multicast table corresponding to the hash value. * * hw - Struct containing variables accessed by shared code * hash_value - Multicast address hash value *****************************************************************************/ static void ixgb_mta_set(struct ixgb_hw *hw, uint32_t hash_value) { uint32_t hash_bit, hash_reg; uint32_t mta_reg; /* The MTA is a register array of 128 32-bit registers. * It is treated like an array of 4096 bits. We want to set * bit BitArray[hash_value]. So we figure out what register * the bit is in, read it, OR in the new bit, then write * back the new value. The register is determined by the * upper 7 bits of the hash value and the bit within that * register are determined by the lower 5 bits of the value. */ hash_reg = (hash_value >> 5) & 0x7F; hash_bit = hash_value & 0x1F; mta_reg = IXGB_READ_REG_ARRAY(hw, MTA, hash_reg); mta_reg |= (1 << hash_bit); IXGB_WRITE_REG_ARRAY(hw, MTA, hash_reg, mta_reg); return; } /****************************************************************************** * Puts an ethernet address into a receive address register. * * hw - Struct containing variables accessed by shared code * addr - Address to put into receive address register * index - Receive address register to write *****************************************************************************/ void ixgb_rar_set(struct ixgb_hw *hw, uint8_t *addr, uint32_t index) { uint32_t rar_low, rar_high; DEBUGFUNC("ixgb_rar_set"); /* HW expects these in little endian so we reverse the byte order * from network order (big endian) to little endian */ rar_low = ((uint32_t) addr[0] | ((uint32_t)addr[1] << 8) | ((uint32_t)addr[2] << 16) | ((uint32_t)addr[3] << 24)); rar_high = ((uint32_t) addr[4] | ((uint32_t)addr[5] << 8) | IXGB_RAH_AV); IXGB_WRITE_REG_ARRAY(hw, RA, (index << 1), rar_low); IXGB_WRITE_REG_ARRAY(hw, RA, ((index << 1) + 1), rar_high); return; } /****************************************************************************** * Writes a value to the specified offset in the VLAN filter table. * * hw - Struct containing variables accessed by shared code * offset - Offset in VLAN filer table to write * value - Value to write into VLAN filter table *****************************************************************************/ void ixgb_write_vfta(struct ixgb_hw *hw, uint32_t offset, uint32_t value) { IXGB_WRITE_REG_ARRAY(hw, VFTA, offset, value); return; } /****************************************************************************** * Clears the VLAN filer table * * hw - Struct containing variables accessed by shared code *****************************************************************************/ static void ixgb_clear_vfta(struct ixgb_hw *hw) { uint32_t offset; for(offset = 0; offset < IXGB_VLAN_FILTER_TBL_SIZE; offset++) IXGB_WRITE_REG_ARRAY(hw, VFTA, offset, 0); return; } /****************************************************************************** * Configures the flow control settings based on SW configuration. * * hw - Struct containing variables accessed by shared code *****************************************************************************/ static boolean_t ixgb_setup_fc(struct ixgb_hw *hw) { uint32_t ctrl_reg; uint32_t pap_reg = 0; /* by default, assume no pause time */ boolean_t status = TRUE; DEBUGFUNC("ixgb_setup_fc"); /* Get the current control reg 0 settings */ ctrl_reg = IXGB_READ_REG(hw, CTRL0); /* Clear the Receive Pause Enable and Transmit Pause Enable bits */ ctrl_reg &= ~(IXGB_CTRL0_RPE | IXGB_CTRL0_TPE); /* The possible values of the "flow_control" parameter are: * 0: Flow control is completely disabled * 1: Rx flow control is enabled (we can receive pause frames * but not send pause frames). * 2: Tx flow control is enabled (we can send pause frames * but we do not support receiving pause frames). * 3: Both Rx and TX flow control (symmetric) are enabled. * other: Invalid. */ switch (hw->fc.type) { case ixgb_fc_none: /* 0 */ /* Set CMDC bit to disable Rx Flow control */ ctrl_reg |= (IXGB_CTRL0_CMDC); break; case ixgb_fc_rx_pause: /* 1 */ /* RX Flow control is enabled, and TX Flow control is * disabled. */ ctrl_reg |= (IXGB_CTRL0_RPE); break; case ixgb_fc_tx_pause: /* 2 */ /* TX Flow control is enabled, and RX Flow control is * disabled, by a software over-ride. */ ctrl_reg |= (IXGB_CTRL0_TPE); pap_reg = hw->fc.pause_time; break; case ixgb_fc_full: /* 3 */ /* Flow control (both RX and TX) is enabled by a software * over-ride. */ ctrl_reg |= (IXGB_CTRL0_RPE | IXGB_CTRL0_TPE); pap_reg = hw->fc.pause_time; break; default: /* We should never get here. The value should be 0-3. */ DEBUGOUT("Flow control param set incorrectly\n"); ASSERT(0); break; } /* Write the new settings */ IXGB_WRITE_REG(hw, CTRL0, ctrl_reg); if (pap_reg != 0) { IXGB_WRITE_REG(hw, PAP, pap_reg); } /* Set the flow control receive threshold registers. Normally, * these registers will be set to a default threshold that may be * adjusted later by the driver's runtime code. However, if the * ability to transmit pause frames in not enabled, then these * registers will be set to 0. */ if(!(hw->fc.type & ixgb_fc_tx_pause)) { IXGB_WRITE_REG(hw, FCRTL, 0); IXGB_WRITE_REG(hw, FCRTH, 0); } else { /* We need to set up the Receive Threshold high and low water * marks as well as (optionally) enabling the transmission of XON * frames. */ if(hw->fc.send_xon) { IXGB_WRITE_REG(hw, FCRTL, (hw->fc.low_water | IXGB_FCRTL_XONE)); } else { IXGB_WRITE_REG(hw, FCRTL, hw->fc.low_water); } IXGB_WRITE_REG(hw, FCRTH, hw->fc.high_water); } return (status); } /****************************************************************************** * Reads a word from a device over the Management Data Interface (MDI) bus. * This interface is used to manage Physical layer devices. * * hw - Struct containing variables accessed by hw code * reg_address - Offset of device register being read. * phy_address - Address of device on MDI. * * Returns: Data word (16 bits) from MDI device. * * The 82597EX has support for several MDI access methods. This routine * uses the new protocol MDI Single Command and Address Operation. * This requires that first an address cycle command is sent, followed by a * read command. *****************************************************************************/ static uint16_t ixgb_read_phy_reg(struct ixgb_hw *hw, uint32_t reg_address, uint32_t phy_address, uint32_t device_type) { uint32_t i; uint32_t data; uint32_t command = 0; ASSERT(reg_address <= IXGB_MAX_PHY_REG_ADDRESS); ASSERT(phy_address <= IXGB_MAX_PHY_ADDRESS); ASSERT(device_type <= IXGB_MAX_PHY_DEV_TYPE); /* Setup and write the address cycle command */ command = ((reg_address << IXGB_MSCA_NP_ADDR_SHIFT) | (device_type << IXGB_MSCA_DEV_TYPE_SHIFT) | (phy_address << IXGB_MSCA_PHY_ADDR_SHIFT) | (IXGB_MSCA_ADDR_CYCLE | IXGB_MSCA_MDI_COMMAND)); IXGB_WRITE_REG(hw, MSCA, command); /************************************************************** ** Check every 10 usec to see if the address cycle completed ** The COMMAND bit will clear when the operation is complete. ** This may take as long as 64 usecs (we'll wait 100 usecs max) ** from the CPU Write to the Ready bit assertion. **************************************************************/ for(i = 0; i < 10; i++) { udelay(10); command = IXGB_READ_REG(hw, MSCA); if ((command & IXGB_MSCA_MDI_COMMAND) == 0) break; } ASSERT((command & IXGB_MSCA_MDI_COMMAND) == 0); /* Address cycle complete, setup and write the read command */ command = ((reg_address << IXGB_MSCA_NP_ADDR_SHIFT) | (device_type << IXGB_MSCA_DEV_TYPE_SHIFT) | (phy_address << IXGB_MSCA_PHY_ADDR_SHIFT) | (IXGB_MSCA_READ | IXGB_MSCA_MDI_COMMAND)); IXGB_WRITE_REG(hw, MSCA, command); /************************************************************** ** Check every 10 usec to see if the read command completed ** The COMMAND bit will clear when the operation is complete. ** The read may take as long as 64 usecs (we'll wait 100 usecs max) ** from the CPU Write to the Ready bit assertion. **************************************************************/ for(i = 0; i < 10; i++) { udelay(10); command = IXGB_READ_REG(hw, MSCA); if ((command & IXGB_MSCA_MDI_COMMAND) == 0) break; } ASSERT((command & IXGB_MSCA_MDI_COMMAND) == 0); /* Operation is complete, get the data from the MDIO Read/Write Data * register and return. */ data = IXGB_READ_REG(hw, MSRWD); data >>= IXGB_MSRWD_READ_DATA_SHIFT; return((uint16_t) data); } /****************************************************************************** * Writes a word to a device over the Management Data Interface (MDI) bus. * This interface is used to manage Physical layer devices. * * hw - Struct containing variables accessed by hw code * reg_address - Offset of device register being read. * phy_address - Address of device on MDI. * device_type - Also known as the Device ID or DID. * data - 16-bit value to be written * * Returns: void. * * The 82597EX has support for several MDI access methods. This routine * uses the new protocol MDI Single Command and Address Operation. * This requires that first an address cycle command is sent, followed by a * write command. *****************************************************************************/ static void ixgb_write_phy_reg(struct ixgb_hw *hw, uint32_t reg_address, uint32_t phy_address, uint32_t device_type, uint16_t data) { uint32_t i; uint32_t command = 0; ASSERT(reg_address <= IXGB_MAX_PHY_REG_ADDRESS); ASSERT(phy_address <= IXGB_MAX_PHY_ADDRESS); ASSERT(device_type <= IXGB_MAX_PHY_DEV_TYPE); /* Put the data in the MDIO Read/Write Data register */ IXGB_WRITE_REG(hw, MSRWD, (uint32_t)data); /* Setup and write the address cycle command */ command = ((reg_address << IXGB_MSCA_NP_ADDR_SHIFT) | (device_type << IXGB_MSCA_DEV_TYPE_SHIFT) | (phy_address << IXGB_MSCA_PHY_ADDR_SHIFT) | (IXGB_MSCA_ADDR_CYCLE | IXGB_MSCA_MDI_COMMAND)); IXGB_WRITE_REG(hw, MSCA, command); /************************************************************** ** Check every 10 usec to see if the address cycle completed ** The COMMAND bit will clear when the operation is complete. ** This may take as long as 64 usecs (we'll wait 100 usecs max) ** from the CPU Write to the Ready bit assertion. **************************************************************/ for(i = 0; i < 10; i++) { udelay(10); command = IXGB_READ_REG(hw, MSCA); if ((command & IXGB_MSCA_MDI_COMMAND) == 0) break; } ASSERT((command & IXGB_MSCA_MDI_COMMAND) == 0); /* Address cycle complete, setup and write the write command */ command = ((reg_address << IXGB_MSCA_NP_ADDR_SHIFT) | (device_type << IXGB_MSCA_DEV_TYPE_SHIFT) | (phy_address << IXGB_MSCA_PHY_ADDR_SHIFT) | (IXGB_MSCA_WRITE | IXGB_MSCA_MDI_COMMAND)); IXGB_WRITE_REG(hw, MSCA, command); /************************************************************** ** Check every 10 usec to see if the read command completed ** The COMMAND bit will clear when the operation is complete. ** The write may take as long as 64 usecs (we'll wait 100 usecs max) ** from the CPU Write to the Ready bit assertion. **************************************************************/ for(i = 0; i < 10; i++) { udelay(10); command = IXGB_READ_REG(hw, MSCA); if ((command & IXGB_MSCA_MDI_COMMAND) == 0) break; } ASSERT((command & IXGB_MSCA_MDI_COMMAND) == 0); /* Operation is complete, return. */ } /****************************************************************************** * Checks to see if the link status of the hardware has changed. * * hw - Struct containing variables accessed by hw code * * Called by any function that needs to check the link status of the adapter. *****************************************************************************/ void ixgb_check_for_link(struct ixgb_hw *hw) { uint32_t status_reg; uint32_t xpcss_reg; DEBUGFUNC("ixgb_check_for_link"); xpcss_reg = IXGB_READ_REG(hw, XPCSS); status_reg = IXGB_READ_REG(hw, STATUS); if ((xpcss_reg & IXGB_XPCSS_ALIGN_STATUS) && (status_reg & IXGB_STATUS_LU)) { hw->link_up = TRUE; } else if (!(xpcss_reg & IXGB_XPCSS_ALIGN_STATUS) && (status_reg & IXGB_STATUS_LU)) { DEBUGOUT("XPCSS Not Aligned while Status:LU is set.\n"); hw->link_up = ixgb_link_reset(hw); } else { /* * 82597EX errata. Since the lane deskew problem may prevent * link, reset the link before reporting link down. */ hw->link_up = ixgb_link_reset(hw); } /* Anything else for 10 Gig?? */ } /****************************************************************************** * Check for a bad link condition that may have occured. * The indication is that the RFC / LFC registers may be incrementing * continually. A full adapter reset is required to recover. * * hw - Struct containing variables accessed by hw code * * Called by any function that needs to check the link status of the adapter. *****************************************************************************/ boolean_t ixgb_check_for_bad_link(struct ixgb_hw *hw) { uint32_t newLFC, newRFC; boolean_t bad_link_returncode = FALSE; if (hw->phy_type == ixgb_phy_type_txn17401) { newLFC = IXGB_READ_REG(hw, LFC); newRFC = IXGB_READ_REG(hw, RFC); if ((hw->lastLFC + 250 < newLFC) || (hw->lastRFC + 250 < newRFC)) { DEBUGOUT ("BAD LINK! too many LFC/RFC since last check\n"); bad_link_returncode = TRUE; } hw->lastLFC = newLFC; hw->lastRFC = newRFC; } return bad_link_returncode; } /****************************************************************************** * Clears all hardware statistics counters. * * hw - Struct containing variables accessed by shared code *****************************************************************************/ static void ixgb_clear_hw_cntrs(struct ixgb_hw *hw) { volatile uint32_t temp_reg; DEBUGFUNC("ixgb_clear_hw_cntrs"); /* if we are stopped or resetting exit gracefully */ if(hw->adapter_stopped) { DEBUGOUT("Exiting because the adapter is stopped!!!\n"); return; } temp_reg = IXGB_READ_REG(hw, TPRL); temp_reg = IXGB_READ_REG(hw, TPRH); temp_reg = IXGB_READ_REG(hw, GPRCL); temp_reg = IXGB_READ_REG(hw, GPRCH); temp_reg = IXGB_READ_REG(hw, BPRCL); temp_reg = IXGB_READ_REG(hw, BPRCH); temp_reg = IXGB_READ_REG(hw, MPRCL); temp_reg = IXGB_READ_REG(hw, MPRCH); temp_reg = IXGB_READ_REG(hw, UPRCL); temp_reg = IXGB_READ_REG(hw, UPRCH); temp_reg = IXGB_READ_REG(hw, VPRCL); temp_reg = IXGB_READ_REG(hw, VPRCH); temp_reg = IXGB_READ_REG(hw, JPRCL); temp_reg = IXGB_READ_REG(hw, JPRCH); temp_reg = IXGB_READ_REG(hw, GORCL); temp_reg = IXGB_READ_REG(hw, GORCH); temp_reg = IXGB_READ_REG(hw, TORL); temp_reg = IXGB_READ_REG(hw, TORH); temp_reg = IXGB_READ_REG(hw, RNBC); temp_reg = IXGB_READ_REG(hw, RUC); temp_reg = IXGB_READ_REG(hw, ROC); temp_reg = IXGB_READ_REG(hw, RLEC); temp_reg = IXGB_READ_REG(hw, CRCERRS); temp_reg = IXGB_READ_REG(hw, ICBC); temp_reg = IXGB_READ_REG(hw, ECBC); temp_reg = IXGB_READ_REG(hw, MPC); temp_reg = IXGB_READ_REG(hw, TPTL); temp_reg = IXGB_READ_REG(hw, TPTH); temp_reg = IXGB_READ_REG(hw, GPTCL); temp_reg = IXGB_READ_REG(hw, GPTCH); temp_reg = IXGB_READ_REG(hw, BPTCL); temp_reg = IXGB_READ_REG(hw, BPTCH); temp_reg = IXGB_READ_REG(hw, MPTCL); temp_reg = IXGB_READ_REG(hw, MPTCH); temp_reg = IXGB_READ_REG(hw, UPTCL); temp_reg = IXGB_READ_REG(hw, UPTCH); temp_reg = IXGB_READ_REG(hw, VPTCL); temp_reg = IXGB_READ_REG(hw, VPTCH); temp_reg = IXGB_READ_REG(hw, JPTCL); temp_reg = IXGB_READ_REG(hw, JPTCH); temp_reg = IXGB_READ_REG(hw, GOTCL); temp_reg = IXGB_READ_REG(hw, GOTCH); temp_reg = IXGB_READ_REG(hw, TOTL); temp_reg = IXGB_READ_REG(hw, TOTH); temp_reg = IXGB_READ_REG(hw, DC); temp_reg = IXGB_READ_REG(hw, PLT64C); temp_reg = IXGB_READ_REG(hw, TSCTC); temp_reg = IXGB_READ_REG(hw, TSCTFC); temp_reg = IXGB_READ_REG(hw, IBIC); temp_reg = IXGB_READ_REG(hw, RFC); temp_reg = IXGB_READ_REG(hw, LFC); temp_reg = IXGB_READ_REG(hw, PFRC); temp_reg = IXGB_READ_REG(hw, PFTC); temp_reg = IXGB_READ_REG(hw, MCFRC); temp_reg = IXGB_READ_REG(hw, MCFTC); temp_reg = IXGB_READ_REG(hw, XONRXC); temp_reg = IXGB_READ_REG(hw, XONTXC); temp_reg = IXGB_READ_REG(hw, XOFFRXC); temp_reg = IXGB_READ_REG(hw, XOFFTXC); temp_reg = IXGB_READ_REG(hw, RJC); return; } /****************************************************************************** * Turns on the software controllable LED * * hw - Struct containing variables accessed by shared code *****************************************************************************/ void ixgb_led_on(struct ixgb_hw *hw) { uint32_t ctrl0_reg = IXGB_READ_REG(hw, CTRL0); /* To turn on the LED, clear software-definable pin 0 (SDP0). */ ctrl0_reg &= ~IXGB_CTRL0_SDP0; IXGB_WRITE_REG(hw, CTRL0, ctrl0_reg); return; } /****************************************************************************** * Turns off the software controllable LED * * hw - Struct containing variables accessed by shared code *****************************************************************************/ void ixgb_led_off(struct ixgb_hw *hw) { uint32_t ctrl0_reg = IXGB_READ_REG(hw, CTRL0); /* To turn off the LED, set software-definable pin 0 (SDP0). */ ctrl0_reg |= IXGB_CTRL0_SDP0; IXGB_WRITE_REG(hw, CTRL0, ctrl0_reg); return; } /****************************************************************************** * Gets the current PCI bus type, speed, and width of the hardware * * hw - Struct containing variables accessed by shared code *****************************************************************************/ static void ixgb_get_bus_info(struct ixgb_hw *hw) { uint32_t status_reg; status_reg = IXGB_READ_REG(hw, STATUS); hw->bus.type = (status_reg & IXGB_STATUS_PCIX_MODE) ? ixgb_bus_type_pcix : ixgb_bus_type_pci; if (hw->bus.type == ixgb_bus_type_pci) { hw->bus.speed = (status_reg & IXGB_STATUS_PCI_SPD) ? ixgb_bus_speed_66 : ixgb_bus_speed_33; } else { switch (status_reg & IXGB_STATUS_PCIX_SPD_MASK) { case IXGB_STATUS_PCIX_SPD_66: hw->bus.speed = ixgb_bus_speed_66; break; case IXGB_STATUS_PCIX_SPD_100: hw->bus.speed = ixgb_bus_speed_100; break; case IXGB_STATUS_PCIX_SPD_133: hw->bus.speed = ixgb_bus_speed_133; break; default: hw->bus.speed = ixgb_bus_speed_reserved; break; } } hw->bus.width = (status_reg & IXGB_STATUS_BUS64) ? ixgb_bus_width_64 : ixgb_bus_width_32; return; } /****************************************************************************** * Tests a MAC address to ensure it is a valid Individual Address * * mac_addr - pointer to MAC address. * *****************************************************************************/ static boolean_t mac_addr_valid(uint8_t *mac_addr) { boolean_t is_valid = TRUE; DEBUGFUNC("mac_addr_valid"); /* Make sure it is not a multicast address */ if (IS_MULTICAST(mac_addr)) { DEBUGOUT("MAC address is multicast\n"); is_valid = FALSE; } /* Not a broadcast address */ else if (IS_BROADCAST(mac_addr)) { DEBUGOUT("MAC address is broadcast\n"); is_valid = FALSE; } /* Reject the zero address */ else if (mac_addr[0] == 0 && mac_addr[1] == 0 && mac_addr[2] == 0 && mac_addr[3] == 0 && mac_addr[4] == 0 && mac_addr[5] == 0) { DEBUGOUT("MAC address is all zeros\n"); is_valid = FALSE; } return (is_valid); } /****************************************************************************** * Resets the 10GbE link. Waits the settle time and returns the state of * the link. * * hw - Struct containing variables accessed by shared code *****************************************************************************/ boolean_t ixgb_link_reset(struct ixgb_hw *hw) { boolean_t link_status = FALSE; uint8_t wait_retries = MAX_RESET_ITERATIONS; uint8_t lrst_retries = MAX_RESET_ITERATIONS; do { /* Reset the link */ IXGB_WRITE_REG(hw, CTRL0, IXGB_READ_REG(hw, CTRL0) | IXGB_CTRL0_LRST); /* Wait for link-up and lane re-alignment */ do { udelay(IXGB_DELAY_USECS_AFTER_LINK_RESET); link_status = ((IXGB_READ_REG(hw, STATUS) & IXGB_STATUS_LU) && (IXGB_READ_REG(hw, XPCSS) & IXGB_XPCSS_ALIGN_STATUS)) ? TRUE : FALSE; } while (!link_status && --wait_retries); } while (!link_status && --lrst_retries); return link_status; } /****************************************************************************** * Resets the 10GbE optics module. * * hw - Struct containing variables accessed by shared code *****************************************************************************/ void ixgb_optics_reset(struct ixgb_hw *hw) { if (hw->phy_type == ixgb_phy_type_txn17401) { uint16_t mdio_reg; ixgb_write_phy_reg(hw, MDIO_PMA_PMD_CR1, IXGB_PHY_ADDRESS, MDIO_PMA_PMD_DID, MDIO_PMA_PMD_CR1_RESET); mdio_reg = ixgb_read_phy_reg( hw, MDIO_PMA_PMD_CR1, IXGB_PHY_ADDRESS, MDIO_PMA_PMD_DID); } return; }
{ "content_hash": "3ca2d4147ca8fb2a4fc05500436926ce", "timestamp": "", "source": "github", "line_count": 1189, "max_line_length": 79, "avg_line_length": 30.783851976450798, "alnum_prop": 0.5863614010163379, "repo_name": "ut-osa/syncchar", "id": "620cad48bdea98a8ab4302b6c9119b71b7a471ee", "size": "37791", "binary": false, "copies": "6", "ref": "refs/heads/master", "path": "linux-2.6.16-unmod/drivers/net/ixgb/ixgb_hw.c", "mode": "33188", "license": "bsd-3-clause", "language": [ { "name": "ASP", "bytes": "4526" }, { "name": "Assembly", "bytes": "7269561" }, { "name": "C", "bytes": "191363313" }, { "name": "C++", "bytes": "2703790" }, { "name": "Objective-C", "bytes": "515305" }, { "name": "Perl", "bytes": "118289" }, { "name": "Python", "bytes": "160654" }, { "name": "Scala", "bytes": "12158" }, { "name": "Shell", "bytes": "48243" }, { "name": "TeX", "bytes": "51367" }, { "name": "UnrealScript", "bytes": "20822" }, { "name": "XSLT", "bytes": "310" } ], "symlink_target": "" }
layout: default title: Learning Labs by Business Science excerpt: Learn Data Science for Business - the enterprise-grade process of solving problems with data science and machine learning. --- <style> input[text] { color: rgb(0, 0, 0); background-color: rgb(255, 255, 255); font-family: "Open Sans", sans-serif; font-weight: 400; font-style: normal; font-size: 16px; text-align: left; border-width: 1px; border-color: rgb(204, 204, 204); border-style: solid; border-radius: 50px; box-shadow: rgba(0, 0, 0, 0) 0px 0px 0px, rgba(0, 0, 0, 0) 0px 0px 0px inset; text-shadow: rgba(0, 0, 0, 0) 0px 0px 0px; padding: 0px 14px; margin: 0px; display: block; width: 100%; max-height: 52px; height: 40px; transition: none 0s ease 0s; } button { color: rgb(255, 255, 255); background-color: rgb(44, 62, 80); font-family: Raleway, sans-serif; font-weight: 600; font-style: normal; font-size: 16px; line-height: 1; text-shadow: rgba(0, 0, 0, 0) 0px 0px 0px; padding: 0px; margin: 0px; display: block; width: 100%; height: 100%; box-shadow: rgba(0, 0, 0, 0) 0px 0px 0px inset; cursor: pointer; } </style> <div mc:template_section="Header" class="templateSection templateHeader" data-template-container="" style="background:#2c3e50 linear-gradient(rgba(44, 62, 80, 0.61), rgba(44, 62, 80, 0.61)), url(&quot;https://gallery.mailchimp.com/cc36813ecec32f8e7b5088961/images/9fa643e2-866e-499d-8c29-603c4fa30bc9.jpg&quot;) repeat center/auto;-webkit-box-sizing: border-box;-moz-box-sizing: border-box;position: relative;display: flex;flex-shrink: 0;justify-content: center;padding-right: 0px;padding-left: 0px;background-color: #2c3e50;background-image: linear-gradient(rgba(44, 62, 80, 0.61), rgba(44, 62, 80, 0.61)), url(https://gallery.mailchimp.com/cc36813ecec32f8e7b5088961/images/9fa643e2-866e-499d-8c29-603c4fa30bc9.jpg);background-repeat: repeat;background-position: center;background-size: auto;border-top: 0;border-bottom: 0;padding-top: 76px;padding-bottom: 76px;box-sizing: border-box !important;"> <div class="headerContainer contentContainer templateColumn" style="background:#transparent none no-repeat center/cover;-webkit-box-sizing: border-box;-moz-box-sizing: border-box;display: flex;flex-direction: column;max-width: 960px;width: 100%;flex: 0 0 auto;background-color: #transparent;background-image: none;background-repeat: no-repeat;background-position: center;background-size: cover;border-top: 0;border-bottom: 0;padding-top: 0px;padding-bottom: 0px;box-sizing: border-box !important;"> <div class="logoContainer" style="-webkit-box-sizing: border-box;-moz-box-sizing: border-box;box-sizing: border-box !important;"><div class="mcnDividerBlock" style="-webkit-box-sizing: border-box;-moz-box-sizing: border-box;box-sizing: border-box !important;table-layout: fixed !important;"> <div class="mcnDividerBlockInner" style="padding: 120px 18px 0px;-webkit-box-sizing: border-box;-moz-box-sizing: border-box;box-sizing: border-box !important;"> <div class="mcnDividerContent" style="-webkit-box-sizing: border-box;-moz-box-sizing: border-box;box-sizing: border-box !important;"></div> </div> </div><div width="100%" class="mcnTextBlock" style="-webkit-box-sizing: border-box;-moz-box-sizing: border-box;box-sizing: border-box !important;"> <div class="mcnTextBlockInner" style="display: flex;padding: 9px;-webkit-box-sizing: border-box;-moz-box-sizing: border-box;box-sizing: border-box !important;"> <div style="width: 100%;-webkit-box-sizing: border-box;-moz-box-sizing: border-box;box-sizing: border-box !important;"> <div class="mcnTextContent" style="padding-top: 0;padding-right: 9px;padding-bottom: 9px;padding-left: 9px;-webkit-box-sizing: border-box;-moz-box-sizing: border-box;word-break: break-word;flex-flow: column;color: #FFFFFF;font-family: Nunito;font-size: 18px;line-height: 150%;text-align: left;box-sizing: border-box !important;"> <h1 class="null" style="text-align: center;-webkit-box-sizing: border-box;-moz-box-sizing: border-box;display: block;margin: 0;padding: 0;color: #FFFFFF;font-family: Nunito;font-size: 48px;font-style: normal;font-weight: bold;line-height: 125%;letter-spacing: normal;box-sizing: border-box !important;"><span style="font-size: 64px;-webkit-box-sizing: border-box;-moz-box-sizing: border-box;box-sizing: border-box !important;"><span style="font-family: raleway,helvetica neue,helvetica,arial,sans-serif;-webkit-box-sizing: border-box;-moz-box-sizing: border-box;box-sizing: border-box !important;">Learning Labs&nbsp;</span></span></h1> </div> </div> </div> </div><div width="100%" class="mcnTextBlock" style="-webkit-box-sizing: border-box;-moz-box-sizing: border-box;box-sizing: border-box !important;"> <div class="mcnTextBlockInner" style="display: flex;padding: 9px;-webkit-box-sizing: border-box;-moz-box-sizing: border-box;box-sizing: border-box !important;"> <div style="width: 100%;-webkit-box-sizing: border-box;-moz-box-sizing: border-box;box-sizing: border-box !important;"> <div class="mcnTextContent" style="padding-top: 0;padding-right: 9px;padding-bottom: 9px;padding-left: 9px;-webkit-box-sizing: border-box;-moz-box-sizing: border-box;word-break: break-word;flex-flow: column;color: #FFFFFF;font-family: Nunito;font-size: 18px;line-height: 150%;text-align: left;box-sizing: border-box !important;"> <div style="text-align: center;-webkit-box-sizing: border-box;-moz-box-sizing: border-box;box-sizing: border-box !important;"><span style="font-size: 64px;-webkit-box-sizing: border-box;-moz-box-sizing: border-box;box-sizing: border-box !important;"><span style="font-family: raleway,helvetica neue,helvetica,arial,sans-serif;-webkit-box-sizing: border-box;-moz-box-sizing: border-box;box-sizing: border-box !important;">by&nbsp;</span></span></div> </div> </div> </div> </div><div class="mcnImageBlock mcnImageBlockInner" style="padding: 9px;-webkit-box-sizing: border-box;-moz-box-sizing: border-box;box-sizing: border-box !important;"> <div class="mcnImageContent" style="display: flex;padding-right: 9px;padding-left: 9px;padding-top: 0;padding-bottom: 0;justify-content: center;-webkit-box-sizing: border-box;-moz-box-sizing: border-box;box-sizing: border-box !important;"> <img alt="" src="https://gallery.mailchimp.com/cc36813ecec32f8e7b5088961/images/e884f06f-0572-4727-9560-ae724d7421d7.png" width="auto" style="max-width: 100%;align-self: center;flex: 0 0 auto;border-radius: 0%;box-shadow: none;-webkit-box-sizing: border-box;-moz-box-sizing: border-box;border: 0;height: auto;outline: none;text-decoration: none;vertical-align: bottom;box-sizing: border-box !important;" class="mcnImage"> </div> </div><div class="mcnDividerBlock" style="-webkit-box-sizing: border-box;-moz-box-sizing: border-box;box-sizing: border-box !important;table-layout: fixed !important;"> <div class="mcnDividerBlockInner" style="padding: 18px;-webkit-box-sizing: border-box;-moz-box-sizing: border-box;box-sizing: border-box !important;"> <div class="mcnDividerContent" style="border-top: 2px solid #EAEAEA;-webkit-box-sizing: border-box;-moz-box-sizing: border-box;box-sizing: border-box !important;"></div> </div> </div></div> <div class="columnContainer" style="-webkit-box-sizing: border-box;-moz-box-sizing: border-box;display: flex;flex-direction: row;width: 100%;box-sizing: border-box !important;"> <div class="headerLeftColumnContainer column" style="-webkit-box-sizing: border-box;-moz-box-sizing: border-box;flex: 1;box-sizing: border-box !important;"><div width="100%" class="mcnTextBlock" style="-webkit-box-sizing: border-box;-moz-box-sizing: border-box;box-sizing: border-box !important;"> <div class="mcnTextBlockInner" style="display: flex;padding: 9px;-webkit-box-sizing: border-box;-moz-box-sizing: border-box;box-sizing: border-box !important;"> <div style="width: 100%;-webkit-box-sizing: border-box;-moz-box-sizing: border-box;box-sizing: border-box !important;"> <div class="mcnTextContent" style="padding: 0px 9px 9px;color: #2C3350;-webkit-box-sizing: border-box;-moz-box-sizing: border-box;word-break: break-word;flex-flow: column;font-family: Nunito;font-size: 18px;line-height: 150%;text-align: left;box-sizing: border-box !important;"> <a id="header" name="header" style="-webkit-box-sizing: border-box;-moz-box-sizing: border-box;color: #FFFFFF;font-weight: normal;text-decoration: none;box-sizing: border-box !important;"></a> <h1 style="-webkit-box-sizing: border-box;-moz-box-sizing: border-box;display: block;margin: 0;padding: 0;color: #FFFFFF;font-family: Nunito;font-size: 48px;font-style: normal;font-weight: bold;line-height: 125%;letter-spacing: normal;text-align: left;box-sizing: border-box !important;"><span style="font-family: raleway,helvetica neue,helvetica,arial,sans-serif;-webkit-box-sizing: border-box;-moz-box-sizing: border-box;box-sizing: border-box !important;">Learn from<br style="-webkit-box-sizing: border-box;-moz-box-sizing: border-box;box-sizing: border-box !important;"> Data Science Experts</span></h1> </div> </div> </div> </div></div> <div class="headerRightColumnContainer column" style="-webkit-box-sizing: border-box;-moz-box-sizing: border-box;flex: 1;box-sizing: border-box !important;"><div class="mcnSignUpBlockContentContainer" style="display: flex;justify-content: flex-start;-webkit-box-sizing: border-box;-moz-box-sizing: border-box;box-sizing: border-box !important;"> <div class="mcnSignUpFormContentContainer" style="align-items: center;justify-content: center;padding-top: 18px;padding-right: 18px;padding-bottom: 9px;padding-left: 18px;-webkit-box-sizing: border-box;-moz-box-sizing: border-box;box-sizing: border-box !important; width: 100%"> <div class="mcnTextContent" data-dojo-attach-point="formContentContainer" style="-webkit-box-sizing: border-box;-moz-box-sizing: border-box;word-break: break-word;flex-flow: column;color: #FFFFFF;line-height: 150%;text-align: left;box-sizing: border-box !important;"> <br><br><br> <!-- Begin Mailchimp Signup Form --> <link href="//cdn-images.mailchimp.com/embedcode/slim-10_7.css" rel="stylesheet" type="text/css"> <style type="text/css"> #mc_embed_signup{clear:left;} </style> <div id="mc_embed_signup"> <form action="https://business-science.us17.list-manage.com/subscribe/post?u=cc36813ecec32f8e7b5088961&amp;id=a4e5b7c52f" method="post" id="mc-embedded-subscribe-form" name="mc-embedded-subscribe-form" class="validate" target="_blank" novalidate> <div id="mc_embed_signup_scroll"> <div style="font-size: 28px; padding-bottom: 12px; padding-top: 10px;">Your email address</div> <input type="email" value="" name="EMAIL" class="email" id="mce-EMAIL" required width="420" style="color: #000000;"> <div style="position: absolute; left: -5000px;" aria-hidden="true"><input type="text" name="b_cc36813ecec32f8e7b5088961_a4e5b7c52f" tabindex="-1" value=""></div> <div class="clear"><input type="submit" value="Subscribe" name="subscribe" id="mc-embedded-subscribe" class="button" style="background-color: rgb(44, 62, 80);"></div> </div> </form> </div> <!--End mc_embed_signup--> </div> </div> </div></div> </div> </div> </div> <div mc:template_section="Splash" class="templateSection templateSplash" data-template-container="" style="background:#00aeff none no-repeat center/cover;-webkit-box-sizing: border-box;-moz-box-sizing: border-box;position: relative;display: flex;flex-shrink: 0;justify-content: center;padding-right: 0px;padding-left: 0px;background-color: #00aeff;background-image: none;background-repeat: no-repeat;background-position: center;background-size: cover;border-top: 0;border-bottom: 0;padding-top: 16px;padding-bottom: 36px;box-sizing: border-box !important;"> <div class="splashContainer contentContainer" style="background:transparent none no-repeat center/cover;-webkit-box-sizing: border-box;-moz-box-sizing: border-box;max-width: 960px;width: 100%;flex: 0 0 auto;background-color: transparent;background-image: none;background-repeat: no-repeat;background-position: center;background-size: cover;border-top: 0;border-bottom: 0;padding-top: 0;padding-bottom: 0;box-sizing: border-box !important;"><div width="100%" class="mcnTextBlock" style="-webkit-box-sizing: border-box;-moz-box-sizing: border-box;box-sizing: border-box !important;"> <div class="mcnTextBlockInner" style="display: flex;padding: 9px;-webkit-box-sizing: border-box;-moz-box-sizing: border-box;box-sizing: border-box !important;"> <div style="width: 100%;-webkit-box-sizing: border-box;-moz-box-sizing: border-box;box-sizing: border-box !important;"> <div class="mcnTextContent" style="padding-top: 0;padding-right: 9px;padding-bottom: 9px;padding-left: 9px;-webkit-box-sizing: border-box;-moz-box-sizing: border-box;word-break: break-word;flex-flow: column;color: #FFFFFF;font-size: 18px;line-height: 150%;text-align: center;box-sizing: border-box !important;"> <h2 style="text-align: center;-webkit-box-sizing: border-box;-moz-box-sizing: border-box;display: block;margin: 0;padding: 0;color: #4A4A4A;font-size: 40px;font-style: normal;font-weight: bold;line-height: 125%;letter-spacing: normal;box-sizing: border-box !important;"><span style="color: #ffffff;font-family: Montserrat; -webkit-box-sizing: border-box;-moz-box-sizing: border-box;box-sizing: border-box !important;">Learning Data Science is exciting!</span></h2> <p style="text-align: center;-webkit-box-sizing: border-box;-moz-box-sizing: border-box;margin: 10px 0;padding: 0;color: #FFFFFF;font-family: Arial;font-size: 18px;line-height: 150%;box-sizing: border-box !important;">Learning Labs are short webinars for learning data science from experts. Learning Labs are free to join and support our data science community initiative for giving back! Sign up today.</p> </div> </div> </div> </div> </div> </div> <a name="latest"></a> <section id="blog"> <div class="container"> <div class="row"> <div class="col-md-12"> <ul style="list-style-position: inside"> {% assign sorted = site.lab-episodes | sort: 'date' | reverse %} {% for post in sorted %} <article> <div class="row"> <div class="bloglist-thumbnail"> <div class="col-xs-8 col-md-6" style="padding-top:15px;"> <a href="{{ site.baseurl }}{{ post.url }}" class="thumbnail" style="margin-bottom:0px"> {% if post.image %} <img src="{{ site.baseurl }}{{ post.image }}" alt="..."> {% else %} <img src="{{ site.baseurl }}/img/header-sm-crpd.jpg" alt="..."> {% endif %} </a> </div> </div> <div class="entry" style="margin-left: 15px;"> <h3><a href="{{ site.baseurl }}{{ post.url }}">{{ post.title }}</a></h3> <div class="date"> {{ post.date | date: "%B %e, %Y" }} </div> </div> </div> </article> <br> {% endfor %} </ul> <!-- Pager Buttons --> <nav> <ul class="pager" id="pager-blog"> {% if paginator.previous_page %} <li><a href="{{ paginator.previous_page_path }}"><i class="fa fa-arrow-circle-left"></i> Newer</a></li> {% endif %} {% if paginator.next_page %} <li><a href="{{ paginator.next_page_path }}">Older <i class="fa fa-arrow-circle-right"></i></a></li> {% endif %} </ul> </nav> </div> </div> </div> </section>
{ "content_hash": "5da36d717d576c9d158801e62abbbc36", "timestamp": "", "source": "github", "line_count": 211, "max_line_length": 899, "avg_line_length": 78.06161137440758, "alnum_prop": 0.6702689575617753, "repo_name": "mdancho84/mdancho84.github.io", "id": "13076583d9e9eed2f9bd326f8de2b9b7164b18ac", "size": "16475", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "labs/index.html", "mode": "33188", "license": "apache-2.0", "language": [ { "name": "CSS", "bytes": "36492" }, { "name": "HTML", "bytes": "23014212" }, { "name": "JavaScript", "bytes": "97822" }, { "name": "Less", "bytes": "17332" }, { "name": "Makefile", "bytes": "177" }, { "name": "R", "bytes": "2987" }, { "name": "Ruby", "bytes": "262" } ], "symlink_target": "" }
<?php namespace QCMBundle\Entity; use Doctrine\ORM\Mapping as ORM; /** * Test * * @ORM\Table(name="test") * @ORM\Entity(repositoryClass="QCMBundle\Repository\TestRepository") */ class Test { /** * @var int * * @ORM\Column(name="id", type="integer") * @ORM\Id * @ORM\GeneratedValue(strategy="AUTO") */ private $id; /** * @var \DateTime * * @ORM\Column(name="date", type="datetime") */ private $date; /** * @ORM\ManyToOne(targetEntity="Candidat", inversedBy="testList") */ private $candidat; /** * @ORM\OneToMany(targetEntity="Ligne_Test", * mappedBy="test", * cascade="persist") */ private $ligneTestList; /** * @var \DateTime * * @ORM\Column(name="datefin", type="datetime", nullable = true) */ private $datefin; /** * @var int * @ORM\Column(name="tempsRestant", type="integer", nullable=false, options={"default":20}) */ private $tempsRestant; /** * Get id * * @return int */ public function getId() { return $this->id; } /** * Set date * * @param \DateTime $date * * @return Test */ public function setDate($date) { $this->date = $date; return $this; } /** * Get date * * @return \DateTime */ public function getDate() { return $this->date; } /** * Constructor */ public function __construct() { $this->ligneTestList = new \Doctrine\Common\Collections\ArrayCollection(); } /** * Set candidat * * @param \QCMBundle\Entity\Candidat $candidat * * @return Test */ public function setCandidat(\QCMBundle\Entity\Candidat $candidat = null) { $this->candidat = $candidat; return $this; } /** * Get candidat * * @return \QCMBundle\Entity\Candidat */ public function getCandidat() { return $this->candidat; } /** * Add ligneTestList * * @param \QCMBundle\Entity\Ligne_Test $ligneTestList * * @return Test */ public function addLigneTestList(\QCMBundle\Entity\Ligne_Test $ligneTestList) { $this->ligneTestList[] = $ligneTestList; return $this; } /** * Remove ligneTestList * * @param \QCMBundle\Entity\Ligne_Test $ligneTestList */ public function removeLigneTestList(\QCMBundle\Entity\Ligne_Test $ligneTestList) { $this->ligneTestList->removeElement($ligneTestList); } /** * Get ligneTestList * * @return \Doctrine\Common\Collections\Collection */ public function getLigneTestList() { return $this->ligneTestList; } /** * Set datefin * * @param \DateTime $datefin * * @return Test */ public function setDatefin($datefin) { $this->datefin = $datefin; return $this; } /** * Get datefin * * @return \DateTime */ public function getDatefin() { return $this->datefin; } /** * Set tempsRestant * * @param int $tempsRestant * * @return Test */ public function setTempsRestant($tempsRestant) { $this->tempsRestant = $tempsRestant; return $this; } /** * Get tempsRestant * * @return int */ public function getTempsRestant() { return $this->tempsRestant; } }
{ "content_hash": "f233e4692fef06a7722cf6e732821dd6", "timestamp": "", "source": "github", "line_count": 202, "max_line_length": 95, "avg_line_length": 17.836633663366335, "alnum_prop": 0.5262281432139884, "repo_name": "Crelagan/ProjetENIQcm", "id": "12dde253f53cb5b3feb769809c78f2f407be78cd", "size": "3603", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "src/QCMBundle/Entity/Test.php", "mode": "33188", "license": "mit", "language": [ { "name": "CSS", "bytes": "1513" }, { "name": "HTML", "bytes": "25485" }, { "name": "JavaScript", "bytes": "1618" }, { "name": "PHP", "bytes": "104967" } ], "symlink_target": "" }
<?xml version="1.0" encoding="utf-8"?> <manifest xmlns:android="http://schemas.android.com/apk/res/android" package="com.backagen.peid" > <uses-permission android:name="android.permission.INTERNET" /> <uses-permission android:name="android.permission.ACCESS_NETWORK_STATE" /> <application android:name=".SplitBillApplication" android:allowBackup="true" android:icon="@drawable/ic_launcher" android:label="@string/app_name" android:theme="@style/AppTheme" > <activity android:name=".SplitBill" android:label="@string/app_name" android:windowSoftInputMode="adjustPan"> <intent-filter> <action android:name="android.intent.action.MAIN" /> <category android:name="android.intent.category.LAUNCHER" /> </intent-filter> </activity> <activity android:name="com.parse.ui.ParseLoginActivity" android:label="@string/app_name" android:launchMode="singleTop" > <meta-data android:name="com.parse.ui.ParseLoginActivity.PARSE_LOGIN_ENABLED" android:value="true" /> <meta-data android:name="com.parse.ui.ParseLoginActivity.PARSE_LOGIN_EMAIL_AS_USERNAME" android:value="true" /> <meta-data android:name="com.parse.ui.ParseLoginActivity.FACEBOOK_LOGIN_ENABLED" android:value="true" /> <meta-data android:name="com.parse.ui.ParseLoginActivity.TWITTER_LOGIN_ENABLED" android:value="true" /> </activity> <activity android:name="com.facebook.LoginActivity" android:label="@string/app_name" android:launchMode="singleTop" /> <meta-data android:name="com.facebook.sdk.ApplicationId" android:value="@string/facebook_app_id" /> <activity android:name=".testFragment.BlankActivity" android:label="@string/title_activity_blank" android:exported="false" > </activity> </application> </manifest>
{ "content_hash": "d9ad6302c1ebdc4c07025cd36b690580", "timestamp": "", "source": "github", "line_count": 56, "max_line_length": 92, "avg_line_length": 39.214285714285715, "alnum_prop": 0.5910746812386156, "repo_name": "samwong1990/Peid", "id": "f404f3c5858825c0c5e648be6f16f209049be5cb", "size": "2196", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "Peid/app/src/main/AndroidManifest.xml", "mode": "33188", "license": "mit", "language": [ { "name": "CSS", "bytes": "217515" }, { "name": "Groovy", "bytes": "4842" }, { "name": "Java", "bytes": "1765059" }, { "name": "JavaScript", "bytes": "136990" } ], "symlink_target": "" }
/** * @ag-grid-community/core - Advanced Data Grid / Data Table supporting Javascript / React / AngularJS / Web Components * @version v25.0.1 * @link http://www.ag-grid.com/ * @license MIT */ var __extends = (this && this.__extends) || (function () { var extendStatics = function (d, b) { extendStatics = Object.setPrototypeOf || ({ __proto__: [] } instanceof Array && function (d, b) { d.__proto__ = b; }) || function (d, b) { for (var p in b) if (b.hasOwnProperty(p)) d[p] = b[p]; }; return extendStatics(d, b); }; return function (d, b) { extendStatics(d, b); function __() { this.constructor = d; } d.prototype = b === null ? Object.create(b) : (__.prototype = b.prototype, new __()); }; })(); var __decorate = (this && this.__decorate) || function (decorators, target, key, desc) { var c = arguments.length, r = c < 3 ? target : desc === null ? desc = Object.getOwnPropertyDescriptor(target, key) : desc, d; if (typeof Reflect === "object" && typeof Reflect.decorate === "function") r = Reflect.decorate(decorators, target, key, desc); else for (var i = decorators.length - 1; i >= 0; i--) if (d = decorators[i]) r = (c < 3 ? d(r) : c > 3 ? d(target, key, r) : d(target, key)) || r; return c > 3 && r && Object.defineProperty(target, key, r), r; }; import { TextCellEditor } from "../../rendering/cellEditors/textCellEditor"; import { Autowired, Bean, PostConstruct } from "../../context/context"; import { DateFilter } from "../../filter/provided/date/dateFilter"; import { HeaderComp } from "../../headerRendering/header/headerComp"; import { HeaderGroupComp } from "../../headerRendering/headerGroup/headerGroupComp"; import { GroupCellRenderer } from "../../rendering/cellRenderers/groupCellRenderer"; import { AnimateShowChangeCellRenderer } from "../../rendering/cellRenderers/animateShowChangeCellRenderer"; import { AnimateSlideCellRenderer } from "../../rendering/cellRenderers/animateSlideCellRenderer"; import { LoadingCellRenderer } from "../../rendering/cellRenderers/loadingCellRenderer"; import { SelectCellEditor } from "../../rendering/cellEditors/selectCellEditor"; import { PopupTextCellEditor } from "../../rendering/cellEditors/popupTextCellEditor"; import { PopupSelectCellEditor } from "../../rendering/cellEditors/popupSelectCellEditor"; import { LargeTextCellEditor } from "../../rendering/cellEditors/largeTextCellEditor"; import { NumberFilter } from "../../filter/provided/number/numberFilter"; import { LoadingOverlayComponent } from "../../rendering/overlays/loadingOverlayComponent"; import { NoRowsOverlayComponent } from "../../rendering/overlays/noRowsOverlayComponent"; import { TooltipComponent } from "../../rendering/tooltipComponent"; import { DefaultDateComponent } from "../../filter/provided/date/defaultDateComponent"; import { DateFloatingFilter } from "../../filter/provided/date/dateFloatingFilter"; import { TextFilter } from "../../filter/provided/text/textFilter"; import { NumberFloatingFilter } from "../../filter/provided/number/numberFloatingFilter"; import { TextFloatingFilter } from "../../filter/provided/text/textFloatingFilter"; import { BeanStub } from "../../context/beanStub"; import { iterateObject } from '../../utils/object'; import { doOnce } from "../../utils/function"; export var RegisteredComponentSource; (function (RegisteredComponentSource) { RegisteredComponentSource[RegisteredComponentSource["DEFAULT"] = 0] = "DEFAULT"; RegisteredComponentSource[RegisteredComponentSource["REGISTERED"] = 1] = "REGISTERED"; })(RegisteredComponentSource || (RegisteredComponentSource = {})); var UserComponentRegistry = /** @class */ (function (_super) { __extends(UserComponentRegistry, _super); function UserComponentRegistry() { var _this = _super !== null && _super.apply(this, arguments) || this; _this.agGridDefaults = { //date agDateInput: DefaultDateComponent, //header agColumnHeader: HeaderComp, agColumnGroupHeader: HeaderGroupComp, //floating filters agTextColumnFloatingFilter: TextFloatingFilter, agNumberColumnFloatingFilter: NumberFloatingFilter, agDateColumnFloatingFilter: DateFloatingFilter, // renderers agAnimateShowChangeCellRenderer: AnimateShowChangeCellRenderer, agAnimateSlideCellRenderer: AnimateSlideCellRenderer, agGroupCellRenderer: GroupCellRenderer, agGroupRowRenderer: GroupCellRenderer, agLoadingCellRenderer: LoadingCellRenderer, //editors agCellEditor: TextCellEditor, agTextCellEditor: TextCellEditor, agSelectCellEditor: SelectCellEditor, agPopupTextCellEditor: PopupTextCellEditor, agPopupSelectCellEditor: PopupSelectCellEditor, agLargeTextCellEditor: LargeTextCellEditor, //filter agTextColumnFilter: TextFilter, agNumberColumnFilter: NumberFilter, agDateColumnFilter: DateFilter, //overlays agLoadingOverlay: LoadingOverlayComponent, agNoRowsOverlay: NoRowsOverlayComponent, // tooltips agTooltipComponent: TooltipComponent }; _this.agDeprecatedNames = { set: { newComponentName: 'agSetColumnFilter', propertyHolder: 'filter' }, text: { newComponentName: 'agTextColumnFilter', propertyHolder: 'filter' }, number: { newComponentName: 'agNumberColumnFilter', propertyHolder: 'filter' }, date: { newComponentName: 'agDateColumnFilter', propertyHolder: 'filter' }, group: { newComponentName: 'agGroupCellRenderer', propertyHolder: 'cellRenderer' }, animateShowChange: { newComponentName: 'agAnimateShowChangeCellRenderer', propertyHolder: 'cellRenderer' }, animateSlide: { newComponentName: 'agAnimateSlideCellRenderer', propertyHolder: 'cellRenderer' }, select: { newComponentName: 'agSelectCellEditor', propertyHolder: 'cellEditor' }, largeText: { newComponentName: 'agLargeTextCellEditor', propertyHolder: 'cellEditor' }, popupSelect: { newComponentName: 'agPopupSelectCellEditor', propertyHolder: 'cellEditor' }, popupText: { newComponentName: 'agPopupTextCellEditor', propertyHolder: 'cellEditor' }, richSelect: { newComponentName: 'agRichSelectCellEditor', propertyHolder: 'cellEditor' }, headerComponent: { newComponentName: 'agColumnHeader', propertyHolder: 'headerComponent' } }; _this.jsComponents = {}; _this.frameworkComponents = {}; return _this; } UserComponentRegistry.prototype.init = function () { var _this = this; if (this.gridOptions.components != null) { iterateObject(this.gridOptions.components, function (key, component) { return _this.registerComponent(key, component); }); } if (this.gridOptions.frameworkComponents != null) { iterateObject(this.gridOptions.frameworkComponents, function (key, component) { return _this.registerFwComponent(key, component); }); } }; UserComponentRegistry.prototype.registerDefaultComponent = function (rawName, component) { var name = this.translateIfDeprecated(rawName); if (this.agGridDefaults[name]) { console.error("Trying to overwrite a default component. You should call registerComponent"); return; } this.agGridDefaults[name] = component; }; UserComponentRegistry.prototype.registerComponent = function (rawName, component) { var name = this.translateIfDeprecated(rawName); if (this.frameworkComponents[name]) { console.error("Trying to register a component that you have already registered for frameworks: " + name); return; } this.jsComponents[name] = component; }; /** * B the business interface (ie IHeader) * A the agGridComponent interface (ie IHeaderComp). The final object acceptable by ag-grid */ UserComponentRegistry.prototype.registerFwComponent = function (rawName, component) { var name = this.translateIfDeprecated(rawName); if (this.jsComponents[name]) { console.error("Trying to register a component that you have already registered for plain javascript: " + name); return; } this.frameworkComponents[name] = component; }; /** * B the business interface (ie IHeader) * A the agGridComponent interface (ie IHeaderComp). The final object acceptable by ag-grid */ UserComponentRegistry.prototype.retrieve = function (rawName) { var name = this.translateIfDeprecated(rawName); var frameworkComponent = this.frameworkComponents[name]; if (frameworkComponent) { return { componentFromFramework: true, component: frameworkComponent, source: RegisteredComponentSource.REGISTERED }; } var jsComponent = this.jsComponents[name]; if (jsComponent) { return { componentFromFramework: false, component: jsComponent, source: RegisteredComponentSource.REGISTERED }; } var defaultComponent = this.agGridDefaults[name]; if (defaultComponent) { return { componentFromFramework: false, component: defaultComponent, source: RegisteredComponentSource.DEFAULT }; } if (Object.keys(this.agGridDefaults).indexOf(name) < 0) { console.warn("ag-Grid: Looking for component [" + name + "] but it wasn't found."); } return null; }; UserComponentRegistry.prototype.translateIfDeprecated = function (raw) { var deprecatedInfo = this.agDeprecatedNames[raw]; if (deprecatedInfo != null) { doOnce(function () { console.warn("ag-grid. Since v15.0 component names have been renamed to be namespaced. You should rename " + deprecatedInfo.propertyHolder + ":" + raw + " to " + deprecatedInfo.propertyHolder + ":" + deprecatedInfo.newComponentName); }, 'DEPRECATE_COMPONENT_' + raw); return deprecatedInfo.newComponentName; } return raw; }; __decorate([ Autowired('gridOptions') ], UserComponentRegistry.prototype, "gridOptions", void 0); __decorate([ PostConstruct ], UserComponentRegistry.prototype, "init", null); UserComponentRegistry = __decorate([ Bean('userComponentRegistry') ], UserComponentRegistry); return UserComponentRegistry; }(BeanStub)); export { UserComponentRegistry };
{ "content_hash": "474604b5b9a272bbd50f7605e70915ae", "timestamp": "", "source": "github", "line_count": 244, "max_line_length": 249, "avg_line_length": 47.15573770491803, "alnum_prop": 0.626368851034243, "repo_name": "ceolter/angular-grid", "id": "f0ba6a6421c01f8bc3c020a37606b4ebff9eb329", "size": "11506", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "community-modules/core/dist/es6/components/framework/userComponentRegistry.js", "mode": "33188", "license": "mit", "language": [ { "name": "CSS", "bytes": "67272" }, { "name": "JavaScript", "bytes": "2291855" }, { "name": "TypeScript", "bytes": "671875" } ], "symlink_target": "" }
using System; using System.Collections.Generic; using System.Diagnostics.CodeAnalysis; using System.Linq; using System.Xml.Linq; using Microsoft.VisualStudio.TestTools.UnitTesting; using PcapDotNet.Base; using PcapDotNet.Packets; using PcapDotNet.Packets.Dns; using PcapDotNet.Packets.IpV6; namespace PcapDotNet.Core.Test { [ExcludeFromCodeCoverage] internal class WiresharkDatagramComparerDns : WiresharkDatagramComparerSimple { protected override string PropertyName { get { return "Dns"; } } protected override bool CompareField(XElement field, Datagram datagram) { DnsDatagram dnsDatagram = (DnsDatagram)datagram; switch (field.Name()) { case "dns.id": field.AssertShowDecimal(dnsDatagram.Id); break; case "dns.flags": field.AssertShowDecimal(dnsDatagram.Subsegment(2, 2).ToArray().ReadUShort(0, Endianity.Big)); foreach (var flagField in field.Fields()) { switch (flagField.Name()) { case "dns.flags.response": flagField.AssertShowDecimal(dnsDatagram.IsResponse); break; case "dns.flags.opcode": flagField.AssertShowDecimal((byte)dnsDatagram.OpCode); break; case "dns.flags.conflict": // TODO: Support LLMNR. case "dns.flags.authoritative": flagField.AssertShowDecimal(dnsDatagram.IsAuthoritativeAnswer); break; case "dns.flags.truncated": flagField.AssertShowDecimal(dnsDatagram.IsTruncated); break; case "dns.flags.tentative": // TODO: Support LLMNR. case "dns.flags.recdesired": flagField.AssertShowDecimal(dnsDatagram.IsRecursionDesired); break; case "dns.flags.recavail": flagField.AssertShowDecimal(dnsDatagram.IsRecursionAvailable); break; case "dns.flags.z": flagField.AssertShowDecimal(dnsDatagram.FutureUse); break; case "dns.flags.authenticated": flagField.AssertShowDecimal(dnsDatagram.IsAuthenticData); break; case "dns.flags.checkdisable": flagField.AssertShowDecimal(dnsDatagram.IsCheckingDisabled); break; case "dns.flags.rcode": flagField.AssertShowDecimal((ushort)dnsDatagram.ResponseCode); break; default: throw new InvalidOperationException("Invalid DNS flag field " + flagField.Name()); } } break; case "dns.count.queries": case "dns.count.zones": field.AssertShowDecimal(dnsDatagram.QueryCount); break; case "dns.count.answers": case "dns.count.prerequisites": field.AssertShowDecimal(dnsDatagram.AnswerCount); break; case "dns.count.auth_rr": case "dns.count.updates": field.AssertShowDecimal(dnsDatagram.AuthorityCount); break; case "dns.count.add_rr": field.AssertShowDecimal(dnsDatagram.AdditionalCount); break; case "": var resourceRecordsFields = field.Fields(); switch (field.Show()) { case "Queries": case "Zone": CompareResourceRecords(resourceRecordsFields, dnsDatagram.Queries); break; case "Answers": case "Prerequisites": CompareResourceRecords(resourceRecordsFields, dnsDatagram.Answers); break; case "Authoritative nameservers": case "Updates": CompareResourceRecords(resourceRecordsFields, dnsDatagram.Authorities); break; case "Additional records": CompareResourceRecords(resourceRecordsFields, dnsDatagram.Additionals); break; default: throw new InvalidOperationException("Invalid DNS resource records field " + field.Show()); } break; case "dns.response_to": case "dns.time": break; default: throw new InvalidOperationException("Invalid DNS field " + field.Name()); } return true; } private void CompareResourceRecords(IEnumerable<XElement> resourceRecordFields, IEnumerable<DnsResourceRecord> resourceRecords) { XElement[] resourceRecordFieldsArray= resourceRecordFields.ToArray(); DnsResourceRecord[] resourceRecordsArray = resourceRecords.ToArray(); if (resourceRecordFieldsArray.Length > resourceRecordsArray.Length) { var queryNameField = resourceRecordFieldsArray[resourceRecordsArray.Length].Fields().First(); if (queryNameField.Name() == "dns.qry.name") Assert.AreEqual("<Unknown extended label>", queryNameField.Show()); else Assert.AreEqual("dns.resp.name", queryNameField.Name()); } else if (resourceRecordFieldsArray.Length < resourceRecordsArray.Length) { // TODO: This case should never happen when https://bugs.wireshark.org/bugzilla/show_bug.cgi?id=10615 and https://bugs.wireshark.org/bugzilla/show_bug.cgi?id=10988 are fixed. XElement lastDnsTypeField = resourceRecordFieldsArray.Last().Fields().Skip(1).First(); lastDnsTypeField.AssertName("dns.resp.type"); DnsType lastDnsType = (DnsType)ushort.Parse(lastDnsTypeField.Show()); Assert.IsTrue(new[] {DnsType.NextDomain, DnsType.Opt}.Contains(lastDnsType)); } for (int i = 0; i != resourceRecordsArray.Length; ++i) { ResetRecordFields(); var resourceRecordField = resourceRecordFieldsArray[i]; var resourceRecord = resourceRecordsArray[i]; int dnsResponseTypeIndex = 0; foreach (var resourceRecordAttributeField in resourceRecordField.Fields()) { switch (resourceRecordAttributeField.Name()) { case "dns.qry.name": case "dns.resp.name": resourceRecordAttributeField.AssertShow(GetWiresharkDomainName(resourceRecord.DomainName)); resourceRecordAttributeField.AssertNoFields(); break; case "dns.qry.name.len": resourceRecordAttributeField.AssertShowDecimal(resourceRecord.DomainName.IsRoot ? 0 : resourceRecord.DomainName.NonCompressedLength - 2); resourceRecordAttributeField.AssertNoFields(); break; case "dns.count.labels": resourceRecordAttributeField.AssertShowDecimal(resourceRecord.DomainName.LabelsCount); resourceRecordAttributeField.AssertNoFields(); break; case "dns.qry.type": resourceRecordAttributeField.AssertShowDecimal((ushort)resourceRecord.DnsType); resourceRecordAttributeField.AssertNoFields(); break; case "dns.resp.type": DnsType expectedDnsType; if (dnsResponseTypeIndex == 0) { expectedDnsType = resourceRecord.DnsType; } else { expectedDnsType = ((DnsResourceDataNextDomain)resourceRecord.Data).TypesExist.Skip(dnsResponseTypeIndex - 1).First(); } resourceRecordAttributeField.AssertShowDecimal((ushort)expectedDnsType); resourceRecordAttributeField.AssertNoFields(); ++dnsResponseTypeIndex; break; case "dns.qry.class": case "dns.resp.class": resourceRecordAttributeField.AssertShowDecimal((ushort)resourceRecord.DnsClass); resourceRecordAttributeField.AssertNoFields(); break; case "dns.resp.ttl": resourceRecordAttributeField.AssertShowDecimal(resourceRecord.Ttl); resourceRecordAttributeField.AssertNoFields(); break; case "dns.resp.len": resourceRecordAttributeField.AssertNoFields(); break; case "dns.resp.cache_flush": // TODO: Support MDNS. resourceRecordAttributeField.AssertShowDecimal((ushort)resourceRecord.DnsClass >> 15); resourceRecordAttributeField.AssertNoFields(); break; case "dns.srv.service": Assert.AreEqual(resourceRecord.DnsType, DnsType.ServerSelection); resourceRecordAttributeField.AssertShow(resourceRecord.DomainName.IsRoot ? "<Root>" : resourceRecord.DomainName.ToString().Split('.')[0]); resourceRecordAttributeField.AssertNoFields(); break; case "dns.srv.proto": Assert.AreEqual(resourceRecord.DnsType, DnsType.ServerSelection); resourceRecordAttributeField.AssertShow(resourceRecord.DomainName.ToString().Split('.')[1]); resourceRecordAttributeField.AssertNoFields(); break; case "dns.srv.name": Assert.AreEqual(resourceRecord.DnsType, DnsType.ServerSelection); resourceRecordAttributeField.AssertShow( resourceRecord.DomainName.ToString().Split(new[] {'.'}, StringSplitOptions.RemoveEmptyEntries).Skip(2).SequenceToString(".")); resourceRecordAttributeField.AssertNoFields(); break; case "dns.qry.qu": // TODO: Support MDNS. resourceRecordAttributeField.AssertShowDecimal(((ushort)resourceRecord.DnsClass >> 15) == 1); resourceRecordAttributeField.AssertNoFields(); break; default: if (!CompareResourceRecordData(resourceRecordAttributeField, resourceRecord)) return; break; } } } } private void ResetRecordFields() { _hipRendezvousServersIndex = 0; _wksBitmapIndex = 0; _nxtTypeIndex = 0; _spfTypeIndex = 0; _txtTypeIndex = 0; _nSecTypeIndex = 0; _nSec3TypeIndex = 0; _aplItemIndex = 0; _optOptionIndex = 0; } private bool CompareResourceRecordData(XElement dataField, DnsResourceRecord resourceRecord) { var data = resourceRecord.Data; string dataFieldName = dataField.Name(); string dataFieldShow = dataField.Show(); string dataFieldShowUntilColon = dataFieldShow.Split(':')[0]; switch (resourceRecord.DnsType) { case DnsType.A: dataField.AssertNoFields(); switch (dataFieldName) { case "dns.a": dataField.AssertShow(((DnsResourceDataIpV4)data).Data.ToString()); break; default: throw new InvalidOperationException("Invalid DNS data field name " + dataFieldName); } break; case DnsType.Ns: dataField.AssertNoFields(); switch (dataFieldName) { case "dns.ns": dataField.AssertShow(GetWiresharkDomainName(((DnsResourceDataDomainName)data).Data)); break; default: throw new InvalidOperationException("Invalid DNS data field name " + dataFieldName); } break; case DnsType.Mailbox: dataField.AssertName("dns.mb"); dataField.AssertNoFields(); dataField.AssertShow(GetWiresharkDomainName(((DnsResourceDataDomainName)data).Data)); break; case DnsType.Md: dataField.AssertName("dns.md"); dataField.AssertNoFields(); dataField.AssertShow(GetWiresharkDomainName(((DnsResourceDataDomainName)data).Data)); break; case DnsType.MailForwarder: dataField.AssertName("dns.mf"); dataField.AssertNoFields(); dataField.AssertShow(GetWiresharkDomainName(((DnsResourceDataDomainName)data).Data)); break; case DnsType.MailGroup: // 8. dataField.AssertName("dns.mg"); dataField.AssertShow(GetWiresharkDomainName(((DnsResourceDataDomainName)data).Data)); dataField.AssertNoFields(); break; case DnsType.MailRename: // 9. dataField.AssertName("dns.mr"); dataField.AssertShow(GetWiresharkDomainName(((DnsResourceDataDomainName)data).Data)); dataField.AssertNoFields(); break; case DnsType.CName: dataField.AssertName("dns.cname"); dataField.AssertShow(GetWiresharkDomainName(((DnsResourceDataDomainName)data).Data)); dataField.AssertNoFields(); break; case DnsType.StartOfAuthority: var startOfAuthority = (DnsResourceDataStartOfAuthority)data; dataField.AssertNoFields(); switch (dataField.Name()) { case "dns.soa.mname": dataField.AssertShow(GetWiresharkDomainName(startOfAuthority.MainNameServer)); break; case "dns.soa.rname": dataField.AssertShow(GetWiresharkDomainName(startOfAuthority.ResponsibleMailbox)); break; case "dns.soa.serial_number": dataField.AssertShowDecimal(startOfAuthority.Serial.Value); break; case "dns.soa.refresh_interval": dataField.AssertShowDecimal(startOfAuthority.Refresh); break; case "dns.soa.retry_interval": dataField.AssertShowDecimal(startOfAuthority.Retry); break; case "dns.soa.expire_limit": dataField.AssertShowDecimal(startOfAuthority.Expire); break; case "dns.soa.mininum_ttl": dataField.AssertShowDecimal(startOfAuthority.MinimumTtl); break; default: throw new InvalidOperationException("Invalid DNS data field " + dataField.Name()); } break; case DnsType.WellKnownService: var wksData = (DnsResourceDataWellKnownService)data; dataField.AssertNoFields(); switch (dataField.Name()) { case "dns.wks.address": dataField.AssertShow(wksData.Address.ToString()); break; case "dns.wks.protocol": dataField.AssertShowDecimal((byte)wksData.Protocol); break; case "dns.wks.bits": while (wksData.Bitmap[_wksBitmapIndex] == 0x00) ++_wksBitmapIndex; dataField.AssertShowDecimal(wksData.Bitmap[_wksBitmapIndex++]); break; default: throw new InvalidOperationException("Invalid DNS data field " + dataField.Name()); } break; case DnsType.Ptr: dataField.AssertName("dns.ptr.domain_name"); dataField.AssertShow(GetWiresharkDomainName(((DnsResourceDataDomainName)data).Data)); dataField.AssertNoFields(); break; case DnsType.HInfo: dataField.AssertNoFields(); var hInfoData = (DnsResourceDataHostInformation)data; switch (dataFieldName) { case "dns.hinfo.cpu_length": dataField.AssertShowDecimal(hInfoData.Cpu.Length); break; case "dns.hinfo.cpu": dataField.AssertValue(hInfoData.Cpu); break; case "dns.hinfo.os_length": dataField.AssertShowDecimal(hInfoData.OperatingSystem.Length); break; case "dns.hinfo.os": dataField.AssertValue(hInfoData.OperatingSystem); break; default: throw new InvalidOperationException("Invalid DNS data field " + dataFieldName); } break; case DnsType.MInfo: dataField.AssertNoFields(); var mInfoData = (DnsResourceDataMailingListInfo)data; switch (dataFieldName) { case "dns.minfo.r": dataField.AssertShow(GetWiresharkDomainName(mInfoData.MailingList)); break; case "dns.minfo.e": dataField.AssertShow(GetWiresharkDomainName(mInfoData.ErrorMailbox)); break; default: throw new InvalidOperationException("Invalid DNS data field name " + dataFieldName); } break; case DnsType.MailExchange: var mxData = (DnsResourceDataMailExchange)data; dataField.AssertNoFields(); switch (dataFieldName) { case "dns.mx.preference": dataField.AssertShowDecimal(mxData.Preference); break; case "dns.mx.mail_exchange": dataField.AssertShow(GetWiresharkDomainName(mxData.MailExchangeHost)); break; default: throw new InvalidOperationException("Invalid DNS data field name " + dataFieldName); } break; case DnsType.Txt: // 16. var txtData = (DnsResourceDataText)data; dataField.AssertNoFields(); switch (dataField.Name()) { case "dns.txt.length": dataField.AssertShowDecimal(txtData.Text[_txtTypeIndex].Length); break; case "dns.txt": dataField.AssertValue(txtData.Text[_txtTypeIndex]); ++_txtTypeIndex; break; default: throw new InvalidOperationException("Invalid DNS data field " + dataField.Name()); } break; case DnsType.SenderPolicyFramework: // 99. var spfData = (DnsResourceDataText)data; dataField.AssertNoFields(); switch (dataField.Name()) { case "dns.spf.length": dataField.AssertShowDecimal(spfData.Text[_spfTypeIndex].Length); break; case "dns.spf": dataField.AssertValue(spfData.Text[_spfTypeIndex]); ++_spfTypeIndex; break; default: throw new InvalidOperationException("Invalid DNS data field " + dataField.Name()); } break; case DnsType.ResponsiblePerson: var rpData = (DnsResourceDataResponsiblePerson)data; dataField.AssertNoFields(); switch (dataFieldName) { case "dns.rp.mailbox": dataField.AssertShow(GetWiresharkDomainName(rpData.Mailbox)); break; case "dns.rp.txt_rr": dataField.AssertShow(GetWiresharkDomainName(rpData.TextDomain)); break; default: throw new InvalidOperationException("Invalid DNS data field " + dataFieldName); } break; case DnsType.AfsDatabase: var afsDbData = (DnsResourceDataAfsDatabase)data; dataField.AssertNoFields(); switch (dataFieldName) { case "dns.afsdb.subtype": dataField.AssertShowDecimal((ushort)afsDbData.Subtype); break; case "dns.afsdb.hostname": dataField.AssertShow(GetWiresharkDomainName(afsDbData.HostName)); break; default: throw new InvalidOperationException("Invalid DNS data field " + dataFieldName); } break; case DnsType.X25: var x25 = (DnsResourceDataString)data; dataField.AssertNoFields(); switch (dataFieldName) { case "dns.x25.length": dataField.AssertShowDecimal(x25.String.Length); break; case "dns.x25.psdn_address": dataField.AssertValue(x25.String); break; default: throw new InvalidOperationException("Invalid DNS data field " + dataFieldName); } break; case DnsType.Isdn: var isdnData = (DnsResourceDataIsdn)data; dataField.AssertNoFields(); switch (dataFieldName) { case "dns.idsn.length": dataField.AssertShowDecimal(isdnData.IsdnAddress.Length); break; case "dns.idsn.address": dataField.AssertValue(isdnData.IsdnAddress); break; case "dns.idsn.sa.length": dataField.AssertShowDecimal(isdnData.Subaddress.Length); break; case "dns.idsn.sa.address": dataField.AssertValue(isdnData.Subaddress); break; default: throw new InvalidOperationException("Invalid DNS data field " + dataFieldName); } dataField.AssertNoFields(); break; case DnsType.RouteThrough: dataField.AssertNoFields(); var rtData = (DnsResourceDataRouteThrough)data; switch (dataFieldName) { case "dns.rt.subtype": dataField.AssertShowDecimal(rtData.Preference); break; case "dns.rt.intermediate_host": dataField.AssertShow(GetWiresharkDomainName(rtData.IntermediateHost)); break; default: throw new InvalidOperationException("Invalid DNS data field name " + dataFieldName); } break; case DnsType.NetworkServiceAccessPoint: var nsapData = (DnsResourceDataNetworkServiceAccessPoint)data; switch (dataFieldName) { case "dns.nsap.rdata": byte[] nsapId = new byte[6]; nsapId.Write(0, nsapData.SystemIdentifier, Endianity.Big); dataField.AssertValue(nsapData.AreaAddress.Concat(nsapId).Concat(nsapData.Selector)); break; default: throw new InvalidOperationException("Invalid DNS data field name " + dataFieldName); } dataField.AssertNoFields(); break; case DnsType.NetworkServiceAccessPointPointer: dataField.AssertName("dns.nsap_ptr.owner"); dataField.AssertShow(GetWiresharkDomainName(((DnsResourceDataDomainName)data).Data)); dataField.AssertNoFields(); break; case DnsType.Key: var keyData = (DnsResourceDataKey)data; switch (dataFieldName) { case "dns.key.flags": foreach (var flagField in dataField.Fields()) { flagField.AssertNoFields(); int flagCount = GetFlagCount(flagField); switch (flagCount) { case 0: flagField.AssertShowDecimal(keyData.AuthenticationProhibited); break; case 1: flagField.AssertShowDecimal(keyData.ConfidentialityProhibited); break; case 2: flagField.AssertShowDecimal(keyData.Experimental); break; case 5: flagField.AssertShowDecimal(keyData.UserAssociated); break; case 6: flagField.AssertShowDecimal(keyData.NameType == DnsKeyNameType.NonZoneEntity); break; case 8: flagField.AssertShowDecimal(keyData.IpSec); break; case 9: flagField.AssertShowDecimal(keyData.Email); break; case 12: flagField.AssertShowDecimal((byte)keyData.Signatory); break; default: throw new InvalidOperationException("Invalid flag count " + flagCount); } } break; case "dns.key.protocol": dataField.AssertNoFields(); dataField.AssertShowDecimal((byte)keyData.Protocol); break; case "dns.key.algorithm": dataField.AssertNoFields(); dataField.AssertShowDecimal((byte)keyData.Algorithm); break; case "dns.key.key_id": dataField.AssertNoFields(); dataField.AssertShowDecimal(keyData.KeyTag); break; case "dns.key.public_key": dataField.AssertNoFields(); byte[] flagsExtension; if (keyData.FlagsExtension == null) { flagsExtension = new byte[0]; } else { flagsExtension = new byte[2]; flagsExtension.Write(0, keyData.FlagsExtension.Value, Endianity.Big); } dataField.AssertValue(flagsExtension.Concat(keyData.PublicKey)); break; default: throw new InvalidOperationException("Invalid DNS data field name " + dataFieldName); } break; case DnsType.Signature: // 24. case DnsType.ResourceRecordSignature: // 46. dataField.AssertNoFields(); var sigData = (DnsResourceDataSignature)data; switch (dataFieldName) { case "dns.rrsig.type_covered": dataField.AssertShowDecimal((ushort)sigData.TypeCovered); break; case "dns.rrsig.algorithm": dataField.AssertShowDecimal((byte)sigData.Algorithm); break; case "dns.rrsig.labels": dataField.AssertShowDecimal(sigData.Labels); break; case "dns.rrsig.original_ttl": dataField.AssertShowDecimal(sigData.OriginalTtl); break; case "dns.rrsig.signature_expiration": dataField.AssertValue(sigData.SignatureExpiration); break; case "dns.rrsig.signature_inception": dataField.AssertValue(sigData.SignatureInception); break; case "dns.rrsig.key_tag": dataField.AssertShowDecimal(sigData.KeyTag); break; case "dns.rrsig.signers_name": dataField.AssertShow(GetWiresharkDomainName(sigData.SignersName)); break; case "dns.rrsig.signature": dataField.AssertValue(sigData.Signature); break; default: throw new InvalidOperationException("Invalid DNS data field " + dataFieldName); } break; case DnsType.PointerX400: var pxData = (DnsResourceDataX400Pointer)data; switch (dataField.Name()) { case "dns.px.preference": dataField.AssertShowDecimal(pxData.Preference); break; case "dns.px.map822": dataField.AssertShow(GetWiresharkDomainName(pxData.Map822)); break; case "dns.px.map400": dataField.AssertShow(GetWiresharkDomainName(pxData.MapX400)); break; default: throw new InvalidOperationException("Invalid DNS data field " + dataField.Name()); } dataField.AssertNoFields(); break; case DnsType.GeographicalPosition: dataField.AssertNoFields(); var gposData = (DnsResourceDataGeographicalPosition)data; switch (dataFieldName) { case "dns.gpos.longitude_length": dataField.AssertShowDecimal(gposData.Longitude.Length); break; case "dns.gpos.longitude": dataField.AssertShow(gposData.Longitude); break; case "dns.gpos.latitude_length": dataField.AssertShowDecimal(gposData.Latitude.Length); break; case "dns.gpos.latitude": dataField.AssertShow(gposData.Latitude); break; case "dns.gpos.altitude_length": dataField.AssertShowDecimal(gposData.Altitude.Length); break; case "dns.gpos.altitude": dataField.AssertShow(gposData.Altitude); break; default: throw new InvalidOperationException("Invalid DNS data field " + dataField.Name()); } break; case DnsType.Aaaa: dataField.AssertName("dns.aaaa"); dataField.AssertShow(GetWiresharkIpV6(((DnsResourceDataIpV6)data).Data)); dataField.AssertNoFields(); break; case DnsType.Location: var locData = (DnsResourceDataLocationInformation)data; dataField.AssertNoFields(); switch (dataFieldName) { case "dns.loc.version": dataField.AssertShowDecimal(locData.Version); break; case "dns.loc.unknown_data": Assert.AreNotEqual(0, locData.Version); break; case "dns.loc.size": Assert.AreEqual(0, locData.Version); string sizeValue = dataField.Showname().Split('(', ')')[1]; Assert.AreEqual(GetPrecisionValueString(locData.Size), sizeValue); break; case "dns.loc.horizontal_precision": Assert.AreEqual(0, locData.Version); string horizontalPrecisionValue = dataField.Showname().Split('(', ')')[1]; Assert.AreEqual(GetPrecisionValueString(locData.HorizontalPrecision), horizontalPrecisionValue); break; case "dns.loc.vertial_precision": Assert.AreEqual(0, locData.Version); string verticalPrecisionValue = dataField.Showname().Split('(', ')')[1]; Assert.AreEqual(GetPrecisionValueString(locData.VerticalPrecision), verticalPrecisionValue); break; case "dns.loc.latitude": Assert.AreEqual(0, locData.Version); dataField.AssertShowDecimal(locData.Latitude); break; case "dns.loc.longitude": Assert.AreEqual(0, locData.Version); dataField.AssertShowDecimal(locData.Longitude); break; case "dns.loc.altitude": Assert.AreEqual(0, locData.Version); dataField.AssertShowDecimal(locData.Altitude); break; default: throw new InvalidOperationException("Invalid DNS data field " + dataFieldName); } break; case DnsType.NextDomain: var nxtData = (DnsResourceDataNextDomain)data; switch (dataField.Name()) { case "dns.nxt.next_domain_name": dataField.AssertShow(GetWiresharkDomainName(nxtData.NextDomainName)); break; case "": DnsType actualType = nxtData.TypesExist.Skip(_nxtTypeIndex++).First(); DnsType expectedType; if (!TryGetDnsType(dataFieldShow, out expectedType)) throw new InvalidOperationException(string.Format("Can't parse DNS field {0} : {1}", dataFieldShow, actualType)); Assert.AreEqual(expectedType, actualType); return false; default: throw new InvalidOperationException("Invalid DNS data field " + dataField.Name()); } dataField.AssertNoFields(); break; case DnsType.ServerSelection: dataField.AssertNoFields(); var srvData = (DnsResourceDataServerSelection)data; switch (dataFieldName) { case "dns.srv.priority": dataField.AssertShowDecimal(srvData.Priority); break; case "dns.srv.weight": dataField.AssertShowDecimal(srvData.Weight); break; case "dns.srv.port": dataField.AssertShowDecimal(srvData.Port); break; case "dns.srv.target": dataField.AssertShow(GetWiresharkDomainName(srvData.Target)); break; default: throw new InvalidOperationException("Invalid DNS data field " + dataFieldName); } break; case DnsType.NaPtr: var naPtrData = (DnsResourceDataNamingAuthorityPointer)data; dataField.AssertNoFields(); switch (dataFieldName) { case "dns.naptr.order": dataField.AssertShowDecimal(naPtrData.Order); break; case "dns.naptr.preference": dataField.AssertShowDecimal(naPtrData.Preference); break; case "dns.naptr.flags_length": dataField.AssertShowDecimal(naPtrData.Flags.Length); break; case "dns.naptr.flags": dataField.AssertValue(naPtrData.Flags); break; case "dns.naptr.service_length": dataField.AssertShowDecimal(naPtrData.Services.Length); break; case "dns.naptr.service": dataField.AssertValue(naPtrData.Services); break; case "dns.naptr.regex_length": dataField.AssertShowDecimal(naPtrData.RegularExpression.Length); break; case "dns.naptr.regex": dataField.AssertValue(naPtrData.RegularExpression); break; case "dns.naptr.replacement_length": dataField.AssertShowDecimal(naPtrData.Replacement.NonCompressedLength); break; case "dns.naptr.replacement": dataField.AssertShow(GetWiresharkDomainName(naPtrData.Replacement)); break; default: throw new InvalidOperationException("Invalid DNS data field " + dataFieldName); } break; case DnsType.KeyExchanger: dataField.AssertNoFields(); var kxData = (DnsResourceDataKeyExchanger)data; switch (dataFieldName) { case "dns.kx.preference": dataField.AssertShowDecimal(kxData.Preference); break; case "dns.kx.key_exchange": dataField.AssertShow(GetWiresharkDomainName(kxData.KeyExchangeHost)); break; default: throw new InvalidOperationException("Invalid DNS data field " + dataFieldName); } break; case DnsType.Cert: dataField.AssertNoFields(); var certData = (DnsResourceDataCertificate)data; switch (dataFieldName) { case "dns.cert.type": dataField.AssertShowDecimal((ushort)certData.CertificateType); break; case "dns.cert.key_tag": dataField.AssertShowDecimal(certData.KeyTag); break; case "dns.cert.algorithm": dataField.AssertShowDecimal((byte)certData.Algorithm); break; case "dns.cert.certificate": dataField.AssertValue(certData.Certificate); break; default: throw new InvalidOperationException("Invalid DNS data field " + dataFieldName); } break; case DnsType.A6: var a6Data = (DnsResourceDataA6)data; switch (dataFieldName) { case "dns.a6.prefix_len": dataField.AssertShowDecimal(a6Data.PrefixLength); break; case "dns.a6.address_suffix": Assert.AreEqual(new IpV6Address(dataFieldShow), a6Data.AddressSuffix); break; case "dns.a6.prefix_name": dataField.AssertShow(GetWiresharkDomainName(a6Data.PrefixName)); break; default: throw new InvalidOperationException("Invalid DNS data field " + dataFieldName); } dataField.AssertNoFields(); break; case DnsType.DName: dataField.AssertName("dns.dname"); dataField.AssertShow(GetWiresharkDomainName(((DnsResourceDataDomainName)data).Data)); dataField.AssertNoFields(); break; case DnsType.Opt: var optResourceRecord = (DnsOptResourceRecord)resourceRecord; var optData = (DnsResourceDataOptions)data; switch (dataFieldName) { case "dns.rr.udp_payload_size": _optOptionIndex = 0; dataField.AssertNoFields(); dataField.AssertShowDecimal(optResourceRecord.SendersUdpPayloadSize); break; case "dns.resp.ext_rcode": dataField.AssertNoFields(); dataField.AssertShowDecimal(optResourceRecord.ExtendedReturnCode); break; case "dns.resp.edns0_version": dataField.AssertNoFields(); dataField.AssertShowDecimal((byte)optResourceRecord.Version); break; case "dns.resp.z": DnsOptFlags flags = optResourceRecord.Flags; dataField.AssertShowDecimal((ushort)flags); foreach (XElement subfield in dataField.Fields()) { subfield.AssertNoFields(); switch (subfield.Name()) { case "dns.resp.z.do": subfield.AssertShowDecimal((flags & DnsOptFlags.DnsSecOk) == DnsOptFlags.DnsSecOk); break; case "dns.resp.z.reserved": subfield.AssertShowDecimal(0); break; default: throw new InvalidOperationException("Invalid DNS data subfield name " + subfield.Name()); } } break; case "dns.opt": foreach (XElement subfield in dataField.Fields()) { DnsOption dnsOption = optData.Options.Options[_optOptionIndex]; var clientSubnet = dnsOption as DnsOptionClientSubnet; switch (subfield.Name()) { case "dns.opt.code": subfield.AssertNoFields(); subfield.AssertShowDecimal((ushort)dnsOption.Code); break; case "dns.opt.len": subfield.AssertShowDecimal(dnsOption.DataLength); if (subfield.Fields().Any()) { Assert.AreEqual(1, subfield.Fields().Count()); subfield.Fields().First().AssertName("_ws.expert"); } break; case "dns.opt.data": subfield.AssertNoFields(); switch (dnsOption.Code) { case DnsOptionCode.UpdateLease: subfield.AssertValue((uint)((DnsOptionUpdateLease)dnsOption).Lease); break; case DnsOptionCode.LongLivedQuery: byte[] expectedLongLivedQueryValue = new byte[dnsOption.DataLength]; var longLivedQuery = (DnsOptionLongLivedQuery)dnsOption; int longLivedQueryOffset = 0; expectedLongLivedQueryValue.Write(ref longLivedQueryOffset, longLivedQuery.Version, Endianity.Big); expectedLongLivedQueryValue.Write(ref longLivedQueryOffset, (ushort)longLivedQuery.OpCode, Endianity.Big); expectedLongLivedQueryValue.Write(ref longLivedQueryOffset, (ushort)longLivedQuery.ErrorCode, Endianity.Big); expectedLongLivedQueryValue.Write(ref longLivedQueryOffset, longLivedQuery.Id, Endianity.Big); expectedLongLivedQueryValue.Write(ref longLivedQueryOffset, longLivedQuery.LeaseLife, Endianity.Big); subfield.AssertValue(expectedLongLivedQueryValue); break; case DnsOptionCode.ClientSubnet: byte[] expectedClientSubnetValue = new byte[dnsOption.DataLength]; int clientSubnetOffset = 0; expectedClientSubnetValue.Write(ref clientSubnetOffset, (ushort)clientSubnet.Family, Endianity.Big); expectedClientSubnetValue.Write(ref clientSubnetOffset, clientSubnet.SourceNetmask); expectedClientSubnetValue.Write(ref clientSubnetOffset, clientSubnet.ScopeNetmask); expectedClientSubnetValue.Write(ref clientSubnetOffset, clientSubnet.Address); subfield.AssertValue(expectedClientSubnetValue); break; default: subfield.AssertValue(((DnsOptionAnything)dnsOption).Data); break; } if (dnsOption.Code != DnsOptionCode.ClientSubnet) ++_optOptionIndex; break; case "dns.opt.client.family": subfield.AssertNoFields(); subfield.AssertShowDecimal((ushort)clientSubnet.Family); break; case "dns.opt.client.netmask": subfield.AssertNoFields(); subfield.AssertShowDecimal(clientSubnet.SourceNetmask); break; case "dns.opt.client.scope": subfield.AssertNoFields(); subfield.AssertShowDecimal(clientSubnet.ScopeNetmask); break; case "dns.opt.client.addr": case "dns.opt.client.addr4": case "dns.opt.client.addr6": subfield.AssertNoFields(); if (clientSubnet.Address.Length <= 16) { subfield.AssertValue(clientSubnet.Address); } else { subfield.AssertValue(clientSubnet.Address.Take(16)); // TODO: Remove this return when https://bugs.wireshark.org/bugzilla/show_bug.cgi?id=10988 is fixed. return false; } ++_optOptionIndex; break; default: throw new InvalidOperationException("Invalid DNS data subfield name " + subfield.Name()); } } break; default: throw new InvalidOperationException("Invalid DNS data field name " + dataFieldName); } break; case DnsType.AddressPrefixList: var aplData = (DnsResourceDataAddressPrefixList)data; switch (dataFieldName) { case "dns.apl.address_family": dataField.AssertNoFields(); dataField.AssertShowDecimal((ushort)aplData.Items[_aplItemIndex++].AddressFamily); break; case "dns.apl.coded_prefix": dataField.AssertShowDecimal(aplData.Items[_aplItemIndex - 1].PrefixLength); break; case "dns.apl.negation": dataField.AssertShowDecimal(aplData.Items[_aplItemIndex - 1].Negation); break; case "dns.apl.afdlength": dataField.AssertShowDecimal(aplData.Items[_aplItemIndex - 1].AddressFamilyDependentPart.Length); break; case "dns.apl.afdpart.data": case "dns.apl.afdpart.ipv4": case "dns.apl.afdpart.ipv6": if (dataFieldName != "dns.apl.afdpart.data") { Assert.AreEqual(dataFieldName == "dns.apl.afdpart.ipv4" ? AddressFamily.IpV4 : AddressFamily.IpV6, aplData.Items[_aplItemIndex - 1].AddressFamily); } dataField.AssertValue(aplData.Items[_aplItemIndex - 1].AddressFamilyDependentPart); break; default: throw new InvalidOperationException("Invalid DNS data field name " + dataFieldName); } dataField.AssertNoFields(); break; case DnsType.DelegationSigner: // 43. case DnsType.DnsSecLookAsideValidation: // 32769. dataField.AssertNoFields(); var dsData = (DnsResourceDataDelegationSigner)data; switch (dataFieldName) { case "dns.ds.key_id": dataField.AssertShowDecimal(dsData.KeyTag); break; case "dns.ds.algorithm": dataField.AssertShowDecimal((byte)dsData.Algorithm); break; case "dns.ds.digest_type": dataField.AssertShowDecimal((byte)dsData.DigestType); break; case "dns.ds.digest": dataField.AssertValue(dsData.Digest); break; default: throw new InvalidOperationException("Invalid DNS data field name " + dataFieldName); } break; case DnsType.SshFingerprint: var sshFpData = (DnsResourceDataSshFingerprint)data; dataField.AssertNoFields(); switch (dataFieldName) { case "dns.sshfp.algorithm": dataField.AssertShowDecimal((byte)sshFpData.Algorithm); break; case "dns.sshfp.fingerprint.type": dataField.AssertShowDecimal((byte)sshFpData.FingerprintType); break; case "dns.sshfp.fingerprint": dataField.AssertValue(sshFpData.Fingerprint); break; default: throw new InvalidOperationException("Invalid DNS data field name " + dataFieldName); } break; case DnsType.IpSecKey: dataField.AssertNoFields(); var ipSecKeyData = (DnsResourceDataIpSecKey)data; switch (dataField.Name()) { case "dns.ipseckey.gateway_precedence": dataField.AssertShowDecimal(ipSecKeyData.Precedence); break; case "dns.ipseckey.gateway_type": dataField.AssertShowDecimal((byte)ipSecKeyData.GatewayType); break; case "dns.ipseckey.gateway_algorithm": dataField.AssertShowDecimal((byte)ipSecKeyData.Algorithm); break; case "dns.ipseckey.gateway_ipv4": dataField.AssertShow(((DnsGatewayIpV4)ipSecKeyData.Gateway).Value.ToString()); break; case "dns.ipseckey.gateway_ipv6": dataField.AssertValue(((DnsGatewayIpV6)ipSecKeyData.Gateway).Value.ToValue()); break; case "dns.ipseckey.gateway_dns": dataField.AssertShow(GetWiresharkDomainName(((DnsGatewayDomainName)ipSecKeyData.Gateway).Value)); break; case "dns.ipseckey.public_key": dataField.AssertValue(ipSecKeyData.PublicKey); break; default: throw new InvalidOperationException("Invalid DNS data field " + dataField.Name()); } break; case DnsType.NSec: var nSecData = (DnsResourceDataNextDomainSecure)data; switch (dataField.Name()) { case "dns.nsec.next_domain_name": dataField.AssertShow(GetWiresharkDomainName(nSecData.NextDomainName)); break; case "": DnsType actualType = nSecData.TypesExist[_nSecTypeIndex++]; DnsType expectedType; if (!TryGetDnsType(dataFieldShow, out expectedType)) throw new InvalidOperationException(string.Format("Failed parsing type from {0} : {1}", dataFieldShow, actualType)); Assert.AreEqual(expectedType, actualType); break; default: throw new InvalidOperationException("Invalid DNS data field " + dataField.Name()); } dataField.AssertNoFields(); break; case DnsType.DnsKey: var dnsKeyData = (DnsResourceDataDnsKey)data; switch (dataFieldName) { case "dns.dnskey.flags": foreach (XElement subfield in dataField.Fields()) { subfield.AssertNoFields(); switch (subfield.Name()) { case "dns.dnskey.flags.zone_key": subfield.AssertShowDecimal(dnsKeyData.ZoneKey); break; case "dns.dnskey.flags.key_revoked": subfield.AssertShowDecimal(dnsKeyData.Revoke); break; case "dns.dnskey.flags.secure_entry_point": subfield.AssertShowDecimal(dnsKeyData.SecureEntryPoint); break; case "dns.dnskey.flags.reserved": subfield.AssertShowDecimal(0); break; case "dns.dnskey.protocol": subfield.AssertShowDecimal(dnsKeyData.Protocol); break; case "dns.dnskey.algorithm": subfield.AssertShowDecimal((byte)dnsKeyData.Algorithm); break; default: throw new InvalidOperationException("Invalid DNS flags subfield name " + subfield.Name()); } } break; case "dns.dnskey.key_id": dataField.AssertNoFields(); dataField.AssertShowDecimal(dnsKeyData.KeyTag); break; case "dns.dnskey.public_key": dataField.AssertNoFields(); dataField.AssertValue(dnsKeyData.PublicKey); break; default: throw new InvalidOperationException("Invalid DNS resource data field name " + dataFieldName); } break; case DnsType.DynamicHostConfigurationId: switch (dataFieldName) { case "dns.dhcid.rdata": dataField.AssertValue(((DnsResourceDataAnything)data).Data); break; default: throw new InvalidOperationException("Invalid DNS resource data field name " + dataFieldName); } dataField.AssertNoFields(); break; case DnsType.NSec3: var nSec3Data = (DnsResourceDataNextDomainSecure3)data; switch (dataFieldName) { case "dns.nsec3.algo": dataField.AssertShowDecimal((byte)nSec3Data.HashAlgorithm); dataField.AssertNoFields(); break; case "dns.nsec3.flags": dataField.AssertShowDecimal((byte)nSec3Data.Flags); foreach (var flagField in dataField.Fields()) { string flagFieldName = flagField.Name(); switch (flagFieldName) { case "dns.nsec3.flags.opt_out": dataField.AssertShowDecimal((nSec3Data.Flags & DnsSecNSec3Flags.OptOut) == DnsSecNSec3Flags.OptOut); break; default: throw new InvalidOperationException("Invalid DNS resource data flag field name " + flagFieldName); } } break; case "dns.nsec3.iterations": dataField.AssertShowDecimal(nSec3Data.Iterations); dataField.AssertNoFields(); break; case "dns.nsec3.salt_length": dataField.AssertShowDecimal(nSec3Data.Salt.Length); dataField.AssertNoFields(); break; case "dns.nsec3.salt_value": dataField.AssertValue(nSec3Data.Salt); dataField.AssertNoFields(); break; case "dns.nsec3.hash_length": dataField.AssertShowDecimal(nSec3Data.NextHashedOwnerName.Length); dataField.AssertNoFields(); break; case "dns.nsec3.hash_value": dataField.AssertValue(nSec3Data.NextHashedOwnerName); dataField.AssertNoFields(); break; case "": DnsType expectedType = nSec3Data.TypesExist[_nSec3TypeIndex++]; Assert.IsTrue(dataField.Show().StartsWith("RR type in bit map: ")); if (dataField.Show().EndsWith(string.Format("({0})", (ushort)expectedType))) dataField.AssertShow(string.Format("RR type in bit map: Unknown ({0})", (ushort)expectedType)); else Assert.IsTrue( dataFieldShow.Replace("-", "").StartsWith("RR type in bit map: " + GetWiresharkDnsType(expectedType).Replace("-", "")), string.Format("{0} : {1}", dataFieldShow, GetWiresharkDnsType(expectedType))); dataField.AssertNoFields(); break; default: throw new InvalidOperationException("Invalid DNS resource data field name " + dataFieldName); } break; case DnsType.NSec3Parameters: var nSec3ParamData = (DnsResourceDataNextDomainSecure3Parameters)data; switch (dataFieldName) { case "dns.nsec3.algo": dataField.AssertShowDecimal((byte)nSec3ParamData.HashAlgorithm); break; case "dns.nsec3.flags": dataField.AssertShowDecimal((byte)nSec3ParamData.Flags); break; case "dns.nsec3.iterations": dataField.AssertShowDecimal(nSec3ParamData.Iterations); break; case "dns.nsec3.salt_length": dataField.AssertShowDecimal(nSec3ParamData.Salt.Length); break; case "dns.nsec3.salt_value": dataField.AssertShow(nSec3ParamData.Salt); break; default: throw new InvalidOperationException("Invalid DNS resource data field name " + dataFieldName); } dataField.AssertNoFields(); break; case DnsType.Hip: var hipData = (DnsResourceDataHostIdentityProtocol)data; switch (dataFieldName) { case "dns.hip.hit": dataField.AssertShow(hipData.HostIdentityTag); break; case "dns.hip.pk": dataField.AssertShow(hipData.PublicKey); break; case "dns.hip.hit.length": dataField.AssertShowDecimal(hipData.HostIdentityTag.Length); break; case "dns.hip.hit.pk.algo": dataField.AssertShowDecimal((byte)hipData.PublicKeyAlgorithm); break; case "dns.hip.pk.length": dataField.AssertShowDecimal(hipData.PublicKey.Length); break; case "dns.hip.rendezvous_server": dataField.AssertShow(GetWiresharkDomainName(hipData.RendezvousServers[_hipRendezvousServersIndex++])); break; default: throw new InvalidOperationException("Invalid DNS data field name " + dataFieldName); } dataField.AssertNoFields(); break; case DnsType.TKey: dataField.AssertNoFields(); var tKeyData = (DnsResourceDataTransactionKey)data; switch (dataFieldName) { case "dns.tkey.algo_name": dataField.AssertShow(GetWiresharkDomainName(tKeyData.Algorithm)); break; case "dns.tkey.signature_inception": dataField.AssertValue(tKeyData.Inception); break; case "dns.tkey.signature_expiration": dataField.AssertValue(tKeyData.Expiration); break; case "dns.tkey.mode": dataField.AssertShowDecimal((ushort)tKeyData.Mode); break; case "dns.tkey.error": dataField.AssertShowDecimal((ushort)tKeyData.Error); break; case "dns.tkey.key_size": dataField.AssertShowDecimal(tKeyData.Key.Length); break; case "dns.tkey.key_data": dataField.AssertValue(tKeyData.Key); break; case "dns.tkey.other_size": dataField.AssertShowDecimal(tKeyData.Other.Length); break; case "dns.tkey.other_data": dataField.AssertValue(tKeyData.Other); break; default: throw new InvalidOperationException("Invalid DNS data field " + dataFieldName); } break; case DnsType.TransactionSignature: var tSigData = (DnsResourceDataTransactionSignature)data; switch (dataFieldName) { case "dns.tsig.algorithm_name": dataField.AssertShow(GetWiresharkDomainName(tSigData.Algorithm)); dataField.AssertNoFields(); break; case "": switch (dataFieldShowUntilColon) { case "Time signed": dataField.AssertValue(tSigData.TimeSigned); break; default: throw new InvalidOperationException("Invalid DNS data field " + dataFieldShow); } dataField.AssertNoFields(); break; case "dns.tsig.fudge": dataField.AssertShowDecimal(tSigData.Fudge); dataField.AssertNoFields(); break; case "dns.tsig.mac_size": dataField.AssertShowDecimal(tSigData.MessageAuthenticationCode.Length); dataField.AssertNoFields(); break; case "dns.tsig.mac": dataField.AssertShow(""); Assert.AreEqual(1, dataField.Fields().Count()); var tsigSubfield = dataField.Fields().First(); tsigSubfield.AssertName("_ws.expert"); break; case "dns.tsig.original_id": dataField.AssertShowDecimal(tSigData.OriginalId); dataField.AssertNoFields(); break; case "dns.tsig.error": dataField.AssertShowDecimal((ushort)tSigData.Error); dataField.AssertNoFields(); break; case "dns.tsig.other_len": dataField.AssertShowDecimal(tSigData.Other.Length); dataField.AssertNoFields(); break; case "dns.tsig.other_data": dataField.AssertValue(tSigData.Other); dataField.AssertNoFields(); break; case "dns.tsig.time_signed": dataField.AssertValue(tSigData.TimeSigned); dataField.AssertNoFields(); break; case "_ws.expert": break; default: throw new InvalidOperationException("Invalid DNS data field name " + dataFieldName); } break; case DnsType.Null: dataField.AssertNoFields(); dataField.AssertName("dns.null"); dataField.AssertValue(((DnsResourceDataAnything)data).Data); break; case DnsType.CertificationAuthorityAuthorization: var certificationAuthorityAuthorization = (DnsResourceDataCertificationAuthorityAuthorization)data; switch (dataField.Name()) { case "dns.caa.flags": dataField.AssertShowDecimal((byte)certificationAuthorityAuthorization.Flags); foreach (XElement subfield in dataField.Fields()) { subfield.AssertNoFields(); switch (subfield.Name()) { case "dns.caa.flags.issuer_critical": subfield.AssertShowDecimal((certificationAuthorityAuthorization.Flags & DnsCertificationAuthorityAuthorizationFlags.Critical) == DnsCertificationAuthorityAuthorizationFlags.Critical); break; default: throw new InvalidOperationException("Invalid subfield " + subfield.Name()); } } break; case "dns.caa.unknown": case "dns.caa.issue": foreach (XElement subfield in dataField.Fields()) { subfield.AssertNoFields(); switch (subfield.Name()) { case "dns.caa.tag_length": subfield.AssertShowDecimal(certificationAuthorityAuthorization.Tag.Length); break; case "dns.caa.tag": subfield.AssertValue(certificationAuthorityAuthorization.Tag); break; case "dns.caa.value": subfield.AssertValue(certificationAuthorityAuthorization.Value); break; default: throw new InvalidOperationException("Invalid subfield " + subfield.Name()); } } break; default: throw new InvalidOperationException("Invalid field " + dataField.Name()); } break; case DnsType.EId: // 31. case DnsType.NimrodLocator: // 32. case DnsType.AsynchronousTransferModeAddress: // 34. case DnsType.Sink: // 40. case DnsType.NInfo: // 56. case DnsType.RKey: // 57. case DnsType.TrustAnchorLink: // 58. case DnsType.ChildDelegationSigner: // 59. case DnsType.UInfo: // 100. case DnsType.Uid: // 101. case DnsType.Gid: // 102. case DnsType.Unspecified: // 103. case DnsType.Ixfr: // 251. case DnsType.Axfr: // 252. case DnsType.MailB: // 253. case DnsType.MailA: // 254. case DnsType.Any: // 255. case DnsType.Uri: // 256. case DnsType.TrustAnchor: // 32768. default: if (dataField.Name() == "_ws.expert") { dataField.AssertShowname("Expert Info (Note/Undecoded): Dissector for DNS Type (" + (ushort)resourceRecord.DnsType + ") code not implemented, Contact Wireshark developers if you want this supported"); } else { dataField.AssertName("dns.data"); } break; } return true; } private static string GetWiresharkDomainName(DnsDomainName domainName) { if (domainName.IsRoot) return "<Root>"; return domainName.ToString().TrimEnd('.'); } private static string GetWiresharkIpV6(IpV6Address data) { return data.ToString().ToLowerInvariant().TrimStart('0').Replace(":0", ":").Replace(":0", ":").Replace(":0", ":"); } private static readonly Dictionary<string, DnsType> _wiresharkDnsTypeToDnsType = new Dictionary<string, DnsType> { {"Unused", DnsType.None}, // 0 {"MF", DnsType.MailForwarder}, // 4 {"SOA", DnsType.StartOfAuthority}, // 6 {"MB", DnsType.Mailbox}, // 7 {"MG", DnsType.MailGroup}, // 8 {"MR", DnsType.MailRename}, // 9 {"WKS", DnsType.WellKnownService}, // 11 {"MX", DnsType.MailExchange}, // 15 {"RP", DnsType.ResponsiblePerson}, // 17 {"AFSDB", DnsType.AfsDatabase}, // 18 {"RT", DnsType.RouteThrough}, // 21 {"NSAP", DnsType.NetworkServiceAccessPoint}, // 22 {"NSAP-PTR", DnsType.NetworkServiceAccessPointPointer}, // 23 {"SIG", DnsType.Signature}, // 24 {"PX", DnsType.PointerX400}, // 26 {"GPOS", DnsType.GeographicalPosition}, // 27 {"LOC", DnsType.Location}, // 29 {"NXT", DnsType.NextDomain}, // 30 {"NIMLOC", DnsType.NimrodLocator}, // 32 {"SRV", DnsType.ServerSelection}, // 33 {"ATMA", DnsType.AsynchronousTransferModeAddress}, // 34 {"KX", DnsType.KeyExchanger}, // 36 {"APL", DnsType.AddressPrefixList}, // 42 {"DS", DnsType.DelegationSigner}, // 43 {"SSHFP", DnsType.SshFingerprint}, // 44 {"RRSIG", DnsType.ResourceRecordSignature}, // 46 {"DHCID", DnsType.DynamicHostConfigurationId}, // 49 {"NSEC3PARAM", DnsType.NSec3Parameters}, // 51 {"TALINK", DnsType.TrustAnchorLink}, // 58 {"CDS", DnsType.ChildDelegationSigner}, // 59 {"SPF", DnsType.SenderPolicyFramework}, // 99 {"UNSPEC", DnsType.Unspecified}, // 103 {"TSIG", DnsType.TransactionSignature}, // 250 {"*", DnsType.Any}, // 255 {"CAA", DnsType.CertificationAuthorityAuthorization}, // 257 {"TA", DnsType.TrustAnchor}, // 32768 {"DLV", DnsType.DnsSecLookAsideValidation}, // 32769 }; private static readonly Dictionary<DnsType, string> _dnsTypeToWiresharkDnsType = _wiresharkDnsTypeToDnsType.ToDictionary(pair => pair.Value, pair => pair.Key); private static string GetWiresharkDnsType(DnsType type) { string wiresharkString; if (_dnsTypeToWiresharkDnsType.TryGetValue(type, out wiresharkString)) return wiresharkString; return type.ToString().ToUpperInvariant(); } private static bool TryGetDnsType(string dataFieldShow, out DnsType type) { if (Enum.TryParse(dataFieldShow.Split(':')[1].Split(' ')[1].Replace("-", ""), true, out type)) return true; ushort typeValue; if (dataFieldShow.Contains("(") && ushort.TryParse(dataFieldShow.Split('(', ')')[1], out typeValue)) { type = (DnsType)typeValue; return true; } string wiresharkDnsType = dataFieldShow.Split(new[] {": "}, StringSplitOptions.None)[1].Split(' ', '(')[0]; return _wiresharkDnsTypeToDnsType.TryGetValue(wiresharkDnsType, out type); } private static int GetFlagCount(XElement flagField) { return flagField.Showname().Replace(" ", "").TakeWhile(c => c == '.').Count(); } private static string GetPrecisionValueString(ulong value) { double resultValue = value / 100.0; if (resultValue < 1000000) return resultValue + " m"; int log = (int)Math.Log10(resultValue); resultValue /= Math.Pow(10, log); return resultValue + "e+00" + log; } private int _hipRendezvousServersIndex; private int _wksBitmapIndex; private int _nxtTypeIndex; private int _spfTypeIndex; private int _txtTypeIndex; private int _nSecTypeIndex; private int _nSec3TypeIndex; private int _aplItemIndex; private int _optOptionIndex; } }
{ "content_hash": "cdb7fab6abfe68d869b91faa11bade6f", "timestamp": "", "source": "github", "line_count": 1869, "max_line_length": 190, "avg_line_length": 47.987158908507226, "alnum_prop": 0.42386941396842387, "repo_name": "bricknerb/Pcap.Net", "id": "be11b7d9fbc33e1ba43d5e2d296fb6e6537c8e66", "size": "89690", "binary": false, "copies": "2", "ref": "refs/heads/master", "path": "PcapDotNet/src/PcapDotNet.Core.Test/WiresharkDatagramComparerDns.cs", "mode": "33188", "license": "bsd-3-clause", "language": [ { "name": "C", "bytes": "665" }, { "name": "C#", "bytes": "3683340" }, { "name": "C++", "bytes": "130471" } ], "symlink_target": "" }
<?php namespace Omnipay\Posnet\Message; use Mockery as m; use Omnipay\Tests\TestCase; /** * Posnet Gateway ResponseTest * * (c) Yasin Kuyu * 2015, insya.com * http://www.github.com/yasinkuyu/omnipay-posnet */ class ResponseTest extends TestCase { /** * @expectedException \Omnipay\Common\Exception\InvalidResponseException */ public function testPurchaseWithoutStatusCode() { $httpResponse = $this->getMockHttpResponse('PurchaseFailureWithoutStatusCode.txt'); new Response($this->getMockRequest(), $httpResponse->getBody()); } public function testPurchaseSuccess() { $httpResponse = $this->getMockHttpResponse('PurchaseSuccess.txt'); $response = new Response($this->getMockRequest(), $httpResponse->getBody()); $this->assertTrue($response->isSuccessful()); $this->assertEquals('130215141054377801316798', $response->getTransactionReference()); $this->assertSame('AuthCode: 672167', $response->getMessage()); $this->assertEmpty($response->getRedirectUrl()); } public function testPurchaseFailure() { $httpResponse = $this->getMockHttpResponse('PurchaseFailure.txt'); $response = new Response($this->getMockRequest(), $httpResponse->getBody()); $this->assertFalse($response->isSuccessful()); $this->assertSame('', $response->getTransactionReference()); $this->assertSame('Input variable errors', $response->getMessage()); } public function testRedirect() { $httpResponse = $this->getMockHttpResponse('PurchaseRedirect.txt'); $request = m::mock('\Omnipay\Common\Message\AbstractRequest'); $request->shouldReceive('getReturnUrl')->once()->andReturn('http://sanalmagaza.org/'); $response = new Response($request, $httpResponse->getBody()); $this->assertTrue($response->isRedirect()); $this->assertSame('POST', $response->getRedirectMethod()); $this->assertSame('http://sanalmagaza.org/', $response->getRedirectUrl()); $expectedData = array( 'ReturnUrl' => 'http://sanalmagaza.org/', 'ReferanceId' => '130215141054377801316798' ); $this->assertEquals($expectedData, $response->getRedirectData()); } }
{ "content_hash": "ed9a1b4c2073052b38fba9c65ee8ea3c", "timestamp": "", "source": "github", "line_count": 64, "max_line_length": 94, "avg_line_length": 35.671875, "alnum_prop": 0.6596583442838371, "repo_name": "yasinkuyu/omnipay-posnet", "id": "8a4b3fbfafe0fbb5212674774cc3d9575c452499", "size": "2283", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "tests/Message/ResponseTest.php", "mode": "33188", "license": "mit", "language": [ { "name": "PHP", "bytes": "18011" } ], "symlink_target": "" }
package de.rwth.idsg.bikeman.service; import de.rwth.idsg.bikeman.domain.PersistentToken; import de.rwth.idsg.bikeman.domain.User; import de.rwth.idsg.bikeman.repository.PersistentTokenRepository; import de.rwth.idsg.bikeman.repository.UserRepository; import de.rwth.idsg.bikeman.security.SecurityUtils; import lombok.extern.slf4j.Slf4j; import org.joda.time.LocalDate; import org.springframework.scheduling.annotation.Scheduled; import org.springframework.security.crypto.password.PasswordEncoder; import org.springframework.stereotype.Service; import org.springframework.transaction.annotation.Transactional; import javax.inject.Inject; import java.util.List; /** * Service class for managing users. */ @Service @Transactional @Slf4j public class UserService { @Inject private PasswordEncoder passwordEncoder; @Inject private UserRepository userRepository; @Inject private PersistentTokenRepository persistentTokenRepository; public void updateUserInformation(String login) { User currentUser = userRepository.findByLoginIgnoreCase(SecurityUtils.getCurrentLogin()); currentUser.setLogin(login); userRepository.save(currentUser); log.debug("Changed Information for User: {}", currentUser); } public void changePassword(String password) { User currentUser = userRepository.findByLoginIgnoreCase(SecurityUtils.getCurrentLogin()); String encryptedPassword = passwordEncoder.encode(password); currentUser.setPassword(encryptedPassword); userRepository.save(currentUser); log.debug("Changed password for User: {}", currentUser); } @Transactional(readOnly = true) public User getUserWithAuthorities() { User currentUser = userRepository.findByLoginIgnoreCase(SecurityUtils.getCurrentLogin()); currentUser.getAuthorities().size(); // eagerly load the association return currentUser; } /** * Persistent Token are used for providing automatic authentication, they should be automatically deleted after * 30 days. * <p/> * <p> * This is scheduled to get fired everyday, at midnight. * </p> */ @Scheduled(cron = "0 0 0 * * ?") public void removeOldPersistentTokens() { LocalDate now = new LocalDate(); List<PersistentToken> tokens = persistentTokenRepository.findByTokenDateBefore(now.minusMonths(1)); for (PersistentToken token : tokens) { log.debug("Deleting token {}", token.getSeries()); User user = token.getUser(); user.getPersistentTokens().remove(token); persistentTokenRepository.delete(token); } } }
{ "content_hash": "a2ddbaf2e46048769bb07a2973d789bf", "timestamp": "", "source": "github", "line_count": 76, "max_line_length": 115, "avg_line_length": 35.4078947368421, "alnum_prop": 0.7238944630248978, "repo_name": "RWTH-i5-IDSG/BikeMan", "id": "8f1d28a1c3f45310ad5746e4b42bd98b32973d8b", "size": "2691", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "src/main/java/de/rwth/idsg/bikeman/service/UserService.java", "mode": "33188", "license": "apache-2.0", "language": [ { "name": "CSS", "bytes": "30895" }, { "name": "HTML", "bytes": "202480" }, { "name": "Java", "bytes": "864345" }, { "name": "JavaScript", "bytes": "151256" }, { "name": "XSLT", "bytes": "10185" } ], "symlink_target": "" }
/* -*- mode: C++; c-basic-offset: 2; indent-tabs-mode: nil -*- */ /* * Main authors: * Guido Tack <[email protected]> * * Copyright: * Guido Tack, 2014 * * Last modified: * $Date$ by $Author$ * $Revision$ * * This file is part of Gecode, the generic constraint * development environment: * http://www.gecode.org * * Permission is hereby granted, free of charge, to any person obtaining * a copy of this software and associated documentation files (the * "Software"), to deal in the Software without restriction, including * without limitation the rights to use, copy, modify, merge, publish, * distribute, sublicense, and/or sell copies of the Software, and to * permit persons to whom the Software is furnished to do so, subject to * the following conditions: * * The above copyright notice and this permission notice shall be * included in all copies or substantial portions of the Software. * * THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, * EXPRESS OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF * MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND * NONINFRINGEMENT. IN NO EVENT SHALL THE AUTHORS OR COPYRIGHT HOLDERS BE * LIABLE FOR ANY CLAIM, DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTION * OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION * WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE SOFTWARE. * */ #include "test/flatzinc.hh" namespace Test { namespace FlatZinc { namespace { /// Helper class to create and register tests class Create { public: /// Perform creation and registration Create(void) { (void) new FlatZincTest("golomb", "predicate all_different_int(array [int] of var int: x);\n\ predicate all_equal_int(array [int] of var int: x);\n\ predicate among(var int: n, array [int] of var int: x, set of int: v);\n\ predicate array_bool_lq(array [int] of var bool: x, array [int] of var bool: y);\n\ predicate array_bool_lt(array [int] of var bool: x, array [int] of var bool: y);\n\ predicate array_int_lq(array [int] of var int: x, array [int] of var int: y);\n\ predicate array_int_lt(array [int] of var int: x, array [int] of var int: y);\n\ predicate array_set_partition(array [int] of var set of int: S, set of int: universe);\n\ predicate at_least_int(int: n, array [int] of var int: x, int: v);\n\ predicate at_most_int(int: n, array [int] of var int: x, int: v);\n\ predicate bool_lin_ge(array [int] of int: a, array [int] of var bool: x, var int: c);\n\ predicate bool_lin_gt(array [int] of int: a, array [int] of var bool: x, var int: c);\n\ predicate bool_lin_lt(array [int] of int: a, array [int] of var bool: x, var int: c);\n\ predicate bool_lin_ne(array [int] of int: a, array [int] of var bool: x, var int: c);\n\ predicate count(array [int] of var int: x, var int: y, var int: c);\n\ predicate count_reif(array [int] of var int: x, var int: y, var int: c, var bool: b);\n\ predicate cumulatives(array [int] of var int: s, array [int] of var int: d, array [int] of var int: r, var int: b);\n\ predicate decreasing_bool(array [int] of var bool: x);\n\ predicate decreasing_int(array [int] of var int: x);\n\ predicate disjoint(var set of int: s1, var set of int: s2);\n\ predicate gecode_array_set_element_union(var set of int: x, array [int] of var set of int: y, var set of int: z);\n\ predicate gecode_bin_packing_load(array [int] of var int: l, array [int] of var int: bin, array [int] of int: w, int: minIndex);\n\ predicate gecode_circuit(int: offset, array [int] of var int: x);\n\ predicate gecode_int_set_channel(array [int] of var int: x, int: xoff, array [int] of var set of int: y, int: yoff);\n\ predicate gecode_inverse_set(array [int] of var set of int: f, array [int] of var set of int: invf, int: xoff, int: yoff);\n\ predicate gecode_link_set_to_booleans(var set of int: s, array [int] of var bool: b, int: idx);\n\ predicate gecode_member_bool_reif(array [int] of var bool: x, var bool: y, var bool: b);\n\ predicate gecode_member_int_reif(array [int] of var int: x, var int: y, var bool: b);\n\ predicate gecode_nooverlap(array [int] of var int: x, array [int] of var int: w, array [int] of var int: y, array [int] of var int: h);\n\ predicate gecode_precede(array [int] of var int: x, int: s, int: t);\n\ predicate gecode_precede_set(array [int] of var set of int: x, int: s, int: t);\n\ predicate gecode_range(array [int] of var int: x, int: xoff, var set of int: s, var set of int: t);\n\ predicate gecode_set_weights(array [int] of int: csi, array [int] of int: cs, var set of int: x, var int: y);\n\ predicate global_cardinality(array [int] of var int: x, array [int] of int: cover, array [int] of var int: counts);\n\ predicate global_cardinality_closed(array [int] of var int: x, array [int] of int: cover, array [int] of var int: counts);\n\ predicate global_cardinality_low_up(array [int] of var int: x, array [int] of int: cover, array [int] of int: lbound, array [int] of int: ubound);\n\ predicate global_cardinality_low_up_closed(array [int] of var int: x, array [int] of int: cover, array [int] of int: lbound, array [int] of int: ubound);\n\ predicate increasing_bool(array [int] of var bool: x);\n\ predicate increasing_int(array [int] of var int: x);\n\ predicate inverse_offsets(array [int] of var int: f, int: foff, array [int] of var int: invf, int: invfoff);\n\ predicate maximum_int(var int: m, array [int] of var int: x);\n\ predicate member_bool(array [int] of var bool: x, var bool: y);\n\ predicate member_int(array [int] of var int: x, var int: y);\n\ predicate minimum_int(var int: m, array [int] of var int: x);\n\ predicate nvalue(var int: n, array [int] of var int: x);\n\ predicate regular(array [int] of var int: x, int: Q, int: S, array [int, int] of int: d, int: q0, set of int: F);\n\ predicate sort(array [int] of var int: x, array [int] of var int: y);\n\ predicate table_bool(array [int] of var bool: x, array [int, int] of bool: t);\n\ predicate table_int(array [int] of var int: x, array [int, int] of int: t);\n\ var 0..15: INT____00001 :: is_defined_var :: var_is_introduced;\n\ var 0..16: INT____00002 :: is_defined_var :: var_is_introduced;\n\ var 0..16: INT____00003 :: is_defined_var :: var_is_introduced;\n\ var 0..16: INT____00004 :: is_defined_var :: var_is_introduced;\n\ var 0..16: INT____00005 :: is_defined_var :: var_is_introduced;\n\ var 1..16: INT____00006 :: is_defined_var :: var_is_introduced;\n\ array [1..6] of var 0..16: differences = [INT____00001, INT____00002, INT____00003, INT____00004, INT____00005, INT____00006];\n\ array [1..4] of var 0..16: mark :: output_array([1..4]);\n\ constraint all_different_int(differences);\n\ constraint int_eq(mark[1], 0);\n\ constraint int_lin_eq([-1, -1, 1], [INT____00001, mark[1], mark[2]], 0) :: defines_var(INT____00001);\n\ constraint int_lin_eq([-1, -1, 1], [INT____00002, mark[1], mark[3]], 0) :: defines_var(INT____00002);\n\ constraint int_lin_eq([-1, -1, 1], [INT____00003, mark[1], mark[4]], 0) :: defines_var(INT____00003);\n\ constraint int_lin_eq([-1, -1, 1], [INT____00004, mark[2], mark[3]], 0) :: defines_var(INT____00004);\n\ constraint int_lin_eq([-1, -1, 1], [INT____00005, mark[2], mark[4]], 0) :: defines_var(INT____00005);\n\ constraint int_lin_eq([-1, -1, 1], [INT____00006, mark[3], mark[4]], 0) :: defines_var(INT____00006);\n\ constraint int_lt(INT____00001, INT____00006);\n\ constraint int_lt(mark[1], mark[2]);\n\ constraint int_lt(mark[2], mark[3]);\n\ constraint int_lt(mark[3], mark[4]);\n\ solve :: int_search(mark, input_order, indomain, complete) minimize mark[4];\n\ ", "mark = array1d(1..4, [0, 1, 4, 6]);\n\ ----------\n\ ==========\n\ "); } }; Create c; } }} // STATISTICS: test-flatzinc
{ "content_hash": "8c28da299fd0bb805b5281087acca39c", "timestamp": "", "source": "github", "line_count": 132, "max_line_length": 156, "avg_line_length": 58.946969696969695, "alnum_prop": 0.6634108726384783, "repo_name": "cp-profiler/gecode-profiling", "id": "46c77da00ae608e7c74129440e2fa451c08f5d1c", "size": "7781", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "test/flatzinc/golomb.cpp", "mode": "33188", "license": "mit", "language": [ { "name": "C++", "bytes": "11825313" }, { "name": "CMake", "bytes": "30683" }, { "name": "CSS", "bytes": "9197" }, { "name": "HTML", "bytes": "2366" }, { "name": "M4", "bytes": "61862" }, { "name": "Makefile", "bytes": "69561" }, { "name": "Perl", "bytes": "76328" }, { "name": "QMake", "bytes": "2328" }, { "name": "Shell", "bytes": "14137" } ], "symlink_target": "" }
classdef prtClassRvmSequential < prtClassRvm % prtClassRvmSequential Relevance vector machine classifier using sequential training % % CLASSIFIER = prtClassRvmSequential returns a relevance vector % machine classifier based using sequential training. % % CLASSIFIER = prtClassRvmSequential(PROPERTY1, VALUE1, ...) % constructs a prtClassRvmSequential object CLASSIFIER with properties as % specified by PROPERTY/VALUE pairs. % % A prtClassRvmSequential object inherits all properties from the abstract class % prtClass. In addition is has the following properties: % % kernels - A cell array of prtKernel objects specifying % the kernels to use % verbosePlot - Flag indicating whether or not to plot during % training % verboseText - Flag indicating whether or not to output % verbose updates during training % learningMaxIterations - The maximum number of iterations % % A prtClassRvmSequential also has the following read-only properties: % % learningConverged - Flag indicating if the training converged % beta - The regression weights, estimated during training % sparseBeta - The sparse regression weights, estimated during % training % sparseKernels - The sparse regression kernels, estimated during % training % % For more information on the algorithm and the above properties, see % the following reference: % % Tipping, M. E. and A. C. Faul (2003). Fast marginal likelihood % maximisation for sparse Bayesian models. In C. M. Bishop and B. J. % Frey (Eds.), Proceedings of the Ninth International Workshop on % Artificial Intelligence and Statistics, Key West, FL, Jan 3-6. % % prtClassRvmSequential is most useful for datasets with a large % number of observations for which the gram matrix can not be held in % memory. The sequential RVM training algorithm is capable of % operating by generating necessary portions of the gram matrix when % needed. The size of the generated portion of the gram matrix is % determined by the property, largestNumberOfGramColumns. Sequential % RVM training will attempt to generate portions of the gram matrix % that are TraingData.nObservations x largesNumberofGramColums in % size. If the entire gram matrix is this size or smaller it need % only be generated once. Therefore if the entire gram matrix can be % stored in memory, training is much faster. For quickest operation, % largestNumberOfGramColumns should be set as large as possible % without exceeding RAM limitations. % % Example: % % TestDataSet = prtDataGenUnimodal; % Create some test and % TrainingDataSet = prtDataGenUnimodal; % training data classifier % classifier = prtClassRvmSequential('verbosePlot',true); % Create a classifier % classifier = classifier.train(TrainingDataSet); % Train % classified = run(classifier, TestDataSet); % Test % % Plot % subplot(2,1,1); classifier.plot; % subplot(2,1,2); [pf,pd] = prtScoreRoc(classified,TestDataSet); % h = plot(pf,pd,'linewidth',3); % title('ROC'); xlabel('Pf'); ylabel('Pd'); % % See also prtClass, prtClassRvm, prtClassRvnFiguerido, % prtRegressRvmSequential % Copyright (c) 2014 CoVar Applied Technologies % % Permission is hereby granted, free of charge, to any person obtaining a % copy of this software and associated documentation files (the % "Software"), to deal in the Software without restriction, including % without limitation the rights to use, copy, modify, merge, publish, % distribute, sublicense, and/or sell copies of the Software, and to permit % persons to whom the Software is furnished to do so, subject to the % following conditions: % % The above copyright notice and this permission notice shall be included % in all copies or substantial portions of the Software. % % THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS % OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF % MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN % NO EVENT SHALL THE AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, % DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR % OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE % USE OR OTHER DEALINGS IN THE SOFTWARE. properties learningPoorlyScaledLikelihoodThreshold = 1e4; learningLikelihoodIncreaseThreshold = 1e-6; largestNumberOfGramColumns = 5000; learningCorrelationRemovalThreshold = 0.99; learningFactorRemove = true; % Remove kernels during train? learningRepeatedActionLimit = 25; end properties(Hidden = true) learningResults end properties (Hidden = true) Sigma = []; end methods function Obj = prtClassRvmSequential(varargin) Obj = prtUtilAssignStringValuePairs(Obj,varargin{:}); end function Obj = set.learningPoorlyScaledLikelihoodThreshold(Obj,val) assert(prtUtilIsPositiveScalar(val),'prt:prtClassRvmSequential:learningPoorlyScaledLikelihoodThreshold','learningPoorlyScaledLikelihoodThreshold must be a positive scalar'); Obj.learningPoorlyScaledLikelihoodThreshold = val; end function Obj = set.learningLikelihoodIncreaseThreshold(Obj,val) assert(prtUtilIsPositiveScalar(val),'prt:prtClassRvmSequential:learningLikelihoodIncreaseThreshold','learningLikelihoodIncreaseThreshold must be a positive scalar'); Obj.learningLikelihoodIncreaseThreshold = val; end function Obj = set.largestNumberOfGramColumns(Obj,val) assert(prtUtilIsPositiveScalarInteger(val),'prt:prtClassRvmSequential:largestNumberOfGramColumns','largestNumberOfGramColumns must be a positive integer scalar'); Obj.largestNumberOfGramColumns = val; end function Obj = set.learningCorrelationRemovalThreshold(Obj,val) assert(prtUtilIsPositiveScalar(val),'prt:prtClassRvmSequential:learningCorrelationRemovalThreshold','learningCorrelationRemovalThreshold must be a positive scalar'); Obj.learningCorrelationRemovalThreshold = val; end function Obj = set.learningFactorRemove(Obj,val) assert(prtUtilIsLogicalScalar(val),'prt:prtClassRvmSequential:learningFactorRemove','learningFactorRemove must be a logical scalar'); Obj.learningFactorRemove = val; end function Obj = set.learningRepeatedActionLimit(Obj,val) assert(prtUtilIsPositiveScalarInteger(val),'prt:prtClassRvmSequential:learningRepeatedActionLimit','learningRepeatedActionLimit must be a positive integer scalar'); Obj.learningRepeatedActionLimit = val; end end methods (Access=protected, Hidden = true) function Obj = trainAction(Obj,DataSet) %Rvm = trainAction(Rvm,DataSet) (Private; see prtClass\train) warningState = warning; %warning off MATLAB:nearlySingularMatrix y = Obj.getMinusOneOneTargets(DataSet); localKernels = Obj.kernels.train(DataSet); nBasis = localKernels.nDimensions; if false && nBasis <= Obj.largestNumberOfGramColumns Obj = trainActionSequentialInMemory(Obj, DataSet, y); return end if Obj.verboseText fprintf('Sequential RVM training with %d possible vectors.\n', nBasis); end % The sometimes we want y [-1 1] but mostly not ym11 = y; y(y ==-1) = 0; Obj.beta = zeros(nBasis,1); relevantIndices = false(nBasis,1); % Nobody! alpha = inf(nBasis,1); % Nobody! forbidden = zeros(nBasis,1); % Will hold who is forbidding you from joining % Find first kernel kernelCorrs = zeros(nBasis,1); nBlocks = ceil(nBasis./ Obj.largestNumberOfGramColumns); for iBlock = 1:nBlocks cInds = ((iBlock-1)*Obj.largestNumberOfGramColumns+1):min([iBlock*Obj.largestNumberOfGramColumns nBasis]); trainedKernelDownSelected = localKernels.retainKernelDimensions(cInds); blockPhi = trainedKernelDownSelected.run_OutputDoubleArray(DataSet); blockPhiNormalized = bsxfun(@rdivide,blockPhi,sqrt(sum(blockPhi.*blockPhi))); % We have to normalize here kernelCorrs(cInds) = abs(blockPhiNormalized'*ym11); end [maxVal, maxInd] = max(kernelCorrs); %#ok<ASGLU> % Make this ind relevant relevantIndices(maxInd) = true; selectedInds = maxInd; % Add things to forbidden list initLogical = false(nBasis,1); initLogical(maxInd) = true; firstKernel = localKernels.retainKernelDimensions(initLogical); firstPhiNormalized = firstKernel.run_OutputDoubleArray(DataSet); firstPhiNormalized = firstPhiNormalized - mean(firstPhiNormalized); firstPhiNormalized = firstPhiNormalized./sqrt(sum(firstPhiNormalized.^2)); phiCorrs = zeros(nBasis,1); for iBlock = 1:nBlocks cInds = ((iBlock-1)*Obj.largestNumberOfGramColumns+1):min([iBlock*Obj.largestNumberOfGramColumns nBasis]); trainedKernelDownSelected = localKernels.retainKernelDimensions(cInds); if nBlocks > 1 % If there is only one block we can keep the one from before blockPhi = trainedKernelDownSelected.run_OutputDoubleArray(DataSet); end blockPhiDemeanedNormalized = bsxfun(@minus,blockPhi,mean(blockPhi)); blockPhiDemeanedNormalized = bsxfun(@rdivide,blockPhiDemeanedNormalized,sqrt(sum(blockPhiDemeanedNormalized.*blockPhiDemeanedNormalized))); % We have to normalize here phiCorrs(cInds) = blockPhiDemeanedNormalized'*firstPhiNormalized; end forbidden(phiCorrs > Obj.learningCorrelationRemovalThreshold) = maxInd; % Start the actual Process if Obj.verboseText fprintf('\t Iteration 0: Intialized with vector %d.\n', maxInd); nVectorsStringLength = ceil(log10(length(nBasis)))+1; end if nBlocks == 1 % If we have only 1 block we only need to do this once. trainedKernelDownSelected = localKernels.retainKernelDimensions(true(nBasis,1)); PhiM = trainedKernelDownSelected.run_OutputDoubleArray(DataSet); end % Get the first relevant kernel matrix trainedKernelDownSelected = localKernels.retainKernelDimensions(relevantIndices); cPhi = trainedKernelDownSelected.run_OutputDoubleArray(DataSet); repeatedActionCounter = 0; for iteration = 1:Obj.learningMaxIterations % Store old log Alpha logAlphaOld = log(alpha); if iteration == 1 % Initial estimates % Estimate Sigma, mu etc. logOut = (ym11*0.9+1)/2; mu = cPhi \ log(logOut./(1-logOut)); alpha(relevantIndices) = 1./mu.^2; % Laplacian approx. IRLS A = diag(alpha(relevantIndices)); [mu, SigmaInvChol, obsNoiseVar] = prtUtilPenalizedIrls(y,cPhi,mu,A); SigmaChol = inv(SigmaInvChol); Obj.Sigma = SigmaChol*SigmaChol'; %#ok<MINV> yHat = 1 ./ (1+exp(-cPhi*mu)); end % Eval additions and subtractions Sm = zeros(nBasis,1); Qm = zeros(nBasis,1); cError = y-yHat; cPhiProduct = bsxfun(@times,cPhi,obsNoiseVar); for iBlock = 1:nBlocks cInds = ((iBlock-1)*Obj.largestNumberOfGramColumns+1):min([iBlock*Obj.largestNumberOfGramColumns nBasis]); if nBlocks > 1 % If there is only one block we can keep the on from before trainedKernelDownSelected = localKernels.retainKernelDimensions(cInds); PhiM = trainedKernelDownSelected.run_OutputDoubleArray(DataSet); end Sm(cInds) = (obsNoiseVar'*(PhiM.^2)).' - sum((PhiM.'*cPhiProduct*SigmaChol).^2,2); Qm(cInds) = PhiM.'*cError; end % Find little sm and qm (these are different for relevant vectors) sm = Sm; qm = Qm; cDenom = (alpha(relevantIndices)-Sm(relevantIndices)); sm(relevantIndices) = alpha(relevantIndices) .* Sm(relevantIndices) ./ cDenom; qm(relevantIndices) = alpha(relevantIndices) .* Qm(relevantIndices) ./ cDenom; theta = qm.^2 - sm; cantBeRelevent = theta < 0; % Addition addLogLikelihoodChanges = 0.5*( theta./Sm + log(Sm ./ Qm.^2) ); % Eq (27) addLogLikelihoodChanges(cantBeRelevent) = 0; % Can't add things that are disallowed by theta addLogLikelihoodChanges(relevantIndices) = 0; % Can't add things already in addLogLikelihoodChanges(forbidden > 0) = 0; % Can't add things that are forbidden % Removal removeLogLikelihoodChanges = -0.5*( qm.^2./(sm + alpha) - log(1 + sm./alpha) ); % Eq (37) (I think this is wrong in the paper. The one in the paper uses Si and Qi, I got this based on si and qi (or S and Q in their code), from corrected from analyzing code from http://www.vectoranomaly.com/downloads/downloads.htm) removeLogLikelihoodChanges(~relevantIndices) = 0; % Can't remove things not in removeLogLikelihoodChanges(imag(removeLogLikelihoodChanges) > 0) = inf; % Modify updatedAlpha = sm.^2 ./ theta; updatedAlphaDiff = 1./updatedAlpha - 1./alpha; modifyLogLikelihoodChanges = 0.5*( updatedAlphaDiff.*(Qm.^2) ./ (updatedAlphaDiff.*Sm + 1) - log(1 + Sm.*updatedAlphaDiff) ); modifyLogLikelihoodChanges(~relevantIndices) = 0; % Can't modify things not in modifyLogLikelihoodChanges(cantBeRelevent) = 0; % Can't modify things that technically shouldn't be in (they would get dropped) [addChange, bestAddInd] = max(addLogLikelihoodChanges); [remChange, bestRemInd] = max(removeLogLikelihoodChanges); [modChange, bestModInd] = max(modifyLogLikelihoodChanges); if iteration == 1 % On the first iteration we don't allow removal [maxChangeVal, actionInd] = max([addChange, nan, modChange]); else if remChange > 0 && Obj.learningFactorRemove % Removing is top priority. % If removing increases the likelihood, we have two % options, actually remove that sample or modify that % sample if that is better [maxChangeVal, actionInd] = max([nan remChange, modifyLogLikelihoodChanges(bestRemInd)]); else % Not going to remove, so we would be allowed to modify [maxChangeVal, actionInd] = max([addChange, remChange, modChange]); end end if maxChangeVal > Obj.learningPoorlyScaledLikelihoodThreshold warning('prtClassRvm:BadKernelMatrix','Kernel matrix is poorly conditioned. Consider modifying your kernels. Optimization Exiting...' ); break end if maxChangeVal < Obj.learningLikelihoodIncreaseThreshold % There are no good options right now. Therefore we % should exit with the previous iteration stats. Obj.learningConverged = true; Obj.learningResults.exitReason = 'No Good Actions'; Obj.learningResults.exitValue = maxChangeVal; if Obj.verboseText fprintf('Convergence criterion met, no necessary actions remaining, maximal change in log-likelihood %g\n\n',maxChangeVal); end break; end switch actionInd case 1 cBestInd = bestAddInd; case 2 cBestInd = bestRemInd; case 3 cBestInd = bestModInd; end if iteration > 1 && lastAction == actionInd && cBestInd == lastInd repeatedActionCounter = repeatedActionCounter + 1; else repeatedActionCounter = 0; end if repeatedActionCounter >= Obj.learningRepeatedActionLimit if Obj.verboseText fprintf('Exiting... repeating action limit has been reached.\n\n'); end return end if Obj.verboseText actionStrings = {sprintf('Addition: Vector %s has been added. ', sprintf(sprintf('%%%dd',nVectorsStringLength),bestAddInd)); sprintf('Removal: Vector %s has been removed.', sprintf(sprintf('%%%dd',nVectorsStringLength), bestRemInd)); sprintf('Update: Vector %s has been updated.', sprintf(sprintf('%%%dd',nVectorsStringLength), bestModInd));}; fprintf('\t Iteration %d: %s Change in log-likelihood %g.\n',iteration, actionStrings{actionInd}, maxChangeVal); end lastAction = actionInd; switch actionInd case 1 % Add relevantIndices(bestAddInd) = true; selectedInds = cat(1,selectedInds,bestAddInd); alpha(bestAddInd) = updatedAlpha(bestAddInd); % Modify Mu % (Penalized IRLS will fix it soon but we need good initialization) trainedKernelDownSelected = localKernels.retainKernelDimensions(bestAddInd); newPhi = trainedKernelDownSelected.run_OutputDoubleArray(DataSet); cFactor = (Obj.Sigma*(cPhi)'*(newPhi.*obsNoiseVar)); Sigmaii = 1./(updatedAlpha(bestAddInd) + Sm(bestAddInd)); newMu = Sigmaii*Qm(bestAddInd); updatedOldMu = mu - newMu*cFactor; sortedSelected = sort(selectedInds); newMuLocation = find(sortedSelected==bestAddInd); mu = zeros(length(mu)+1,1); mu(setdiff(1:length(mu),newMuLocation)) = updatedOldMu; mu(newMuLocation) = newMu; % Add things to forbidden list newPhiDemeanedNormalized = newPhi - mean(newPhi); newPhiDemeanedNormalized = newPhiDemeanedNormalized./sqrt(sum(newPhiDemeanedNormalized.^2)); phiCorrs = zeros(nBasis,1); for iBlock = 1:nBlocks cInds = ((iBlock-1)*Obj.largestNumberOfGramColumns+1):min([iBlock*Obj.largestNumberOfGramColumns nBasis]); if nBlocks > 1 trainedKernelDownSelected = localKernels.retainKernelDimensions(cInds); blockPhiDemeanedNormalized = trainedKernelDownSelected.run_OutputDoubleArray(DataSet); blockPhiDemeanedNormalized = bsxfun(@minus,blockPhiDemeanedNormalized,mean(blockPhiDemeanedNormalized)); blockPhiDemeanedNormalized = bsxfun(@rdivide,blockPhiDemeanedNormalized,sqrt(sum(blockPhiDemeanedNormalized.*blockPhiDemeanedNormalized))); % We have to normalize here %else we have this from before end phiCorrs(cInds) = blockPhiDemeanedNormalized'*newPhiDemeanedNormalized; end forbidden(phiCorrs > Obj.learningCorrelationRemovalThreshold) = bestAddInd; lastInd = bestAddInd; case 2 % Remove removingInd = sort(selectedInds)==bestRemInd; mu = mu + mu(removingInd) .* Obj.Sigma(:,removingInd) ./ Obj.Sigma(removingInd,removingInd); mu(removingInd) = []; relevantIndices(bestRemInd) = false; selectedInds(selectedInds==bestRemInd) = []; alpha(bestRemInd) = inf; % Anything this guy said is forbidden is now % allowed. forbidden(forbidden == bestRemInd) = 0; lastInd = bestRemInd; case 3 % Modify modifyInd = sort(selectedInds)==bestModInd; alphaChangeInv = 1/(updatedAlpha(bestModInd) - alpha(bestModInd)); kappa = 1/(Obj.Sigma(modifyInd,modifyInd) + alphaChangeInv); mu = mu - mu(modifyInd)*kappa*Obj.Sigma(:,modifyInd); alpha(bestModInd) = updatedAlpha(bestModInd); lastInd = bestModInd; end % At this point relevantIndices and alpha have changes. % Now we re-estimate Sigma, mu, and sigma2 if nBlocks > 1 trainedKernelDownSelected = localKernels.retainKernelDimensions(relevantIndices); cPhi = trainedKernelDownSelected.run_OutputDoubleArray(DataSet); else cPhi = PhiM(:,relevantIndices); end % Laplacian approx. IRLS A = diag(alpha(relevantIndices)); if isempty(cPhi) yHat = 0.5*ones(size(y)); else [mu, SigmaInvChol, obsNoiseVar] = prtUtilPenalizedIrls(y,cPhi,mu,A); SigmaChol = inv(SigmaInvChol); Obj.Sigma = SigmaChol*SigmaChol'; %#ok<MINV> yHat = 1 ./ (1+exp(-cPhi*mu)); % We use a logistic here. end % Store beta Obj.beta = zeros(nBasis,1); Obj.beta(relevantIndices) = mu; if ~mod(iteration,Obj.verbosePlot) if DataSet.nFeatures == 2 Obj.verboseIterationPlot(DataSet,relevantIndices); elseif iteration == 1 warning('prt:prtClassRvmSequential','Learning iteration plot can only be produced for training Datasets with 2 features'); end end % Check tolerance changeVal = abs(log(alpha)-logAlphaOld); changeVal(isnan(changeVal)) = 0; % inf-inf = nan if all(changeVal < Obj.learningConvergedTolerance) && iteration > 1 Obj.learningConverged = true; Obj.learningResults.exitReason = 'Alpha Not Changing'; Obj.learningResults.exitValue = TOL; if Obj.verboseText fprintf('Exiting...Precisions no longer changing appreciably.\n\n'); end break; end end if Obj.verboseText && iteration == Obj.learningMaxIterations fprintf('Exiting...Convergence not reached before the maximum allowed iterations was reached.\n\n'); end % Make sparse represenation Obj.sparseBeta = Obj.beta(relevantIndices,1); Obj.sparseKernels = localKernels.retainKernelDimensions(relevantIndices); % Very bad training if isempty(Obj.sparseBeta) warning('prt:prtClassRvm:NoRelevantFeatures','No relevant features were found during training.'); end % Reset warning warning(warningState); end end end
{ "content_hash": "96955da6c504624c36f278c983ec002d", "timestamp": "", "source": "github", "line_count": 517, "max_line_length": 331, "avg_line_length": 51.45454545454545, "alnum_prop": 0.5568378317419743, "repo_name": "jpalves/PRT", "id": "f4d54313565c7638d6cc71c08979e52882541e43", "size": "26602", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "class/prtClassRvmSequential.m", "mode": "33188", "license": "mit", "language": [ { "name": "ApacheConf", "bytes": "33" }, { "name": "C", "bytes": "55188" }, { "name": "C++", "bytes": "66966" }, { "name": "CSS", "bytes": "7676" }, { "name": "HTML", "bytes": "23733" }, { "name": "JavaScript", "bytes": "503" }, { "name": "Makefile", "bytes": "1462" }, { "name": "Matlab", "bytes": "4725394" }, { "name": "Objective-C", "bytes": "3171" }, { "name": "Shell", "bytes": "2184" } ], "symlink_target": "" }
package org.asciidoctor.diagram.plantuml; import org.asciidoctor.diagram.HTTPHeader; import org.asciidoctor.diagram.MimeType; import org.asciidoctor.diagram.Response; import org.asciidoctor.diagram.ResponseData; import javax.xml.namespace.QName; import javax.xml.stream.XMLEventReader; import javax.xml.stream.XMLInputFactory; import javax.xml.stream.XMLStreamException; import javax.xml.stream.events.XMLEvent; import java.io.ByteArrayInputStream; import static org.junit.Assert.assertEquals; import static org.junit.Assert.fail; public class Assert { public static void assertIsPNG(ResponseData response) { assertEquals(MimeType.PNG, response.format); byte[] data = response.data; assertEquals(0x89, data[0] & 0xFF); assertEquals(0x50, data[1] & 0xFF); assertEquals(0x4E, data[2] & 0xFF); assertEquals(0x47, data[3] & 0xFF); } public static void assertIsSVG(ResponseData response) { assertEquals(MimeType.SVG, response.format); try { XMLEventReader reader = XMLInputFactory.newFactory().createXMLEventReader(new ByteArrayInputStream(response.data)); XMLEvent event = reader.nextTag(); assertEquals("svg", event.asStartElement().getName().getLocalPart()); reader.close(); } catch (XMLStreamException e) { fail(e.getMessage()); } } }
{ "content_hash": "0304590333fbeeaabf2c9bb55ff33517", "timestamp": "", "source": "github", "line_count": 42, "max_line_length": 127, "avg_line_length": 33.26190476190476, "alnum_prop": 0.7072297780959198, "repo_name": "pepijnve/asciidoctor-diagram-java", "id": "1bac67c48bc2f0f45fa24108c471ba179853bffd", "size": "1397", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "plantuml/src/test/java/org/asciidoctor/diagram/plantuml/Assert.java", "mode": "33188", "license": "mit", "language": [ { "name": "Java", "bytes": "48637" } ], "symlink_target": "" }
/*global describe, beforeEach, it*/ 'use strict'; var assert = require('assert'); describe('ffwd generator', function () { it('can be imported without blowing up', function () { var app = require('../app'); assert(app !== undefined); var feature = require('../feature'); assert(feature !== undefined); }); });
{ "content_hash": "38b3fc128794470bfa80454cb6da08ba", "timestamp": "", "source": "github", "line_count": 13, "max_line_length": 56, "avg_line_length": 25.846153846153847, "alnum_prop": 0.6101190476190477, "repo_name": "ffwdjs/generator-ffwd", "id": "dc463cdc9ca14d678e01987e0812ab2a2603763e", "size": "336", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "test/test-load.js", "mode": "33188", "license": "apache-2.0", "language": [ { "name": "CSS", "bytes": "43149" }, { "name": "JavaScript", "bytes": "50858" } ], "symlink_target": "" }
<?php namespace Snowdog\Menu\Api; use Snowdog\Menu\Api\Data\NodeInterface; use Magento\Framework\Api\SearchCriteriaInterface; interface NodeRepositoryInterface { public function save(NodeInterface $page); public function getById($id); public function getList(SearchCriteriaInterface $criteria); public function delete(NodeInterface $page); public function deleteById($id); public function getByMenu($menuId); }
{ "content_hash": "cbe6258f6ad737547db809174a1a466b", "timestamp": "", "source": "github", "line_count": 20, "max_line_length": 63, "avg_line_length": 22.1, "alnum_prop": 0.7669683257918553, "repo_name": "j-froehlich/magento2_wk", "id": "ae4693e97bcef54c2892708cafe70a05f804590f", "size": "442", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "vendor/snowdog/module-menu/Api/NodeRepositoryInterface.php", "mode": "33188", "license": "mit", "language": [ { "name": "ApacheConf", "bytes": "13636" }, { "name": "CSS", "bytes": "2076720" }, { "name": "HTML", "bytes": "6151072" }, { "name": "JavaScript", "bytes": "2488727" }, { "name": "PHP", "bytes": "12466046" }, { "name": "Shell", "bytes": "6088" }, { "name": "XSLT", "bytes": "19979" } ], "symlink_target": "" }
require 'yajl' require 'multi_json' MultiJson.use :yajl MultiJson.dump_options = {pretty: true} require 'jbuilder' require 'video_sprites' require 'ostruct' %w[ version errors filepath_helpers read_adaptations debug_settings identifier_helpers information_helpers package_dash_shaka package_hls_shaka package_dash_bento package_hls_bento adaptation adaptation_finder adaptations_file ffmpeg_processor ffprobe_informer ffprobe_file processor audio data_audio cleaner progressive_mp4 progressive_vp9 progressive_mp3 sprites captions waveform canvas data temporary_poster all ].each do |dependency| require "abrizer/#{dependency}" end module Abrizer # Your code goes here... end
{ "content_hash": "42f3f41c9b0b45ce5a0e64ad583b331a", "timestamp": "", "source": "github", "line_count": 49, "max_line_length": 39, "avg_line_length": 15.224489795918368, "alnum_prop": 0.7439678284182306, "repo_name": "jronallo/abrizer", "id": "59b93a98576bb712e5197bff46e909db0fa2f7a4", "size": "746", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "lib/abrizer.rb", "mode": "33188", "license": "mit", "language": [ { "name": "Ruby", "bytes": "52381" }, { "name": "Shell", "bytes": "131" } ], "symlink_target": "" }
DOUBTFUL #### According to The Catalogue of Life, 3rd January 2011 #### Published in null #### Original name null ### Remarks null
{ "content_hash": "e63e79b4148d03b312613e6895e24db3", "timestamp": "", "source": "github", "line_count": 13, "max_line_length": 39, "avg_line_length": 10.307692307692308, "alnum_prop": 0.6940298507462687, "repo_name": "mdoering/backbone", "id": "6eab21f89f7b6d58c7c4f2ccd0854a66d86288c9", "size": "204", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "life/Plantae/Magnoliophyta/Magnoliopsida/Rosales/Rosaceae/Alchemilla/Alchemilla heteropoda/Alchemilla heteropoda glabricaulis/README.md", "mode": "33188", "license": "apache-2.0", "language": [], "symlink_target": "" }
import { Component, Renderer, Input, Output, EventEmitter, OnChanges, SimpleChanges } from '@angular/core'; import { ViewerService } from 'app/service/ui/viewer.service' import { RuntimeService } from 'app/service/runtime.service' import { DatabaseService } from 'app/service/database.service' import { DatabaseNodeService } from 'app/service/databaseNode.service' import { EncryptedValueService } from 'app/service/encryptedValue.service' import { DatabaseNode } from "app/model/databaseNode" @Component({ selector: 'viewer-entries', templateUrl: 'entries.component.html', styleUrls: ['entries.component.css'] }) export class ViewerEntriesComponent { // The current node being changed; passed from parent @Input() currentNode : any; // Functions on parent @Output() updateTree = new EventEmitter(); @Output() changeNodeBeingViewed = new EventEmitter(); // Cached children for current node being viewed children: DatabaseNode[]; constructor( private viewerService: ViewerService, private runtimeService: RuntimeService, private databaseService: DatabaseService, private databaseNodeService: DatabaseNodeService, private encryptedValueService: EncryptedValueService, private renderer: Renderer ) { this.viewerService.getChanges().subscribe(data => { this.refreshData(); }); } ngOnChanges(changes: SimpleChanges) { this.refreshData(); } refreshData() { var nodeId = this.currentNode.id; this.children = this.databaseNodeService.getChildren(nodeId); } addNewEntry() { // Add new node to current node var nodeId = this.currentNode.id; var newNode = this.databaseNodeService.addChild(nodeId); if (newNode != null) { // Update tree this.updateTree.emit(); // Change view to new node var newNodeId = newNode.id; this.changeNodeBeingViewed.emit(newNodeId); console.log("added new entry - id: " + newNodeId); } else { console.log("failed to create new node - curr node: " + this.currentNode.id); } // Update rest of view this.viewerService.changed(); } deleteSelectAll(event) { var control = event.target; var value = $(control).prop("checked"); var checkboxes = $("#currentValueEntries input[type=checkbox]").prop("checked", value); console.log("changing state of all delete checkboxes - value: " + value + ", count: " + checkboxes.length); } deleteSelected() { // Fetch each node selected and delete var entries = $("#currentValueEntries input[type=checkbox]:checked"); console.log("deleting multiple entries - selected count: " + entries.length); var self = this; entries.each(function() { var nodeId = $(this).attr("data-node-id"); console.log("deleting node - id: " + nodeId); var node = self.databaseService.getNativeNode(nodeId); if (node != null) { node.remove(); console.log("node removed - id: " + nodeId); } else { console.log("node not found for removal - id: " + nodeId); } }); // Update tree this.updateTree.emit(); // Update rest of view this.viewerService.changed(); } deleteEntry(nodeId) { console.log("deleting entry - node id: " + nodeId); // Fetch node var node = this.databaseService.getNativeNode(nodeId); // Delete the node node.remove(); // Update tree this.updateTree.emit(); // Update rest of view this.viewerService.changed(); } // Used by ngFor for custom tracking of nodes, otherwise DOM is spammed with create/destroy of children // http://blog.angular-university.io/angular-2-ngfor/ trackChildren(index, node) { return node ? node.id : null; } isChildren() { return this.children != null && this.children.length > 0; } }
{ "content_hash": "589f4ea00ef7c13bcfea62af26569ea4", "timestamp": "", "source": "github", "line_count": 151, "max_line_length": 115, "avg_line_length": 28.211920529801326, "alnum_prop": 0.6044600938967136, "repo_name": "limpygnome/parrot-manager", "id": "022e42267ec3bdbd27c50a1a6de97ae9346510ec", "size": "4260", "binary": false, "copies": "1", "ref": "refs/heads/develop", "path": "parrot-manager-frontend/src/app/component/pages/viewer/entries/entries.component.ts", "mode": "33188", "license": "mit", "language": [ { "name": "CSS", "bytes": "40759" }, { "name": "HTML", "bytes": "72337" }, { "name": "Java", "bytes": "432040" }, { "name": "JavaScript", "bytes": "12595" }, { "name": "Shell", "bytes": "248" }, { "name": "TypeScript", "bytes": "166293" } ], "symlink_target": "" }
package org.apache.camel.component.caffeine.loadcache; import com.github.benmanes.caffeine.cache.Cache; import com.github.benmanes.caffeine.cache.CacheLoader; import com.github.benmanes.caffeine.cache.Caffeine; import org.apache.camel.BindToRegistry; import org.apache.camel.test.junit5.CamelTestSupport; public class CaffeineLoadCacheTestSupport extends CamelTestSupport { private Cache cache; @BindToRegistry("cache") public Cache createCache() { CacheLoader cl = new CacheLoader<Integer, Integer>() { @Override public Integer load(Integer key) throws Exception { return key + 1; } }; return cache = Caffeine.newBuilder().build(cl); } protected Cache getTestCache() { return cache; } }
{ "content_hash": "8a9ba28278474575c25b64d9391787a4", "timestamp": "", "source": "github", "line_count": 29, "max_line_length": 68, "avg_line_length": 27.82758620689655, "alnum_prop": 0.6852540272614622, "repo_name": "DariusX/camel", "id": "13e694f1dc28e7cc4818e7a47bd25dd6977a29f1", "size": "1609", "binary": false, "copies": "2", "ref": "refs/heads/master", "path": "components/camel-caffeine/src/test/java/org/apache/camel/component/caffeine/loadcache/CaffeineLoadCacheTestSupport.java", "mode": "33188", "license": "apache-2.0", "language": [ { "name": "Apex", "bytes": "6521" }, { "name": "Batchfile", "bytes": "2353" }, { "name": "CSS", "bytes": "17204" }, { "name": "Elm", "bytes": "10852" }, { "name": "FreeMarker", "bytes": "8015" }, { "name": "Groovy", "bytes": "14479" }, { "name": "HTML", "bytes": "909437" }, { "name": "Java", "bytes": "82050070" }, { "name": "JavaScript", "bytes": "102432" }, { "name": "Makefile", "bytes": "513" }, { "name": "Shell", "bytes": "17240" }, { "name": "TSQL", "bytes": "28692" }, { "name": "Tcl", "bytes": "4974" }, { "name": "Thrift", "bytes": "6979" }, { "name": "XQuery", "bytes": "546" }, { "name": "XSLT", "bytes": "271473" } ], "symlink_target": "" }
package com.github.softonic.yuicompressorserver.adapter; import java.io.IOException; import java.io.Writer; /** * Simple interface for the adapter layer. Adapters are intended to interact * with the compressors from the yuicompressor package * * @author kpacha */ public interface CompressorAdapter { public void compress(Writer out, int linebreak) throws IOException; }
{ "content_hash": "f5a1d8a933bad62378295bfe80c7c362", "timestamp": "", "source": "github", "line_count": 14, "max_line_length": 76, "avg_line_length": 27.285714285714285, "alnum_prop": 0.7801047120418848, "repo_name": "kpacha/yuicompressor-server", "id": "943f80bcaa4399fca1bd3ce09d0f04d9269d2265", "size": "382", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "src/main/java/com/github/softonic/yuicompressorserver/adapter/CompressorAdapter.java", "mode": "33188", "license": "mit", "language": [ { "name": "CSS", "bytes": "64" }, { "name": "Java", "bytes": "41364" }, { "name": "JavaScript", "bytes": "190" } ], "symlink_target": "" }
package com.codepath.apps.restclienttemplate.fragments; import android.content.Context; import android.support.v4.app.Fragment; import android.support.v4.app.FragmentManager; import android.support.v4.app.FragmentPagerAdapter; /** * Created by kystatham on 10/3/17. */ public class TweetsPagerAdapter extends FragmentPagerAdapter { private String tabTitles[] = new String[] {"Home", "Mentions"}; private Context context; public TweetsPagerAdapter(FragmentManager fm, Context context) { super(fm); this.context = context; } @Override public int getCount() { return 2; } @Override public Fragment getItem(int position) { if (position == 0) { return new HomeTimelineFragment(); } else if (position == 1) { return new MentionsTimelineFragment(); } else { return null; } } @Override public CharSequence getPageTitle(int position) { return tabTitles[position]; } }
{ "content_hash": "5f164fa95d1aae2d8db58f9bb09adeb7", "timestamp": "", "source": "github", "line_count": 42, "max_line_length": 68, "avg_line_length": 24.30952380952381, "alnum_prop": 0.6513222331047992, "repo_name": "statham/SimpleTweets", "id": "b263dbe85553afca2e904be20b58f804d9874a4b", "size": "1021", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "app/src/main/java/com/codepath/apps/restclienttemplate/fragments/TweetsPagerAdapter.java", "mode": "33188", "license": "mit", "language": [ { "name": "Java", "bytes": "50848" } ], "symlink_target": "" }
import * as _ from "lodash"; import * as m from "mithril"; import {ElasticProfile} from "models/elastic_profiles/types"; import {Extension} from "models/shared/plugin_infos_new/extensions"; import {PluginInfo} from "models/shared/plugin_infos_new/plugin_info"; import * as collapsiblePanelStyles from "views/components/collapsible_panel/index.scss"; import * as keyValuePairStyles from "views/components/key_value_pair/index.scss"; import {TestData} from "views/pages/elastic_profiles/spec/test_data"; import {ElasticProfileWidget} from "../elastic_profiles_widget"; describe("New Elastic Profile Widget", () => { const simulateEvent = require("simulate-event"); const pluginInfo = PluginInfo.fromJSON(TestData.DockerPluginJSON(), TestData.DockerPluginJSON()._links); const elasticProfile = ElasticProfile.fromJSON(TestData.DockerElasticProfile()); let $root: any, root: any; beforeEach(() => { //@ts-ignore [$root, root] = window.createDomElementForTest(); mount(pluginInfo, elasticProfile); }); afterEach(unmount); //@ts-ignore afterEach(window.destroyDomElementForTest); it("should render elastic profile id", () => { const profileHeader = $root.find(`.${keyValuePairStyles.keyValuePair}`).get(0); expect(profileHeader).toContainText("Profile Id"); expect(profileHeader).toContainText(TestData.DockerElasticProfile().id); }); it("should render edit, delete, clone buttons", () => { expect(find("edit-elastic-profile")).toBeVisible(); expect(find("clone-elastic-profile")).toBeVisible(); expect(find("delete-elastic-profile")).toBeVisible(); }); it("should render properties of elastic profile", () => { const profileHeader = $root.find(`.${keyValuePairStyles.keyValuePair}`).get(1); expect(profileHeader).toContainText("Image"); expect(profileHeader).toContainText("docker-image122345"); expect(profileHeader).toContainText("Command"); expect(profileHeader).toContainText("ls\n-alh"); expect(profileHeader).toContainText("Environment"); expect(profileHeader).toContainText("JAVA_HOME=/bin/java"); expect(profileHeader).toContainText("Hosts"); expect(profileHeader).toContainText("(Not specified)"); }); it("should toggle between expanded and collapsed state on click of header", () => { const elasticProfileHeader = find("collapse-header").get(0); expect(elasticProfileHeader).not.toHaveClass(collapsiblePanelStyles.expanded); //expand elastic profile info simulateEvent.simulate(elasticProfileHeader, "click"); m.redraw(); expect(elasticProfileHeader).toHaveClass(collapsiblePanelStyles.expanded); //collapse elastic profile info simulateEvent.simulate(elasticProfileHeader, "click"); m.redraw(); expect(elasticProfileHeader).not.toHaveClass(collapsiblePanelStyles.expanded); }); function mount(pluginInfo: PluginInfo<Extension>, elasticProfile: ElasticProfile) { const noop = _.noop; m.mount(root, { view() { return ( <ElasticProfileWidget pluginInfo={pluginInfo} elasticProfile={elasticProfile} onEdit={noop} onClone={noop} onDelete={noop} onShowUsage={noop}/> ); } }); m.redraw(); } function unmount() { m.mount(root, null); m.redraw(); } function find(id: string) { return $root.find(`[data-test-id='${id}']`); } });
{ "content_hash": "aaec18fdc5285e03be562898b70898fb", "timestamp": "", "source": "github", "line_count": 103, "max_line_length": 110, "avg_line_length": 34.50485436893204, "alnum_prop": 0.6738885762521103, "repo_name": "jyotisingh/gocd", "id": "cf73ab066462d8e9f880c57f69bb34c6858dae81", "size": "4155", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "server/webapp/WEB-INF/rails/webpack/views/pages/elastic_profiles/spec/elastic_profile_widget_spec.tsx", "mode": "33188", "license": "apache-2.0", "language": [ { "name": "Batchfile", "bytes": "9039" }, { "name": "CSS", "bytes": "755868" }, { "name": "FreeMarker", "bytes": "182" }, { "name": "Groovy", "bytes": "1086984" }, { "name": "HTML", "bytes": "620670" }, { "name": "Java", "bytes": "19749982" }, { "name": "JavaScript", "bytes": "3138078" }, { "name": "NSIS", "bytes": "17037" }, { "name": "PLSQL", "bytes": "4414" }, { "name": "PLpgSQL", "bytes": "6490" }, { "name": "PowerShell", "bytes": "1511" }, { "name": "Ruby", "bytes": "2975330" }, { "name": "SQLPL", "bytes": "15479" }, { "name": "Shell", "bytes": "212901" }, { "name": "TypeScript", "bytes": "943024" }, { "name": "XSLT", "bytes": "182513" } ], "symlink_target": "" }
<!DOCTYPE html> <html lang="en"> <head> <meta charset="utf-8"> <meta name="viewport" content="width=device-width, initial-scale=1"> <title>hammer: Not compatible 👼</title> <link rel="shortcut icon" type="image/png" href="../../../../../favicon.png" /> <link href="../../../../../bootstrap.min.css" rel="stylesheet"> <link href="../../../../../bootstrap-custom.css" rel="stylesheet"> <link href="//maxcdn.bootstrapcdn.com/font-awesome/4.2.0/css/font-awesome.min.css" rel="stylesheet"> <script src="../../../../../moment.min.js"></script> <!-- HTML5 Shim and Respond.js IE8 support of HTML5 elements and media queries --> <!-- WARNING: Respond.js doesn't work if you view the page via file:// --> <!--[if lt IE 9]> <script src="https://oss.maxcdn.com/html5shiv/3.7.2/html5shiv.min.js"></script> <script src="https://oss.maxcdn.com/respond/1.4.2/respond.min.js"></script> <![endif]--> </head> <body> <div class="container"> <div class="navbar navbar-default" role="navigation"> <div class="container-fluid"> <div class="navbar-header"> <a class="navbar-brand" href="../../../../.."><i class="fa fa-lg fa-flag-checkered"></i> Coq bench</a> </div> <div id="navbar" class="collapse navbar-collapse"> <ul class="nav navbar-nav"> <li><a href="../..">clean / released</a></li> <li class="active"><a href="">8.13.1 / hammer - 1.2+8.10</a></li> </ul> </div> </div> </div> <div class="article"> <div class="row"> <div class="col-md-12"> <a href="../..">« Up</a> <h1> hammer <small> 1.2+8.10 <span class="label label-info">Not compatible 👼</span> </small> </h1> <p>📅 <em><script>document.write(moment("2022-09-15 11:12:30 +0000", "YYYY-MM-DD HH:mm:ss Z").fromNow());</script> (2022-09-15 11:12:30 UTC)</em><p> <h2>Context</h2> <pre># Packages matching: installed # Name # Installed # Synopsis base-bigarray base base-threads base base-unix base conf-findutils 1 Virtual package relying on findutils conf-gmp 4 Virtual package relying on a GMP lib system installation coq 8.13.1 Formal proof management system num 1.4 The legacy Num library for arbitrary-precision integer and rational arithmetic ocaml 4.14.0 The OCaml compiler (virtual package) ocaml-base-compiler 4.14.0 Official release 4.14.0 ocaml-config 2 OCaml Switch Configuration ocaml-options-vanilla 1 Ensure that OCaml is compiled with no special options enabled ocamlfind 1.9.5 A library manager for OCaml zarith 1.12 Implements arithmetic and logical operations over arbitrary-precision integers # opam file: opam-version: &quot;2.0&quot; maintainer: &quot;[email protected]&quot; homepage: &quot;https://github.com/lukaszcz/coqhammer&quot; dev-repo: &quot;git+https://github.com/lukaszcz/coqhammer.git&quot; bug-reports: &quot;https://github.com/lukaszcz/coqhammer/issues&quot; license: &quot;LGPL-2.1-only&quot; synopsis: &quot;General-purpose automated reasoning hammer tool for Coq&quot; description: &quot;&quot;&quot; A general-purpose automated reasoning hammer tool for Coq that combines learning from previous proofs with the translation of problems to the logics of automated systems and the reconstruction of successfully found proofs. &quot;&quot;&quot; build: [make &quot;-j%{jobs}%&quot; {ocaml:version &gt;= &quot;4.06&quot;} &quot;plugin&quot;] install: [ [make &quot;install-plugin&quot;] [make &quot;test-plugin&quot;] {with-test} ] depends: [ &quot;ocaml&quot; &quot;coq&quot; {&gt;= &quot;8.10&quot; &amp; &lt; &quot;8.11~&quot;} (&quot;conf-g++&quot; {build} | &quot;conf-clang&quot; {build}) &quot;coq-hammer-tactics&quot; {= version} ] tags: [ &quot;category:Miscellaneous/Coq Extensions&quot; &quot;keyword:automation&quot; &quot;keyword:hammer&quot; &quot;logpath:Hammer&quot; &quot;date:2020-04-25&quot; ] authors: [ &quot;Lukasz Czajka &lt;[email protected]&gt;&quot; &quot;Cezary Kaliszyk &lt;[email protected]&gt;&quot; ] url { src: &quot;https://github.com/lukaszcz/coqhammer/archive/refs/tags/v1.2-coq8.10.tar.gz&quot; checksum: &quot;sha512=74b1a014f4e1e62148e25d46a4b2c376b927a3481ef52ce853d43f526164bbffd0bf2184653ba13e638d9321635ceec85e7c7b34e08dfa362c5e7a9588dc4b96&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-hammer.1.2+8.10 coq.8.13.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.13.1). The following dependencies couldn&#39;t be met: - coq-hammer -&gt; coq &lt; 8.11~ -&gt; ocaml &lt; 4.10 base of this switch (use `--unlock-base&#39; to force) No solution found, exiting </pre></dd> </dl> <p>Dry install without Coq/switch base, to test if the problem was incompatibility with the current Coq/OCaml version:</p> <dl class="dl-horizontal"> <dt>Command</dt> <dd><code>opam remove -y coq; opam install -y --show-action --unlock-base coq-hammer.1.2+8.10</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": "8c21d3408f498f89bc44326d379f6683", "timestamp": "", "source": "github", "line_count": 179, "max_line_length": 159, "avg_line_length": 41.87709497206704, "alnum_prop": 0.5573639274279616, "repo_name": "coq-bench/coq-bench.github.io", "id": "47027244bd815ae84dba25d0eb2b06a8f7824630", "size": "7521", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "clean/Linux-x86_64-4.14.0-2.0.10/released/8.13.1/hammer/1.2+8.10.html", "mode": "33188", "license": "mit", "language": [], "symlink_target": "" }
layout: post title: Perceptron date: 2016-12-28 01:46:03 summary: categories: drawing --- ![Perceptron](/images/diary/Perceptron.png "Don't.")
{ "content_hash": "8fbe83afee936a7a22a2a1d8f87a9853", "timestamp": "", "source": "github", "line_count": 7, "max_line_length": 52, "avg_line_length": 23.142857142857142, "alnum_prop": 0.6481481481481481, "repo_name": "gregist/gregist.github.io", "id": "2ff06e0c86537957430cc8b7d8c3deffe0325f56", "size": "166", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "_posts/2016-12-28-Perceptron.md", "mode": "33188", "license": "mit", "language": [ { "name": "CSS", "bytes": "25750" }, { "name": "HTML", "bytes": "25271" }, { "name": "JavaScript", "bytes": "1409" }, { "name": "Python", "bytes": "1873" }, { "name": "Ruby", "bytes": "6612" } ], "symlink_target": "" }
package io.fabric8.kubernetes.client.mock; import io.fabric8.kubernetes.api.model.GenericKubernetesResource; import io.fabric8.kubernetes.api.model.HasMetadata; import io.fabric8.kubernetes.client.KubernetesClient; import io.fabric8.kubernetes.client.KubernetesClientException; import io.fabric8.kubernetes.client.server.mock.EnableKubernetesMockClient; import org.junit.jupiter.api.Test; import static org.assertj.core.api.Assertions.assertThat; import static org.junit.jupiter.api.Assertions.assertThrows; @EnableKubernetesMockClient class TypedResourcesApiTest { KubernetesClient client; @Test void resources_whenUsedWithGenericKubernetesResource_shouldThrowException() { // Given + When KubernetesClientException kubernetesClientException = assertThrows(KubernetesClientException.class, () -> client.resources(GenericKubernetesResource.class)); // Then assertThat(kubernetesClientException) .hasMessage("resources cannot be called with a generic type"); } @Test void resources_whenUsedWithHasMetadata_shouldThrowException() { // Given + When IllegalArgumentException illegalArgumentException = assertThrows(IllegalArgumentException.class, () -> client.resources(HasMetadata.class)); // Then assertThat(illegalArgumentException) .hasMessage("resources cannot be called with an interface"); } }
{ "content_hash": "f1233e56e6b3b8ec33fbf270fd2ed48c", "timestamp": "", "source": "github", "line_count": 39, "max_line_length": 103, "avg_line_length": 35.46153846153846, "alnum_prop": 0.7910339840925524, "repo_name": "fabric8io/kubernetes-client", "id": "f34aceec9500968631216cb4b9702eb1dd8aaec5", "size": "1988", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "kubernetes-tests/src/test/java/io/fabric8/kubernetes/client/mock/TypedResourcesApiTest.java", "mode": "33188", "license": "apache-2.0", "language": [ { "name": "Batchfile", "bytes": "1037" }, { "name": "Go", "bytes": "368451" }, { "name": "Groovy", "bytes": "1016" }, { "name": "Java", "bytes": "24470630" }, { "name": "Makefile", "bytes": "55512" }, { "name": "Shell", "bytes": "15791" } ], "symlink_target": "" }
using System; using System.Collections.Generic; using Microsoft.Xrm.Sdk; #if NET namespace DataverseUnitTest #else namespace DLaB.Xrm.Test #endif { /// <summary> /// Tracing Service that allows for Faking and implement the ITracingService /// </summary> public class FakeTraceService : ITracingService, IServiceFaked<ITracingService>, IFakeService, ICloneable { /// <summary> /// Gets or sets the traces. /// </summary> /// <value> /// The traces. /// </value> public List<TraceParams> Traces { get; set; } /// <summary> /// Gets or sets the trace action. /// </summary> /// <value> /// The trace action. /// </value> public Action<string, object[]> TraceAction { get; set; } private ITestLogger Logger { get; set; } /// <summary> /// Initializes a new instance of the <see cref="FakeTraceService" /> class. /// </summary> /// <param name="logger">The logger.</param> public FakeTraceService(ITestLogger logger) { Traces = new List<TraceParams>(); TraceAction = (s, o) => { }; Logger = logger; } /// <summary> /// Initializes a new instance of the <see cref="FakeTraceService" /> class. /// </summary> /// <param name="logger">The logger.</param> /// <param name="traceAction">The trace action.</param> public FakeTraceService(ITestLogger logger, Action<string, object []> traceAction ) : this(logger) { TraceAction = traceAction; } /// <summary> /// Traces the specified format. /// </summary> /// <param name="format">The format.</param> /// <param name="args">The arguments.</param> public void Trace(string format, params object[] args) { if (Logger != null) { if (args.Length == 0) { Logger.WriteLine(format); } else { Logger.WriteLine(format, args); } } Traces.Add(new TraceParams(format, args)); TraceAction(format, args); } #region Clone /// <summary> /// Clones this instance. /// </summary> /// <returns></returns> public FakeTraceService Clone() { var clone = (FakeTraceService)MemberwiseClone(); CloneReferenceValues(clone); return clone; } /// <summary> /// Clones the reference values. /// </summary> /// <param name="clone">The clone.</param> protected void CloneReferenceValues(FakeTraceService clone) { clone.Logger = Logger; clone.Traces = new List<TraceParams>(); clone.Traces.AddRange(Traces); } object ICloneable.Clone() { return Clone(); } #endregion Clone } }
{ "content_hash": "969d8644d23671d678bff4655a3d7688", "timestamp": "", "source": "github", "line_count": 108, "max_line_length": 109, "avg_line_length": 28.73148148148148, "alnum_prop": 0.514340960360941, "repo_name": "daryllabar/XrmUnitTest", "id": "bf6322b5d27276dbb5206543132c3211408eb560", "size": "3105", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "DLaB.Xrm.Test.Base/FakeTraceService.cs", "mode": "33188", "license": "mit", "language": [ { "name": "C#", "bytes": "65030148" }, { "name": "Vim Snippet", "bytes": "5709" } ], "symlink_target": "" }
<?php // This file is part of Moodle - http://moodle.org/ // // Moodle is free software: you can redistribute it and/or modify // it under the terms of the GNU General Public License as published by // the Free Software Foundation, either version 3 of the License, or // (at your option) any later version. // // Moodle is distributed in the hope that it will be useful, // but WITHOUT ANY WARRANTY; without even the implied warranty of // MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the // GNU General Public License for more details. // // You should have received a copy of the GNU General Public License // along with Moodle. If not, see <http://www.gnu.org/licenses/>. $string['activityoverview'] = 'You have assignments that need attention'; $string['addsubmission'] = 'Add submission'; $string['addattempt'] = 'Allow another attempt'; $string['addnewattempt'] = 'Add a new attempt'; $string['addnewattempt_help'] = 'This will create a new blank submission for you to work on.'; $string['addnewattemptfromprevious'] = 'Add a new attempt based on previous submission'; $string['addnewattemptfromprevious_help'] = 'This will copy the contents of your previous submission to a new submission for you to work on.'; $string['allocatedmarker'] = 'Allocated Marker'; $string['allocatedmarker_help'] = 'Marker allocated to this submission'; $string['allowsubmissions'] = 'Allow the user to continue making submissions to this assignment.'; $string['allowsubmissionsshort'] = 'Allow submission changes'; $string['allowsubmissionsfromdate'] = 'Allow submissions from'; $string['allowsubmissionsfromdate_help'] = 'If enabled, students will not be able to submit before this date. If disabled, students will be able to start submitting right away.'; $string['allowsubmissionsfromdatesummary'] = 'This assignment will accept submissions from <strong>{$a}</strong>'; $string['allowsubmissionsanddescriptionfromdatesummary'] = 'The assignment details and submission form will be available from <strong>{$a}</strong>'; $string['alwaysshowdescription'] = 'Always show description'; $string['alwaysshowdescription_help'] = 'If disabled, the Assignment Description above will only become visible to students at the "Allow submissions from" date.'; $string['applytoteam'] = 'Apply grades and feedback to entire group'; $string['assign:addinstance'] = 'Add a new assignment'; $string['assign:exportownsubmission'] = 'Export own submission'; $string['assign:editothersubmission'] = 'Edit another student\'s submission'; $string['assign:grade'] = 'Grade assignment'; $string['assign:grantextension'] = 'Grant extension'; $string['assign:manageallocations'] = 'Manage markers allocated to submissions'; $string['assign:managegrades'] = 'Review and release grades'; $string['assign:receivegradernotifications'] = 'Receive grader submission notifications'; $string['assign:releasegrades'] = 'Release grades'; $string['assign:revealidentities'] = 'Reveal student identities'; $string['assign:reviewgrades'] = 'Review grades'; $string['assign:viewblinddetails'] = 'View student identities when blind marking is enabled'; $string['assign:viewgrades'] = 'View grades'; $string['assign:submit'] = 'Submit assignment'; $string['assign:view'] = 'View assignment'; $string['assignfeedback'] = 'Feedback plugin'; $string['assignfeedbackpluginname'] = 'Feedback plugin'; $string['assignmentisdue'] = 'Assignment is due'; $string['assignmentmail'] = '{$a->grader} has posted some feedback on your assignment submission for \'{$a->assignment}\' You can see it appended to your assignment submission: {$a->url}'; $string['assignmentmailhtml'] = '<p>{$a->grader} has posted some feedback on your assignment submission for \'<i>{$a->assignment}</i>\'.</p> <p>You can see it appended to your <a href="{$a->url}">assignment submission</a>.</p>'; $string['assignmentmailsmall'] = '{$a->grader} has posted some feedback on your assignment submission for \'{$a->assignment}\' You can see it appended to your submission'; $string['assignmentname'] = 'Assignment name'; $string['assignmentplugins'] = 'Assignment plugins'; $string['assignmentsperpage'] = 'Assignments per page'; $string['assignsubmission'] = 'Submission plugin'; $string['assignsubmissionpluginname'] = 'Submission plugin'; $string['attemptheading'] = 'Attempt {$a->attemptnumber}: {$a->submissionsummary}'; $string['attemptnumber'] = 'Attempt number'; $string['attempthistory'] = 'Previous attempts'; $string['attemptsettings'] = 'Attempt settings'; $string['attemptreopenmethod'] = 'Attempts reopened'; $string['attemptreopenmethod_help'] = 'Determines how student submission attempts are reopened. The available options are: <ul><li>Never - The student submission cannot be reopened.</li><li>Manually - The student submission can be reopened by a teacher.</li><li>Automatically until pass - The student submission is automatically reopened until the student achieves the grade to pass value set in the Gradebook (Gradebook setup section) for this assignment.</li></ul>'; $string['attemptreopenmethod_manual'] = 'Manually'; $string['attemptreopenmethod_none'] = 'Never'; $string['attemptreopenmethod_untilpass'] = 'Automatically until pass'; $string['availability'] = 'Availability'; $string['backtoassignment'] = 'Back to assignment'; $string['batchoperationsdescription'] = 'With selected...'; $string['batchoperationconfirmlock'] = 'Lock all selected submissions?'; $string['batchoperationconfirmgrantextension'] = 'Grant an extension to all selected submissions?'; $string['batchoperationconfirmunlock'] = 'Unlock all selected submissions?'; $string['batchoperationconfirmreverttodraft'] = 'Revert selected submissions to draft?'; $string['batchoperationconfirmaddattempt'] = 'Allow another attempt for selected submissions?'; $string['batchoperationconfirmsetmarkingworkflowstate'] = 'Set marking workflow state for all selected submissions?'; $string['batchoperationconfirmsetmarkingallocation'] = 'Set marking allocation for all selected submissions?'; $string['batchoperationconfirmdownloadselected'] = 'Download selected submissions?'; $string['batchoperationlock'] = 'lock submissions'; $string['batchoperationunlock'] = 'unlock submissions'; $string['batchoperationreverttodraft'] = 'revert submissions to draft'; $string['batchsetallocatedmarker'] = 'Set allocated marker for {$a} selected user(s).'; $string['batchsetmarkingworkflowstateforusers'] = 'Set marking workflow state for {$a} selected user(s).'; $string['blindmarking'] = 'Blind marking'; $string['blindmarkingenabledwarning'] = 'Blind marking is enabled for this activity.'; $string['blindmarking_help'] = 'Blind marking hides the identity of students from markers. Blind marking settings will be locked once a submission or grade has been made in relation to this assignment.'; $string['changeuser'] = 'Change user'; $string['changefilters'] = 'Change filters'; $string['changegradewarning'] = 'This assignment has graded submissions and changing the grade will not automatically re-calculate existing submission grades. You must re-grade all existing submissions, if you wish to change the grade.'; $string['choosegradingaction'] = 'Grading action'; $string['choosemarker'] = 'Choose...'; $string['chooseoperation'] = 'Choose operation'; $string['clickexpandreviewpanel'] = 'Click to expand review panel'; $string['collapsegradepanel'] = 'Collapse grade panel'; $string['collapsereviewpanel'] = 'Collapse review panel'; $string['comment'] = 'Comment'; $string['completionsubmit'] = 'Student must submit to this activity to complete it'; $string['conversionexception'] = 'Could not convert assignment. Exception was: {$a}.'; $string['configshowrecentsubmissions'] = 'Everyone can see notifications of submissions in recent activity reports.'; $string['confirmsubmission'] = 'Are you sure you want to submit your work for grading? You will not be able to make any more changes.'; $string['confirmbatchgradingoperation'] = 'Are you sure you want to {$a->operation} for {$a->count} students?'; $string['couldnotconvertgrade'] = 'Could not convert assignment grade for user {$a}.'; $string['couldnotconvertsubmission'] = 'Could not convert assignment submission for user {$a}.'; $string['couldnotcreatecoursemodule'] = 'Could not create course module.'; $string['couldnotcreatenewassignmentinstance'] = 'Could not create new assignment instance.'; $string['couldnotfindassignmenttoupgrade'] = 'Could not find old assignment instance to upgrade.'; $string['currentgrade'] = 'Current grade in gradebook'; $string['currentattempt'] = 'This is attempt {$a}.'; $string['currentattemptof'] = 'This is attempt {$a->attemptnumber} ( {$a->maxattempts} attempts allowed ).'; $string['cutoffdate'] = 'Cut-off date'; $string['cutoffdatecolon'] = 'Cut-off date: {$a}'; $string['cutoffdate_help'] = 'If set, the assignment will not accept submissions after this date without an extension.'; $string['cutoffdatevalidation'] = 'The cut-off date cannot be earlier than the due date.'; $string['cutoffdatefromdatevalidation'] = 'Cut-off date must be after the allow submissions from date.'; $string['defaultlayout'] = 'Restore default layout'; $string['defaultsettings'] = 'Default assignment settings'; $string['defaultsettings_help'] = 'These settings define the defaults for all new assignments.'; $string['defaultteam'] = 'Default group'; $string['deleteallsubmissions'] = 'Delete all submissions'; $string['description'] = 'Description'; $string['downloadall'] = 'Download all submissions'; $string['download all submissions'] = 'Download all submissions in a zip file.'; $string['downloadasfolders'] = 'Download submissions in folders'; $string['downloadasfolders_help'] = 'If the assignment submission is more than a single file, then submissions may be downloaded in folders. Each submission is put in a separate folder, with the folder structure kept for any subfolders, and files are not renamed.'; $string['downloadselectedsubmissions'] = 'Download selected submissions'; $string['duedate'] = 'Due date'; $string['duedatecolon'] = 'Due date: {$a}'; $string['duedate_help'] = 'This is when the assignment is due. Submissions will still be allowed after this date but any assignments submitted after this date are marked as late. To prevent submissions after a certain date - set the assignment cut off date.'; $string['duedateno'] = 'No due date'; $string['submissionempty'] = 'Nothing was submitted'; $string['submissionmodified'] = 'You have existing submission data. Please leave this page and try again.'; $string['submissionmodifiedgroup'] = 'The submission has been modified by somebody else. Please leave this page and try again.'; $string['duedatereached'] = 'The due date for this assignment has now passed'; $string['duedatevalidation'] = 'Due date must be after the allow submissions from date.'; $string['editattemptfeedback'] = 'Edit the grade and feedback for attempt number {$a}.'; $string['editingpreviousfeedbackwarning'] = 'You are editing the feedback for a previous attempt. This is attempt {$a->attemptnumber} out of {$a->totalattempts}.'; $string['editsubmission'] = 'Edit submission'; $string['editsubmissionother'] = 'Edit submission for {$a}'; $string['editsubmission_help'] = 'Make changes to your submission'; $string['editingstatus'] = 'Editing status'; $string['editaction'] = 'Actions...'; $string['eventallsubmissionsdownloaded'] = 'All the submissions are being downloaded.'; $string['eventassessablesubmitted'] = 'A submission has been submitted.'; $string['eventbatchsetmarkerallocationviewed'] = 'Batch set marker allocation viewed'; $string['eventbatchsetworkflowstateviewed'] = 'Batch set workflow state viewed.'; $string['eventextensiongranted'] = 'An extension has been granted.'; $string['eventfeedbackupdated'] = 'Feedback updated'; $string['eventfeedbackviewed'] = 'Feedback viewed'; $string['eventgradingformviewed'] = 'Grading form viewed'; $string['eventgradingtableviewed'] = 'Grading table viewed'; $string['eventidentitiesrevealed'] = 'The identities have been revealed.'; $string['eventmarkerupdated'] = 'The allocated marker has been updated.'; $string['eventrevealidentitiesconfirmationpageviewed'] = 'Reveal identities confirmation page viewed.'; $string['eventstatementaccepted'] = 'The user has accepted the statement of the submission.'; $string['eventsubmissionconfirmationformviewed'] = 'Submission confirmation form viewed.'; $string['eventsubmissioncreated'] = 'Submission created.'; $string['eventsubmissionduplicated'] = 'The user duplicated his submission.'; $string['eventsubmissionformviewed'] = 'Submission form viewed.'; $string['eventsubmissiongraded'] = 'The submission has been graded.'; $string['eventsubmissionlocked'] = 'The submissions have been locked for a user.'; $string['eventsubmissionstatusupdated'] = 'The status of the submission has been updated.'; $string['eventsubmissionstatusviewed'] = 'The status of the submission has been viewed.'; $string['eventsubmissionunlocked'] = 'The submissions have been unlocked for a user.'; $string['eventsubmissionupdated'] = 'Submission updated.'; $string['eventsubmissionviewed'] = 'Submission viewed.'; $string['eventworkflowstateupdated'] = 'The state of the workflow has been updated.'; $string['expandreviewpanel'] = 'Expand review panel'; $string['extensionduedate'] = 'Extension due date'; $string['extensionnotafterduedate'] = 'Extension date must be after the due date'; $string['extensionnotafterfromdate'] = 'Extension date must be after the allow submissions from date'; $string['gradecanbechanged'] = 'Grade can be changed'; $string['gradersubmissionupdatedtext'] = '{$a->username} has updated their assignment submission for \'{$a->assignment}\' at {$a->timeupdated} It is available here: {$a->url}'; $string['gradersubmissionupdatedhtml'] = '{$a->username} has updated their assignment submission for <i>\'{$a->assignment}\' at {$a->timeupdated}</i><br /><br /> It is <a href="{$a->url}">available on the web site</a>.'; $string['gradersubmissionupdatedsmall'] = '{$a->username} has updated their submission for assignment {$a->assignment}.'; $string['gradeuser'] = 'Grade {$a}'; $string['grantextension'] = 'Grant extension'; $string['grantextensionforusers'] = 'Grant extension for {$a} students'; $string['groupsubmissionsettings'] = 'Group submission settings'; $string['enabled'] = 'Enabled'; $string['errornosubmissions'] = 'There are no submissions to download'; $string['errorquickgradingvsadvancedgrading'] = 'The grades were not saved because this assignment is currently using advanced grading'; $string['errorrecordmodified'] = 'The grades were not saved because someone has modified one or more records more recently than when you loaded the page.'; $string['feedback'] = 'Feedback'; $string['feedbackavailabletext'] = '{$a->username} has posted some feedback on your assignment submission for \'{$a->assignment}\' You can see it appended to your assignment submission: {$a->url}'; $string['feedbackavailablehtml'] = '{$a->username} has posted some feedback on your assignment submission for \'<i>{$a->assignment}</i>\'<br /><br /> You can see it appended to your <a href="{$a->url}">assignment submission</a>.'; $string['feedbackavailablesmall'] = '{$a->username} has given feedback for assignment {$a->assignment}'; $string['feedbackplugins'] = 'Feedback plugins'; $string['feedbackpluginforgradebook'] = 'Feedback plugin that will push comments to the gradebook'; $string['feedbackpluginforgradebook_help'] = 'Only one assignment feedback plugin can push feedback into the gradebook.'; $string['feedbackplugin'] = 'Feedback plugin'; $string['feedbacksettings'] = 'Feedback settings'; $string['feedbacktypes'] = 'Feedback types'; $string['filesubmissions'] = 'File submissions'; $string['filter'] = 'Filter'; $string['filternone'] = 'No filter'; $string['filternotsubmitted'] = 'Not submitted'; $string['filterrequiregrading'] = 'Requires grading'; $string['filtersubmitted'] = 'Submitted'; $string['gradedby'] = 'Graded by'; $string['graded'] = 'Graded'; $string['gradedon'] = 'Graded on'; $string['gradebelowzero'] = 'Grade must be greater than or equal to zero.'; $string['gradeabovemaximum'] = 'Grade must be less than or equal to {$a}.'; $string['gradelocked'] = 'This grade is locked or overridden in the gradebook.'; $string['gradeoutof'] = 'Grade out of {$a}'; $string['gradeoutofhelp'] = 'Grade'; $string['gradeoutofhelp_help'] = 'Enter the grade for the student\'s submission here. You may include decimals.'; $string['gradestudent'] = 'Grade student: (id={$a->id}, fullname={$a->fullname}). '; $string['grading'] = 'Grading'; $string['gradingchangessaved'] = 'The grade changes were saved'; $string['gradechangessaveddetail'] = 'The changes to the grade and feedback were saved'; $string['gradingmethodpreview'] = 'Grading criteria'; $string['gradingoptions'] = 'Options'; $string['gradingstatus'] = 'Grading status'; $string['gradingstudent'] = 'Grading student'; $string['gradingsummary'] = 'Grading summary'; $string['hideshow'] = 'Hide/Show'; $string['hiddenuser'] = 'Participant '; $string['instructionfiles'] = 'Instruction files'; $string['introattachments'] = 'Additional files'; $string['introattachments_help'] = 'Additional files for use in the assignment, such as answer templates, may be added. Download links for the files will then be displayed on the assignment page under the description.'; $string['invalidgradeforscale'] = 'The grade supplied was not valid for the current scale'; $string['invalidfloatforgrade'] = 'The grade provided could not be understood: {$a}'; $string['lastmodifiedsubmission'] = 'Last modified (submission)'; $string['lastmodifiedgrade'] = 'Last modified (grade)'; $string['latesubmissions'] = 'Late submissions'; $string['latesubmissionsaccepted'] = 'Allowed until {$a}'; $string['loading'] = 'Loading...'; $string['locksubmissionforstudent'] = 'Prevent any more submissions for student: (id={$a->id}, fullname={$a->fullname}).'; $string['locksubmissions'] = 'Lock submissions'; $string['manageassignfeedbackplugins'] = 'Manage assignment feedback plugins'; $string['manageassignsubmissionplugins'] = 'Manage assignment submission plugins'; $string['marker'] = 'Marker'; $string['markerfilter'] = 'Marker filter'; $string['markerfilternomarker'] = 'No marker'; $string['markingallocation'] = 'Use marking allocation'; $string['markingallocation_help'] = 'If enabled together with marking workflow, markers can be allocated to particular students.'; $string['markingworkflow'] = 'Use marking workflow'; $string['markingworkflow_help'] = 'If enabled, marks will go through a series of workflow stages before being released to students. This allows for multiple rounds of marking and allows marks to be released to all students at the same time.'; $string['markingworkflowstate'] = 'Marking workflow state'; $string['markingworkflowstate_help'] = 'Possible workflow states may include (depending on your permissions): * Not marked - the marker has not yet started * In marking - the marker has started but not yet finished * Marking completed - the marker has finished but might need to go back for checking/corrections * In review - the marking is now with the teacher in charge for quality checking * Ready for release - the teacher in charge is satisfied with the marking but wait before giving students access to the marking * Released - the student can access the grades/feedback'; $string['markingworkflowstateinmarking'] = 'In marking'; $string['markingworkflowstateinreview'] = 'In review'; $string['markingworkflowstatenotmarked'] = 'Not marked'; $string['markingworkflowstatereadyforreview'] = 'Marking completed'; $string['markingworkflowstatereadyforrelease'] = 'Ready for release'; $string['markingworkflowstatereleased'] = 'Released'; $string['maxattempts'] = 'Maximum attempts'; $string['maxattempts_help'] = 'The maximum number of submissions attempts that can be made by a student. After this number of attempts has been made the student&apos;s submission will not be able to be reopened.'; $string['maxgrade'] = 'Maximum grade'; $string['maxgrade'] = 'Maximum Grade'; $string['maxperpage'] = 'Maximum assignments per page'; $string['maxperpage_help'] = 'The maximum number of assignments a grader can show in the assignment grading page. Useful to prevent timeouts on courses with very large enrolments.'; $string['messageprovider:assign_notification'] = 'Assignment notifications'; $string['modulename'] = 'Assignment'; $string['modulename_help'] = 'The assignment activity module enables a teacher to communicate tasks, collect work and provide grades and feedback. Students can submit any digital content (files), such as word-processed documents, spreadsheets, images, or audio and video clips. Alternatively, or in addition, the assignment may require students to type text directly into the text editor. An assignment can also be used to remind students of \'real-world\' assignments they need to complete offline, such as art work, and thus not require any digital content. Students can submit work individually or as a member of a group. When reviewing assignments, teachers can leave feedback comments and upload files, such as marked-up student submissions, documents with comments or spoken audio feedback. Assignments can be graded using a numerical or custom scale or an advanced grading method such as a rubric. Final grades are recorded in the gradebook.'; $string['modulename_link'] = 'mod/assignment/view'; $string['modulenameplural'] = 'Assignments'; $string['moreusers'] = '{$a} more...'; $string['multipleteams'] = 'Member of more than one group'; $string['multipleteamsgrader'] = 'Member of more than one group, so unable to make submissions.'; $string['mysubmission'] = 'My submission: '; $string['newsubmissions'] = 'Assignments submitted'; $string['noattempt'] = 'No attempt'; $string['nofilters'] = 'No filters'; $string['nofiles'] = 'No files. '; $string['nograde'] = 'No grade. '; $string['nolatesubmissions'] = 'No late submissions accepted. '; $string['nomoresubmissionsaccepted'] = 'Only allowed for participants who have been granted an extension'; $string['noonlinesubmissions'] = 'This assignment does not require you to submit anything online'; $string['nosavebutnext'] = 'Next'; $string['nosubmission'] = 'Nothing has been submitted for this assignment'; $string['nosubmissionsacceptedafter'] = 'No submissions accepted after '; $string['noteam'] = 'Not a member of any group'; $string['noteamgrader'] = 'Not a member of any group, so unable to make submissions.'; $string['notgraded'] = 'Not graded'; $string['notgradedyet'] = 'Not graded yet'; $string['notsubmittedyet'] = 'Not submitted yet'; $string['notifications'] = 'Notifications'; $string['nousersselected'] = 'No users selected'; $string['nousers'] = 'No users'; $string['numberofdraftsubmissions'] = 'Drafts'; $string['numberofparticipants'] = 'Participants'; $string['numberofsubmittedassignments'] = 'Submitted'; $string['numberofsubmissionsneedgrading'] = 'Needs grading'; $string['numberofteams'] = 'Groups'; $string['offline'] = 'No online submissions required'; $string['open'] = 'Open'; $string['outof'] = '{$a->current} out of {$a->total}'; $string['overdue'] = '<font color="red">Assignment is overdue by: {$a}</font>'; $string['outlinegrade'] = 'Grade: {$a}'; $string['page-mod-assign-x'] = 'Any assignment module page'; $string['page-mod-assign-view'] = 'Assignment module main and submission page'; $string['paramtimeremaining'] = '{$a} remaining'; $string['participant'] = 'Participant'; $string['pluginadministration'] = 'Assignment administration'; $string['pluginname'] = 'Assignment'; $string['preventsubmissionnotingroup'] = 'Require group to make submission'; $string['preventsubmissionnotingroup_help'] = 'If enabled, users who are not members of a group will be unable to make submissions.'; $string['preventsubmissions'] = 'Prevent the user from making any more submissions to this assignment.'; $string['preventsubmissionsshort'] = 'Prevent submission changes'; $string['previous'] = 'Previous'; $string['quickgrading'] = 'Quick grading'; $string['quickgradingresult'] = 'Quick grading'; $string['quickgradingchangessaved'] = 'The grade changes were saved'; $string['quickgrading_help'] = 'Quick grading allows you to assign grades (and outcomes) directly in the submissions table. Quick grading is not compatible with advanced grading and is not recommended when there are multiple markers.'; $string['reopenuntilpassincompatiblewithblindmarking'] = 'Reopen until pass option is incompatible with blind marking, because the grades are not released to the gradebook until the student identities are revealed.'; $string['requiresubmissionstatement'] = 'Require that students accept the submission statement'; $string['requiresubmissionstatement_help'] = 'Require that students accept the submission statement for all submissions to this assignment.'; $string['requireallteammemberssubmit'] = 'Require all group members submit'; $string['requireallteammemberssubmit_help'] = 'If enabled, all members of the student group must click the submit button for this assignment before the group submission will be considered as submitted. If disabled, the group submission will be considered as submitted as soon as any member of the student group clicks the submit button.'; $string['recordid'] = 'Identifier'; $string['revealidentities'] = 'Reveal student identities'; $string['revealidentitiesconfirm'] = 'Are you sure you want to reveal student identities for this assignment? This operation cannot be undone. Once the student identities have been revealed, the marks will be released to the gradebook.'; $string['reverttodraftforstudent'] = 'Revert submission to draft for student: (id={$a->id}, fullname={$a->fullname}).'; $string['reverttodraft'] = 'Revert the submission to draft status.'; $string['reverttodraftshort'] = 'Revert the submission to draft'; $string['reviewed'] = 'Reviewed'; $string['saveallquickgradingchanges'] = 'Save all quick grading changes'; $string['saveandcontinue'] = 'Save and continue'; $string['savechanges'] = 'Save changes'; $string['savegradingresult'] = 'Grade'; $string['savenext'] = 'Save and show next'; $string['savingchanges'] = 'Saving changes...'; $string['scale'] = 'Scale'; $string['search:activity'] = 'Assignment - activity information'; $string['sendstudentnotificationsdefault'] = 'Default setting for "Notify students"'; $string['sendstudentnotificationsdefault_help'] = 'Set the default value for the "Notify students" checkbox on the grading form.'; $string['sendstudentnotifications'] = 'Notify students'; $string['sendstudentnotifications_help'] = 'If enabled, students receive a message about the updated grade or feedback.'; $string['sendnotifications'] = 'Notify graders about submissions'; $string['sendnotifications_help'] = 'If enabled, graders (usually teachers) receive a message whenever a student submits an assignment, early, on time and late. Message methods are configurable.'; $string['selectlink'] = 'Select...'; $string['selectuser'] = 'Select {$a}'; $string['sendlatenotifications'] = 'Notify graders about late submissions'; $string['sendlatenotifications_help'] = 'If enabled, graders (usually teachers) receive a message whenever a student submits an assignment late. Message methods are configurable.'; $string['sendsubmissionreceipts'] = 'Send submission receipt to students'; $string['sendsubmissionreceipts_help'] = 'This switch will enable submission receipts for students. Students will receive a notification every time they successfully submit an assignment'; $string['setmarkingallocation'] = 'Set allocated marker'; $string['setmarkingworkflowstate'] = 'Set marking workflow state'; $string['selectedusers'] = 'Selected users'; $string['setmarkingworkflowstateforlog'] = 'Set marking workflow state : (id={$a->id}, fullname={$a->fullname}, state={$a->state}). '; $string['setmarkerallocationforlog'] = 'Set marking allocation : (id={$a->id}, fullname={$a->fullname}, marker={$a->marker}). '; $string['settings'] = 'Assignment settings'; $string['showrecentsubmissions'] = 'Show recent submissions'; $string['status'] = 'Status'; $string['studentnotificationworkflowstateerror'] = 'Marking workflow state must be \'Released\' to notify students.'; $string['submissioncopiedtext'] = 'You have made a copy of your previous assignment submission for \'{$a->assignment}\' You can see the status of your assignment submission: {$a->url}'; $string['submissioncopiedhtml'] = '<p>You have made a copy of your previous assignment submission for \'<i>{$a->assignment}</i>\'.</p> <p>You can see the status of your <a href="{$a->url}">assignment submission</a>.</p>'; $string['submissioncopiedsmall'] = 'You have copied your previous assignment submission for {$a->assignment}'; $string['submissiondrafts'] = 'Require students click submit button'; $string['submissiondrafts_help'] = 'If enabled, students will have to click a Submit button to declare their submission as final. This allows students to keep a draft version of the submission on the system. If this setting is changed from "No" to "Yes" after students have already submitted those submissions will be regarded as final.'; $string['submissioneditable'] = 'Student can edit this submission'; $string['submissionlog'] = 'Student: {$a->fullname}, Status: {$a->status}'; $string['submissionnotcopiedinvalidstatus'] = 'The submission was not copied because it has been edited since it was reopened.'; $string['submissionnoteditable'] = 'Student cannot edit this submission'; $string['submissionnotready'] = 'This assignment is not ready to submit:'; $string['submissionplugins'] = 'Submission plugins'; $string['submissionreceipts'] = 'Send submission receipts'; $string['submissionreceiptothertext'] = 'Your assignment submission for \'{$a->assignment}\' has been submitted. You can see the status of your assignment submission: {$a->url}'; $string['submissionreceiptotherhtml'] = 'Your assignment submission for \'<i>{$a->assignment}</i>\' has been submitted.<br /><br /> You can see the status of your <a href="{$a->url}">assignment submission</a>.'; $string['submissionreceiptothersmall'] = 'Your assignment submission for {$a->assignment} has been submitted.'; $string['submissionreceipttext'] = 'You have submitted an assignment submission for \'{$a->assignment}\' You can see the status of your assignment submission: {$a->url}'; $string['submissionreceipthtml'] = '<p>You have submitted an assignment submission for \'<i>{$a->assignment}</i>\'.</p> <p>You can see the status of your <a href="{$a->url}">assignment submission</a>.</p>'; $string['submissionreceiptsmall'] = 'You have submitted your assignment submission for {$a->assignment}'; $string['submissionslocked'] = 'This assignment is not accepting submissions'; $string['submissionslockedshort'] = 'Submission changes not allowed'; $string['submissions'] = 'Submissions'; $string['submissionsnotgraded'] = 'Submissions not graded: {$a}'; $string['submissionsclosed'] = 'Submissions closed'; $string['submissionsettings'] = 'Submission settings'; $string['submissionstatement'] = 'Submission statement'; $string['submissionstatement_help'] = 'Assignment submission confirmation statement'; $string['submissionstatementdefault'] = 'This assignment is my own work, except where I have acknowledged the use of the works of other people.'; $string['submissionstatementacceptedlog'] = 'Submission statement accepted by user {$a}'; $string['submissionstatus_draft'] = 'Draft (not submitted)'; $string['submissionstatusheading'] = 'Submission status'; $string['submissionstatus_marked'] = 'Graded'; $string['submissionstatus_new'] = 'No submission'; $string['submissionstatus_reopened'] = 'Reopened'; $string['submissionstatus_'] = 'No submission'; $string['submissionstatus'] = 'Submission status'; $string['submissionstatus_submitted'] = 'Submitted for grading'; $string['submissionsummary'] = '{$a->status}. Last modified on {$a->timemodified}'; $string['submissionteam'] = 'Group'; $string['submissiontypes'] = 'Submission types'; $string['submission'] = 'Submission'; $string['submitaction'] = 'Submit'; $string['submitforgrading'] = 'Submit for grading'; $string['submitassignment_help'] = 'Once this assignment is submitted you will not be able to make any more changes.'; $string['submitassignment'] = 'Submit assignment'; $string['submittedearly'] = 'Assignment was submitted {$a} early'; $string['submittedlate'] = 'Assignment was submitted {$a} late'; $string['submittedlateshort'] = '{$a} late'; $string['submitted'] = 'Submitted'; $string['subplugintype_assignsubmission'] = 'Submission plugin'; $string['subplugintype_assignsubmission_plural'] = 'Submission plugins'; $string['subplugintype_assignfeedback'] = 'Feedback plugin'; $string['subplugintype_assignfeedback_plural'] = 'Feedback plugins'; $string['teamname'] = 'Team: {$a}'; $string['teamsubmission'] = 'Students submit in groups'; $string['teamsubmission_help'] = 'If enabled students will be divided into groups based on the default set of groups or a custom grouping. A group submission will be shared among group members and all members of the group will see each others changes to the submission.'; $string['teamsubmissiongroupingid'] = 'Grouping for student groups'; $string['teamsubmissiongroupingid_help'] = 'This is the grouping that the assignment will use to find groups for student groups. If not set - the default set of groups will be used.'; $string['textinstructions'] = 'Assignment instructions'; $string['timemodified'] = 'Last modified'; $string['timeremaining'] = 'Time remaining'; $string['timeremainingcolon'] = 'Time remaining: {$a}'; $string['togglezoom'] = 'Zoom in/out of region'; $string['ungroupedusers'] = 'The setting \'Require group to make submission\' is enabled and some users are either not a member of any group, or are a member of more than one group, so are unable to make submissions.'; $string['unlocksubmissionforstudent'] = 'Allow submissions for student: (id={$a->id}, fullname={$a->fullname}).'; $string['unlocksubmissions'] = 'Unlock submissions'; $string['unlimitedattempts'] = 'Unlimited'; $string['unlimitedattemptsallowed'] = 'Unlimited attempts allowed.'; $string['unlimitedpages'] = 'Unlimited'; $string['unsavedchanges'] = 'Unsaved changes'; $string['unsavedchangesquestion'] = 'There are unsaved changes to grades or feedback. Do you want to save the changes and continue?'; $string['updategrade'] = 'Update grade'; $string['updatetable'] = 'Save and update table'; $string['upgradenotimplemented'] = 'Upgrade not implemented in plugin ({$a->type} {$a->subtype})'; $string['userextensiondate'] = 'Extension granted until: {$a}'; $string['useridlistnotcached'] = 'The grade changes were NOT saved, as it was not possible to determine which submission they were for.'; $string['userswhoneedtosubmit'] = 'Users who need to submit: {$a}'; $string['usergrade'] = 'User grade'; $string['validmarkingworkflowstates'] = 'Valid marking workflow states'; $string['viewadifferentattempt'] = 'View a different attempt'; $string['viewbatchsetmarkingworkflowstate'] = 'View batch set marking workflow state page.'; $string['viewbatchmarkingallocation'] = 'View batch set marking allocation page.'; $string['viewfeedback'] = 'View feedback'; $string['viewfeedbackforuser'] = 'View feedback for user: {$a}'; $string['viewfullgradingpage'] = 'Open the full grading page to provide feedback'; $string['viewgradebook'] = 'View gradebook'; $string['viewgradingformforstudent'] = 'View grading page for student: (id={$a->id}, fullname={$a->fullname}).'; $string['viewgrading'] = 'View all submissions'; $string['viewownsubmissionform'] = 'View own submit assignment page.'; $string['viewownsubmissionstatus'] = 'View own submission status page.'; $string['viewsubmissionforuser'] = 'View submission for user: {$a}'; $string['viewsubmission'] = 'View submission'; $string['viewfull'] = 'View full'; $string['viewsummary'] = 'View summary'; $string['viewsubmissiongradingtable'] = 'View submission grading table.'; $string['viewrevealidentitiesconfirm'] = 'View reveal student identities confirmation page.'; $string['workflowfilter'] = 'Workflow filter'; $string['xofy'] = '{$a->x} of {$a->y}';
{ "content_hash": "50ed06b37f61444863181f8070ef0598", "timestamp": "", "source": "github", "line_count": 501, "max_line_length": 477, "avg_line_length": 72.39720558882236, "alnum_prop": 0.7505720823798627, "repo_name": "tesler/cspt-moodle", "id": "40e371d8a8ca73562ce6bcc3ae2487c33670f7e0", "size": "36487", "binary": false, "copies": "9", "ref": "refs/heads/master", "path": "moodle/mod/assign/lang/en/assign.php", "mode": "33188", "license": "mit", "language": [ { "name": "CSS", "bytes": "1317422" }, { "name": "Cucumber", "bytes": "2339764" }, { "name": "HTML", "bytes": "667655" }, { "name": "Java", "bytes": "14870" }, { "name": "JavaScript", "bytes": "12844512" }, { "name": "PHP", "bytes": "76536211" }, { "name": "PLSQL", "bytes": "4867" }, { "name": "Perl", "bytes": "20769" }, { "name": "Shell", "bytes": "6937" }, { "name": "XSLT", "bytes": "33489" } ], "symlink_target": "" }
#ifndef CODEDPROJECT_SEQUENCE_BINARY_EXPRESSION_TRAITS_HPP #define CODEDPROJECT_SEQUENCE_BINARY_EXPRESSION_TRAITS_HPP namespace CodedProject { template<typename LHS, typename RHS, typename EnableSpecialisation=void> struct SequenceBinaryExpressionTraits; template<typename LHS, typename RHS> struct SequenceBinaryExpressionTraits<LHS,RHS,typename std::enable_if<SequenceExpressionTraits<LHS>::is_sequence>::type> { typedef typename LHS::value_type value_type; typedef typename LHS::size_type size_type; }; template<typename LHS, typename RHS> struct SequenceBinaryExpressionTraits<LHS,RHS,typename std::enable_if<!SequenceExpressionTraits<LHS>::is_sequence>::type> { typedef typename RHS::value_type value_type; typedef typename RHS::size_type size_type; }; } #endif
{ "content_hash": "14da0360d74ddd6c75f98b8050d2655f", "timestamp": "", "source": "github", "line_count": 28, "max_line_length": 121, "avg_line_length": 27.964285714285715, "alnum_prop": 0.8045977011494253, "repo_name": "thecodedproject/sequence", "id": "6c81a22757fbd7e50145fd4eb9a30fba3ba9f0bf", "size": "2343", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "include/sequence/sequence_binary_expression_traits.hpp", "mode": "33188", "license": "bsd-3-clause", "language": [ { "name": "C++", "bytes": "1240380" } ], "symlink_target": "" }
<!doctype html> <html> <head> <!-- http://www.ultra-fluide.com/ressources/xhtml/block-inline.xhtml --> <title>Scroll Test Page</title> <meta name="viewport" content="width=device-width, height=device-height, initial-scale=1.0, maximum-scale=1.0, user-scalable=0"/> <style type="text/css"> * { -webkit-touch-callout: none; /* prevent callout to copy image, etc when tap to hold */ -webkit-user-drag: none; /* IMPORTANT : prevent Chrome to drag by itself */ -webkit-text-size-adjust: none; /* prevent webkit from resizing text to fit */ /* make transparent link selection, adjust last value opacity 0 to 1.0 */ -webkit-tap-highlight-color: rgba(0, 0, 0, 0); } *:not(input):not(textarea) { -webkit-user-select: none; /* prevent copy paste, to allow, change 'none' to 'text' */ -khtml-user-select: none; -moz-user-select: none; -ms-user-select: none; user-select: none; } html { margin: 0; padding: 0; overflow: hidden; } body { margin: 0; padding: 0; overflow: hidden; color: #FFF; border-style: solid; border-width: 2px; border-color: red; position:relative; } body[orient="portrait"] { background: #FF0000; } body[orient="landscape"] { background: #000; } #entetePage, #piedsPage { margin: 0; background: #ccc; text-align: center; } #entetePage h1, #piedsPage h1 { margin: 0; } #bandeau { margin: 0; padding: 0; color: #fff; background-color: #666; /*text-align: left;*/ } #bandeau li { list-style-type: none; display: inline; } #bandeau li:nth-child(2) { background-color: #363; } #bandeau li:nth-child(3) { background-color: #633; } #bandeau li:nth-child(4) { background-color: #336; } #bandeau li a { padding-left: 5px; padding-right: 5px; color: #fff; text-decoration: none; border-right: 1px solid #fff; } #bandeau li a:hover { background: #383; } #corpsPage { } #leftSide { margin: 0; padding: 0; background: #fcc; position:relative; float:left; width:50%; } #leftSideScroller { padding-bottom: 20px; padding-top: 20px; } #rightSide { margin: 0; padding: 0; background: #cfc; position:relative; float:left; width:50%; } #rightSideScroller { padding-bottom: 20px; padding-top: 20px; } #leftSide blockquote { color: green; } </style> </head> <!-- Need to take into account border size of body to keep it inside viewscreen --> <body ng-app="c4p" ng-style="{height:(getResizeHeight() - 4)+'px', width:(getResizeWidth() - 4)+'px'}" ng-controller="ctrlNavigation" resize-opts="{name:'e2eLayoutTest_body'}"> <div id="entetePage" resize-opts="{name:'e2eLayoutTest_entetePage'}"> <h1>header</h1> <ul id="bandeau"> <li> <a href="accueil.php" id="accueil" title="accueil"> <span>Accueil</span> </a> </li> <li> <a href="presentation.php" id="presentation" title="Pr�sentation"> <span>Pr�sentation</span> </a> </li> <li> <a href="contact.php" id="contact" title="contact"> <span>Contact</span> </a> </li> <li> <a href="news.php" id="news" title="News"> <span>News</span> </a> </li> </ul> </div> <div id="corpsPage" resize-opts="{name:'e2eLayoutTest_corpsPage'}" resizecss-height="getResizePathValue('e2eLayoutTest_body', '', 'offsetHeight') -getResizePathValue('e2eLayoutTest_entetePage', '', 'offsetHeight') -getResizePathValue('e2eLayoutTest_piedsPage', '', 'offsetHeight')"> <div id="leftSide" sense-opts="{name:'e2eLayoutTest_leftSide', axeX:'swipe', axeY:'scroll'}" resize-opts="{name:'e2eLayoutTest_leftSide'}" resizecss-height="getResizePathValue('e2eLayoutTest_body', '', 'offsetHeight') -getResizePathValue('e2eLayoutTest_entetePage', '', 'offsetHeight') -getResizePathValue('e2eLayoutTest_piedsPage', '', 'offsetHeight')"> <div id="leftSideScroller"> <blockquote class="citationscelebres"> Ce n'est pas parce qu'en hiver on dit � fermez la porte, il fait froid dehors �, qu'il fait moins froid dehors quand la porte est ferm�e. </blockquote> <blockquote class="poemes"> Vienne la nuit sonne l'heure. Les jours s'en vont je demeure. </blockquote> <blockquote class="citationscelebres"> Une heure assis � c�t� d'une jolie femme semble durer une minute. Une minute assis sur un four br�lant semble durer une heure. C'est �a la relativit�. </blockquote> </div> </div> <div id="rightSide" sense-opts="{name:'e2eLayoutTest_rightSide', axeX:'swipe', axeY:'scroll'}" resize-opts="{name:'e2eLayoutTest_rightSide'}" resizecss-height="getResizePathValue('e2eLayoutTest_body', '', 'offsetHeight') -getResizePathValue('e2eLayoutTest_entetePage', '', 'offsetHeight') -getResizePathValue('e2eLayoutTest_piedsPage', '', 'offsetHeight')"> <div id="rightSideScroller"> <blockquote class="citationscelebres"> Ce n'est pas parce qu'en hiver on dit � fermez la porte, il fait froid dehors �, qu'il fait moins froid dehors quand la porte est ferm�e. </blockquote> <blockquote class="poemes"> Vienne la nuit sonne l'heure. Les jours s'en vont je demeure. </blockquote> <blockquote class="citationscelebres"> Une heure assis � c�t� d'une jolie femme semble durer une minute. Une minute assis sur un four br�lant semble durer une heure. C'est �a la relativit�. </blockquote> <blockquote class="poemes"> Vienne la nuit sonne l'heure. Les jours s'en vont je demeure. </blockquote> <blockquote class="citationscelebres"> Ce n'est pas parce qu'en hiver on dit � fermez la porte, il fait froid dehors �, qu'il fait moins froid dehors quand la porte est ferm�e. </blockquote> </div> </div> </div> <div id="piedsPage" resize-opts="{name:'e2eLayoutTest_piedsPage'}"> <h1>footer</h1> </div> <script type="text/javascript" src="../../www/l4p/libs/js/jquery/jquery-2.0.3.min.js"></script> <script type="text/javascript" src="../../www/l4p/libs/js/angular/angular.min.1.1.4.js"></script> <script type="text/javascript" src="../../www/l4p/libs/js/angular/angular-resource.min.1.1.4.js"></script> <script type="text/javascript" src="../../www/l4p/libs/js/l4p.min.js"></script> <script language="javascript"> var appModule = angular.module('c4p', ['a4p.directives']); var directiveModule = angular.module('a4p.directives', []); a4p.Sense.declareDirectives(directiveModule); a4p.Resize.declareDirectives(directiveModule); function ctrlNavigation($scope) { } ctrlNavigation.$inject = ['$scope']; </script> </body> </html>
{ "content_hash": "278af7ddb0638f1f46018e8079f2a5e6", "timestamp": "", "source": "github", "line_count": 236, "max_line_length": 224, "avg_line_length": 34.228813559322035, "alnum_prop": 0.5396137657836098, "repo_name": "mlefree/cmpc", "id": "4fb8fd66a43cadfade4d72670d259c216fe67e6f", "size": "8124", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "tests/sandbox/scrollTest.html", "mode": "33188", "license": "mit", "language": [ { "name": "Batchfile", "bytes": "1834" }, { "name": "CSS", "bytes": "1560399" }, { "name": "HTML", "bytes": "1117114" }, { "name": "Java", "bytes": "7920" }, { "name": "JavaScript", "bytes": "3807608" }, { "name": "Ruby", "bytes": "503" }, { "name": "Shell", "bytes": "15944" } ], "symlink_target": "" }
/** * KeywordLocation.java * <p> * This file was auto-generated from WSDL * by the Apache Axis 1.4 Apr 22, 2006 (06:55:48 PDT) WSDL2Java emitter. */ package com.microsoft.bingads.v10.adinsight.entity; public class KeywordLocation implements java.io.Serializable { // Type metadata private static org.apache.axis.description.TypeDesc typeDesc = new org.apache.axis.description.TypeDesc(KeywordLocation.class, true); static { typeDesc.setXmlType(new javax.xml.namespace.QName("http://schemas.datacontract.org/2004/07/Microsoft.BingAds.Advertiser.AdInsight.Api.DataContract.Entity", "KeywordLocation")); org.apache.axis.description.ElementDesc elemField = new org.apache.axis.description.ElementDesc(); elemField.setFieldName("device"); elemField.setXmlName(new javax.xml.namespace.QName("http://schemas.datacontract.org/2004/07/Microsoft.BingAds.Advertiser.AdInsight.Api.DataContract.Entity", "Device")); elemField.setXmlType(new javax.xml.namespace.QName("http://www.w3.org/2001/XMLSchema", "string")); elemField.setMinOccurs(0); elemField.setNillable(true); typeDesc.addFieldDesc(elemField); elemField = new org.apache.axis.description.ElementDesc(); elemField.setFieldName("location"); elemField.setXmlName(new javax.xml.namespace.QName("http://schemas.datacontract.org/2004/07/Microsoft.BingAds.Advertiser.AdInsight.Api.DataContract.Entity", "Location")); elemField.setXmlType(new javax.xml.namespace.QName("http://www.w3.org/2001/XMLSchema", "string")); elemField.setMinOccurs(0); elemField.setNillable(true); typeDesc.addFieldDesc(elemField); elemField = new org.apache.axis.description.ElementDesc(); elemField.setFieldName("percentage"); elemField.setXmlName(new javax.xml.namespace.QName("http://schemas.datacontract.org/2004/07/Microsoft.BingAds.Advertiser.AdInsight.Api.DataContract.Entity", "Percentage")); elemField.setXmlType(new javax.xml.namespace.QName("http://www.w3.org/2001/XMLSchema", "double")); elemField.setMinOccurs(0); elemField.setNillable(false); typeDesc.addFieldDesc(elemField); } private java.lang.String device; private java.lang.String location; private java.lang.Double percentage; private java.lang.Object __equalsCalc = null; private boolean __hashCodeCalc = false; public KeywordLocation() { } public KeywordLocation( java.lang.String device, java.lang.String location, java.lang.Double percentage) { this.device = device; this.location = location; this.percentage = percentage; } /** * Return type metadata object */ public static org.apache.axis.description.TypeDesc getTypeDesc() { return typeDesc; } /** * Get Custom Serializer */ public static org.apache.axis.encoding.Serializer getSerializer( java.lang.String mechType, java.lang.Class _javaType, javax.xml.namespace.QName _xmlType) { return new org.apache.axis.encoding.ser.BeanSerializer( _javaType, _xmlType, typeDesc); } /** * Get Custom Deserializer */ public static org.apache.axis.encoding.Deserializer getDeserializer( java.lang.String mechType, java.lang.Class _javaType, javax.xml.namespace.QName _xmlType) { return new org.apache.axis.encoding.ser.BeanDeserializer( _javaType, _xmlType, typeDesc); } /** * Gets the device value for this KeywordLocation. * * @return device */ public java.lang.String getDevice() { return device; } /** * Sets the device value for this KeywordLocation. * * @param device */ public void setDevice(java.lang.String device) { this.device = device; } /** * Gets the location value for this KeywordLocation. * * @return location */ public java.lang.String getLocation() { return location; } /** * Sets the location value for this KeywordLocation. * * @param location */ public void setLocation(java.lang.String location) { this.location = location; } /** * Gets the percentage value for this KeywordLocation. * * @return percentage */ public java.lang.Double getPercentage() { return percentage; } /** * Sets the percentage value for this KeywordLocation. * * @param percentage */ public void setPercentage(java.lang.Double percentage) { this.percentage = percentage; } public synchronized boolean equals(java.lang.Object obj) { if (!(obj instanceof KeywordLocation)) return false; KeywordLocation other = (KeywordLocation) obj; if (obj == null) return false; if (this == obj) return true; if (__equalsCalc != null) { return (__equalsCalc == obj); } __equalsCalc = obj; boolean _equals; _equals = true && ((this.device == null && other.getDevice() == null) || (this.device != null && this.device.equals(other.getDevice()))) && ((this.location == null && other.getLocation() == null) || (this.location != null && this.location.equals(other.getLocation()))) && ((this.percentage == null && other.getPercentage() == null) || (this.percentage != null && this.percentage.equals(other.getPercentage()))); __equalsCalc = null; return _equals; } public synchronized int hashCode() { if (__hashCodeCalc) { return 0; } __hashCodeCalc = true; int _hashCode = 1; if (getDevice() != null) { _hashCode += getDevice().hashCode(); } if (getLocation() != null) { _hashCode += getLocation().hashCode(); } if (getPercentage() != null) { _hashCode += getPercentage().hashCode(); } __hashCodeCalc = false; return _hashCode; } }
{ "content_hash": "c60400b63f6fce62e76411110b993f3b", "timestamp": "", "source": "github", "line_count": 186, "max_line_length": 180, "avg_line_length": 31.93548387096774, "alnum_prop": 0.6542087542087542, "repo_name": "feedeo/bingads-api", "id": "aa65adc40a2d500e0c352736a02a6732434c1240", "size": "5940", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "src/main/java/com/microsoft/bingads/v10/adinsight/entity/KeywordLocation.java", "mode": "33188", "license": "mit", "language": [ { "name": "Java", "bytes": "4732706" } ], "symlink_target": "" }
package org.kuali.rice.ksb.messaging.bam; import java.io.Serializable; import java.sql.Timestamp; import java.util.ArrayList; import java.util.List; import javax.persistence.Basic; import javax.persistence.CascadeType; import javax.persistence.Column; import javax.persistence.Entity; import javax.persistence.FetchType; import javax.persistence.GeneratedValue; import javax.persistence.Id; import javax.persistence.Lob; import javax.persistence.OneToMany; import javax.persistence.Table; import javax.persistence.Transient; import org.hibernate.annotations.GenericGenerator; import org.hibernate.annotations.Parameter; import org.kuali.rice.core.framework.persistence.jpa.OrmUtils; import org.kuali.rice.ksb.api.messaging.AsynchronousCallback; import org.kuali.rice.ksb.service.KSBServiceLocator; /** * An entry in the BAM representing a service method invocation. * * @author Kuali Rice Team ([email protected]) */ @Entity @Table(name="KRSB_BAM_T") //@Sequence(name="KRSB_BAM_S", property="bamId") public class BAMTargetEntry implements Serializable { private static final long serialVersionUID = -8376674801367598316L; @Id @GeneratedValue(generator="KRSB_BAM_S") @GenericGenerator(name="KRSB_BAM_S",strategy="org.hibernate.id.enhanced.SequenceStyleGenerator",parameters={ @Parameter(name="sequence_name",value="KRSB_BAM_S"), @Parameter(name="value_column",value="id") }) @Column(name="BAM_ID") private Long bamId; @Column(name="SVC_NM") private String serviceName; @Column(name="MTHD_NM") private String methodName; @Column(name="THRD_NM") private String threadName; @Column(name="CALL_DT") private Timestamp callDate; @Column(name="SVC_URL") private String serviceURL; @Column(name="TGT_TO_STR") private String targetToString; @Column(name="EXCPN_TO_STR") private String exceptionToString; @Lob @Basic(fetch=FetchType.LAZY) @Column(name="EXCPN_MSG", length=4000) private String exceptionMessage; @Column(name="SRVR_IND") private Boolean serverInvocation; @OneToMany(cascade=CascadeType.ALL, mappedBy="bamParamId") private List<BAMParam> bamParams = new ArrayList<BAMParam>(); //for async calls not bam @Transient private AsynchronousCallback callback; //@PrePersist public void beforeInsert(){ OrmUtils.populateAutoIncValue(this, KSBServiceLocator.getRegistryEntityManagerFactory().createEntityManager()); } public void addBamParam(BAMParam bamParam) { this.bamParams.add(bamParam); } public String getExceptionToString() { return this.exceptionToString; } public void setExceptionToString(String exceptionToString) { this.exceptionToString = exceptionToString; } public String getServiceName() { return this.serviceName; } public void setServiceName(String serviceName) { this.serviceName = serviceName; } public String getServiceURL() { return this.serviceURL; } public void setServiceURL(String serviceURL) { this.serviceURL = serviceURL; } public String getTargetToString() { return this.targetToString; } public void setTargetToString(String targetToString) { this.targetToString = targetToString; } public Long getBamId() { return this.bamId; } public void setBamId(Long bamId) { this.bamId = bamId; } public String getExceptionMessage() { return this.exceptionMessage; } public void setExceptionMessage(String exceptionMessage) { this.exceptionMessage = exceptionMessage; } public Boolean getServerInvocation() { return this.serverInvocation; } public void setServerInvocation(Boolean clientInvocation) { this.serverInvocation = clientInvocation; } public Timestamp getCallDate() { return this.callDate; } public void setCallDate(Timestamp callDate) { this.callDate = callDate; } public String getMethodName() { return this.methodName; } public void setMethodName(String methodName) { this.methodName = methodName; } public String getThreadName() { return this.threadName; } public void setThreadName(String threadName) { this.threadName = threadName; } public List<BAMParam> getBamParams() { return this.bamParams; } public void setBamParams(List<BAMParam> bamParams) { this.bamParams = bamParams; } public AsynchronousCallback getCallback() { return this.callback; } public void setCallback(AsynchronousCallback callback) { this.callback = callback; } }
{ "content_hash": "87d3916e77f111690a0e8680b96fa78f", "timestamp": "", "source": "github", "line_count": 156, "max_line_length": 119, "avg_line_length": 27.852564102564102, "alnum_prop": 0.769620253164557, "repo_name": "sbower/kuali-rice-1", "id": "caec8d73847f2ada8d58c241dcc57ebd5771678b", "size": "4972", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "impl/src/main/java/org/kuali/rice/ksb/messaging/bam/BAMTargetEntry.java", "mode": "33188", "license": "apache-2.0", "language": [], "symlink_target": "" }
ACCEPTED #### According to International Plant Names Index #### Published in null #### Original name null ### Remarks null
{ "content_hash": "ddc6a2908ce6bf4a6b1850e30f810d33", "timestamp": "", "source": "github", "line_count": 13, "max_line_length": 31, "avg_line_length": 9.692307692307692, "alnum_prop": 0.7063492063492064, "repo_name": "mdoering/backbone", "id": "5b12984c884dbb9673043b3e8bda46c8047a82ec", "size": "175", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "life/Plantae/Magnoliophyta/Magnoliopsida/Ericales/Ericaceae/Xolisma/Xolisma apiculata/README.md", "mode": "33188", "license": "apache-2.0", "language": [], "symlink_target": "" }
var parseSignature = require('./signature'); const parser = (() => { 'use strict'; var operators = { '.': 75, '[': 80, ']': 0, '{': 70, '}': 0, '(': 80, ')': 0, ',': 0, '@': 75, '#': 70, ';': 80, ':': 80, '?': 20, '+': 50, '-': 50, '*': 60, '/': 60, '%': 60, '|': 20, '=': 40, '<': 40, '>': 40, '^': 40, '**': 60, '..': 20, ':=': 10, '!=': 40, '<=': 40, '>=': 40, '~>': 40, 'and': 30, 'or': 25, 'in': 40, '&': 50, '!': 0, // not an operator, but needed as a stop character for name tokens '~': 0 // not an operator, but needed as a stop character for name tokens }; var escapes = { // JSON string escape sequences - see json.org '"': '"', '\\': '\\', '/': '/', 'b': '\b', 'f': '\f', 'n': '\n', 'r': '\r', 't': '\t' }; // Tokenizer (lexer) - invoked by the parser to return one token at a time var tokenizer = function (path) { var position = 0; var length = path.length; var create = function (type, value) { var obj = {type: type, value: value, position: position}; return obj; }; var scanRegex = function () { // the prefix '/' will have been previously scanned. Find the end of the regex. // search for closing '/' ignoring any that are escaped, or within brackets var start = position; var depth = 0; var pattern; var flags; while (position < length) { var currentChar = path.charAt(position); if (currentChar === '/' && path.charAt(position - 1) !== '\\' && depth === 0) { // end of regex found pattern = path.substring(start, position); if (pattern === '') { throw { code: "S0301", stack: (new Error()).stack, position: position }; } position++; currentChar = path.charAt(position); // flags start = position; while (currentChar === 'i' || currentChar === 'm') { position++; currentChar = path.charAt(position); } flags = path.substring(start, position) + 'g'; return new RegExp(pattern, flags); } if ((currentChar === '(' || currentChar === '[' || currentChar === '{') && path.charAt(position - 1) !== '\\') { depth++; } if ((currentChar === ')' || currentChar === ']' || currentChar === '}') && path.charAt(position - 1) !== '\\') { depth--; } position++; } throw { code: "S0302", stack: (new Error()).stack, position: position }; }; var next = function (prefix) { if (position >= length) return null; var currentChar = path.charAt(position); // skip whitespace while (position < length && ' \t\n\r\v'.indexOf(currentChar) > -1) { position++; currentChar = path.charAt(position); } // skip comments if (currentChar === '/' && path.charAt(position + 1) === '*') { var commentStart = position; position += 2; currentChar = path.charAt(position); while (!(currentChar === '*' && path.charAt(position + 1) === '/')) { currentChar = path.charAt(++position); if (position >= length) { // no closing tag throw { code: "S0106", stack: (new Error()).stack, position: commentStart }; } } position += 2; currentChar = path.charAt(position); return next(prefix); // need this to swallow any following whitespace } // test for regex if (prefix !== true && currentChar === '/') { position++; return create('regex', scanRegex()); } // handle double-char operators if (currentChar === '.' && path.charAt(position + 1) === '.') { // double-dot .. range operator position += 2; return create('operator', '..'); } if (currentChar === ':' && path.charAt(position + 1) === '=') { // := assignment position += 2; return create('operator', ':='); } if (currentChar === '!' && path.charAt(position + 1) === '=') { // != position += 2; return create('operator', '!='); } if (currentChar === '>' && path.charAt(position + 1) === '=') { // >= position += 2; return create('operator', '>='); } if (currentChar === '<' && path.charAt(position + 1) === '=') { // <= position += 2; return create('operator', '<='); } if (currentChar === '*' && path.charAt(position + 1) === '*') { // ** descendant wildcard position += 2; return create('operator', '**'); } if (currentChar === '~' && path.charAt(position + 1) === '>') { // ~> chain function position += 2; return create('operator', '~>'); } // test for single char operators if (operators.hasOwnProperty(currentChar)) { position++; return create('operator', currentChar); } // test for string literals if (currentChar === '"' || currentChar === "'") { var quoteType = currentChar; // double quoted string literal - find end of string position++; var qstr = ""; while (position < length) { currentChar = path.charAt(position); if (currentChar === '\\') { // escape sequence position++; currentChar = path.charAt(position); if (escapes.hasOwnProperty(currentChar)) { qstr += escapes[currentChar]; } else if (currentChar === 'u') { // \u should be followed by 4 hex digits var octets = path.substr(position + 1, 4); if (/^[0-9a-fA-F]+$/.test(octets)) { var codepoint = parseInt(octets, 16); qstr += String.fromCharCode(codepoint); position += 4; } else { throw { code: "S0104", stack: (new Error()).stack, position: position }; } } else { // illegal escape sequence throw { code: "S0103", stack: (new Error()).stack, position: position, token: currentChar }; } } else if (currentChar === quoteType) { position++; return create('string', qstr); } else { qstr += currentChar; } position++; } throw { code: "S0101", stack: (new Error()).stack, position: position }; } // test for numbers var numregex = /^-?(0|([1-9][0-9]*))(\.[0-9]+)?([Ee][-+]?[0-9]+)?/; var match = numregex.exec(path.substring(position)); if (match !== null) { var num = parseFloat(match[0]); if (!isNaN(num) && isFinite(num)) { position += match[0].length; return create('number', num); } else { throw { code: "S0102", stack: (new Error()).stack, position: position, token: match[0] }; } } // test for quoted names (backticks) var name; if (currentChar === '`') { // scan for closing quote position++; var end = path.indexOf('`', position); if (end !== -1) { name = path.substring(position, end); position = end + 1; return create('name', name); } position = length; throw { code: "S0105", stack: (new Error()).stack, position: position }; } // test for names var i = position; var ch; for (; ;) { ch = path.charAt(i); if (i === length || ' \t\n\r\v'.indexOf(ch) > -1 || operators.hasOwnProperty(ch)) { if (path.charAt(position) === '$') { // variable reference name = path.substring(position + 1, i); position = i; return create('variable', name); } else { name = path.substring(position, i); position = i; switch (name) { case 'or': case 'in': case 'and': return create('operator', name); case 'true': return create('value', true); case 'false': return create('value', false); case 'null': return create('value', null); default: if (position === length && name === '') { // whitespace at end of input return null; } return create('name', name); } } } else { i++; } } }; return next; }; // This parser implements the 'Top down operator precedence' algorithm developed by Vaughan R Pratt; http://dl.acm.org/citation.cfm?id=512931. // and builds on the Javascript framework described by Douglas Crockford at http://javascript.crockford.com/tdop/tdop.html // and in 'Beautiful Code', edited by Andy Oram and Greg Wilson, Copyright 2007 O'Reilly Media, Inc. 798-0-596-51004-6 var parser = function (source, recover) { var node; var lexer; var symbol_table = {}; var errors = []; var remainingTokens = function () { var remaining = []; if (node.id !== '(end)') { remaining.push({type: node.type, value: node.value, position: node.position}); } var nxt = lexer(); while (nxt !== null) { remaining.push(nxt); nxt = lexer(); } return remaining; }; var base_symbol = { nud: function () { // error - symbol has been invoked as a unary operator var err = { code: 'S0211', token: this.value, position: this.position }; if (recover) { err.remaining = remainingTokens(); err.type = 'error'; errors.push(err); return err; } else { err.stack = (new Error()).stack; throw err; } } }; var symbol = function (id, bp) { var s = symbol_table[id]; bp = bp || 0; if (s) { if (bp >= s.lbp) { s.lbp = bp; } } else { s = Object.create(base_symbol); s.id = s.value = id; s.lbp = bp; symbol_table[id] = s; } return s; }; var handleError = function (err) { if (recover) { // tokenize the rest of the buffer and add it to an error token err.remaining = remainingTokens(); errors.push(err); var symbol = symbol_table["(error)"]; node = Object.create(symbol); node.error = err; node.type = "(error)"; return node; } else { err.stack = (new Error()).stack; throw err; } }; var advance = function (id, infix) { if (id && node.id !== id) { var code; if (node.id === '(end)') { // unexpected end of buffer code = "S0203"; } else { code = "S0202"; } var err = { code: code, position: node.position, token: node.value, value: id }; return handleError(err); } var next_token = lexer(infix); if (next_token === null) { node = symbol_table["(end)"]; node.position = source.length; return node; } var value = next_token.value; var type = next_token.type; var symbol; switch (type) { case 'name': case 'variable': symbol = symbol_table["(name)"]; break; case 'operator': symbol = symbol_table[value]; if (!symbol) { return handleError({ code: "S0204", stack: (new Error()).stack, position: next_token.position, token: value }); } break; case 'string': case 'number': case 'value': symbol = symbol_table["(literal)"]; break; case 'regex': type = "regex"; symbol = symbol_table["(regex)"]; break; /* istanbul ignore next */ default: return handleError({ code: "S0205", stack: (new Error()).stack, position: next_token.position, token: value }); } node = Object.create(symbol); node.value = value; node.type = type; node.position = next_token.position; return node; }; // Pratt's algorithm var expression = function (rbp) { var left; var t = node; advance(null, true); left = t.nud(); while (rbp < node.lbp) { t = node; advance(); left = t.led(left); } return left; }; var terminal = function (id) { var s = symbol(id, 0); s.nud = function () { return this; }; }; // match infix operators // <expression> <operator> <expression> // left associative var infix = function (id, bp, led) { var bindingPower = bp || operators[id]; var s = symbol(id, bindingPower); s.led = led || function (left) { this.lhs = left; this.rhs = expression(bindingPower); this.type = "binary"; return this; }; return s; }; // match infix operators // <expression> <operator> <expression> // right associative var infixr = function (id, bp, led) { var s = symbol(id, bp); s.led = led; return s; }; // match prefix operators // <operator> <expression> var prefix = function (id, nud) { var s = symbol(id); s.nud = nud || function () { this.expression = expression(70); this.type = "unary"; return this; }; return s; }; terminal("(end)"); terminal("(name)"); terminal("(literal)"); terminal("(regex)"); symbol(":"); symbol(";"); symbol(","); symbol(")"); symbol("]"); symbol("}"); symbol(".."); // range operator infix("."); // field reference infix("+"); // numeric addition infix("-"); // numeric subtraction infix("*"); // numeric multiplication infix("/"); // numeric division infix("%"); // numeric modulus infix("="); // equality infix("<"); // less than infix(">"); // greater than infix("!="); // not equal to infix("<="); // less than or equal infix(">="); // greater than or equal infix("&"); // string concatenation infix("and"); // Boolean AND infix("or"); // Boolean OR infix("in"); // is member of array terminal("and"); // the 'keywords' can also be used as terminals (field names) terminal("or"); // terminal("in"); // prefix("-"); // unary numeric negation infix("~>"); // function application infixr("(error)", 10, function (left) { this.lhs = left; this.error = node.error; this.remaining = remainingTokens(); this.type = 'error'; return this; }); // field wildcard (single level) prefix('*', function () { this.type = "wildcard"; return this; }); // descendant wildcard (multi-level) prefix('**', function () { this.type = "descendant"; return this; }); // function invocation infix("(", operators['('], function (left) { // left is is what we are trying to invoke this.procedure = left; this.type = 'function'; this.arguments = []; if (node.id !== ')') { for (; ;) { if (node.type === 'operator' && node.id === '?') { // partial function application this.type = 'partial'; this.arguments.push(node); advance('?'); } else { this.arguments.push(expression(0)); } if (node.id !== ',') break; advance(','); } } advance(")", true); // if the name of the function is 'function' or λ, then this is function definition (lambda function) if (left.type === 'name' && (left.value === 'function' || left.value === '\u03BB')) { // all of the args must be VARIABLE tokens this.arguments.forEach(function (arg, index) { if (arg.type !== 'variable') { return handleError({ code: "S0208", stack: (new Error()).stack, position: arg.position, token: arg.value, value: index + 1 }); } }); this.type = 'lambda'; // is the next token a '<' - if so, parse the function signature if (node.id === '<') { var sigPos = node.position; var depth = 1; var sig = '<'; while (depth > 0 && node.id !== '{' && node.id !== '(end)') { var tok = advance(); if (tok.id === '>') { depth--; } else if (tok.id === '<') { depth++; } sig += tok.value; } advance('>'); try { this.signature = parseSignature(sig); } catch (err) { // insert the position into this error err.position = sigPos + err.offset; return handleError(err); } } // parse the function body advance('{'); this.body = expression(0); advance('}'); } return this; }); // parenthesis - block expression prefix("(", function () { var expressions = []; while (node.id !== ")") { expressions.push(expression(0)); if (node.id !== ";") { break; } advance(";"); } advance(")", true); this.type = 'block'; this.expressions = expressions; return this; }); // array constructor prefix("[", function () { var a = []; if (node.id !== "]") { for (; ;) { var item = expression(0); if (node.id === "..") { // range operator var range = {type: "binary", value: "..", position: node.position, lhs: item}; advance(".."); range.rhs = expression(0); item = range; } a.push(item); if (node.id !== ",") { break; } advance(","); } } advance("]", true); this.expressions = a; this.type = "unary"; return this; }); // filter - predicate or array index infix("[", operators['['], function (left) { if (node.id === "]") { // empty predicate means maintain singleton arrays in the output var step = left; while (step && step.type === 'binary' && step.value === '[') { step = step.lhs; } step.keepArray = true; advance("]"); return left; } else { this.lhs = left; this.rhs = expression(operators[']']); this.type = 'binary'; advance("]", true); return this; } }); // order-by infix("^", operators['^'], function (left) { advance("("); var terms = []; for (; ;) { var term = { descending: false }; if (node.id === "<") { // ascending sort advance("<"); } else if (node.id === ">") { // descending sort term.descending = true; advance(">"); } else { //unspecified - default to ascending } term.expression = expression(0); terms.push(term); if (node.id !== ",") { break; } advance(","); } advance(")"); this.lhs = left; this.rhs = terms; this.type = 'binary'; return this; }); var objectParser = function (left) { var a = []; if (node.id !== "}") { for (; ;) { var n = expression(0); advance(":"); var v = expression(0); a.push([n, v]); // holds an array of name/value expression pairs if (node.id !== ",") { break; } advance(","); } } advance("}", true); if (typeof left === 'undefined') { // NUD - unary prefix form this.lhs = a; this.type = "unary"; } else { // LED - binary infix form this.lhs = left; this.rhs = a; this.type = 'binary'; } return this; }; // object constructor prefix("{", objectParser); // object grouping infix("{", operators['{'], objectParser); // bind variable infixr(":=", operators[':='], function (left) { if (left.type !== 'variable') { return handleError({ code: "S0212", stack: (new Error()).stack, position: left.position, token: left.value }); } this.lhs = left; this.rhs = expression(operators[':='] - 1); // subtract 1 from bindingPower for right associative operators this.type = "binary"; return this; }); // if/then/else ternary operator ?: infix("?", operators['?'], function (left) { this.type = 'condition'; this.condition = left; this.then = expression(0); if (node.id === ':') { // else condition advance(":"); this.else = expression(0); } return this; }); // object transformer prefix("|", function () { this.type = 'transform'; this.pattern = expression(0); advance('|'); this.update = expression(0); if (node.id === ',') { advance(','); this.delete = expression(0); } advance('|'); return this; }); // tail call optimization // this is invoked by the post parser to analyse lambda functions to see // if they make a tail call. If so, it is replaced by a thunk which will // be invoked by the trampoline loop during function application. // This enables tail-recursive functions to be written without growing the stack var tail_call_optimize = function (expr) { var result; if (expr.type === 'function' && !expr.predicate) { var thunk = {type: 'lambda', thunk: true, arguments: [], position: expr.position}; thunk.body = expr; result = thunk; } else if (expr.type === 'condition') { // analyse both branches expr.then = tail_call_optimize(expr.then); if (typeof expr.else !== 'undefined') { expr.else = tail_call_optimize(expr.else); } result = expr; } else if (expr.type === 'block') { // only the last expression in the block var length = expr.expressions.length; if (length > 0) { expr.expressions[length - 1] = tail_call_optimize(expr.expressions[length - 1]); } result = expr; } else { result = expr; } return result; }; // post-parse stage // the purpose of this is flatten the parts of the AST representing location paths, // converting them to arrays of steps which in turn may contain arrays of predicates. // following this, nodes containing '.' and '[' should be eliminated from the AST. var ast_optimize = function (expr) { var result; switch (expr.type) { case 'binary': switch (expr.value) { case '.': var lstep = ast_optimize(expr.lhs); result = {type: 'path', steps: []}; if (lstep.type === 'path') { Array.prototype.push.apply(result.steps, lstep.steps); } else { result.steps = [lstep]; } var rest = ast_optimize(expr.rhs); if (rest.type === 'function' && rest.procedure.type === 'path' && rest.procedure.steps.length === 1 && rest.procedure.steps[0].type === 'name' && result.steps[result.steps.length - 1].type === 'function') { // next function in chain of functions - will override a thenable result.steps[result.steps.length - 1].nextFunction = rest.procedure.steps[0].value; } if (rest.type !== 'path') { rest = {type: 'path', steps: [rest]}; } Array.prototype.push.apply(result.steps, rest.steps); // any steps within a path that are string literals, should be changed to 'name' result.steps.filter(function (step) { if (step.type === 'number' || step.type === 'value') { // don't allow steps to be numbers or the values true/false/null throw { code: "S0213", stack: (new Error()).stack, position: step.position, value: step.value }; } return step.type === 'string'; }).forEach(function (lit) { lit.type = 'name'; }); // any step that signals keeping a singleton array, should be flagged on the path if (result.steps.filter(function (step) { return step.keepArray === true; }).length > 0) { result.keepSingletonArray = true; } // if first step is a path constructor, flag it for special handling var firststep = result.steps[0]; if (firststep.type === 'unary' && firststep.value === '[') { firststep.consarray = true; } // if the last step is an array constructor, flag it so it doesn't flatten var laststep = result.steps[result.steps.length - 1]; if (laststep.type === 'unary' && laststep.value === '[') { laststep.consarray = true; } break; case '[': // predicated step // LHS is a step or a predicated step // RHS is the predicate expr result = ast_optimize(expr.lhs); var step = result; if (result.type === 'path') { step = result.steps[result.steps.length - 1]; } if (typeof step.group !== 'undefined') { throw { code: "S0209", stack: (new Error()).stack, position: expr.position }; } if (typeof step.predicate === 'undefined') { step.predicate = []; } step.predicate.push(ast_optimize(expr.rhs)); break; case '{': // group-by // LHS is a step or a predicated step // RHS is the object constructor expr result = ast_optimize(expr.lhs); if (typeof result.group !== 'undefined') { throw { code: "S0210", stack: (new Error()).stack, position: expr.position }; } // object constructor - process each pair result.group = { lhs: expr.rhs.map(function (pair) { return [ast_optimize(pair[0]), ast_optimize(pair[1])]; }), position: expr.position }; break; case '^': // order-by // LHS is the array to be ordered // RHS defines the terms result = {type: 'sort', value: expr.value, position: expr.position, consarray: true}; result.lhs = ast_optimize(expr.lhs); result.rhs = expr.rhs.map(function (terms) { return { descending: terms.descending, expression: ast_optimize(terms.expression) }; }); break; case ':=': result = {type: 'bind', value: expr.value, position: expr.position}; result.lhs = ast_optimize(expr.lhs); result.rhs = ast_optimize(expr.rhs); break; case '~>': result = {type: 'apply', value: expr.value, position: expr.position}; result.lhs = ast_optimize(expr.lhs); result.rhs = ast_optimize(expr.rhs); break; default: result = {type: expr.type, value: expr.value, position: expr.position}; result.lhs = ast_optimize(expr.lhs); result.rhs = ast_optimize(expr.rhs); } break; case 'unary': result = {type: expr.type, value: expr.value, position: expr.position}; if (expr.value === '[') { // array constructor - process each item result.expressions = expr.expressions.map(function (item) { return ast_optimize(item); }); } else if (expr.value === '{') { // object constructor - process each pair result.lhs = expr.lhs.map(function (pair) { return [ast_optimize(pair[0]), ast_optimize(pair[1])]; }); } else { // all other unary expressions - just process the expression result.expression = ast_optimize(expr.expression); // if unary minus on a number, then pre-process if (expr.value === '-' && result.expression.type === 'number') { result = result.expression; result.value = -result.value; } } break; case 'function': case 'partial': result = {type: expr.type, name: expr.name, value: expr.value, position: expr.position}; result.arguments = expr.arguments.map(function (arg) { return ast_optimize(arg); }); result.procedure = ast_optimize(expr.procedure); break; case 'lambda': result = { type: expr.type, arguments: expr.arguments, signature: expr.signature, position: expr.position }; var body = ast_optimize(expr.body); result.body = tail_call_optimize(body); break; case 'condition': result = {type: expr.type, position: expr.position}; result.condition = ast_optimize(expr.condition); result.then = ast_optimize(expr.then); if (typeof expr.else !== 'undefined') { result.else = ast_optimize(expr.else); } break; case 'transform': result = {type: expr.type, position: expr.position}; result.pattern = ast_optimize(expr.pattern); result.update = ast_optimize(expr.update); if (typeof expr.delete !== 'undefined') { result.delete = ast_optimize(expr.delete); } break; case 'block': result = {type: expr.type, position: expr.position}; // array of expressions - process each one result.expressions = expr.expressions.map(function (item) { var part = ast_optimize(item); if (part.consarray || (part.type === 'path' && part.steps[0].consarray)) { result.consarray = true; } return part; }); // TODO scan the array of expressions to see if any of them assign variables // if so, need to mark the block as one that needs to create a new frame break; case 'name': result = {type: 'path', steps: [expr]}; if (expr.keepArray) { result.keepSingletonArray = true; } break; case 'string': case 'number': case 'value': case 'wildcard': case 'descendant': case 'variable': case 'regex': result = expr; break; case 'operator': // the tokens 'and' and 'or' might have been used as a name rather than an operator if (expr.value === 'and' || expr.value === 'or' || expr.value === 'in') { expr.type = 'name'; result = ast_optimize(expr); } else /* istanbul ignore else */ if (expr.value === '?') { // partial application result = expr; } else { throw { code: "S0201", stack: (new Error()).stack, position: expr.position, token: expr.value }; } break; case 'error': result = expr; if (expr.lhs) { result = ast_optimize(expr.lhs); } break; default: var code = "S0206"; /* istanbul ignore else */ if (expr.id === '(end)') { code = "S0207"; } var err = { code: code, position: expr.position, token: expr.value }; if (recover) { errors.push(err); return {type: 'error', error: err}; } else { err.stack = (new Error()).stack; throw err; } } if (expr.keepArray) { result.keepArray = true; } return result; }; // now invoke the tokenizer and the parser and return the syntax tree lexer = tokenizer(source); advance(); // parse the tokens var expr = expression(0); if (node.id !== '(end)') { var err = { code: "S0201", position: node.position, token: node.value }; handleError(err); } expr = ast_optimize(expr); if (errors.length > 0) { expr.errors = errors; } return expr; }; return parser; })(); module.exports = parser;
{ "content_hash": "a8a215cc324158d59565da2ad0a91286", "timestamp": "", "source": "github", "line_count": 1131, "max_line_length": 146, "avg_line_length": 38.88328912466844, "alnum_prop": 0.3692839438797553, "repo_name": "s100/jsonata", "id": "a4ad4117db6f4a99db04c996f5b00d84e6324450", "size": "44134", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "src/parser.js", "mode": "33188", "license": "mit", "language": [ { "name": "CSS", "bytes": "1025" }, { "name": "HTML", "bytes": "394" }, { "name": "JavaScript", "bytes": "348598" } ], "symlink_target": "" }
/* Some minor tweaks over the basic css */ .page-header { margin-left: 0; } .page-meta a { text-decoration: none; color: gray; }
{ "content_hash": "f0a6d6cc49a8e041df63f500548a3878", "timestamp": "", "source": "github", "line_count": 10, "max_line_length": 42, "avg_line_length": 13.7, "alnum_prop": 0.635036496350365, "repo_name": "reichlab/d3-foresight", "id": "0e746248f8a7c3f615facb37c7a2a714b6282304", "size": "137", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "docs/assets/css/overrides.css", "mode": "33188", "license": "mit", "language": [ { "name": "CSS", "bytes": "7181" }, { "name": "JavaScript", "bytes": "75896" }, { "name": "TypeScript", "bytes": "24002" } ], "symlink_target": "" }
<!DOCTYPE html> <html xmlns="http://www.w3.org/1999/xhtml" xml:lang="en" lang="en-us"> <head> <link href="http://gmpg.org/xfn/11" rel="profile"> <meta http-equiv="X-UA-Compatible" content="IE=edge"> <meta http-equiv="content-type" content="text/html; charset=utf-8"> <meta name="description" content="Hi, I'm Alok Nair, Android and iOS Developer from Kochi - India. I've been playing with Android since 2011, and with iOS since 2014. I am a passionate designer, developer &amp; tech enthusiast."> <meta name="keywords" content="android developer, android developer alok, alok, aloknair, alok nair, alokvnair, android developer kerala, android developer kochi, alokvnair android, alok android"> <!-- Enable responsiveness on mobile devices--> <meta name="viewport" content="width=device-width, initial-scale=1.0, maximum-scale=1"> <title> About Me · Alok Nair </title> <!-- CSS --> <link rel="stylesheet" href="/assets/css/all.min.css"> <!-- <link rel="stylesheet" href="/assets/css/poole.css"> <link rel="stylesheet" href="/assets/css/syntax.css"> <link rel="stylesheet" href="/assets/css/lanyon.css"> <link rel="stylesheet" href="/assets/css/custom.css"> --> <link rel="stylesheet" href="http://fonts.googleapis.com/css?family=PT+Serif:400,400italic,700%7CPT+Sans:400"> <!-- Icons --> <link rel="apple-touch-icon-precomposed" sizes="144x144" href="/assets/apple-touch-icon-precomposed.png"> <link rel="shortcut icon" href="/assets/favicon.jpeg"> <!-- RSS --> <link rel="alternate" type="application/rss+xml" title="RSS" href="/atom.xml"> <link rel="canonical" href="/about/"> <script async src="//ajax.googleapis.com/ajax/libs/jquery/2.1.1/jquery.min.js"></script> <script>window.jQuery || document.write('<script src="/libs/jquery.js"><\/script>')</script> </head> <script> (function(i,s,o,g,r,a,m){i['GoogleAnalyticsObject']=r;i[r]=i[r]||function(){ (i[r].q=i[r].q||[]).push(arguments)},i[r].l=1*new Date();a=s.createElement(o), m=s.getElementsByTagName(o)[0];a.async=1;a.src=g;m.parentNode.insertBefore(a,m) })(window,document,'script','//www.google-analytics.com/analytics.js','ga'); ga('create', 'UA-61224514-1', 'auto'); ga('send', 'pageview'); </script> <body class="theme-base-0d"> <!-- Target for toggling the sidebar `.sidebar-checkbox` is for regular styles, `#sidebar-checkbox` for behavior. --> <input type="checkbox" class="sidebar-checkbox" id="sidebar-checkbox"> <!-- Toggleable sidebar --> <div class="sidebar" id="sidebar"> <br> <div class="sidebar-item" style="text-align:center"> <p>Thoughts about design, code, and life...</p> </div> <nav class="sidebar-nav" style="text-align:center"> <a class="sidebar-nav-item" href="/">Home</a> <a class="sidebar-nav-item active" href="/about/">About Me</a> <a class="sidebar-nav-item" href="/archive/">Archive</a> <a class="sidebar-nav-item" href="/tags/">Tags</a> <!-- <a class="sidebar-nav-item" href="https://github.com/alokvnair/alokvnair.github.io/archive/v1.0.0.zip">Download</a> --> <!--<a class="sidebar-nav-item" href="https://github.com/alokvnair/alokvnair.github.io">GitHub project</a>--> <a class="sidebar-nav-item" target="_blank" href="https://github.com/alokvnair/feedback/issues/new">Feedback</a> <span class="sidebar-nav-item">v1.0.0</span> </nav> <div class="sidebar-item" style="text-align:center"> <p> <span id="ga-totalpageviews"></span> </p> <!-- site.time updates only when jekyll site is built. need to force github to rebuild jekyll site afte new year. :\ --> <p> © 2016. Alok Nair. </p> All rights reserved. </div> </div> <!-- Wrap is the content to shift when toggling the sidebar. We wrap the content to avoid any CSS collisions with our real content. --> <div class="wrap"> <div class="masthead"> <div class="container" style="text-align:center"> <h3 class="masthead-title"> <a href="/" title="Home">ALOK NAIR</a> <small>thoughts.toString( )</small> </h3> </div> </div> <div class="container content"> <div class="page"> <h1 class="page-title">About Me</h1> <div class="circularProfilePic"></div> <p><br></p> <!-- Go to www.addthis.com/dashboard to customize your tools --> <script type="text/javascript"> var addthis_config = { pubid: "ra-5513f2bb330acd8e" } </script> <script type="text/javascript" src="//s7.addthis.com/js/300/addthis_widget.js#pubid=ra-5513f2bb330acd8e"></script> <p><span class="post-date">Follow me:</span></p> <div class="addthis_horizontal_follow_toolbox"></div> <p>Hi, I’m Alok Nair, Android and iOS Developer from Bengaluru - India. I’ve been playing with Android since 2011, and with iOS since 2014. I have worked across technologies like C++, .NET, Java, Android, iOS, and various Web Technologies &amp; Frameworks.</p> <p>I am ever so fascinated by technology and love keeping pace with it. I spend most of my free time dabbling with various tools, libraries and platforms (that my full-time work doesn’t permit using). I am also a sports enthusiast; Football being my main addiction - Manchester United and Die Mannschaft. Now and forever!.</p> <p>You can always contact me through my email <a href="mailto:[email protected]">[email protected]</a>, and I’ll try to get back to you.</p> </div> </div> </div> <label for="sidebar-checkbox" class="sidebar-toggle"></label> <script> (function(document) { var toggle = document.querySelector('.sidebar-toggle'); var sidebar = document.querySelector('#sidebar'); var checkbox = document.querySelector('#sidebar-checkbox'); document.addEventListener('click', function(e) { var target = e.target; if(!checkbox.checked || sidebar.contains(target) || (target === checkbox || target === toggle)) return; checkbox.checked = false; }, false); })(document); </script> <script> var jqxhr = $.ajax("https://alokvnair-super-proxy.appspot.com/query?id=ahdzfmFsb2t2bmFpci1zdXBlci1wcm94eXIVCxIIQXBpUXVlcnkYgICAgICAgAoM&format=json") .done(function(response) { if (response !== undefined) { var page_url = "/about/"; var page_views = undefined; var total_views = undefined; var oPageViews = {}; var total_views = response.totalsForAllResults['ga:pageviews']; var pagePathIndex; var pageViewsIndex; function findColumnHeaders(element, index, array) { switch (element.name) { case "ga:pagePath": pagePathIndex = index; return; case "ga:pageviews": pageViewsIndex = index; return; } } response.columnHeaders.forEach(findColumnHeaders); if (total_views !== undefined && total_views !== null && $("#ga-totalpageviews-div")) { $("#ga-totalpageviews").html("Views: " + total_views); } if (response.rows !== undefined) { jQuery.each(response.rows, function(index, row){ var ga_page_url = row[pagePathIndex]; if (page_url.lastIndexOf("/") === (page_url.length - 1)) { page_url = page_url + "index.html"; } if (ga_page_url === page_url) { page_views = row[pageViewsIndex]; if (page_views !== undefined && page_views !== null && $("#ga-pageviews-div")) { $("#ga-pageviews").html("Views: " + page_views); } } oPageViews[ga_page_url] = row[pageViewsIndex]; }); $('span[data-post-url]').each(function(index) { var dataPostUrl = $(this).attr("data-post-url"); if (dataPostUrl.lastIndexOf("/") === (dataPostUrl.length - 1)) { dataPostUrl = dataPostUrl + "index.html"; } if (oPageViews[dataPostUrl] !== undefined && oPageViews[dataPostUrl] !== null ) { $(this).html("Views: " + oPageViews[dataPostUrl]); } }); } } }) .fail(function(error) { console.log( "Failed to get GA data" ); }); </script> </body> </html>
{ "content_hash": "0b6db8677d2ac86befd87d149152df47", "timestamp": "", "source": "github", "line_count": 267, "max_line_length": 327, "avg_line_length": 34.01123595505618, "alnum_prop": 0.5714128399955952, "repo_name": "alokvnair/alokvnair.github.io", "id": "48f8200a0b7dde7f5d0948d32eea3f64f36ca239", "size": "9091", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "_site/about/index.html", "mode": "33188", "license": "mit", "language": [ { "name": "CSS", "bytes": "58844" }, { "name": "HTML", "bytes": "177475" }, { "name": "JavaScript", "bytes": "1250" } ], "symlink_target": "" }
#include "xRawLogViewerMain.h" #include <wx/choicdlg.h> #include <wx/progdlg.h> #include <wx/app.h> #include <wx/msgdlg.h> #include <wx/textdlg.h> // General global variables: #include <mrpt/slam.h> using namespace mrpt; using namespace mrpt::slam; using namespace mrpt::opengl; using namespace mrpt::system; using namespace mrpt::math; using namespace mrpt::gui; using namespace mrpt::utils; using namespace mrpt::vision; using namespace std; void xRawLogViewerFrame::OnMenuCompactRawlog(wxCommandEvent& event) { WX_START_TRY bool onlyOnePerLabel = (wxYES==wxMessageBox( _("Keep only one observation of each label within each sensoryframe?"), _("Compact rawlog"),wxYES_NO, this )); int progress_N = static_cast<int>(rawlog.size()); int progress_i=progress_N; wxProgressDialog progDia( wxT("Compacting rawlog"), wxT("Processing..."), progress_N, // range this, // parent wxPD_CAN_ABORT | wxPD_APP_MODAL | wxPD_SMOOTH | wxPD_AUTO_HIDE | wxPD_ELAPSED_TIME | wxPD_ESTIMATED_TIME | wxPD_REMAINING_TIME); wxTheApp->Yield(); // Let the app. process messages CActionRobotMovement2DPtr lastAct; CSensoryFramePtr lastSF; // = NULL; unsigned counter_loops = 0; unsigned nActionsDel = 0; unsigned nEmptySFDel = 0; CRawlog::iterator it=rawlog.begin(); for (progress_i=0 ;it!=rawlog.end();progress_i--) { if (counter_loops++ % 50 == 0) { if (!progDia.Update( progress_N-progress_i )) break; wxTheApp->Yield(); // Let the app. process messages } bool deleteThis = false; if (it.getType()==CRawlog::etActionCollection) { // Is this a part of multiple actions? if (lastAct) { // Remove this one and add it to the first in the series: CActionRobotMovement2DPtr act = CActionCollectionPtr(*it)->getMovementEstimationByType( CActionRobotMovement2D::emOdometry ); ASSERT_(act); lastAct->computeFromOdometry( lastAct->rawOdometryIncrementReading + act->rawOdometryIncrementReading, lastAct->motionModelConfiguration); deleteThis=true; nActionsDel++; } else { // This is the first one: lastAct = CActionCollectionPtr(*it)->getMovementEstimationByType( CActionRobotMovement2D::emOdometry ); ASSERT_(lastAct); // Before leaving the last SF, leave only one observation for each sensorLabel: if (onlyOnePerLabel && lastSF) { CSensoryFramePtr newSF = CSensoryFrame::Create(); set<string> knownLabels; for (CSensoryFrame::const_iterator o=lastSF->begin();o!=lastSF->end();++o) { if (knownLabels.find((*o)->sensorLabel)==knownLabels.end()) newSF->insert(*o); knownLabels.insert((*o)->sensorLabel); } *lastSF = *newSF; } // Ok, done: lastSF.clear_unique(); } } else if (it.getType()==CRawlog::etSensoryFrame) { // Is this a part of a series? if (lastSF) { // remove this one and accumulate in the first in the serie: lastSF->moveFrom( * CSensoryFramePtr(*it) ); deleteThis = true; nEmptySFDel++; } else { // This is the first SF: CSensoryFramePtr sf = CSensoryFramePtr(*it); // Only take into account if not empty! if (sf->size()) { lastSF = sf; ASSERT_(lastSF); lastAct.clear_unique(); } else { deleteThis = true; nEmptySFDel++; } } } else THROW_EXCEPTION("Unexpected class found!") if (deleteThis) { it = rawlog.erase(it); progress_i--; // Extra count } else it++; } progDia.Update( progress_N ); string str= format( "%u actions deleted\n%u sensory frames deleted", nActionsDel, nEmptySFDel ); ::wxMessageBox( _U( str.c_str() ) ); rebuildTreeView(); WX_END_TRY } void xRawLogViewerFrame::OnMenuLossLessDecimate(wxCommandEvent& event) { WX_START_TRY CRawlog newRawLog; newRawLog.setCommentText( rawlog.getCommentText() ); wxString strDecimation = wxGetTextFromUser( _("The number of observations will be decimated (only 1 out of M will be kept). Enter the decimation ratio M:"), _("Decimation"), _("1") ); long DECIMATE_RATIO; strDecimation.ToLong( &DECIMATE_RATIO ); ASSERT_(DECIMATE_RATIO>=1) wxBusyCursor busyCursor; wxTheApp->Yield(); // Let the app. process messages size_t i, N = rawlog.size(); // ------------------------------------------------------------------------------ // METHOD TO BE MEMORY EFFICIENT: // To free the memory of the current rawlog entries as we create the new one, // then call "clearWithoutDelete" at the end. // ------------------------------------------------------------------------------ CSensoryFramePtr accum_sf; CActionRobotMovement2D::TMotionModelOptions odometryOptions; bool cummMovementInit = false; long SF_counter = 0; // Reset cummulative pose change: CPose2D accumMovement(0,0,0); // For each entry: for (i=0;i<N;i++) { CSerializablePtr obj = rawlog.getAsGeneric(i); if (rawlog.getType(i)==CRawlog::etActionCollection) { // Accumulate Actions // ---------------------- CActionCollectionPtr curActs = CActionCollectionPtr ( obj ); CActionRobotMovement2DPtr mov = curActs->getBestMovementEstimation(); if (mov) { CPose2D incrPose = mov->poseChange->getMeanVal(); // If we have previous observations, shift them according to this new increment: if (accum_sf) { CPose3D inv_incrPose3D( CPose3D(0,0,0) - CPose3D(incrPose) ); for (CSensoryFrame::iterator it=accum_sf->begin();it!=accum_sf->end();++it) { CPose3D tmpPose; (*it)->getSensorPose(tmpPose); tmpPose = inv_incrPose3D + tmpPose; (*it)->setSensorPose(tmpPose); } } // Accumulate from odometry: accumMovement = accumMovement + incrPose; // Copy the probabilistic options from the first entry we find: if (!cummMovementInit) { odometryOptions = mov->motionModelConfiguration; cummMovementInit = true; } } } else if (rawlog.getType(i)==CRawlog::etSensoryFrame) { // Decimate Observations // --------------------------- // Add observations to the accum. SF: if (!accum_sf) accum_sf = CSensoryFrame::Create(); // Copy pointers to observations only (fast): accum_sf->moveFrom( *CSensoryFramePtr(obj) ); if ( ++SF_counter >= DECIMATE_RATIO ) { SF_counter = 0; // INSERT OBSERVATIONS: newRawLog.addObservationsMemoryReference( accum_sf ); accum_sf.clear_unique(); // INSERT ACTIONS: CActionCollection actsCol; if (cummMovementInit) { CActionRobotMovement2D cummMovement; cummMovement.computeFromOdometry(accumMovement, odometryOptions ); actsCol.insert( cummMovement ); // Reset odometry accumulation: accumMovement = CPose2D(0,0,0); } newRawLog.addActions( actsCol ); } } else THROW_EXCEPTION("This operation implemented for SF-based rawlogs only."); // Delete object obj.clear_unique(); } // end for i each entry // Clear the list only (objects already deleted) rawlog.clearWithoutDelete(); // Copy as new log: rawlog = newRawLog; rebuildTreeView(); WX_END_TRY } void xRawLogViewerFrame::OnMenCompactFILE(wxCommandEvent& event) { WX_START_TRY THROW_EXCEPTION("Sorry, compact not implemented for files yet."); WX_END_TRY } void xRawLogViewerFrame::OnMenuLossLessDecFILE(wxCommandEvent& event) { WX_START_TRY string filToOpen; if ( !AskForOpenRawlog( filToOpen ) ) return; wxString strDecimation = wxGetTextFromUser( _("The number of observations will be decimated (only 1 out of M will be kept). Enter the decimation ratio M:"), _("Decimation"), _("1") ); long DECIMATE_RATIO; strDecimation.ToLong( &DECIMATE_RATIO ); ASSERT_(DECIMATE_RATIO>=1) string filToSave; AskForSaveRawlog(filToSave); CFileGZInputStream fil(filToOpen); CFileGZOutputStream f_out(filToSave); wxBusyCursor waitCursor; unsigned int filSize = (unsigned int)fil.getTotalBytesCount(); wxString auxStr; wxProgressDialog progDia( wxT("Progress"), wxT("Parsing file..."), filSize, // range this, // parent wxPD_CAN_ABORT | wxPD_APP_MODAL | wxPD_SMOOTH | wxPD_AUTO_HIDE | wxPD_ELAPSED_TIME | wxPD_ESTIMATED_TIME | wxPD_REMAINING_TIME); wxTheApp->Yield(); // Let the app. process messages unsigned int countLoop = 0; int entryIndex = 0; bool keepLoading=true; string errorMsg; // ------------------------------------------------------------------------------ // METHOD TO BE MEMORY EFFICIENT: // To free the memory of the current rawlog entries as we create the new one, // then call "clearWithoutDelete" at the end. // ------------------------------------------------------------------------------ CSensoryFramePtr accum_sf; CActionRobotMovement2D::TMotionModelOptions odometryOptions; bool cummMovementInit = false; long SF_counter = 0; // Reset cummulative pose change: CPose2D accumMovement(0,0,0); TTimeStamp timestamp_lastAction = INVALID_TIMESTAMP; while (keepLoading) { if (countLoop++ % 100 == 0) { auxStr.sprintf(wxT("Parsing file... %u objects"),entryIndex ); if (!progDia.Update( (int)fil.getPosition(), auxStr )) keepLoading = false; wxTheApp->Yield(); // Let the app. process messages } CSerializablePtr newObj; try { fil >> newObj; entryIndex++; // Check type: if ( newObj->GetRuntimeClass() == CLASS_ID(CSensoryFrame) ) { // Decimate Observations // --------------------------- // Add observations to the accum. SF: if (!accum_sf) accum_sf = CSensoryFrame::Create(); // Copy pointers to observations only (fast): accum_sf->moveFrom( *CSensoryFramePtr(newObj) ); if ( ++SF_counter >= DECIMATE_RATIO ) { SF_counter = 0; // INSERT OBSERVATIONS: f_out << *accum_sf; accum_sf.clear_unique(); // INSERT ACTIONS: CActionCollectionPtr actsCol = CActionCollection::Create(); if (cummMovementInit) { CActionRobotMovement2D cummMovement; cummMovement.computeFromOdometry(accumMovement, odometryOptions ); cummMovement.timestamp = timestamp_lastAction; actsCol->insert( cummMovement ); // Reset odometry accumulation: accumMovement = CPose2D(0,0,0); } f_out << *actsCol; actsCol.clear_unique(); } } else if ( newObj->GetRuntimeClass() == CLASS_ID(CActionCollection) ) { // Accumulate Actions // ---------------------- CActionCollectionPtr curActs = CActionCollectionPtr( newObj ); CActionRobotMovement2DPtr mov = curActs->getBestMovementEstimation(); if (mov) { timestamp_lastAction = mov->timestamp; CPose2D incrPose = mov->poseChange->getMeanVal(); // If we have previous observations, shift them according to this new increment: if (accum_sf) { CPose3D inv_incrPose3D( CPose3D(0,0,0) - CPose3D(incrPose) ); for (CSensoryFrame::iterator it=accum_sf->begin();it!=accum_sf->end();++it) { CPose3D tmpPose; (*it)->getSensorPose(tmpPose); tmpPose = inv_incrPose3D + tmpPose; (*it)->setSensorPose(tmpPose); } } // Accumulate from odometry: accumMovement = accumMovement + incrPose; // Copy the probabilistic options from the first entry we find: if (!cummMovementInit) { odometryOptions = mov->motionModelConfiguration; cummMovementInit = true; } } } else { // Unknown class: THROW_EXCEPTION("Unknown class found in the file!"); } } catch (exception &e) { errorMsg = e.what(); keepLoading = false; } catch (...) { keepLoading = false; } } // end while keep loading progDia.Update( filSize ); wxTheApp->Yield(); // Let the app. process messages WX_END_TRY } void xRawLogViewerFrame::OnMenuConvertExternallyStored(wxCommandEvent& event) { WX_START_TRY wxMessageBox( _("Select the rawlog file with embedded images.") ); string str; if ( !AskForOpenRawlog( str ) ) return; wxMessageBox( _("Select the target file where to save the new rawlog.") ); string filToSave; if ( !AskForSaveRawlog( filToSave ) ) return; // Create the default "/Images" directory. string outDir = extractFileDirectory(filToSave) + string("/") + extractFileName(filToSave) + string("_Images"); if (fileExists(outDir)) { wxMessageBox(_U(format("*ABORTING*: Output directory for images already exists. Select a different output path or remove the directory:\n%s",outDir.c_str()).c_str())); return; } createDirectory( outDir ); if (!fileExists(outDir)) { wxMessageBox(_U(format("*ABORTING*: Cannot create directory:\n%s",outDir.c_str()).c_str())); return; } // Add the final / outDir+="/"; // Let the user choose the image format: string imgFileExtension = AskForImageFileFormat(); if (imgFileExtension.empty()) return; wxBusyCursor waitCursor; CFileGZInputStream fil(str); unsigned int filSize = (unsigned int)fil.getTotalBytesCount(); CFileGZOutputStream f_out(filToSave); wxString auxStr; wxProgressDialog progDia( wxT("Progress"), wxT("Parsing file..."), filSize, // range this, // parent wxPD_CAN_ABORT | wxPD_APP_MODAL | wxPD_SMOOTH | wxPD_AUTO_HIDE | wxPD_ELAPSED_TIME | wxPD_ESTIMATED_TIME | wxPD_REMAINING_TIME); wxTheApp->Yield(); // Let the app. process messages unsigned int countLoop = 0; int imgSaved = 0; bool keepLoading=true; string errorMsg; while (keepLoading) { if (countLoop++ % 5 == 0) { auxStr.sprintf(wxT("Parsing file... %u objects"),countLoop ); if (!progDia.Update( (int)fil.getPosition(), auxStr )) keepLoading = false; wxTheApp->Yield(); // Let the app. process messages } try { CSerializablePtr newObj; fil >> newObj; // Check type: if ( newObj->GetRuntimeClass() == CLASS_ID(CSensoryFrame) ) { CSensoryFramePtr SF(newObj); for (unsigned k=0;k<SF->size();k++) { if (SF->getObservationByIndex(k)->GetRuntimeClass()==CLASS_ID(CObservationStereoImages ) ) { CObservationStereoImagesPtr obsSt = SF->getObservationByIndexAs<CObservationStereoImagesPtr>(k); // save image to file & convert into external storage: string fileName = format("img_stereo_%u_left_%05u.%s",k,imgSaved,imgFileExtension.c_str() ); obsSt->imageLeft.saveToFile( outDir + fileName ); obsSt->imageLeft.setExternalStorage( fileName ); imgSaved++; // save image to file & convert into external storage: fileName = format("img_stereo_%u_right_%05u.%s",k,imgSaved,imgFileExtension.c_str() ); obsSt->imageRight.saveToFile( outDir + fileName ); obsSt->imageRight.setExternalStorage( fileName ); imgSaved++; } if (SF->getObservationByIndex(k)->GetRuntimeClass()==CLASS_ID(CObservationImage ) ) { CObservationImagePtr obsIm = SF->getObservationByIndexAs<CObservationImagePtr>(k); // save image to file & convert into external storage: string fileName = format("img_monocular_%u_%05u.%s",k,imgSaved,imgFileExtension.c_str() ); obsIm->image.saveToFile( outDir + fileName ); obsIm->image.setExternalStorage( fileName ); imgSaved++; } } } else if ( newObj->GetRuntimeClass() == CLASS_ID(CActionCollection) || newObj->GetRuntimeClass() == CLASS_ID(CPose2D) ) { } else { // Unknown class: THROW_EXCEPTION("Unknown class found in the file!"); } // Dump to the new file: f_out << *newObj; // Free memory: newObj.clear_unique(); } catch (exception &e) { errorMsg = e.what(); keepLoading = false; } catch (...) { keepLoading = false; } } // end while keep loading progDia.Update( filSize ); // Set error msg: wxMessageBox(_U( format("Images saved: %i",imgSaved).c_str() ),_("Done"),wxOK,this); WX_END_TRY } void xRawLogViewerFrame::OnMenuConvertObservationOnly(wxCommandEvent& event) { WX_START_TRY wxMessageBox( _("Select the rawlog file to convert...") ); string str; if ( !AskForOpenRawlog( str ) ) return; wxMessageBox( _("Select the target file where to save the new rawlog.") ); string filToSave; if ( !AskForSaveRawlog( filToSave ) ) return; wxBusyCursor waitCursor; CFileGZInputStream fil(str); unsigned int filSize = (unsigned int)fil.getTotalBytesCount(); CFileGZOutputStream f_out(filToSave); wxString auxStr; wxProgressDialog progDia( wxT("Progress"), wxT("Parsing file..."), filSize, // range this, // parent wxPD_CAN_ABORT | wxPD_APP_MODAL | wxPD_SMOOTH | wxPD_AUTO_HIDE | wxPD_ELAPSED_TIME | wxPD_ESTIMATED_TIME | wxPD_REMAINING_TIME); wxTheApp->Yield(); // Let the app. process messages unsigned int countLoop = 0; bool keepLoading=true; string errorMsg; CPose2D odometry_accum; // We'll save here all the individual observations ordered in time: TListTimeAndObservations time_ordered_list_observation; mrpt::system::TTimeStamp lastValidObsTime = INVALID_TIMESTAMP; while (keepLoading) { if (countLoop++ % 5 == 0) { auxStr.sprintf(wxT("Parsing file... %u objects"),countLoop ); if (!progDia.Update( (int)fil.getPosition(), auxStr )) keepLoading = false; wxTheApp->Yield(); // Let the app. process messages } try { CSerializablePtr newObj; fil >> newObj; // Check type: if ( newObj->GetRuntimeClass() == CLASS_ID(CSensoryFrame) ) { CSensoryFramePtr SF(newObj); for (CSensoryFrame::iterator it=SF->begin();it!=SF->end();++it) { time_ordered_list_observation.insert( TTimeObservationPair( (*it)->timestamp, (*it) )); lastValidObsTime = (*it)->timestamp; } } else if ( newObj->GetRuntimeClass() == CLASS_ID(CActionCollection) ) { // Replace "odometry action" with "odometry observation": CActionCollectionPtr acts = CActionCollectionPtr( newObj ); // Get odometry: CActionRobotMovement2DPtr actOdom = acts->getBestMovementEstimation(); ASSERT_(actOdom); odometry_accum = odometry_accum + actOdom->poseChange->getMeanVal(); // Generate "odometry obs": CObservationOdometryPtr newO = CObservationOdometry::Create(); newO->sensorLabel = "odometry"; newO->timestamp = actOdom->timestamp!=INVALID_TIMESTAMP ? actOdom->timestamp : lastValidObsTime; newO->odometry = odometry_accum; time_ordered_list_observation.insert( TTimeObservationPair( newO->timestamp, newO )); } else if ( newObj->GetRuntimeClass()->derivedFrom( CLASS_ID(CObservation) ) ) { CObservationPtr o = CObservationPtr( newObj ); time_ordered_list_observation.insert( TTimeObservationPair( o->timestamp, o )); } // Dump to the new file: Only the oldest one: // -------------------------------------------------- if (time_ordered_list_observation.size()>30) { // Save a few of the oldest and continue: for (unsigned i=0;i<15;i++) { f_out << *(time_ordered_list_observation.begin()->second); time_ordered_list_observation.erase( time_ordered_list_observation.begin() ); } } // Free memory: newObj.clear_unique(); } catch (exception &e) { errorMsg = e.what(); keepLoading = false; } catch (...) { keepLoading = false; } } // end while keep loading // Save the rest to the out file: while (!time_ordered_list_observation.empty()) { f_out << *(time_ordered_list_observation.begin()->second); time_ordered_list_observation.erase( time_ordered_list_observation.begin() ); } progDia.Update( filSize ); // Set error msg: wxMessageBox(_("Done")); WX_END_TRY } void xRawLogViewerFrame::OnMenuResortByTimestamp(wxCommandEvent& event) { WX_START_TRY wxBusyCursor waitCursor; // First, build an ordered list of "times"->"indexes": // ------------------------------------------------------ std::multimap<TTimeStamp,size_t> ordered_times; size_t i, n = rawlog.size(); for (i=0;i<n;i++) { switch ( rawlog.getType(i) ) { default: wxMessageBox(_("Error: this command is for rawlogs without sensory frames.")); return; break; case CRawlog::etObservation: { CObservationPtr o = rawlog.getAsObservation(i); if (o->timestamp == INVALID_TIMESTAMP) { wxMessageBox( wxString::Format(_("Error: Element %u does not have a valid timestamp."),(unsigned int)i) ); return; } ordered_times.insert( multimap<TTimeStamp,size_t>::value_type(o->timestamp,i)); } break; } // end switch type } // end for i // Now create the new ordered rawlog // ------------------------------------------------------ CRawlog temp_rawlog; temp_rawlog.setCommentText( rawlog.getCommentText() ); for (std::multimap<TTimeStamp,size_t>::iterator it=ordered_times.begin();it!=ordered_times.end();++it) { size_t idx = it->second; temp_rawlog.addObservationMemoryReference( rawlog.getAsObservation(idx) ); } rawlog.moveFrom(temp_rawlog); // Update the views: rebuildTreeView(); tree_view->Refresh(); WX_END_TRY } void xRawLogViewerFrame::OnMenuShiftTimestampsByLabel(wxCommandEvent& event) { WX_START_TRY wxMessageBox(_("The timestamps of all the observations of a given sensor label will be shifted a given number of seconds. Press OK to continue.")); vector_string the_labels = AskForObservationByLabelMultiple("Choose the sensor(s):"); if (the_labels.empty()) return; wxString s = wxGetTextFromUser( _("Enter the number of seconds to shift (can have fractions, be positive or negative)"), _("Timestamp shift"), _("0.0"), this ); if (s.IsEmpty()) return; double delta_time_secs; if (!s.ToDouble(&delta_time_secs)) { wxMessageBox(_("Invalid number")); return; } size_t i,n = rawlog.size(); unsigned int nChanges = 0; TTimeStamp DeltaTime = mrpt::system::secondsToTimestamp( delta_time_secs ); for (i=0;i<n;i++) { switch ( rawlog.getType(i) ) { case CRawlog::etSensoryFrame: { CSensoryFramePtr sf = rawlog.getAsObservations(i); CObservationPtr o; for (size_t k=0;k<the_labels.size();k++) { size_t idx = 0; while ( (o=sf->getObservationBySensorLabel(the_labels[k],idx++)).present() ) { o->timestamp += DeltaTime; nChanges++; } } } break; case CRawlog::etObservation: { CObservationPtr o = rawlog.getAsObservation(i); for (size_t k=0;k<the_labels.size();k++) if (o->sensorLabel==the_labels[k]) { o->timestamp += DeltaTime; nChanges++; } } break; default: break; } // end switch type } // end for if (wxYES==wxMessageBox( wxString::Format(_("%u changes. Do you want to re-order by timestamp?"),nChanges), _("Done"),wxYES_NO, this )) { OnMenuResortByTimestamp(event); } WX_END_TRY } // Convert from observations only to actions-SF format: void xRawLogViewerFrame::OnMenuConvertSF(wxCommandEvent& event) { WX_START_TRY bool onlyOnePerLabel = (wxYES==wxMessageBox( _("Keep only one observation of each label within each sensoryframe?"), _("Convert to sensoryframe's"),wxYES_NO, this )); wxString strMaxL= wxGetTextFromUser( _("Maximum length of each sensoryframe (seconds):"), _("Convert to sensoryframe's"), _("1.0") ); double maxLengthSF; strMaxL.ToDouble(&maxLengthSF); // Process: CRawlog new_rawlog; new_rawlog.setCommentText( rawlog.getCommentText() ); wxBusyCursor waitCursor; unsigned int nEntries = (unsigned int)rawlog.size(); wxProgressDialog progDia( wxT("Progress"), wxT("Parsing rawlog..."), nEntries, // range this, // parent wxPD_CAN_ABORT | wxPD_APP_MODAL | wxPD_SMOOTH | wxPD_AUTO_HIDE | wxPD_ELAPSED_TIME | wxPD_ESTIMATED_TIME | wxPD_REMAINING_TIME); wxTheApp->Yield(); // Let the app. process messages CSensoryFrame SF_new; set<string> SF_new_labels; TTimeStamp SF_new_first_t = INVALID_TIMESTAMP; for (unsigned int countLoop=0;countLoop<nEntries;countLoop++) { if (countLoop % 20 == 0) { if (!progDia.Update( countLoop, wxString::Format(wxT("Parsing rawlog... %u objects"),countLoop ) )) { return; } wxTheApp->Yield(); // Let the app. process messages } switch (rawlog.getType(countLoop)) { case CRawlog::etSensoryFrame: case CRawlog::etActionCollection: { THROW_EXCEPTION("The rawlog already has sensory frames and/or actions!"); } break; case CRawlog::etObservation: { CObservationPtr o = rawlog.getAsObservation(countLoop); // Update stats: bool label_existed = SF_new_labels.find(o->sensorLabel)!=SF_new_labels.end(); double SF_len = SF_new_first_t == INVALID_TIMESTAMP ? 0 : timeDifference(SF_new_first_t, o->timestamp); // Decide: // End SF and start a new one? if ( SF_len>maxLengthSF && SF_new.size()!=0) { new_rawlog.addObservations(SF_new); CActionCollection acts; new_rawlog.addActions(acts); SF_new.clear(); SF_new_labels.clear(); SF_new_first_t = INVALID_TIMESTAMP; } // Insert into SF: if (!onlyOnePerLabel || !label_existed) { SF_new.insert(o); SF_new_labels.insert(o->sensorLabel); } if (SF_new_first_t == INVALID_TIMESTAMP) SF_new_first_t = o->timestamp; } break; default: break; } // end for each entry } // end while keep loading // Remaining obs: if (SF_new.size()) { new_rawlog.addObservations(SF_new); SF_new.clear(); } progDia.Update( nEntries ); // Update: rawlog.moveFrom(new_rawlog); rebuildTreeView(); WX_END_TRY }
{ "content_hash": "6a04c6bc2ee1e828168a1a9c85f525b6", "timestamp": "", "source": "github", "line_count": 1024, "max_line_length": 169, "avg_line_length": 25.419921875, "alnum_prop": 0.6366884364195159, "repo_name": "bigjun/mrpt", "id": "fb36d44870cf10b4c2ec1ccf0795f89e3e7658cf", "size": "28786", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "apps/RawLogViewer/main_convert_ops.cpp", "mode": "33188", "license": "bsd-3-clause", "language": [], "symlink_target": "" }
.class final Lcom/android/server/power/PowerManagerService$DisplayBlankerImpl; .super Ljava/lang/Object; .source "PowerManagerService.java" # interfaces .implements Lcom/android/server/power/DisplayBlanker; # annotations .annotation system Ldalvik/annotation/EnclosingClass; value = Lcom/android/server/power/PowerManagerService; .end annotation .annotation system Ldalvik/annotation/InnerClass; accessFlags = 0x12 name = "DisplayBlankerImpl" .end annotation # instance fields .field private mBlanked:Z .field final synthetic this$0:Lcom/android/server/power/PowerManagerService; # direct methods .method private constructor <init>(Lcom/android/server/power/PowerManagerService;)V .locals 0 .parameter .prologue .line 3078 iput-object p1, p0, Lcom/android/server/power/PowerManagerService$DisplayBlankerImpl;->this$0:Lcom/android/server/power/PowerManagerService; invoke-direct {p0}, Ljava/lang/Object;-><init>()V return-void .end method .method synthetic constructor <init>(Lcom/android/server/power/PowerManagerService;Lcom/android/server/power/PowerManagerService$1;)V .locals 0 .parameter "x0" .parameter "x1" .prologue .line 3078 invoke-direct {p0, p1}, Lcom/android/server/power/PowerManagerService$DisplayBlankerImpl;-><init>(Lcom/android/server/power/PowerManagerService;)V return-void .end method # virtual methods .method public blankAllDisplays()V .locals 1 .prologue .line 3083 monitor-enter p0 .line 3084 const/4 v0, 0x1 :try_start_0 iput-boolean v0, p0, Lcom/android/server/power/PowerManagerService$DisplayBlankerImpl;->mBlanked:Z .line 3085 iget-object v0, p0, Lcom/android/server/power/PowerManagerService$DisplayBlankerImpl;->this$0:Lcom/android/server/power/PowerManagerService; #getter for: Lcom/android/server/power/PowerManagerService;->mDisplayManagerService:Lcom/android/server/display/DisplayManagerService; invoke-static {v0}, Lcom/android/server/power/PowerManagerService;->access$3300(Lcom/android/server/power/PowerManagerService;)Lcom/android/server/display/DisplayManagerService; move-result-object v0 invoke-virtual {v0}, Lcom/android/server/display/DisplayManagerService;->blankAllDisplaysFromPowerManager()V .line 3086 const/4 v0, 0x0 #calls: Lcom/android/server/power/PowerManagerService;->nativeSetInteractive(Z)V invoke-static {v0}, Lcom/android/server/power/PowerManagerService;->access$3400(Z)V .line 3087 const/4 v0, 0x1 #calls: Lcom/android/server/power/PowerManagerService;->nativeSetAutoSuspend(Z)V invoke-static {v0}, Lcom/android/server/power/PowerManagerService;->access$3500(Z)V .line 3088 monitor-exit p0 .line 3089 return-void .line 3088 :catchall_0 move-exception v0 monitor-exit p0 :try_end_0 .catchall {:try_start_0 .. :try_end_0} :catchall_0 throw v0 .end method .method public toString()Ljava/lang/String; .locals 2 .prologue .line 3103 monitor-enter p0 .line 3104 :try_start_0 new-instance v0, Ljava/lang/StringBuilder; invoke-direct {v0}, Ljava/lang/StringBuilder;-><init>()V const-string v1, "blanked=" invoke-virtual {v0, v1}, Ljava/lang/StringBuilder;->append(Ljava/lang/String;)Ljava/lang/StringBuilder; move-result-object v0 iget-boolean v1, p0, Lcom/android/server/power/PowerManagerService$DisplayBlankerImpl;->mBlanked:Z invoke-virtual {v0, v1}, Ljava/lang/StringBuilder;->append(Z)Ljava/lang/StringBuilder; move-result-object v0 invoke-virtual {v0}, Ljava/lang/StringBuilder;->toString()Ljava/lang/String; move-result-object v0 monitor-exit p0 return-object v0 .line 3105 :catchall_0 move-exception v0 monitor-exit p0 :try_end_0 .catchall {:try_start_0 .. :try_end_0} :catchall_0 throw v0 .end method .method public unblankAllDisplays()V .locals 1 .prologue .line 3093 monitor-enter p0 .line 3094 const/4 v0, 0x0 :try_start_0 #calls: Lcom/android/server/power/PowerManagerService;->nativeSetAutoSuspend(Z)V invoke-static {v0}, Lcom/android/server/power/PowerManagerService;->access$3500(Z)V .line 3095 const/4 v0, 0x1 #calls: Lcom/android/server/power/PowerManagerService;->nativeSetInteractive(Z)V invoke-static {v0}, Lcom/android/server/power/PowerManagerService;->access$3400(Z)V .line 3096 iget-object v0, p0, Lcom/android/server/power/PowerManagerService$DisplayBlankerImpl;->this$0:Lcom/android/server/power/PowerManagerService; #getter for: Lcom/android/server/power/PowerManagerService;->mDisplayManagerService:Lcom/android/server/display/DisplayManagerService; invoke-static {v0}, Lcom/android/server/power/PowerManagerService;->access$3300(Lcom/android/server/power/PowerManagerService;)Lcom/android/server/display/DisplayManagerService; move-result-object v0 invoke-virtual {v0}, Lcom/android/server/display/DisplayManagerService;->unblankAllDisplaysFromPowerManager()V .line 3097 const/4 v0, 0x0 iput-boolean v0, p0, Lcom/android/server/power/PowerManagerService$DisplayBlankerImpl;->mBlanked:Z .line 3098 monitor-exit p0 .line 3099 return-void .line 3098 :catchall_0 move-exception v0 monitor-exit p0 :try_end_0 .catchall {:try_start_0 .. :try_end_0} :catchall_0 throw v0 .end method
{ "content_hash": "c2193f7e8fa80da481f408c69c9d891e", "timestamp": "", "source": "github", "line_count": 200, "max_line_length": 181, "avg_line_length": 27.305, "alnum_prop": 0.7342977476652628, "repo_name": "baidurom/devices-Coolpad8720L", "id": "180ba8d3ae5b496a3279eb93bcac6b2f08ac00cb", "size": "5461", "binary": false, "copies": "2", "ref": "refs/heads/coron-4.3", "path": "services.jar.out/smali/com/android/server/power/PowerManagerService$DisplayBlankerImpl.smali", "mode": "33188", "license": "apache-2.0", "language": [ { "name": "Makefile", "bytes": "13619" }, { "name": "Shell", "bytes": "1917" } ], "symlink_target": "" }
[![Build Status](https://travis-ci.org/mfbmina/brazilian_validators.svg?branch=master)](https://travis-ci.org/mfbmina/brazilian_validators) # Brazilian Validators It gives you a lot of useful validators for Brazillian phones, CPF or CNPJ. Allow you to use ActiveModel validations. New features are coming! ### Installation You can run ```gem install 'brazilian_validators'``` But, if you wanna use Bundler just add ```gem 'brazilian_validators'``` into your Gemfile and run ```bundle install```. ### Usage Please check [examples!](https://www.github.com/mfbmina/brazilian_validators/tree/master/examples/) ### To-Do Features that are coming: * Email validation * Driver license * License plate ### Contributing If you wanna improve something or create new features, fell free for: * Forking this project * Create a new pull request Or just: * Create a new issue ### Mainteners * [@mfbmina](https://www.github.com/mfbmina) - Matheus Mina
{ "content_hash": "b4b0375d4753d7de03a5b8c960eaddd0", "timestamp": "", "source": "github", "line_count": 29, "max_line_length": 142, "avg_line_length": 32.58620689655172, "alnum_prop": 0.7513227513227513, "repo_name": "mfbmina/brazilian_validators", "id": "4a97d7bc8de31a3db2d649b4b78b53b493802e38", "size": "945", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "README.md", "mode": "33188", "license": "mit", "language": [ { "name": "Ruby", "bytes": "43204" } ], "symlink_target": "" }
class CommentsController < ApplicationController load_and_authorize_resource before_filter :authenticate_user! def create @comment = Comment.create(:body => params[:comment_body], :user_id => current_user.id) if params[:project_id] != nil @record = Project.find(params[:project_id]) else @record = Offer.find(params[:offer_id]) end @record.comments << @comment end def update @comment = Comment.find(params[:id]) @comment.update_attributes(params[:comment]) respond_to do |format| format.json { respond_with_bip(@comment) } end end def destroy @comment = Comment.find(params[:id]) @comment.destroy end end
{ "content_hash": "6a598426f7a264cceb6bde1862f31efd", "timestamp": "", "source": "github", "line_count": 28, "max_line_length": 90, "avg_line_length": 24.571428571428573, "alnum_prop": 0.6642441860465116, "repo_name": "rt2/join_a_project", "id": "054e3203f72ff08dd99612330e821ef20e2cefa7", "size": "688", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "app/controllers/comments_controller.rb", "mode": "33188", "license": "mit", "language": [ { "name": "CoffeeScript", "bytes": "4651" }, { "name": "JavaScript", "bytes": "16062" }, { "name": "Ruby", "bytes": "66942" } ], "symlink_target": "" }
require "spec_helper" describe Chef::GuardInterpreter do describe "#for_resource" do let (:resource) { Chef::Resource.new("foo")} it "returns a DefaultGuardInterpreter if the resource has guard_interpreter set to :default" do resource.guard_interpreter :default interpreter = Chef::GuardInterpreter.for_resource(resource, "", {}) expect(interpreter.class).to eq(Chef::GuardInterpreter::DefaultGuardInterpreter) end it "returns a ResourceGuardInterpreter if the resource has guard_interpreter set to !:default" do resource.guard_interpreter :foobar # Mock the resource guard interpreter to avoid having to set up a lot of state # currently we are only testing that we get the correct class of object back rgi = double("Chef::GuardInterpreter::ResourceGuardInterpreter") allow(Chef::GuardInterpreter::ResourceGuardInterpreter).to receive(:new).and_return(rgi) interpreter = Chef::GuardInterpreter.for_resource(resource, "", {}) expect(interpreter).to eq(rgi) end end end
{ "content_hash": "a1a1b3842aaed1b52bfefabd03c62b62", "timestamp": "", "source": "github", "line_count": 23, "max_line_length": 101, "avg_line_length": 45.91304347826087, "alnum_prop": 0.7301136363636364, "repo_name": "zuazo-forks/chef", "id": "10084a156e24c47574f2a808d6a16f1a3dcbded2", "size": "1739", "binary": false, "copies": "2", "ref": "refs/heads/master", "path": "spec/unit/guard_interpreter_spec.rb", "mode": "33188", "license": "apache-2.0", "language": [ { "name": "Batchfile", "bytes": "1593" }, { "name": "CSS", "bytes": "21551" }, { "name": "Groff", "bytes": "270663" }, { "name": "HTML", "bytes": "549705" }, { "name": "JavaScript", "bytes": "49785" }, { "name": "Makefile", "bytes": "1326" }, { "name": "Perl6", "bytes": "64" }, { "name": "PowerShell", "bytes": "12510" }, { "name": "Python", "bytes": "9728" }, { "name": "Ruby", "bytes": "7872702" }, { "name": "Shell", "bytes": "16957" } ], "symlink_target": "" }
<?php session_start(); $conn = mysqli_connect('localhost', 'root', 'root'); mysqli_select_db($conn, 'egopoint'); if ($_SERVER['REQUEST_METHOD'] === 'POST') { $name = $_POST['name']; $email = $_POST['email']; $desc = $_POST['desc']; $jobtitle = $_POST['jobtitle']; $date = date_default_timezone_set("Africa/Lagos"); $targetfolder = "cv/"; $targetfolder = $targetfolder . basename( $_FILES['file']['name']); $ok=1; $file_type=$_FILES['file']['type']; if ($file_type=="application/pdf" || $file_type=="image/gif" || $file_type=="image/jpeg") { if(move_uploaded_file($_FILES['file']['tmp_name'], $targetfolder)) { $upload_cv = sprintf("INSERT INTO cv (name, email, descbio, jobtitle, date, cv_path) " . "VALUES ('%s', '%s', '%s', '%s', '%s', '%s'); ", mysqli_real_escape_string($conn, $name), mysqli_real_escape_string($conn, $email), mysqli_real_escape_string($conn, $desc), mysqli_real_escape_string($conn, $jobtitle), mysqli_real_escape_string($conn, $date), mysqli_real_escape_string($conn, basename( $_FILES["file"]["name"])), mysqli_insert_id($conn)); if (mysqli_query($conn, $upload_cv)) { $_SESSION['msg'] = "Uploaded Successfully"; header("Location: " . $_SERVER['HTTP_REFERER']); } } else { echo "Problem uploading file"; } } else { echo "You may only upload PDFs, JPEGs or GIF files.<br>"; echo "<a href='career.php'>return to career</a>"; } } else { echo "Something went wrong try again"; echo "<a href='career.php'>return to career</a>"; } ?>
{ "content_hash": "bacbe16625f6e3a67100a57a55bf8dcc", "timestamp": "", "source": "github", "line_count": 43, "max_line_length": 97, "avg_line_length": 40.06976744186046, "alnum_prop": 0.5414973882762624, "repo_name": "kenchris-380/Egopoint", "id": "dc37b6219224ca62ffad1a11c7b064eadedc6d08", "size": "1723", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "upload.php", "mode": "33188", "license": "mit", "language": [ { "name": "CSS", "bytes": "34823" }, { "name": "PHP", "bytes": "24675" } ], "symlink_target": "" }
package org.mifos.framework.components.batchjobs.helpers; import java.sql.Date; import java.util.Calendar; import java.util.GregorianCalendar; import java.util.List; import junit.framework.Assert; import org.hibernate.Query; import org.mifos.accounts.business.AccountActionDateEntity; import org.mifos.accounts.loan.business.LoanBO; import org.mifos.accounts.loan.business.LoanBOTestUtils; import org.mifos.accounts.productdefinition.business.LoanOfferingBO; import org.mifos.accounts.productdefinition.business.SavingsOfferingBO; import org.mifos.accounts.savings.business.SavingBOTestUtils; import org.mifos.accounts.savings.business.SavingsBO; import org.mifos.accounts.savings.util.helpers.SavingsTestHelper; import org.mifos.accounts.util.helpers.AccountState; import org.mifos.accounts.util.helpers.AccountStates; import org.mifos.application.collectionsheet.business.CollectionSheetBO; import org.mifos.application.meeting.business.MeetingBO; import org.mifos.application.meeting.util.helpers.MeetingType; import org.mifos.application.meeting.util.helpers.RecurrenceType; import org.mifos.application.meeting.util.helpers.WeekDay; import org.mifos.config.ConfigurationManager; import org.mifos.config.util.helpers.ConfigConstants; import org.mifos.customers.business.CustomerAccountBOTestUtils; import org.mifos.customers.business.CustomerBO; import org.mifos.customers.center.business.CenterBO; import org.mifos.customers.group.business.GroupBO; import org.mifos.customers.util.helpers.CustomerStatus; import org.mifos.framework.MifosIntegrationTestCase; import org.mifos.framework.hibernate.helper.StaticHibernateUtil; import org.mifos.framework.util.helpers.TestObjectFactory; public class CollectionSheetHelperIntegrationTest extends MifosIntegrationTestCase { public CollectionSheetHelperIntegrationTest() throws Exception { super(); } private CenterBO center; private GroupBO group; private MeetingBO meeting; private SavingsTestHelper helper = new SavingsTestHelper(); private SavingsOfferingBO savingsOffering; private LoanBO loanBO; private SavingsBO savingsBO; private ConfigurationManager configMgr = ConfigurationManager.getInstance(); private int initialDaysInAdvance; @Override protected void setUp() throws Exception { super.setUp(); initialDaysInAdvance = configMgr.getInt(ConfigConstants.COLLECTION_SHEET_DAYS_IN_ADVANCE); } @Override public void tearDown() throws Exception { configMgr.setProperty(ConfigConstants.COLLECTION_SHEET_DAYS_IN_ADVANCE, initialDaysInAdvance); TestObjectFactory.cleanUp(loanBO); TestObjectFactory.cleanUp(savingsBO); TestObjectFactory.cleanUp(group); TestObjectFactory.cleanUp(center); StaticHibernateUtil.closeSession(); super.tearDown(); } public void testOneDayInAdvance() throws Exception { int daysInAdvance = 1; configMgr.setProperty(ConfigConstants.COLLECTION_SHEET_DAYS_IN_ADVANCE, daysInAdvance); basicTest(daysInAdvance); } public void testFiveDaysInAdvance() throws Exception { int daysInAdvance = 5; configMgr.setProperty(ConfigConstants.COLLECTION_SHEET_DAYS_IN_ADVANCE, daysInAdvance); basicTest(daysInAdvance); } private void basicTest(int daysInAdvance) throws Exception { createInitialObjects(); loanBO = getLoanAccount(group, meeting); savingsBO = getSavingsAccount(center, "SAVINGS_OFFERING", "SAV"); CollectionSheetHelper collectionSheetHelper = new CollectionSheetHelper(new CollectionSheetTask()); Assert.assertEquals(CollectionSheetHelper.getDaysInAdvance(), daysInAdvance); for (AccountActionDateEntity accountActionDateEntity : center.getCustomerAccount().getAccountActionDates()) { CustomerAccountBOTestUtils.setActionDate(accountActionDateEntity, offSetDate(accountActionDateEntity .getActionDate(), collectionSheetHelper.getDaysInAdvance())); } for (AccountActionDateEntity accountActionDateEntity : loanBO.getAccountActionDates()) { LoanBOTestUtils.setActionDate(accountActionDateEntity, offSetDate(accountActionDateEntity.getActionDate(), collectionSheetHelper.getDaysInAdvance())); } for (AccountActionDateEntity accountActionDateEntity : savingsBO.getAccountActionDates()) { SavingBOTestUtils.setActionDate(accountActionDateEntity, offSetDate( accountActionDateEntity.getActionDate(), collectionSheetHelper.getDaysInAdvance())); } long runTime = System.currentTimeMillis(); collectionSheetHelper.execute(runTime); List<CollectionSheetBO> collectionSheets = getCollectionSheets(); Assert.assertEquals("Size of collectionSheets should be 1", 1, collectionSheets.size()); CollectionSheetBO collectionSheet = collectionSheets.get(0); // we need to trim off time information so that we can // match the value returned by a java.sql.Date object which // also truncates all time information Calendar collectionSheetDate = new GregorianCalendar(); collectionSheetDate.setTimeInMillis(runTime); collectionSheetDate.set(Calendar.HOUR_OF_DAY, 0); collectionSheetDate.set(Calendar.MINUTE, 0); collectionSheetDate.set(Calendar.SECOND, 0); collectionSheetDate.set(Calendar.MILLISECOND, 0); long normalizedRunTime = collectionSheetDate.getTimeInMillis(); collectionSheetDate.roll(Calendar.DATE, collectionSheetHelper.getDaysInAdvance()); long normalizedCollectionSheetTime = collectionSheetDate.getTimeInMillis(); Assert.assertEquals(collectionSheet.getRunDate().getTime(), normalizedRunTime); Assert.assertEquals(collectionSheet.getCollSheetDate().getTime(), normalizedCollectionSheetTime); clearCollectionSheets(collectionSheets); } private void clearCollectionSheets(List<CollectionSheetBO> collectionSheets) { for (CollectionSheetBO collectionSheetBO : collectionSheets) { TestObjectFactory.cleanUp(collectionSheetBO); } } private SavingsBO getSavingsAccount(CustomerBO customer, String offeringName, String shortName) throws Exception { savingsOffering = helper.createSavingsOffering(offeringName, shortName); return TestObjectFactory.createSavingsAccount("000100000000017", customer, AccountStates.SAVINGS_ACC_APPROVED, new Date(System.currentTimeMillis()), savingsOffering); } private void createInitialObjects() { meeting = TestObjectFactory.createMeeting(TestObjectFactory.getNewMeeting(RecurrenceType.WEEKLY, TestObjectFactory.EVERY_WEEK, MeetingType.CUSTOMER_MEETING, WeekDay.MONDAY)); center = TestObjectFactory.createWeeklyFeeCenter("Center", meeting); group = TestObjectFactory.createWeeklyFeeGroupUnderCenter("Group", CustomerStatus.GROUP_ACTIVE, center); } private LoanBO getLoanAccount(CustomerBO customer, MeetingBO meeting) { Date startDate = new Date(System.currentTimeMillis()); LoanOfferingBO loanOffering = TestObjectFactory.createLoanOffering(startDate, meeting); return TestObjectFactory.createLoanAccount("42423142341", customer, AccountState.LOAN_ACTIVE_IN_GOOD_STANDING, startDate, loanOffering); } private java.sql.Date offSetDate(Date date, int noOfDays) { Calendar calendar = new GregorianCalendar(); calendar.setTime(date); int year = calendar.get(Calendar.YEAR); int month = calendar.get(Calendar.MONTH); int day = calendar.get(Calendar.DAY_OF_MONTH); calendar = new GregorianCalendar(year, month, day + noOfDays); return new java.sql.Date(calendar.getTimeInMillis()); } private List<CollectionSheetBO> getCollectionSheets() { Query query = StaticHibernateUtil.getSessionTL().createQuery( "from org.mifos.application.collectionsheet.business.CollectionSheetBO"); return query.list(); } }
{ "content_hash": "5bfb10632e5427991c9318d769644f54", "timestamp": "", "source": "github", "line_count": 179, "max_line_length": 118, "avg_line_length": 45.60335195530726, "alnum_prop": 0.7532769815018988, "repo_name": "mifos/1.5.x", "id": "9c10ffcb055fc55780a816f39bcc2aadf9feb32e", "size": "8924", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "application/src/test/java/org/mifos/framework/components/batchjobs/helpers/CollectionSheetHelperIntegrationTest.java", "mode": "33188", "license": "apache-2.0", "language": [ { "name": "Java", "bytes": "13572065" }, { "name": "JavaScript", "bytes": "412518" }, { "name": "Python", "bytes": "25486" }, { "name": "Shell", "bytes": "18029" } ], "symlink_target": "" }
using System.Xml.Serialization; using Magecrawl.Interfaces; using Magecrawl.Utilities; namespace Magecrawl.EngineInterfaces { public interface IMapObjectCore : IMapObject, IXmlSerializable { new Point Position { get; set; } } }
{ "content_hash": "3e6f02dfbc90a074d70f069247c093ad", "timestamp": "", "source": "github", "line_count": 15, "max_line_length": 66, "avg_line_length": 20.333333333333332, "alnum_prop": 0.6065573770491803, "repo_name": "AndrewBaker/magecrawl", "id": "137b770ebdafb6d983c3824f0705f3ebdf5f2cc5", "size": "307", "binary": false, "copies": "2", "ref": "refs/heads/master", "path": "Trunk/EngineInterfaces/IMapObjectCore.cs", "mode": "33188", "license": "bsd-2-clause", "language": [ { "name": "C#", "bytes": "945254" } ], "symlink_target": "" }
namespace { // Tiny helper applying a safe cast to return the handle of wxRadioButton as // its actual type. inline QRadioButton* QtGetRadioButton(wxRadioButton* radioBtn) { return static_cast<QRadioButton*>(radioBtn->GetHandle()); } void QtStartNewGroup(QRadioButton* qtRadioButton) { // Note that the QButtonGroup created here will be deallocated when its // parent // QRadioButton is destroyed. QButtonGroup* qtButtonGroup = new QButtonGroup(qtRadioButton); qtButtonGroup->addButton(qtRadioButton); } bool QtTryJoiningExistingGroup(wxRadioButton* radioBtnThis) { for ( wxWindow* previous = radioBtnThis->GetPrevSibling(); previous; previous = previous->GetPrevSibling() ) { if ( wxRadioButton* radioBtn = wxDynamicCast(previous, wxRadioButton) ) { // We should never join the exclusive group of wxRB_SINGLE button. if ( !radioBtn->HasFlag(wxRB_SINGLE) ) { if ( QButtonGroup *qtGroup = QtGetRadioButton(radioBtn)->group() ) { qtGroup->addButton(QtGetRadioButton(radioBtnThis)); return true; } } break; } } return false; } } // anonymous namespace class wxQtRadioButton : public wxQtEventSignalHandler< QRadioButton, wxRadioButton > { public: wxQtRadioButton( wxWindow *parent, wxRadioButton *handler ) : wxQtEventSignalHandler< QRadioButton, wxRadioButton >(parent, handler) { connect(this, &QRadioButton::clicked, this, &wxQtRadioButton::OnClicked); } void OnClicked(bool checked) { wxRadioButton* handler = GetHandler(); if ( handler == NULL ) return; wxCommandEvent event(wxEVT_RADIOBUTTON, handler->GetId()); event.SetInt(checked ? 1 : 0); EmitEvent(event); } }; wxRadioButton::wxRadioButton() : m_qtRadioButton(NULL) { } wxRadioButton::wxRadioButton( wxWindow *parent, wxWindowID id, const wxString& label, const wxPoint& pos, const wxSize& size, long style, const wxValidator& validator, const wxString& name) { Create( parent, id, label, pos, size, style, validator, name ); } bool wxRadioButton::Create( wxWindow *parent, wxWindowID id, const wxString& label, const wxPoint& pos, const wxSize& size, long style, const wxValidator& validator, const wxString& name) { m_qtRadioButton = new wxQtRadioButton( parent, this ); m_qtRadioButton->setText( wxQtConvertString( label )); if ( !QtCreateControl(parent, id, pos, size, style, validator, name) ) return false; // Check if we need to create a new button group: this must be done when // explicitly requested to do so (wxRB_GROUP) but also for wxRB_SINGLE // buttons to prevent them implicitly becoming part of an existing group. if ( (style & wxRB_GROUP) || (style & wxRB_SINGLE) ) { QtStartNewGroup(m_qtRadioButton); } else { // Otherwise try to join an already existing group. Currently we don't // do anything if joining it fails, i.e. if there is no current group // yet, because the radio buttons not explicitly associated with some // group still work as if they were part of one, so we just ignore the // return value of this function. QtTryJoiningExistingGroup(this); } return true; } void wxRadioButton::SetValue(bool value) { m_qtRadioButton->setChecked( value ); } bool wxRadioButton::GetValue() const { return m_qtRadioButton->isChecked(); } QWidget *wxRadioButton::GetHandle() const { return m_qtRadioButton; }
{ "content_hash": "8f37e01d270a9f4489c1614f918295b3", "timestamp": "", "source": "github", "line_count": 134, "max_line_length": 84, "avg_line_length": 28.776119402985074, "alnum_prop": 0.6304460580912863, "repo_name": "ric2b/Vivaldi-browser", "id": "4e9de1cdf5ebc39293178fef6b53e31f31f0a3d6", "size": "4396", "binary": false, "copies": "2", "ref": "refs/heads/master", "path": "update_notifier/thirdparty/wxWidgets/src/qt/radiobut.cpp", "mode": "33188", "license": "bsd-3-clause", "language": [], "symlink_target": "" }
<style include="privacy-guide-fragment-shared"> :host { display: flex; flex-flow: column; min-height: calc(432px - var(--privacy-guide-footer-total-height)); } .headline-container { outline: none; padding: 48px 116px var(--cr-section-padding) 116px; row-gap: 12px; } .footer { align-items: center; bottom: calc(-1 * var(--privacy-guide-footer-total-height)); display: flex; justify-content: flex-end; padding-bottom: var(--privacy-guide-footer-vertical-padding); position: absolute; width: calc(100% - 48px); /* 48px = 2x :host horizontal padding */ } </style> <div class="headline-container" focus-element tabindex="-1"> <picture> <source srcset="./images/privacy_guide/welcome_banner_dark.svg" media="(prefers-color-scheme: dark)"> <img alt="" src="./images/privacy_guide/welcome_banner.svg"> </picture> <div class="headline">$i18n{privacyGuideWelcomeCardHeader}</div> <div class="cr-secondary-text">$i18n{privacyGuideWelcomeCardSubHeader}</div> </div> <div class="footer"> <cr-button class="action-button" id="startButton" on-click="onStartButtonClick_"> $i18n{privacyGuideNextButton} </cr-button> </div>
{ "content_hash": "ad63220fd53f3883f64f32edbe6a9799", "timestamp": "", "source": "github", "line_count": 39, "max_line_length": 78, "avg_line_length": 31.307692307692307, "alnum_prop": 0.6683046683046683, "repo_name": "scheib/chromium", "id": "dc2381b3239b8cb8765f48a536956f96b4b704dc", "size": "1221", "binary": false, "copies": "1", "ref": "refs/heads/main", "path": "chrome/browser/resources/settings/privacy_page/privacy_guide/privacy_guide_welcome_fragment.html", "mode": "33188", "license": "bsd-3-clause", "language": [], "symlink_target": "" }
package com.kaylerrenslow.armaplugin.lang.sqf.psi; import com.intellij.extapi.psi.ASTWrapperPsiElement; import com.intellij.lang.ASTNode; import com.intellij.psi.PsiComment; import com.intellij.psi.PsiElement; import com.kaylerrenslow.armaDialogCreator.util.Reference; import org.jetbrains.annotations.NotNull; import org.jetbrains.annotations.Nullable; import java.util.ArrayList; import java.util.List; /** * @author Kayler * @since 05/23/2017 */ public abstract class SQFStatement extends ASTWrapperPsiElement implements SQFSyntaxNode { public SQFStatement(@NotNull ASTNode node) { super(node); } /** * @return the {@link SQFIfHelperStatement} instance if the statement contains an if statement, * or null if the statement isn't a valid if statement */ @Nullable public SQFIfHelperStatement getIfStatement() { SQFExpression expr; if (this instanceof SQFExpressionStatement) { expr = ((SQFExpressionStatement) this).getExpr().withoutParenthesis(); } else if (this instanceof SQFAssignmentStatement) { expr = ((SQFAssignmentStatement) this).getExpr(); if (expr == null) { return null; } expr = expr.withoutParenthesis(); } else { return null; } if (!(expr instanceof SQFCommandExpression)) { return null; } SQFCommandExpression cmdExpr = (SQFCommandExpression) expr; if (!cmdExpr.commandNameEquals("if")) { return null; } SQFExpression condition = null; SQFBlockOrExpression thenn = null; SQFBlockOrExpression elsee = null; List<SQFCommandArgument> args = cmdExpr.captureArguments("if $ then $ else $"); if (args == null) { args = cmdExpr.captureArguments("if $ then|exitWith $"); } if (args == null) { return null; } condition = args.get(0).getExpr(); thenn = args.get(1); if (args.size() == 3) { //if then else elsee = args.get(2); } else { //if then|exitWith if (thenn.getExpr() instanceof SQFLiteralExpression) { SQFArray array = ((SQFLiteralExpression) thenn.getExpr()).getArr(); if (array != null) { //if condition then [{/*true cond*/}, {/*false cond*/}] List<SQFExpression> arrExps = array.getExpressions(); if (arrExps.size() < 1) { return null; } SQFExpression first = arrExps.get(0).withoutParenthesis(); thenn = new SQFBlockOrExpression.Impl(first); if (arrExps.size() > 1) { SQFExpression second = arrExps.get(1).withoutParenthesis(); elsee = new SQFBlockOrExpression.Impl(second); } } } } if (thenn == null) { return null; } return new SQFIfHelperStatement(this, condition, thenn, elsee); } /** * This will return a {@link SQFSpawnHelperStatement} only if the statement takes the form: "args <b>spawn</b> {}". * It can also take the form var=args spawn {} (notice its in an assignment this time) * <p> * "args" is optional, but the argument after the spawn command must exist. * * @return the {@link SQFSpawnHelperStatement} instance if the statement contains a "args <b>spawn</b> {}" statement, * or null if the statement isn't a valid spawn statement */ @Nullable public SQFSpawnHelperStatement getSpawnStatement() { SQFExpression expr; if (this instanceof SQFExpressionStatement) { expr = ((SQFExpressionStatement) this).getExpr().withoutParenthesis(); } else if (this instanceof SQFAssignmentStatement) { expr = ((SQFAssignmentStatement) this).getExpr(); if (expr == null) { return null; } expr = expr.withoutParenthesis(); } else { return null; } if (!(expr instanceof SQFCommandExpression)) { return null; } SQFCommandExpression cmdExpr = (SQFCommandExpression) expr; if (!cmdExpr.commandNameEquals("spawn")) { return null; } SQFCommandArgument spawnPostArg = cmdExpr.getPostfixArgument(); if (spawnPostArg == null) { return null; } SQFCommandArgument spawnPreArg = cmdExpr.getPrefixArgument(); return new SQFSpawnHelperStatement(this, spawnPreArg, spawnPostArg); } /** * @return the {@link SQFSwitchHelperStatement} instance if the statement contains a switch statement, * or null if the statement isn't a valid switch statement */ @Nullable public SQFSwitchHelperStatement getSwitchStatement() { SQFExpression expr; if (this instanceof SQFExpressionStatement) { expr = ((SQFExpressionStatement) this).getExpr().withoutParenthesis(); } else if (this instanceof SQFAssignmentStatement) { expr = ((SQFAssignmentStatement) this).getExpr(); if (expr == null) { return null; } expr = expr.withoutParenthesis(); } else { return null; } if (!(expr instanceof SQFCommandExpression)) { return null; } SQFCommandExpression cmdExpr = (SQFCommandExpression) expr; if (!cmdExpr.commandNameEquals("switch")) { return null; } List<SQFCommandArgument> args = cmdExpr.captureArguments("switch $ do $"); if (args == null) { return null; } SQFScope switchBlockScope = null; List<SQFCaseStatement> caseStatements = new ArrayList<>(); Reference<SQFCommandExpression> defaultExprRef = new Reference<>(); { //get case statements as well as default statement SQFCodeBlock block = args.get(1).getBlock(); if (block == null) { return null; } switchBlockScope = block.getScope(); if (switchBlockScope != null) { switchBlockScope.iterateStatements(statement -> { if (statement instanceof SQFCaseStatement) { caseStatements.add((SQFCaseStatement) statement); } else if (statement instanceof SQFExpressionStatement) { SQFExpressionStatement exprStatement = (SQFExpressionStatement) statement; SQFExpression exprInStatement = exprStatement.getExpr(); if (exprInStatement instanceof SQFCommandExpression) { SQFCommandExpression cmdExprInSwitch = (SQFCommandExpression) exprInStatement; if (cmdExprInSwitch.commandNameEquals("default")) { defaultExprRef.setValue(cmdExprInSwitch); } } } }); } } return new SQFSwitchHelperStatement(this, caseStatements, defaultExprRef.getValue()); } /** * @return the {@link SQFForEachHelperStatement} instance if the statement contains a forEach statement, * or null if the statement isn't a valid forEach statement */ @Nullable public SQFForEachHelperStatement getForEachLoopStatement() { SQFExpression expr; if (this instanceof SQFExpressionStatement) { expr = ((SQFExpressionStatement) this).getExpr().withoutParenthesis(); } else { return null; } if (!(expr instanceof SQFCommandExpression)) { return null; } SQFCommandExpression cmdExpr = (SQFCommandExpression) expr; if (!cmdExpr.commandNameEquals("forEach")) { return null; } List<SQFCommandArgument> args = cmdExpr.captureArguments("$ forEach $"); if (args == null) { return null; } SQFBlockOrExpression code = args.get(0); SQFExpression iteratedExpr = args.get(1).getExpr(); return new SQFForEachHelperStatement(this, code, iteratedExpr); } /** * @return the {@link SQFForLoopHelperStatement} instance if the statement contains a for loop statement, * or null if the statement isn't a valid for loop statement */ @Nullable public SQFForLoopHelperStatement getForLoopStatement() { //todo return null; } /** * @return the {@link SQFWhileLoopHelperStatement} instance if the statement contains a while loop statement, * or null if the statement isn't a valid for while statement */ @Nullable public SQFWhileLoopHelperStatement getWhileLoopStatement() { SQFExpression expr; if (this instanceof SQFExpressionStatement) { expr = ((SQFExpressionStatement) this).getExpr().withoutParenthesis(); } else { return null; } if (!(expr instanceof SQFCommandExpression)) { return null; } SQFCommandExpression cmdExpr = (SQFCommandExpression) expr; if (!cmdExpr.commandNameEquals("while")) { return null; } List<SQFCommandArgument> args = cmdExpr.captureArguments("while $ do $"); if (args == null) { return null; } SQFCommandArgument whileCondition = args.get(0); SQFCommandArgument whileBody = args.get(1); return new SQFWhileLoopHelperStatement(this, whileCondition, whileBody); } /** * @return the {@link SQFControlStructure} instance if the statement contains a control structure, * or null if the statement isn't a valid control structure */ @Nullable public SQFControlStructure getControlStructure() { SQFControlStructure cs = getIfStatement(); if (cs != null) { return cs; } cs = getForLoopStatement(); if (cs != null) { return cs; } cs = getForEachLoopStatement(); if (cs != null) { return cs; } cs = getWhileLoopStatement(); if (cs != null) { return cs; } cs = getSwitchStatement(); return cs; } /** * @return the nearest ancestor {@link SQFStatement} that contains the given element, or null if not in a {@link SQFStatement} * @throws IllegalArgumentException when element is a PsiComment or when it is not in an SQFFile */ @Nullable public static SQFStatement getStatementForElement(@NotNull PsiElement element) { if (element instanceof PsiComment) { throw new IllegalArgumentException("element is a comment"); } if (element.getContainingFile() == null || !(element.getContainingFile() instanceof SQFFile)) { throw new IllegalArgumentException("element isn't in an SQFFile"); } while (!(element instanceof SQFStatement)) { element = element.getParent(); if (element == null) { return null; } } return (SQFStatement) element; } /** * @return {@link #debug_getStatementTextForElement(PsiElement)} with this */ public String debug_getStatementTextForElement() { return debug_getStatementTextForElement(this); } /** * Used for debugging. Will return the statement the given element is contained in. * If the element is a PsiComment, &lt;PsiComment&gt; will be returned. Otherwise, the element's ancestor statement * text will be returned with all newlines replaced with spaces. * <p> * If the element has no parent or no {@link SQFStatement} parent, &lt;No Statement Parent&gt; will be returned * * @return the text, or &lt;PsiComment&gt; if element is a PsiComment */ @NotNull public static String debug_getStatementTextForElement(@NotNull PsiElement element) { if (element instanceof PsiComment) { return "<PsiComment>"; } if (element.getContainingFile() == null || !(element.getContainingFile() instanceof SQFFile)) { throw new IllegalArgumentException("element isn't in an SQFFile"); } while (!(element instanceof SQFStatement)) { element = element.getParent(); if (element == null) { return "<No Statement Parent>"; } } return element.getText().replaceAll("\n", " "); } }
{ "content_hash": "d682210690c3c16f9071cbe3ea4bea23", "timestamp": "", "source": "github", "line_count": 342, "max_line_length": 127, "avg_line_length": 31.30701754385965, "alnum_prop": 0.7082282618847483, "repo_name": "kayler-renslow/arma-intellij-plugin", "id": "142e37a87ef279a2c85d5e45f8e826f4bba18f26", "size": "10707", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "src/com/kaylerrenslow/armaplugin/lang/sqf/psi/SQFStatement.java", "mode": "33188", "license": "mit", "language": [ { "name": "Java", "bytes": "548696" }, { "name": "Lex", "bytes": "6726" } ], "symlink_target": "" }
<?php namespace Dan\Plugin\DiaryBundle\Model\Pager\CalendarPager; class Helper { public function getDateFromMonth($month=null) { if (is_null($month)) { $month = new \DateTime(); $month->modify('first day of this month'); return $month; } if (is_object($month) && is_a($month,'DateTime')) { $month = clone $month; $month->modify('first day of this month'); return $month; } if (!is_string($month)) { throw new \Exception('The month must be a string with format "yyyy-mm" '); } if (!preg_match('/^(?P<year>\d{4})-(?P<month>\d{2})$/', $month, $matches)) { throw new \Exception('The month format is "yyyy-mm" '); } return new \DateTime($month); } }
{ "content_hash": "4ecacfc19591c085c203af6d30ade3af", "timestamp": "", "source": "github", "line_count": 33, "max_line_length": 86, "avg_line_length": 26.818181818181817, "alnum_prop": 0.4858757062146893, "repo_name": "danielsan80/blab_old", "id": "99914fc2aa1533dffe5deef752646eff9ad8fe3f", "size": "885", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "src/Dan/Plugin/DiaryBundle/Model/Pager/CalendarPager/Helper.php", "mode": "33188", "license": "mit", "language": [ { "name": "ApacheConf", "bytes": "2907" }, { "name": "CSS", "bytes": "602843" }, { "name": "HTML", "bytes": "906715" }, { "name": "JavaScript", "bytes": "940311" }, { "name": "Makefile", "bytes": "3999" }, { "name": "PHP", "bytes": "370045" } ], "symlink_target": "" }
const shell = require('shelljs'); const decompress = require('decompress'); const decompressTargz = require('decompress-targz'); const env = require('./env'); function clearPath() { if (!shell.test('-d', env.sourceFolder)) { return; } shell.rm('-rf', env.sourceFolder); } function applyPatches() { if (env.isWindows) { const destination = `${env.sourceFolder}/src`; shell.echo('Applying patches'); shell.sed('-i', '#include "zookeeper_log.h"', '#include "zookeeper_log.h"\n#include "winport.h"\n', `${destination}/zk_log.c`); shell.sed('-i', '#include "zookeeper.h"', '#include "winport.h"\n#include "zookeeper.h"\n', `${destination}/zk_adaptor.h`); shell.sed('-i', '#include "zk_adaptor.h"', '#include "zk_adaptor.h"\n#include "winport.h"\n', `${destination}/zookeeper.c`); shell.sed('-i', /(FIPS_mode\(\) == 0)/, '0 == 0', `${destination}/zookeeper.c`); shell.sed('-i', /(FIPS mode is OFF)/, 'Disabled the FIPS check', `${destination}/zookeeper.c`); } else { shell.exec(`patch -d ${env.rootFolder} -p0 --forward < ${env.workFolder}/no-fipsmode.patch`); } } if (env.isAlreadyBuilt) { shell.echo('Zookeeper has already been built'); shell.exit(0); } shell.config.fatal = true; if (env.isVerbose) { shell.config.verbose = true; } shell.cd(env.workFolder); clearPath(); decompress(env.downloadedFileName, './', { plugins: [ decompressTargz(), ], }).then(() => { shell.echo('Decompressed file'); applyPatches(); }).catch((e) => { shell.echo(`Error: ${e.message}`); shell.exit(1); });
{ "content_hash": "37d903858d9305da7256b5c29f087f4a", "timestamp": "", "source": "github", "line_count": 52, "max_line_length": 135, "avg_line_length": 31.326923076923077, "alnum_prop": 0.6034376918354819, "repo_name": "yfinkelstein/node-zookeeper", "id": "4ac123996d8d9d4b2c8048635a763e417f9463f0", "size": "1629", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "scripts/prepublish.js", "mode": "33188", "license": "mit", "language": [ { "name": "C", "bytes": "2047" }, { "name": "C++", "bytes": "49398" }, { "name": "JavaScript", "bytes": "67137" }, { "name": "Python", "bytes": "4149" } ], "symlink_target": "" }
'use strict'; describe('Controller: MainCtrl', function () { // load the controller's module beforeEach(module('autocompleteApp')); var MainCtrl, scope; // Initialize the controller and a mock scope beforeEach(inject(function ($controller, $rootScope) { scope = $rootScope.$new(); MainCtrl = $controller('MainCtrl', { $scope: scope }); })); it('should attach a list of awesomeThings to the scope', function () { expect(scope.awesomeThings.length).toBe(3); }); });
{ "content_hash": "3ff1f6cd980772cf590a61f6e9038f5e", "timestamp": "", "source": "github", "line_count": 22, "max_line_length": 72, "avg_line_length": 23.227272727272727, "alnum_prop": 0.6516634050880626, "repo_name": "theoinglis/controls", "id": "0c1d617c2f9130e104fdd7ff679bc11ec23f78b1", "size": "511", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "test/spec/controllers/main.js", "mode": "33188", "license": "mit", "language": [ { "name": "CSS", "bytes": "3936" }, { "name": "JavaScript", "bytes": "81966" } ], "symlink_target": "" }
UAEAnimGraphNode_CopyBoneFromSceneComponent::UAEAnimGraphNode_CopyBoneFromSceneComponent(const FObjectInitializer& ObjectInitializer) : Super(ObjectInitializer) { } FText UAEAnimGraphNode_CopyBoneFromSceneComponent::GetControllerDescription() const { return LOCTEXT("CopyBoneFromSceneComponent", "Copy Bone From Scene Component"); } FText UAEAnimGraphNode_CopyBoneFromSceneComponent::GetTooltipText() const { return LOCTEXT("AEAnimGraphNode_CopyBoneFromSceneComponent_Tooltip", "The Copy Bone control copies the Transform data or any component of it - i.e. Translation, Rotation, or Scale - from one bone to another."); } FText UAEAnimGraphNode_CopyBoneFromSceneComponent::GetNodeTitle(ENodeTitleType::Type TitleType) const { if ((TitleType == ENodeTitleType::ListView || TitleType == ENodeTitleType::MenuTitle) && (Node.TargetBone.BoneName == NAME_None) && (Node.SourceSocket == NAME_None)) { return GetControllerDescription(); } // @TODO: the bone can be altered in the property editor, so we have to // choose to mark this dirty when that happens for this to properly work else //if (!CachedNodeTitles.IsTitleCached(TitleType, this)) { FFormatNamedArguments Args; Args.Add(TEXT("ControllerDescription"), GetControllerDescription()); Args.Add(TEXT("SourceSocketName"), FText::FromName(Node.SourceSocket)); Args.Add(TEXT("TargetBoneName"), FText::FromName(Node.TargetBone.BoneName)); if (TitleType == ENodeTitleType::ListView || TitleType == ENodeTitleType::MenuTitle) { CachedNodeTitles.SetCachedTitle(TitleType, FText::Format(LOCTEXT("AEAnimGraphNode_CopyBoneFromSceneComponent_ListTitle", "{ControllerDescription} - Source Socket: {SourceSocketName} - Target Bone: {TargetBoneName}"), Args), this); } else { CachedNodeTitles.SetCachedTitle(TitleType, FText::Format(LOCTEXT("AEAnimGraphNode_CopyBoneFromSceneComponent_Title", "{ControllerDescription}\nSource Socket: {SourceSocketName}\nTarget Bone: {TargetBoneName}"), Args), this); } } return CachedNodeTitles[TitleType]; } #undef LOCTEXT_NAMESPACE
{ "content_hash": "e54cca3b2cbbc3c0551b03203c2aa3de", "timestamp": "", "source": "github", "line_count": 43, "max_line_length": 233, "avg_line_length": 47.83720930232558, "alnum_prop": 0.7822070977151191, "repo_name": "ill/AEFramework", "id": "516506b1f3cc2dadc0386bbdd006013def0a5717", "size": "2253", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "AEFrameworkEditor/Private/AEAnimGraphNode_CopyBoneFromSceneComponent.cpp", "mode": "33188", "license": "mit", "language": [ { "name": "C", "bytes": "71" }, { "name": "C#", "bytes": "874" }, { "name": "C++", "bytes": "116345" }, { "name": "Objective-C", "bytes": "352" } ], "symlink_target": "" }
/* jshint loopfunc:true */ "use strict"; function FullPostModel(PostsApi, TagsApi, CategoriesApi, $q, MediaApi, $FrontPress, ApiManagerMap){ var model = { addTag: addTag, categories: [], content: null, date: null, featuredImage: null, id: null, isLoadingCategories: null, isLoadingFullPost: false, isLoadingTags: false, setContent: setContent, setFeaturedImage: setFeaturedImage, setId: setId, setTitle: setTitle, authorName: null, setAuthorName: setAuthorName, slug: null, tags: [], title: null, }; function addCategory(category){ model.categories.push(category); } function setAuthorName(authorName){ model.authorName = authorName; } function addTag(tag){ model.tags.push(tag); } function setTitle(title){ model.title = title; } function setContent(content){ model.content = content; } function setDate(date){ model.date = date; } function setFeaturedImage(featuredImage){ model.featuredImage = featuredImage; model.featured_image = featuredImage; } function setCategoryNames(categoryNames){ model.categoryNames = categoryNames; } function setSlug(slug){ model.slug = slug; } function setId(id){ model.id = id; } model.addCategory = addCategory; model.setSlug = setSlug; model.setDate = setDate; function _loadFullPostByPromise(postPromise){ var defer = $q.defer(); postPromise.then(function(result){ if(Array.isArray(result.data)){ result = result.data[0]; } else { result = result.data; } model.setTitle(result.title); model.setContent(result.content); model.setDate(result.date); model.setSlug(result.slug); model.setId(result[ApiManagerMap.postId]); switch($FrontPress.apiVersion){ case "v2": var categoriesIds = result.categories; for(var i=0; i < categoriesIds.length; i++){ model.isLoadingCategories = true; var categoryByIdPromise = CategoriesApi.getCategoryById(categoriesIds[i]); categoryByIdPromise.then(function(categoryResult){ categoryResult = categoryResult.data; var category = {}; category.name = categoryResult.name; model.addCategory(category); model.isLoadingCategories = false; }); categoryByIdPromise.catch(function(error){ console.log(error); }); } var tagsIds = result.tags; for(var j=0; j < tagsIds.length; j++){ model.isLoadingTags = true; var tagByIdpromise = TagsApi.getTagById(tagsIds[j]); tagByIdpromise.then(function(tagResult){ tagResult = tagResult.data; var tag = {}; tag.name = tagResult.name; model.addTag(tag); model.isLoadingTags = false; }); tagByIdpromise.catch(function(error){ console.log(error); }); } var featuredImagesPromise = MediaApi.getMediaById(result.featured_media); featuredImagesPromise.then(function(featuredImageResult){ featuredImageResult = featuredImageResult.data; model.setFeaturedImage(featuredImageResult.source_url); }); featuredImagesPromise.catch(function(error){ console.log(error); }); break; case "v1": model.setFeaturedImage(result.featured_image); model.setAuthorName(result.author.name); for (var category in result.categories){ model.addCategory(result.categories[category]); } model.isLoadingCategories = false; for (var tag in result.tags){ model.addTag(result.tags[tag]); } model.isLoadingTags = false; break; } model.isLoadingFullPost = false; defer.resolve(model); }); postPromise.catch(function(error){ console.log(error); }); return defer.promise; } var fieldsFilterList = "title,featured_image,featured_media,date,categories,content,slug,tags,{0},author".format(ApiManagerMap.postId[0]); var promiseConfigs = { fields: fieldsFilterList }; function loadFullPostBySlug(postSlug){ model.isLoadingFullPost = true; var postPromise = PostsApi.getPostBySlug(postSlug, promiseConfigs); return _loadFullPostByPromise(postPromise); } function loadFullPostById(postId){ model.isLoadingFullPost = true; var postPromise = PostsApi.getPostById(postId, promiseConfigs); return _loadFullPostByPromise(postPromise); } model.loadFullPostById = loadFullPostById; model.loadFullPostBySlug = loadFullPostBySlug; return model; } angular.module("frontpress.components.full-post").factory("FullPostModel", FullPostModel); FullPostModel.$inject = ["PostsApi", "TagsApi","CategoriesApi", "$q", "MediaApi", "$FrontPress", "ApiManagerMap"];
{ "content_hash": "6698f72d64a7f478476cf3d1b3bcbfaa", "timestamp": "", "source": "github", "line_count": 193, "max_line_length": 142, "avg_line_length": 30.2279792746114, "alnum_prop": 0.5488515598217346, "repo_name": "frontpressorg/frontpress", "id": "3014655e3844f09861248a8900ec3f935091ec8b", "size": "5834", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "src/js/components/full-post/full-post.model.js", "mode": "33188", "license": "mit", "language": [ { "name": "HTML", "bytes": "5703" }, { "name": "JavaScript", "bytes": "603510" }, { "name": "Shell", "bytes": "2160" } ], "symlink_target": "" }
<section class="types container-fluid"> <div class="row"> <h3>Edit Types</h3> </div> <div class="form-group row" ng-repeat="key in article.keywords | filter:{selected:true}"> <label class="col-sm-4 control-label">{{ key.text }}</label> <div class="col-sm-6"> <input type="text" class="form-control" name="type" ng-model="key.type"> </div> </div> </section>
{ "content_hash": "2c5ea57bbfeb7b8f92559cbe8db51a0a", "timestamp": "", "source": "github", "line_count": 12, "max_line_length": 91, "avg_line_length": 32.25, "alnum_prop": 0.6253229974160207, "repo_name": "nikhilpi/context", "id": "6108e7bd01651b954fc253fdbc0b3569a00df695", "size": "387", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "public/modules/core/views/type-selection.client.view.html", "mode": "33188", "license": "mit", "language": [ { "name": "CSS", "bytes": "400" }, { "name": "JavaScript", "bytes": "29006" }, { "name": "Perl", "bytes": "48" }, { "name": "Shell", "bytes": "669" } ], "symlink_target": "" }
(function() { var Foo, Maybe, backCallFunc, foo_maybe, foo_result, null_maybe, null_result; Maybe = (function() { function Maybe(val) { this.val = val; } Maybe.prototype.and_then = function(func) { if (this.val) { return func(this.val); } else { return new Maybe(this.val); } }; return Maybe; })(); Foo = (function() { function Foo() { this.thing = "a"; } Foo.prototype.foo = function() { this.thing += " and foo"; return this; }; Foo.prototype.bar = function() { this.thing += " and bar"; return this; }; Foo.prototype.baz = function() { this.thing += " and baz"; return this; }; Foo.prototype.toString = function() { return "Contains " + this.thing; }; return Foo; })(); null_maybe = new Maybe(null); foo_maybe = new Maybe(new Foo()); null_result = (_ref2 = (_ref2 = (_ref2 = null_maybe, _ref2).and_then(function(_ref1){return new (_ref2).constructor(_ref1.foo());}), _ref2).and_then(function(_ref1){return new (_ref2).constructor(_ref1.bar());}), _ref2).and_then(function(_ref1){return new (_ref2).constructor(_ref1.baz);}).val; foo_result = (_ref2 = (_ref2 = (_ref2 = foo_maybe, _ref2).and_then(function(_ref1){return new (_ref2).constructor(_ref1.foo());}), _ref2).and_then(function(_ref1){return new (_ref2).constructor(_ref1.bar());}), _ref2).and_then(function(_ref1){return new (_ref2).constructor(_ref1.baz());}).val; console.log("null res: " + null_result); console.log("foo res: " + foo_result); backCallFunc = function() { someFunc((function(_this) { return function(x) { return x = x + 3; }; })(this)) }; }).call(this);
{ "content_hash": "897dfe7999487fbab97765ea8b5cdbeb", "timestamp": "", "source": "github", "line_count": 69, "max_line_length": 296, "avg_line_length": 25.47826086956522, "alnum_prop": 0.5676905574516496, "repo_name": "akavi/CoffeeAF", "id": "ee7cfdf9cc8091ce84d50e59c1722e4f01d75960", "size": "1793", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "test.js", "mode": "33188", "license": "mit", "language": [ { "name": "CSS", "bytes": "21178" }, { "name": "CoffeeScript", "bytes": "437248" }, { "name": "JavaScript", "bytes": "167890" } ], "symlink_target": "" }
import { icon } from '../../marker-icons.js'; import EVENTS from '../../event-names.js'; var size = 1; var userAgent = navigator.userAgent.toLowerCase(); if (userAgent.indexOf('ipad') !== -1 || userAgent.indexOf('iphone') !== -1) { size = 2; } export default L.Marker.extend({ _draggable: undefined, // an instance of L.Draggable _oldLatLngState: undefined, initialize(group, latlng, options = {}) { options = Object.assign({ icon: icon, draggable: false }, options); L.Marker.prototype.initialize.call(this, latlng, options); this._mGroup = group; this._isFirst = group.getLayers().length === 0; }, enableDrag() { this.dragging.enable(); }, disableDrag() { this.dragging.disable(); }, group() { return this._mGroup; }, next() { var next = this._next._next; if (!this._next.isMiddle()) { next = this._next; } return next; }, prev() { var prev = this._prev._prev; if (!this._prev.isMiddle()) { prev = this._prev; } return prev; }, changePrevNextPos() { if (this._prev.isMiddle()) { var prevLatLng = this.group()._getMiddleLatLng(this.prev(), this); var nextLatLng = this.group()._getMiddleLatLng(this, this.next()); this._prev.setLatLng(prevLatLng); this._next.setLatLng(nextLatLng); } }, _resetIcon(_icon) { if (this._hasFirstIcon()) { return; } var ic = _icon || icon; this.setIcon(ic); this.prev().setIcon(ic); this.next().setIcon(ic); }, _addIconClass(className) { L.DomUtil.addClass(this._icon, className); }, _removeIconClass(className) { L.DomUtil.removeClass(this._icon, className); }, _hasFirstIcon() { return this._icon && L.DomUtil.hasClass(this._icon, 'm-editor-div-icon-first'); }, isMiddle() { return this._icon && L.DomUtil.hasClass(this._icon, 'm-editor-middle-div-icon') && !L.DomUtil.hasClass(this._icon, 'leaflet-drag-target'); }, _setDragIcon() { this._removeIconClass('m-editor-div-icon'); this._removeIconClass('m-editor-middle-div-icon'); this._addIconClass('m-editor-div-icon-drag'); this.update(); }, isPlain() { return L.DomUtil.hasClass(this._icon, 'm-editor-div-icon'); }, _onceClick() { if (this._isFirst) { this.once('click', (e) => { if (!this._hasFirstIcon()) { return; } const map = this._map; const mGroup = this.group(); if (mGroup._markers.length < 3) { this._onceClick(); return; } this._isFirst = false; this.setIcon(icon); map.fire(EVENTS.join_path, {mGroup: mGroup}); }); } }, isAcceptedToDelete() { return this._map.options.notifyClickMarkerDeletePolygon && !this.isMiddle() && this.isSelectedInGroup() && this._map.getSelectedMarker() === this && this.group().hasMinimalMarkersLength(); }, needAcceptToDelete() { return this._map.options.notifyClickMarkerDeletePolygon && !this.isMiddle() && this.isSelectedInGroup() && this._map.getSelectedMarker() !== this && this.group().hasMinimalMarkersLength(); }, _disallowToExecuteEvent() { const map = this._map; let selectedMGroup; if (map) { selectedMGroup = map.getSelectedMGroup() } return selectedMGroup && selectedMGroup.hasFirstMarker() && selectedMGroup !== this.group(); }, _bindEvents() { this.on('dragstart', e => { this._setDragIcon(); this.group().setSelected(this); this._oldLatLngState = e.target._latlng; if (this._prev.isPlain()) { this.group().setMiddleMarkers(this.position); } this._map.fire(EVENTS.marker_dragstart); this.__dragging = true; }); this.on('click', () => { const mGroup = this.group(); const map = this._map; if (this._disallowToExecuteEvent()) { return; } if (this.needAcceptToDelete()) { mGroup.setSelected(this); map.msgHelper.msg(map.options.text.acceptDeletion, 'error', this); return; } if (mGroup.hasFirstMarker() && this !== mGroup.getFirst()) { return; } if (this._hasFirstIcon()) { return; } mGroup.setSelected(this); if (this._hasFirstIcon()) { return; } if (mGroup.getFirst()._hasFirstIcon()) { return; } if (!this.isSelectedInGroup()) { mGroup.select(); if (this.isMiddle()) { map.msgHelper.msg(map.options.text.clickToAddNewEdges, null, this); } else { map.msgHelper.msg(map.options.text.clickToRemoveAllSelectedEdges, null, this); } if (this.isAcceptedToDelete()) { map.msgHelper.msg(map.options.text.acceptDeletion, 'error', this); } return; } if (this.isMiddle()) { //add vertex mGroup.setMiddleMarkers(this.position); this._resetIcon(icon); mGroup.select(); map.msgHelper.msg(map.options.text.clickToRemoveAllSelectedEdges, null, this); map.clearSelectedMarker(); } else { //remove vertex if (!mGroup.getFirst()._hasFirstIcon()) { map.msgHelper.hide(); mGroup.removeMarker(this); if (mGroup.isEmpty()) { if (mGroup._isHole) { map.fire(EVENTS.hole_deleted); } else { map.fire(EVENTS.polygon_deleted); } map.msgHelper.hide(); } mGroup.select(); } } }); this.on('mousedown', () => { if (!this.dragging._enabled) { return false; } }); this.on('mouseover', (e) => { e.originalEvent.stopPropagation(); const selectedMarker = this._map.getSelectedMarker(); const selectedMarkerDragging = !!(selectedMarker && selectedMarker.__dragging); if (this._disallowToExecuteEvent() || selectedMarkerDragging) { return; } const map = this._map; if (this.group().getFirst()._hasFirstIcon()) { if (this.group().getLayers().length > 2) { if (this._hasFirstIcon()) { map.fire(EVENTS.first_marker_mouseover, {marker: this}); } else if (this === this.group()._lastMarker) { map.fire(EVENTS.last_marker_dblclick_mouseover, {marker: this}); } } } else { if (this.isSelectedInGroup()) { if (this.isMiddle()) { map.fire(EVENTS.selected_middle_marker_mouseover, {marker: this}); } else { map.fire(EVENTS.selected_marker_mouseover, {marker: this}); } } else { map.fire(EVENTS.not_selected_marker_mouseover, {marker: this}); } } if (this.isAcceptedToDelete()) { map.msgHelper.msg(map.options.text.acceptDeletion, 'error', this); } }); this.on('mouseout', (e) => { e.originalEvent.stopPropagation(); const selectedMarker = this._map.getSelectedMarker(); const selectedMarkerDragging = !!(selectedMarker && selectedMarker.__dragging); if (this._disallowToExecuteEvent() || selectedMarkerDragging) { return; } this._map.fire(EVENTS.marker_mouseout); }); this._onceClick(); this.on('dblclick', () => { if (this._disallowToExecuteEvent()) { return; } var mGroup = this.group(); if (mGroup && mGroup.getFirst() && mGroup.getFirst()._hasFirstIcon()) { if (this === mGroup._lastMarker) { mGroup.getFirst().fire('click'); } } }); this.on('drag', (e) => { this._onDrag(e); }); this.on('dragend', (e) => { this._onDragEnd(e); }); }, onAdd(map) { L.Marker.prototype.onAdd.call(this, map); this._bindEvents(map); }, _onDrag(e) { const marker = e.target; marker.changePrevNextPos(); const map = this._map; map._convertToEdit(map.getEMarkersGroup()); this._setDragIcon(); map.fire(EVENTS.drag_marker, {marker: this}); }, _onDragEnd() { setTimeout(() => { this.group().select(); this._map.fire(EVENTS.dragend_marker, {marker: this}); this._map.fire(EVENTS.selected_marker_mouseover, {marker: this}); this.resetStyle(); }, 1); }, resetIcon() { this._removeIconClass('m-editor-div-icon-drag'); }, unSelectIconInGroup() { this._removeIconClass('group-selected'); }, _selectIconInGroup() { if (!this.isMiddle()) { this._addIconClass('m-editor-div-icon'); } this._addIconClass('group-selected'); }, selectIconInGroup() { if (this._prev) { this._prev._selectIconInGroup(); } this._selectIconInGroup(); if (this._next) { this._next._selectIconInGroup(); } }, isSelectedInGroup() { return L.DomUtil.hasClass(this._icon, 'group-selected'); }, onRemove(map) { this.off('mouseout'); L.Marker.prototype.onRemove.call(this, map); }, resetStyle() { this.resetIcon(); this.selectIconInGroup(); } });
{ "content_hash": "4d3295dcbcb131b7c5e6fb7d27483edd", "timestamp": "", "source": "github", "line_count": 370, "max_line_length": 96, "avg_line_length": 24.721621621621622, "alnum_prop": 0.5696949819612988, "repo_name": "exactfarming/leaflet-editor", "id": "04a97cf3dd5ac29d87b7643ddc6a06bc44ab7752", "size": "9147", "binary": false, "copies": "2", "ref": "refs/heads/master", "path": "src/js/modes/edit/marker.js", "mode": "33188", "license": "mit", "language": [ { "name": "CSS", "bytes": "4808" }, { "name": "HTML", "bytes": "1726" }, { "name": "JavaScript", "bytes": "95523" } ], "symlink_target": "" }
<?xml version="1.0" encoding="UTF-8" standalone="yes"?> <metadataProfile xmlns="http://www.nkp.cz/pspValidator/2.2.1/metadataProfile" name="MODS volume (AACR2)" validatorVersion="2.2.1" dmf="periodical_1.7" > <info> <text>DMF Periodika 1.7 očekává MODS verze 3.6. Dále se zde upřesňují očekávaná metadata pro ročník periodika pro záznamy zpracované podle katalogizačních pravidel AACR2. </text> <url>http://www.loc.gov/standards/mods/</url> <url description="XSD pro MODS 3.6">http://www.loc.gov/standards/mods/v3/mods-3-6.xsd</url> <url description="popis MODS 3.6">http://www.loc.gov/standards/mods/mods-outline-3-6.html</url> </info> <namespaces> <namespace prefix="mods">http://www.loc.gov/mods/v3</namespace> </namespaces> <dictionaries> <dictionary name="marcRelatorCodes" description="kódy rolí podle MARC21" url="http://www.loc.gov/marc/relators/relaterm.html"/> </dictionaries> <rootElement name="mods:mods"> <expectedAttributes> <attribute name="ID"> <expectedContent> <regexp>MODS_VOLUME_[0-9]{4}</regexp>> </expectedContent> </attribute> </expectedAttributes> <expectedElements> <element name="mods:titleInfo"> <expectedElements> <element name="mods:partNumber" mandatory="false"> <expectedContent/> </element> </expectedElements> </element> <element name="mods:name" mandatory="false"> <expectedAttributes> <attribute name="type" mandatory="false"> <expectedContent> <oneOf> <value>personal</value> <value>corporate</value> <!--see https://github.com/NLCR/Standard_NDK/issues/147--> <value>konference</value> <value>conference</value> <value>family</value> </oneOf> </expectedContent> </attribute> <attribute name="usage" mandatory="false"> <!--DMF nespecifikuje, jestli je atribut povinny, nechavam nepovinny--> <expectedContent> <!--neni jasne, jestli je hodnota 'primary' povinna, nebo jen doporucena--> <!--<value>primary</value>--> </expectedContent> </attribute> </expectedAttributes> <expectedElements> <element name="mods:namePart" mandatory="false"> <!--Na s.35 neni u namePart definovan atribut 'type', ale slovne se o nem zminuje. Radeji ho definuji--> <expectedAttributes> <attribute name="type" mandatory="false"/> </expectedAttributes> <expectedContent/> </element> <element name="mods:nameIdentifier" mandatory="false"> <expectedContent/> </element> <element name="mods:role" mandatory="false"> <!--Kontrolovany slovnik je jen doporucovan--> <expectedElements> <element name="mods:roleTerm" mandatory="false"> <expectedAttributes> <attribute name="type"> <expectedContent> <value>code</value> </expectedContent> </attribute> <attribute name="authority" mandatory="false"> <recommendedContent> <value>marcrelator</value> </recommendedContent> </attribute> </expectedAttributes> <recommendedContent> <fromDictionary name="marcRelatorCodes"/> </recommendedContent> </element> </expectedElements> </element> </expectedElements> </element> <element name="mods:genre" specification="text()='volume'"/> <element name="mods:originInfo"> <expectedElements> <element name="mods:dateIssued"> <expectedAttributes> <attribute name="point" mandatory="false"> <expectedContent> <!--neni jasne, jestli to jsou opravdu jedine dve povolene hodnoty--> <!--<oneOf> <value>start</value> <value>end</value> </oneOf>--> </expectedContent> </attribute> <attribute name="qualifier" mandatory="false"> <expectedContent> <!--approximate je jen doporucena hodnota, muze tam byt jinak cokoliv--> </expectedContent> </attribute> </expectedAttributes> <expectedContent/> </element> </expectedElements> </element> <!--identifikatory--> <element name="mods:identifier" specification="@type='uuid'"> <expectedAttributes> <attribute name="type"/> <attribute name="invalid" mandatory="false"> <expectedContent> <value>yes</value> </expectedContent> </attribute> </expectedAttributes> <expectedContent/> </element> <!--dalsi identifikatory - urnnbn, jine (barcode, oclc, sysno, permalink apod.)--> <element name="mods:identifier" specification="@type!='uuid'" mandatory="false"> <expectedAttributes> <attribute name="type"/> <attribute name="invalid" mandatory="false"> <expectedContent> <value>yes</value> </expectedContent> </attribute> </expectedAttributes> <expectedContent/> </element> <element name="mods:physicalDescription" mandatory="false"> <expectedElements> <element name="mods:note" mandatory="false"> <expectedContent/> </element> </expectedElements> </element> </expectedElements> </rootElement> </metadataProfile>
{ "content_hash": "9d31c76fdef7bfc18c36d649ebf01a89", "timestamp": "", "source": "github", "line_count": 173, "max_line_length": 128, "avg_line_length": 44.09826589595376, "alnum_prop": 0.43583693799973783, "repo_name": "rzeh4n/psp-validator", "id": "e1ca47d0edd4dceb1651288c9a909d85f1c24133", "size": "7647", "binary": false, "copies": "2", "ref": "refs/heads/master", "path": "sharedModule/src/main/resources/nkp/pspValidator/shared/validatorConfig/fDMF/periodical_1.7/biblioProfiles/mods/volume_aacr2.xml", "mode": "33188", "license": "apache-2.0", "language": [ { "name": "CSS", "bytes": "5001" }, { "name": "Java", "bytes": "719126" }, { "name": "XSLT", "bytes": "17921" } ], "symlink_target": "" }
export { DigitalTrust as default } from "../../";
{ "content_hash": "7a641c3bece989321029a51841e4d8ce", "timestamp": "", "source": "github", "line_count": 1, "max_line_length": 49, "avg_line_length": 50, "alnum_prop": 0.62, "repo_name": "georgemarshall/DefinitelyTyped", "id": "6bee7c9853e24714df3e90726ecc6e0cd2cd8f15", "size": "50", "binary": false, "copies": "30", "ref": "refs/heads/master", "path": "types/carbon__pictograms-react/es/digital--trust/index.d.ts", "mode": "33188", "license": "mit", "language": [ { "name": "JavaScript", "bytes": "16338312" }, { "name": "Ruby", "bytes": "40" }, { "name": "Shell", "bytes": "73" }, { "name": "TypeScript", "bytes": "17728346" } ], "symlink_target": "" }
using System.Resources; using System.Reflection; using System.Runtime.CompilerServices; using System.Runtime.InteropServices; // General Information about an assembly is controlled through the following // set of attributes. Change these attribute values to modify the information // associated with an assembly. [assembly: AssemblyTitle("CurrConvPCL")] [assembly: AssemblyDescription("")] [assembly: AssemblyConfiguration("")] [assembly: AssemblyCompany("")] [assembly: AssemblyProduct("CurrConvPCL")] [assembly: AssemblyCopyright("Copyright © 2015")] [assembly: AssemblyTrademark("")] [assembly: AssemblyCulture("")] [assembly: NeutralResourcesLanguage("en")] // Version information for an assembly consists of the following four values: // // Major Version // Minor Version // Build Number // Revision // // You can specify all the values or you can default the Build and Revision Numbers // by using the '*' as shown below: // [assembly: AssemblyVersion("1.0.*")] [assembly: AssemblyVersion("1.0.0.0")] [assembly: AssemblyFileVersion("1.0.0.0")]
{ "content_hash": "0b61720e728654c4808c47ed792a70b0", "timestamp": "", "source": "github", "line_count": 30, "max_line_length": 84, "avg_line_length": 35.9, "alnum_prop": 0.7437325905292479, "repo_name": "Zephyte/CurrConvLin", "id": "c3280b50c8d7b3fe2e3ab101141069ef62b5a4a7", "size": "1080", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "CurrConvPCL/Properties/AssemblyInfo.cs", "mode": "33188", "license": "mit", "language": [ { "name": "C#", "bytes": "46373" } ], "symlink_target": "" }
SYNONYM #### According to The Catalogue of Life, 3rd January 2011 #### Published in null #### Original name null ### Remarks null
{ "content_hash": "afaf3dbd7c1967c26cce3cb0741d325f", "timestamp": "", "source": "github", "line_count": 13, "max_line_length": 39, "avg_line_length": 10.23076923076923, "alnum_prop": 0.6917293233082706, "repo_name": "mdoering/backbone", "id": "bb3160f2f4ce5e36d874807465ec6caf85116196", "size": "178", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "life/Plantae/Magnoliophyta/Magnoliopsida/Asterales/Asteraceae/Pluchea grevei/ Syn. Psiadia grevei/README.md", "mode": "33188", "license": "apache-2.0", "language": [], "symlink_target": "" }
<?php use Grido\Components\Filters\Filter, Grido\Grid, Grido\Components\Actions\Action, Grido\Components\Columns\Column, Grido\Components\Columns\Date; /** * Description of UserPaymentControl * * @author fuca */ class UserOrdersControl extends \Nette\Application\UI\Control { private $kid; private $model; private $templateFile; public function setKid($k) { if (!is_numeric($k)) throw new Nette\InvalidArgumentException("Argument has to be type of numeric"); $this->kid = $k; } public function setModel(florbalMohelnice\Models\OrdersModel $model) { if ($model == NULL) throw new Nette\InvalidArgumentException("Argument can't be NULL"); $this->model = $model; } public function setTemplateFile($path) { if (!file_exists($path)) throw new Nette\FileNotFoundException("Given template file does not exist!"); $this->templateFile = $path; } public function __construct($parent = NULL, $name = NULL) { parent::__construct($parent, $name); $this->setTemplateFile(__DIR__ . "/default.latte"); } public function getKid() { return $this->kid; } public function getModel() { return $this->model; } public function getTemplateFile() { return $this->templateFile; } public function render() { $this->template->setFile($this->getTemplateFile()); try { $payments = $this->getModel()->getFluent($this->kid)->execute()->fetchAll(); } catch (DibiException $ex) { \Nette\Diagnostics\Debugger::log($ex->getMessage(), \Nette\Diagnostics\Debugger::ERROR); $payments = FALSE; } $this->template->render(); } public function createComponentOrdersGrid($name) { $filterRenderType = Filter::RENDER_INNER; $grid = new Grid($this, $name); $grid->setModel($this->getModel()->getFluent($this->getKid())); $grid->setDefaultPerPage(30); $grid->setPrimaryKey('id'); $grid->addColumn('label', 'Typ') ->setSortable(); $grid->addColumn('ordered_time', 'Zadáno', Column::TYPE_DATE) ->setSortable(); $grid->addColumn('handler', 'Vyřizuje') ->setSortable(); $grid->addColumn('state', 'Stav') ->setSortable(); $grid->addColumn('last_edit', 'Poslední změna', Column::TYPE_DATE) ->setSortable(); $grid->addColumn('comment', 'Komentář') ->setTruncate(10) ->setSortable(); $grid->addAction('showOrder', 'Detail'); $grid->setFilterRenderType($filterRenderType); $grid->setExporting(); } }
{ "content_hash": "1bf2ba7c16fe7830d9fd630901d48b24", "timestamp": "", "source": "github", "line_count": 100, "max_line_length": 93, "avg_line_length": 24.45, "alnum_prop": 0.6642126789366053, "repo_name": "fuca/fbcmohelnice", "id": "24eaa872afc10c153f0f29d9d3433e8d225de200", "size": "2451", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "app/components/UserOrdersControl/UserOrdersControl.php", "mode": "33261", "license": "mit", "language": [ { "name": "CSS", "bytes": "50842" }, { "name": "JavaScript", "bytes": "617883" }, { "name": "PHP", "bytes": "2095571" }, { "name": "Perl", "bytes": "1005" }, { "name": "Ruby", "bytes": "347" }, { "name": "Shell", "bytes": "141" } ], "symlink_target": "" }
ACCEPTED #### According to International Plant Names Index #### Published in null #### Original name null ### Remarks null
{ "content_hash": "b03cc3d269429e0f3b96dc94e21defd6", "timestamp": "", "source": "github", "line_count": 13, "max_line_length": 31, "avg_line_length": 9.692307692307692, "alnum_prop": 0.7063492063492064, "repo_name": "mdoering/backbone", "id": "1dcd4fcb1c216b34c7d10eaf4f4b04912fa3ce19", "size": "183", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "life/Plantae/Magnoliophyta/Magnoliopsida/Asterales/Asteraceae/Wedelia/Wedelia cordifolia/README.md", "mode": "33188", "license": "apache-2.0", "language": [], "symlink_target": "" }
if (CMAKE_VERSION VERSION_LESS 2.8.3) message(FATAL_ERROR "Qt 5 requires at least CMake version 2.8.3") endif() set(_qt5WebKitWidgets_install_prefix ${CMAKE_SOURCE_DIR}/src/3rdparty/QtWebKit) # For backwards compatibility only. Use Qt5WebKitWidgets_VERSION instead. set(Qt5WebKitWidgets_VERSION_STRING 5.6.1) set(Qt5WebKitWidgets_LIBRARIES Qt5::WebKitWidgets) macro(_qt5_WebKitWidgets_check_file_exists file) if(NOT EXISTS "${file}" ) message(FATAL_ERROR "The imported target \"Qt5::WebKitWidgets\" references the file \"${file}\" but this file does not exist. Possible reasons include: * The file was deleted, renamed, or moved to another location. * An install or uninstall procedure did not complete successfully. * The installation package was faulty and contained \"${CMAKE_CURRENT_LIST_FILE}\" but not all the files it references. ") endif() endmacro() macro(_populate_WebKitWidgets_target_properties Configuration LIB_LOCATION IMPLIB_LOCATION) set_property(TARGET Qt5::WebKitWidgets APPEND PROPERTY IMPORTED_CONFIGURATIONS ${Configuration}) set(imported_location "${_qt5WebKitWidgets_install_prefix}/lib/${LIB_LOCATION}") _qt5_WebKitWidgets_check_file_exists(${imported_location}) set_target_properties(Qt5::WebKitWidgets PROPERTIES "INTERFACE_LINK_LIBRARIES" "${_Qt5WebKitWidgets_LIB_DEPENDENCIES}" "IMPORTED_LOCATION_${Configuration}" ${imported_location} "IMPORTED_SONAME_${Configuration}" "libQt5WebKitWidgets.so.5" # For backward compatibility with CMake < 2.8.12 "IMPORTED_LINK_INTERFACE_LIBRARIES_${Configuration}" "${_Qt5WebKitWidgets_LIB_DEPENDENCIES}" ) endmacro() if (NOT TARGET Qt5::WebKitWidgets) set(_Qt5WebKitWidgets_OWN_INCLUDE_DIRS "${_qt5WebKitWidgets_install_prefix}/include/" "${_qt5WebKitWidgets_install_prefix}/include/QtWebKitWidgets") set(Qt5WebKitWidgets_PRIVATE_INCLUDE_DIRS "${_qt5WebKitWidgets_install_prefix}/include/QtWebKitWidgets/5.6.1" "${_qt5WebKitWidgets_install_prefix}/include/QtWebKitWidgets/5.6.1/QtWebKitWidgets" ) foreach(_dir ${_Qt5WebKitWidgets_OWN_INCLUDE_DIRS}) _qt5_WebKitWidgets_check_file_exists(${_dir}) endforeach() # Only check existence of private includes if the Private component is # specified. list(FIND Qt5WebKitWidgets_FIND_COMPONENTS Private _check_private) if (NOT _check_private STREQUAL -1) foreach(_dir ${Qt5WebKitWidgets_PRIVATE_INCLUDE_DIRS}) _qt5_WebKitWidgets_check_file_exists(${_dir}) endforeach() endif() set(Qt5WebKitWidgets_INCLUDE_DIRS ${_Qt5WebKitWidgets_OWN_INCLUDE_DIRS}) set(Qt5WebKitWidgets_DEFINITIONS -DQT_WEBKITWIDGETS_LIB) set(Qt5WebKitWidgets_COMPILE_DEFINITIONS QT_WEBKITWIDGETS_LIB) set(_Qt5WebKitWidgets_MODULE_DEPENDENCIES "WebKit;Widgets;Gui;Network;Core") set(_Qt5WebKitWidgets_FIND_DEPENDENCIES_REQUIRED) if (Qt5WebKitWidgets_FIND_REQUIRED) set(_Qt5WebKitWidgets_FIND_DEPENDENCIES_REQUIRED REQUIRED) endif() set(_Qt5WebKitWidgets_FIND_DEPENDENCIES_QUIET) if (Qt5WebKitWidgets_FIND_QUIETLY) set(_Qt5WebKitWidgets_DEPENDENCIES_FIND_QUIET QUIET) endif() set(_Qt5WebKitWidgets_FIND_VERSION_EXACT) if (Qt5WebKitWidgets_FIND_VERSION_EXACT) set(_Qt5WebKitWidgets_FIND_VERSION_EXACT EXACT) endif() set(Qt5WebKitWidgets_EXECUTABLE_COMPILE_FLAGS "") foreach(_module_dep ${_Qt5WebKitWidgets_MODULE_DEPENDENCIES}) if (NOT Qt5${_module_dep}_FOUND) find_package(Qt5${_module_dep} 5.6.1 ${_Qt5WebKitWidgets_FIND_VERSION_EXACT} ${_Qt5WebKitWidgets_DEPENDENCIES_FIND_QUIET} ${_Qt5WebKitWidgets_FIND_DEPENDENCIES_REQUIRED} PATHS "${CMAKE_CURRENT_LIST_DIR}/.." NO_DEFAULT_PATH ) endif() if (NOT Qt5${_module_dep}_FOUND) set(Qt5WebKitWidgets_FOUND False) return() endif() list(APPEND Qt5WebKitWidgets_INCLUDE_DIRS "${Qt5${_module_dep}_INCLUDE_DIRS}") list(APPEND Qt5WebKitWidgets_PRIVATE_INCLUDE_DIRS "${Qt5${_module_dep}_PRIVATE_INCLUDE_DIRS}") list(APPEND Qt5WebKitWidgets_DEFINITIONS ${Qt5${_module_dep}_DEFINITIONS}) list(APPEND Qt5WebKitWidgets_COMPILE_DEFINITIONS ${Qt5${_module_dep}_COMPILE_DEFINITIONS}) list(APPEND Qt5WebKitWidgets_EXECUTABLE_COMPILE_FLAGS ${Qt5${_module_dep}_EXECUTABLE_COMPILE_FLAGS}) endforeach() list(REMOVE_DUPLICATES Qt5WebKitWidgets_INCLUDE_DIRS) list(REMOVE_DUPLICATES Qt5WebKitWidgets_PRIVATE_INCLUDE_DIRS) list(REMOVE_DUPLICATES Qt5WebKitWidgets_DEFINITIONS) list(REMOVE_DUPLICATES Qt5WebKitWidgets_COMPILE_DEFINITIONS) list(REMOVE_DUPLICATES Qt5WebKitWidgets_EXECUTABLE_COMPILE_FLAGS) set(_Qt5WebKitWidgets_LIB_DEPENDENCIES "Qt5::WebKit;Qt5::Widgets;Qt5::Gui;Qt5::Network;Qt5::Core") add_library(Qt5::WebKitWidgets SHARED IMPORTED) set_property(TARGET Qt5::WebKitWidgets PROPERTY INTERFACE_INCLUDE_DIRECTORIES ${_Qt5WebKitWidgets_OWN_INCLUDE_DIRS}) set_property(TARGET Qt5::WebKitWidgets PROPERTY INTERFACE_COMPILE_DEFINITIONS QT_WEBKITWIDGETS_LIB) _populate_WebKitWidgets_target_properties(RELEASE "libQt5WebKitWidgets.so.5.6.1" "" ) file(GLOB pluginTargets "${CMAKE_CURRENT_LIST_DIR}/Qt5WebKitWidgets_*Plugin.cmake") macro(_populate_WebKitWidgets_plugin_properties Plugin Configuration PLUGIN_LOCATION) set_property(TARGET Qt5::${Plugin} APPEND PROPERTY IMPORTED_CONFIGURATIONS ${Configuration}) set(imported_location "${_qt5WebKitWidgets_install_prefix}/plugins/${PLUGIN_LOCATION}") _qt5_WebKitWidgets_check_file_exists(${imported_location}) set_target_properties(Qt5::${Plugin} PROPERTIES "IMPORTED_LOCATION_${Configuration}" ${imported_location} ) endmacro() if (pluginTargets) foreach(pluginTarget ${pluginTargets}) include(${pluginTarget}) endforeach() endif() _qt5_WebKitWidgets_check_file_exists("${CMAKE_CURRENT_LIST_DIR}/Qt5WebKitWidgetsConfigVersion.cmake") endif()
{ "content_hash": "d7505f708bc37586bb68cdc80645cb3f", "timestamp": "", "source": "github", "line_count": 149, "max_line_length": 152, "avg_line_length": 41.147651006711406, "alnum_prop": 0.7189691730549665, "repo_name": "mirams/opencor", "id": "5d6c3ce2903ac5fac8d54340452e60d7a3e87aec", "size": "6132", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "src/3rdparty/QtWebKit/cmake/linux/Qt5WebKitWidgets/Qt5WebKitWidgetsConfig.cmake", "mode": "33188", "license": "apache-2.0", "language": [ { "name": "Batchfile", "bytes": "2211" }, { "name": "C", "bytes": "7562304" }, { "name": "C++", "bytes": "114016189" }, { "name": "CMake", "bytes": "216057" }, { "name": "HTML", "bytes": "9433" }, { "name": "NSIS", "bytes": "4599" }, { "name": "Objective-C", "bytes": "282234" }, { "name": "PAWN", "bytes": "136" }, { "name": "PHP", "bytes": "154028" }, { "name": "POV-Ray SDL", "bytes": "32617292" }, { "name": "Shell", "bytes": "2656" }, { "name": "SourcePawn", "bytes": "1544" }, { "name": "Visual Basic", "bytes": "332" }, { "name": "XSLT", "bytes": "59631" } ], "symlink_target": "" }
<?xml version="1.0" encoding="UTF-8"?> <!-- ~ Copyright (c) 2015, Nordic Semiconductor ~ All rights reserved. ~ ~ Redistribution and use in source and binary forms, with or without modification, are permitted provided that the following conditions are met: ~ ~ 1. Redistributions of source code must retain the above copyright notice, this list of conditions and the following disclaimer. ~ ~ 2. Redistributions in binary form must reproduce the above copyright notice, this list of conditions and the following disclaimer in the ~ documentation and/or other materials provided with the distribution. ~ ~ 3. Neither the name of the copyright holder nor the names of its contributors may be used to endorse or promote products derived from this ~ software without specific prior written permission. ~ ~ THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS "AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT ~ LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT ~ HOLDER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT ~ LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ~ ANY THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE ~ USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE. --> <LinearLayout xmlns:android="http://schemas.android.com/apk/res/android" xmlns:tools="http://schemas.android.com/tools" android:layout_width="match_parent" android:layout_height="match_parent" android:orientation="vertical" tools:context=".DfuActivity" > <include layout="@layout/toolbar" android:id="@+id/toolbar_actionbar"/> <no.nordicsemi.android.nrftoolbox.widget.ForegroundRelativeLayout style="@style/HeaderShadow" android:layout_width="match_parent" android:layout_height="match_parent"> <!-- The size of text below must be fixed, therefore dp are used instead of sp --> <no.nordicsemi.android.nrftoolbox.widget.TrebuchetBoldTextView android:layout_width="wrap_content" android:layout_height="wrap_content" android:layout_centerVertical="true" android:layout_marginLeft="@dimen/dfu_feature_title_long_margin" android:rotation="270" android:text="@string/dfu_feature_title_long" android:textColor="@color/darkGray" android:textSize="32dp" android:textStyle="bold" /> <no.nordicsemi.android.nrftoolbox.widget.TrebuchetTextView android:id="@+id/device_name" android:layout_width="wrap_content" android:layout_height="wrap_content" android:layout_centerHorizontal="true" android:layout_marginLeft="5dp" android:layout_marginTop="@dimen/feature_device_name_margin_top" android:ellipsize="end" android:freezesText="true" android:maxLines="1" android:text="@string/dfu_default_name" android:textAllCaps="true" android:textAppearance="?android:attr/textAppearanceLarge" /> <LinearLayout android:layout_width="match_parent" android:layout_height="wrap_content" android:layout_centerHorizontal="true" android:gravity="center_horizontal" android:orientation="vertical" > <!-- Application section --> <LinearLayout android:layout_width="match_parent" android:layout_height="wrap_content" android:layout_marginLeft="@dimen/feature_horizontal_margin" android:layout_marginRight="@dimen/feature_horizontal_margin" android:layout_marginTop="@dimen/feature_vertical_margin_top" style="@style/Widget.List" android:orientation="vertical" > <no.nordicsemi.android.nrftoolbox.widget.TrebuchetBoldTextView style="@style/Widget.ListTitle" android:layout_width="match_parent" android:layout_height="wrap_content" android:text="@string/dfu_section_application_header" /> <TableLayout android:layout_width="match_parent" android:layout_height="wrap_content" android:padding="@dimen/feature_section_padding" > <TableRow android:layout_width="match_parent" android:layout_height="wrap_content" > <no.nordicsemi.android.nrftoolbox.widget.TrebuchetTextView android:layout_width="wrap_content" android:layout_height="wrap_content" android:text="@string/dfu_file_name_label" /> <no.nordicsemi.android.nrftoolbox.widget.TrebuchetBoldTextView android:id="@+id/file_name" android:layout_width="wrap_content" android:layout_height="wrap_content" android:layout_marginLeft="5dp" android:freezesText="true" /> </TableRow> <TableRow android:layout_width="match_parent" android:layout_height="wrap_content" > <no.nordicsemi.android.nrftoolbox.widget.TrebuchetTextView android:layout_width="wrap_content" android:layout_height="wrap_content" android:text="@string/dfu_file_type_label" /> <no.nordicsemi.android.nrftoolbox.widget.TrebuchetBoldTextView android:id="@+id/file_type" android:layout_width="wrap_content" android:layout_height="wrap_content" android:layout_marginLeft="5dp" android:freezesText="true" /> </TableRow> <TableRow android:layout_width="match_parent" android:layout_height="wrap_content" > <no.nordicsemi.android.nrftoolbox.widget.TrebuchetTextView android:layout_width="wrap_content" android:layout_height="wrap_content" android:text="@string/dfu_file_size_label" /> <no.nordicsemi.android.nrftoolbox.widget.TrebuchetBoldTextView android:id="@+id/file_size" android:layout_width="wrap_content" android:layout_height="wrap_content" android:layout_marginLeft="5dp" android:freezesText="true" /> </TableRow> <TableRow android:layout_width="match_parent" android:layout_height="wrap_content" > <no.nordicsemi.android.nrftoolbox.widget.TrebuchetTextView android:layout_width="wrap_content" android:layout_height="wrap_content" android:text="@string/dfu_file_status_label" /> <no.nordicsemi.android.nrftoolbox.widget.TrebuchetBoldTextView android:id="@+id/file_status" android:layout_width="wrap_content" android:layout_height="wrap_content" android:layout_marginLeft="5dp" android:freezesText="true" android:text="@string/dfu_file_status_no_file" /> </TableRow> </TableLayout> <LinearLayout android:layout_width="wrap_content" android:layout_height="wrap_content" android:layout_marginBottom="@dimen/feature_section_padding" android:layout_marginTop="4dp" android:gravity="center_vertical" android:orientation="horizontal" android:paddingLeft="42dp" > <Button android:id="@+id/action_select_file" android:layout_width="wrap_content" android:layout_height="wrap_content" android:onClick="onSelectFileClicked" android:text="@string/dfu_action_select_file" /> <ImageView android:layout_width="wrap_content" android:layout_height="wrap_content" android:layout_marginLeft="10dp" android:onClick="onSelectFileHelpClicked" android:src="@drawable/ic_help" /> </LinearLayout> </LinearLayout> <!-- DFU section --> <LinearLayout android:id="@+id/dfu_pane" android:layout_width="match_parent" android:layout_height="wrap_content" android:layout_marginTop="15dp" android:layout_marginBottom="@dimen/activity_vertical_margin_bottom" android:layout_marginLeft="@dimen/feature_horizontal_margin" android:layout_marginRight="@dimen/feature_horizontal_margin" style="@style/Widget.List" android:orientation="vertical" > <no.nordicsemi.android.nrftoolbox.widget.TrebuchetBoldTextView style="@style/Widget.ListTitle" android:layout_width="match_parent" android:layout_height="wrap_content" android:text="@string/dfu_section_dfu_header" /> <Button android:id="@+id/action_upload" android:layout_width="wrap_content" android:layout_height="wrap_content" android:layout_margin="@dimen/feature_section_padding" android:enabled="false" android:onClick="onUploadClicked" android:text="@string/dfu_action_upload" /> <no.nordicsemi.android.nrftoolbox.widget.TrebuchetTextView android:id="@+id/textviewUploading" android:layout_width="wrap_content" android:layout_height="wrap_content" android:layout_margin="@dimen/feature_section_padding" android:text="@string/dfu_status_uploading" android:freezesText="true" android:visibility="invisible" /> <ProgressBar android:id="@+id/progressbar_file" style="@android:style/Widget.Holo.ProgressBar.Horizontal" android:layout_width="match_parent" android:layout_height="wrap_content" android:max="100" android:visibility="invisible" /> <no.nordicsemi.android.nrftoolbox.widget.TrebuchetTextView android:id="@+id/textviewProgress" android:layout_width="wrap_content" android:layout_height="wrap_content" android:layout_margin="@dimen/feature_section_padding" android:text="@string/dfu_uploading_percentage_label" android:freezesText="true" android:visibility="invisible" /> </LinearLayout> </LinearLayout> <Button android:id="@+id/action_connect" style="@style/Widget.Connect" android:layout_width="wrap_content" android:layout_height="wrap_content" android:layout_alignParentBottom="true" android:layout_centerHorizontal="true" android:layout_marginBottom="@dimen/activity_vertical_margin_bottom" android:onClick="onConnectClicked" android:text="@string/action_select" /> </no.nordicsemi.android.nrftoolbox.widget.ForegroundRelativeLayout> </LinearLayout>
{ "content_hash": "cf56458ec05cb74e1b79622018b4420d", "timestamp": "", "source": "github", "line_count": 257, "max_line_length": 146, "avg_line_length": 49.66536964980545, "alnum_prop": 0.5659667815731746, "repo_name": "dominicgrande/Android-nRF-Toolbox", "id": "8ef3063a09b0c6be4290e76cd6df241d85a596d6", "size": "12764", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "app/src/main/res/layout-sw600dp-land/activity_feature_dfu.xml", "mode": "33188", "license": "bsd-3-clause", "language": [ { "name": "Batchfile", "bytes": "9141" }, { "name": "Java", "bytes": "612202" }, { "name": "Shell", "bytes": "7807" } ], "symlink_target": "" }
// // substringref.h // swiftpp // // Created by Sandy Martel on 30/01/2015. // Copyright (c) 2015 Sandy Martel. All rights reserved. // #ifndef H_substringref #define H_substringref #include <cstddef> #include <cassert> #include <iterator> /*! @brief simple wrapper for a substring. */ class substringref { public: substringref() = default; template<size_t N> substringref( const char (&i_array)[N] ) : _begin( std::begin( i_array ) ), _end( std::end( i_array ) ){} substringref( const char *i_begin, const char *i_end ) : _begin( i_begin ), _end( i_end ){} size_t size() const; bool empty() const; const char *begin() const; const char *end() const; void pop_front(); void pop_back(); char back() const; bool operator==( const substringref &i_other ) const; private: const char *_begin = nullptr; const char *_end = nullptr; }; inline size_t substringref::size() const { return end() - begin(); } inline bool substringref::empty() const { return begin() == end(); } inline const char *substringref::begin() const { return _begin; } inline const char *substringref::end() const { return _end; } inline void substringref::pop_front() { assert( not empty() ); ++_begin; } inline void substringref::pop_back() { assert( not empty() ); --_end; } inline char substringref::back() const { assert( not empty() ); return *(end()-1); } #endif
{ "content_hash": "7e80e9dfb4ab9bd105a74ac3e9605463", "timestamp": "", "source": "github", "line_count": 56, "max_line_length": 84, "avg_line_length": 24.964285714285715, "alnum_prop": 0.648068669527897, "repo_name": "sandym/swiftpp", "id": "6c383353a934c9aaea677de72301763eda3f0b0b", "size": "1398", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "src/substringref.h", "mode": "33188", "license": "mit", "language": [ { "name": "C", "bytes": "218" }, { "name": "C++", "bytes": "67336" }, { "name": "CMake", "bytes": "1839" }, { "name": "Makefile", "bytes": "8202" }, { "name": "Objective-C", "bytes": "3007" }, { "name": "Shell", "bytes": "2988" }, { "name": "Swift", "bytes": "2061" } ], "symlink_target": "" }
<?xml version="1.0" encoding="UTF-8"?> <!-- ~ Licensed to the Apache Software Foundation (ASF) under one or more ~ contributor license agreements. See the NOTICE file distributed with ~ this work for additional information regarding copyright ownership. ~ The ASF 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. --> <project xmlns="http://maven.apache.org/POM/4.0.0" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" xsi:schemaLocation="http://maven.apache.org/POM/4.0.0 http://maven.apache.org/xsd/maven-4.0.0.xsd"> <modelVersion>4.0.0</modelVersion> <parent> <groupId>org.apache.shardingsphere.elasticjob</groupId> <artifactId>elasticjob-example</artifactId> <version>${revision}</version> </parent> <artifactId>elasticjob-example-lite-springboot</artifactId> <name>${project.artifactId}</name> <properties> <springboot.version>2.3.1.RELEASE</springboot.version> <spring.version>5.2.7.RELEASE</spring.version> </properties> <dependencyManagement> <dependencies> <dependency> <groupId>org.springframework</groupId> <artifactId>spring-context</artifactId> <version>${spring.version}</version> </dependency> </dependencies> </dependencyManagement> <dependencies> <dependency> <groupId>org.apache.shardingsphere.elasticjob</groupId> <artifactId>elasticjob-lite-spring-boot-starter</artifactId> <version>${project.version}</version> </dependency> <dependency> <groupId>org.apache.shardingsphere.elasticjob</groupId> <artifactId>elasticjob-error-handler-dingtalk</artifactId> <version>${project.parent.version}</version> </dependency> <dependency> <groupId>org.apache.shardingsphere.elasticjob</groupId> <artifactId>elasticjob-error-handler-wechat</artifactId> <version>${project.parent.version}</version> </dependency> <dependency> <groupId>org.apache.shardingsphere.elasticjob</groupId> <artifactId>elasticjob-error-handler-email</artifactId> <version>${project.parent.version}</version> </dependency> <dependency> <groupId>org.apache.shardingsphere.elasticjob</groupId> <artifactId>elasticjob-example-embed-zk</artifactId> <version>${project.parent.version}</version> </dependency> <dependency> <groupId>org.springframework.boot</groupId> <artifactId>spring-boot-starter-actuator</artifactId> <version>${springboot.version}</version> </dependency> <dependency> <groupId>org.springframework.boot</groupId> <artifactId>spring-boot-starter-web</artifactId> <version>${springboot.version}</version> </dependency> <dependency> <groupId>org.springframework.boot</groupId> <artifactId>spring-boot-configuration-processor</artifactId> <version>${springboot.version}</version> <optional>true</optional> </dependency> <dependency> <groupId>org.springframework.boot</groupId> <artifactId>spring-boot-starter-jdbc</artifactId> <version>${springboot.version}</version> </dependency> <dependency> <groupId>com.h2database</groupId> <artifactId>h2</artifactId> <version>${h2.version}</version> </dependency> </dependencies> </project>
{ "content_hash": "76b801e57e16f701f1107a4ec3808e81", "timestamp": "", "source": "github", "line_count": 100, "max_line_length": 108, "avg_line_length": 42.04, "alnum_prop": 0.6389153187440533, "repo_name": "dangdangdotcom/elastic-job", "id": "ea7ee63be3841f839fbf4c0b705ee31cbd590551", "size": "4204", "binary": false, "copies": "3", "ref": "refs/heads/master", "path": "examples/elasticjob-example-lite-springboot/pom.xml", "mode": "33188", "license": "apache-2.0", "language": [], "symlink_target": "" }
@interface IntroViewController : UIViewController @end
{ "content_hash": "484bc4475829089ee0a944320db7066d", "timestamp": "", "source": "github", "line_count": 3, "max_line_length": 49, "avg_line_length": 18.666666666666668, "alnum_prop": 0.8392857142857143, "repo_name": "black-knight/clowns", "id": "6e4c80ceadc4876696d49b23c49df46026f48237", "size": "214", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "Clowns/IntroViewController.h", "mode": "33188", "license": "apache-2.0", "language": [ { "name": "Objective-C", "bytes": "27404" } ], "symlink_target": "" }
<?xml version="1.0" encoding="UTF-8"?> <!-- ~ MIT License ~ ~ Copyright (c) 2017 Frederik Ar. Mikkelsen ~ ~ Permission is hereby granted, free of charge, to any person obtaining a copy ~ of this software and associated documentation files (the "Software"), to deal ~ in the Software without restriction, including without limitation the rights ~ to use, copy, modify, merge, publish, distribute, sublicense, and/or sell ~ copies of the Software, and to permit persons to whom the Software is ~ furnished to do so, subject to the following conditions: ~ ~ The above copyright notice and this permission notice shall be included in all ~ copies or substantial portions of the Software. ~ ~ THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR ~ IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, ~ FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE ~ AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER ~ LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, ~ OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE ~ SOFTWARE. ~ --> <ehcache xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" xsi:noNamespaceSchemaLocation="http://www.ehcache.org/ehcache.xsd" updateCheck="true" monitoring="autodetect" dynamicConfig="true"> <diskStore path="java.io.tmpdir/ehcache"/> <defaultCache maxEntriesLocalHeap="10000" eternal="false" timeToIdleSeconds="120" timeToLiveSeconds="120" diskSpoolBufferSizeMB="30" maxEntriesLocalDisk="10000000" diskExpiryThreadIntervalSeconds="120" memoryStoreEvictionPolicy="LRU" statistics="true"> <persistence strategy="localTempSwap"/> </defaultCache> <cache name="guild_config" maxElementsInMemory="120000" eternal="false" timeToIdleSeconds="60" timeToLiveSeconds="120"> <persistence strategy="localtempswap"/> </cache> <cache name="guild_permissions" maxElementsInMemory="120000" eternal="false" timeToIdleSeconds="60" timeToLiveSeconds="120"> <persistence strategy="localtempswap"/> </cache> <cache name="search_results" maxElementsInMemory="1000" maxEntriesLocalDisk="100000" eternal="true"> <persistence strategy="localtempswap"/> </cache> <cache name="org.hibernate.cache.internal.StandardQueryCache" maxEntriesLocalHeap="5" eternal="false" timeToLiveSeconds="120"> <persistence strategy="localTempSwap"/> </cache> <cache name="org.hibernate.cache.spi.UpdateTimestampsCache" maxEntriesLocalHeap="5000" eternal="true"> <persistence strategy="localTempSwap"/> </cache> </ehcache>
{ "content_hash": "e332a0e04bd9b7e523fd594dae304d67", "timestamp": "", "source": "github", "line_count": 79, "max_line_length": 94, "avg_line_length": 38.22784810126582, "alnum_prop": 0.6609271523178808, "repo_name": "OrangeFlare/FredBoat-CreamyMemers", "id": "f9b8a22f89fe136b1bccd991859d631ea2165e25", "size": "3020", "binary": false, "copies": "3", "ref": "refs/heads/master", "path": "FredBoat/src/main/resources/ehcache.xml", "mode": "33188", "license": "mit", "language": [ { "name": "HTML", "bytes": "9981" }, { "name": "Java", "bytes": "792012" } ], "symlink_target": "" }
<?xml version="1.0" encoding="UTF-8"?> <localEntry xmlns="http://ws.apache.org/ns/synapse" key="key.xslt"> <xsl:stylesheet xmlns:xsl="http://www.w3.org/1999/XSL/Transform" version="1.0"> <xsl:key name="cdlist" match="cd" use="title"/> <xsl:template match="/"> <html> <body> <xsl:for-each select="key('cdlist', 'Empire Burlesque')"> <p> Title: <xsl:value-of select="title"/> <br/> Artist: <xsl:value-of select="artist"/> <br/> Price: <xsl:value-of select="price"/> </p> </xsl:for-each> </body> </html> </xsl:template> </xsl:stylesheet> <description/> </localEntry>
{ "content_hash": "6f14b37f5ed40bd2d1249169da297157", "timestamp": "", "source": "github", "line_count": 22, "max_line_length": 82, "avg_line_length": 33.95454545454545, "alnum_prop": 0.5020080321285141, "repo_name": "wso2/wso2-qa-artifacts", "id": "def33e4b958300f42fc890134af119a2fd49da32", "size": "747", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "products/wso2_ESB/product_features/features/mediators/transform_mediators/xslt_mediator/xslt2.0functions/local-entries/key.xslt.xml", "mode": "33188", "license": "apache-2.0", "language": [ { "name": "Ballerina", "bytes": "41157" }, { "name": "Batchfile", "bytes": "62" }, { "name": "CSS", "bytes": "49388" }, { "name": "HTML", "bytes": "1280579" }, { "name": "Java", "bytes": "4393322" }, { "name": "JavaScript", "bytes": "3555" }, { "name": "Python", "bytes": "4708" }, { "name": "Roff", "bytes": "1360" }, { "name": "Ruby", "bytes": "8" }, { "name": "Shell", "bytes": "123257" }, { "name": "XQuery", "bytes": "8" }, { "name": "XSLT", "bytes": "57004" } ], "symlink_target": "" }
/** * This code was auto-generated by a Codezu. * * Changes to this file may cause incorrect behavior and will be lost if * the code is regenerated. */ package com.mozu.api.clients.commerce.catalog.storefront; import java.util.List; import java.util.ArrayList; import com.mozu.api.MozuClient; import com.mozu.api.MozuClientFactory; import com.mozu.api.MozuUrl; import com.mozu.api.Headers; import org.joda.time.DateTime; import com.mozu.api.AsyncCallback; import java.util.concurrent.CountDownLatch; import com.mozu.api.security.AuthTicket; import org.apache.commons.lang.StringUtils; /** <summary> * Use the Product Search resource to provide dynamic search results to shoppers as they browse and search for products on the web storefront, and to suggest possible search terms as the shopper enters text. * </summary> */ public class ProductSearchResultClient { /** * Searches the categories displayed on the web storefront for products or product options that the shopper types in a search query. * <p><pre><code> * MozuClient<com.mozu.api.contracts.productruntime.ProductSearchResult> mozuClient=SearchClient(); * client.setBaseAddress(url); * client.executeRequest(); * ProductSearchResult productSearchResult = client.Result(); * </code></pre></p> * @return Mozu.Api.MozuClient <com.mozu.api.contracts.productruntime.ProductSearchResult> * @see com.mozu.api.contracts.productruntime.ProductSearchResult */ public static MozuClient<com.mozu.api.contracts.productruntime.ProductSearchResult> searchClient() throws Exception { return searchClient( null, null, null, null, null, null, null, null, null, null, null, null, null, null, null, null, null, null, null, null, null, null, null, null, null); } /** * Searches the categories displayed on the web storefront for products or product options that the shopper types in a search query. * <p><pre><code> * MozuClient<com.mozu.api.contracts.productruntime.ProductSearchResult> mozuClient=SearchClient( query, filter, facetTemplate, facetTemplateSubset, facet, facetFieldRangeQuery, facetHierPrefix, facetHierValue, facetHierDepth, facetStartIndex, facetPageSize, facetSettings, facetValueFilter, sortBy, pageSize, startIndex, searchSettings, enableSearchTuningRules, searchTuningRuleContext, searchTuningRuleCode, facetTemplateExclude, facetPrefix, responseOptions, cursorMark, responseFields); * client.setBaseAddress(url); * client.executeRequest(); * ProductSearchResult productSearchResult = client.Result(); * </code></pre></p> * @param cursorMark * @param enableSearchTuningRules Enables search tuning rules on your site. * @param facet Individually list the facet fields you want to display in a web storefront product search. * @param facetFieldRangeQuery Display a range facet not specified in a template in a web storefront product search by listing the facet field and the range to display. * @param facetHierDepth If filtering using category facets in a hierarchy, the number of category hierarchy levels to return for the facet. This option is only available for category facets. * @param facetHierPrefix If filtering using category facets in a hierarchy, the parent categories you want to skip in the storefront product search. This parameter is only available for category facets. * @param facetHierValue If filtering using category facets in a hierarchy, the category in the hierarchy to begin faceting on. This parameter is only available for category facets. * @param facetPageSize The number of facet values to return for one or more facets. * @param facetPrefix Use this parameter to filter facet values that are returned by an associated search result by a prefix.For example, to filter on colors that start with b, such as blue, black, or brown you can specify the following: * @param facetSettings Settings reserved for future facet search functionality on a web storefront product search. * @param facetStartIndex When paging through multiple facets, the startIndex value for each facet. * @param facetTemplate The facet template to use on the storefront. A template displays all facets associated with the template on the web storefront product search. Currently, only category-level facet templates are available. * @param facetTemplateExclude A comma-separated list of the facets to exclude from the facetTemplate. * @param facetTemplateSubset Display a subset of the facets defined in the template specified in facetTemplate parameter. * @param facetValueFilter The facet values to apply to the filter. * @param filter A set of filter expressions representing the search parameters for a query. This parameter is optional. Refer to [Sorting and Filtering](../../../../Developer/applications/sorting-filtering.htm) for a list of supported filters. * @param pageSize The number of results to display on each page when creating paged results from a query. The maximum value is 200. * @param query Properties for the product location inventory provided for queries to locate products by their location. * @param responseFields Use this field to include those fields which are not included by default. * @param responseOptions * @param searchSettings The settings to control product search and indexing behavior. * @param searchTuningRuleCode The unique identifier of the search tuning rule. * @param searchTuningRuleContext The category ID that the search tuning rule applies to. * @param sortBy * @param startIndex * @return Mozu.Api.MozuClient <com.mozu.api.contracts.productruntime.ProductSearchResult> * @see com.mozu.api.contracts.productruntime.ProductSearchResult */ public static MozuClient<com.mozu.api.contracts.productruntime.ProductSearchResult> searchClient(String query, String filter, String facetTemplate, String facetTemplateSubset, String facet, String facetFieldRangeQuery, String facetHierPrefix, String facetHierValue, String facetHierDepth, String facetStartIndex, String facetPageSize, String facetSettings, String facetValueFilter, String sortBy, Integer pageSize, Integer startIndex, String searchSettings, Boolean enableSearchTuningRules, String searchTuningRuleContext, String searchTuningRuleCode, String facetTemplateExclude, String facetPrefix, String responseOptions, String cursorMark, String responseFields) throws Exception { MozuUrl url = com.mozu.api.urls.commerce.catalog.storefront.ProductSearchResultUrl.searchUrl(cursorMark, enableSearchTuningRules, facet, facetFieldRangeQuery, facetHierDepth, facetHierPrefix, facetHierValue, facetPageSize, facetPrefix, facetSettings, facetStartIndex, facetTemplate, facetTemplateExclude, facetTemplateSubset, facetValueFilter, filter, pageSize, query, responseFields, responseOptions, searchSettings, searchTuningRuleCode, searchTuningRuleContext, sortBy, startIndex); String verb = "GET"; Class<?> clz = com.mozu.api.contracts.productruntime.ProductSearchResult.class; MozuClient<com.mozu.api.contracts.productruntime.ProductSearchResult> mozuClient = (MozuClient<com.mozu.api.contracts.productruntime.ProductSearchResult>) MozuClientFactory.getInstance(clz); mozuClient.setVerb(verb); mozuClient.setResourceUrl(url); return mozuClient; } /** * Suggests possible search terms as the shopper enters search text. * <p><pre><code> * MozuClient<com.mozu.api.contracts.productruntime.SearchSuggestionResult> mozuClient=SuggestClient(); * client.setBaseAddress(url); * client.executeRequest(); * SearchSuggestionResult searchSuggestionResult = client.Result(); * </code></pre></p> * @return Mozu.Api.MozuClient <com.mozu.api.contracts.productruntime.SearchSuggestionResult> * @see com.mozu.api.contracts.productruntime.SearchSuggestionResult */ public static MozuClient<com.mozu.api.contracts.productruntime.SearchSuggestionResult> suggestClient() throws Exception { return suggestClient( null, null, null, null); } /** * Suggests possible search terms as the shopper enters search text. * <p><pre><code> * MozuClient<com.mozu.api.contracts.productruntime.SearchSuggestionResult> mozuClient=SuggestClient( query, groups, pageSize, responseFields); * client.setBaseAddress(url); * client.executeRequest(); * SearchSuggestionResult searchSuggestionResult = client.Result(); * </code></pre></p> * @param groups * @param pageSize The number of results to display on each page when creating paged results from a query. The maximum value is 200. * @param query Properties for the product location inventory provided for queries to locate products by their location. * @param responseFields Use this field to include those fields which are not included by default. * @return Mozu.Api.MozuClient <com.mozu.api.contracts.productruntime.SearchSuggestionResult> * @see com.mozu.api.contracts.productruntime.SearchSuggestionResult */ public static MozuClient<com.mozu.api.contracts.productruntime.SearchSuggestionResult> suggestClient(String query, String groups, Integer pageSize, String responseFields) throws Exception { MozuUrl url = com.mozu.api.urls.commerce.catalog.storefront.ProductSearchResultUrl.suggestUrl(groups, pageSize, query, responseFields); String verb = "GET"; Class<?> clz = com.mozu.api.contracts.productruntime.SearchSuggestionResult.class; MozuClient<com.mozu.api.contracts.productruntime.SearchSuggestionResult> mozuClient = (MozuClient<com.mozu.api.contracts.productruntime.SearchSuggestionResult>) MozuClientFactory.getInstance(clz); mozuClient.setVerb(verb); mozuClient.setResourceUrl(url); return mozuClient; } }
{ "content_hash": "c26f9f18493223e94a6d448e325403dd", "timestamp": "", "source": "github", "line_count": 138, "max_line_length": 684, "avg_line_length": 70.06521739130434, "alnum_prop": 0.7897404074878478, "repo_name": "lakshmi-nair/mozu-java", "id": "e3e913d7a9c5c37d677e3e8599fc693f21e4e4c7", "size": "9669", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "mozu-javaasync-core/src/main/java/com/mozu/api/clients/commerce/catalog/storefront/ProductSearchResultClient.java", "mode": "33188", "license": "mit", "language": [ { "name": "Batchfile", "bytes": "102" }, { "name": "Java", "bytes": "12841999" } ], "symlink_target": "" }
module n3Charts.Factory { 'use strict'; export class Zoom extends Factory.BaseFactory { private isActive: Boolean = false; private rect:D3.Selection; private xStartFn:(x:number) => number; private xEndFn:(y:number) => number; private yStartFn:(y:number) => number; private yEndFn:(y:number) => number; private zoomOnX: Boolean; private zoomOnY: Boolean; create() { this.rect = this.factoryMgr.get('container').svg .append('rect') .attr('class', 'chart-brush'); } constrainOutgoingDomains(domains:Factory.IDomains):void { if (!this.zoomOnX) { delete domains.x; } if (!this.zoomOnY) { delete domains.y; } } update(data:Utils.Data, options:Options.Options) { let dimensions = (<Factory.Container>this.factoryMgr.get('container')).getDimensions(); let {left, top} = dimensions.margin; this.zoomOnX = options.zoom.x; this.zoomOnY = options.zoom.y; if (!this.zoomOnX && !this.zoomOnY) { return; } this.xStartFn = this.zoomOnX ? (x) => x : (x) => left; this.xEndFn = this.zoomOnX ? (x) => x : (x) => dimensions.innerWidth + left; this.yStartFn = this.zoomOnY ? (y) => y : (y) => top; this.yEndFn = this.zoomOnY ? (y) => y : (y) => dimensions.innerHeight + top; this.registerEvents(this.factoryMgr.get('container')); } show({xStart, xEnd, yStart, yEnd}:{xStart: number, xEnd: number, yStart: number, yEnd: number}) { [xStart, xEnd] = xStart > xEnd ? [xEnd, xStart] : [xStart, xEnd]; [yStart, yEnd] = yStart > yEnd ? [yEnd, yStart] : [yStart, yEnd]; this.rect.attr({ x: xStart, width: xEnd - xStart, y: yStart, height: yEnd - yStart }).style('opacity', '1'); } hide() { this.rect.style('opacity', '0'); } updateAxes({xStart, xEnd, yStart, yEnd}:{xStart: number, xEnd: number, yStart: number, yEnd: number}) { [xStart, xEnd] = xStart > xEnd ? [xEnd, xStart] : [xStart, xEnd]; [yStart, yEnd] = yStart > yEnd ? [yEnd, yStart] : [yStart, yEnd]; let dimensions = (<Factory.Container>this.factoryMgr.get('container')).getDimensions(); let {left, top} = dimensions.margin; let xAxis:Factory.Axis = this.factoryMgr.get('x-axis'); let x2Axis:Factory.Axis = this.factoryMgr.get('x2-axis'); xAxis.scale.domain([xAxis.invert(xStart - left), xAxis.invert(xEnd - left)]); x2Axis.scale.domain(xAxis.scale.domain()); let yAxis:Factory.Axis = this.factoryMgr.get('y-axis'); let y2Axis:Factory.Axis = this.factoryMgr.get('y2-axis'); yAxis.scale.domain([yAxis.invert(yEnd - top), yAxis.invert(yStart - top)]); y2Axis.scale.domain([y2Axis.invert(yEnd - top), y2Axis.invert(yStart - top)]); } registerEvents(container: Factory.Container) { let k = (event) => `${event}.${this.key}`; let xStart; let xEnd; let yStart; let yEnd; let turnBackOn; let onMouseUp = () => { this.isActive = false; this.hide(); if (xEnd !== undefined && yEnd !== undefined) { this.updateAxes({xStart, xEnd, yStart, yEnd}); this.eventMgr.trigger('zoom-end'); xStart = xEnd = yStart = yEnd = undefined; turnBackOn(); } this.eventMgr.on(k('window-mouseup'), null); }; container.svg .on(k('mousedown'), () => { if (d3.event.altKey) { turnBackOn = this.factoryMgr.turnFactoriesOff(['tooltip']); this.isActive = true; this.eventMgr.on(k('window-mouseup'), onMouseUp); [xStart, yStart] = d3.mouse(d3.event.currentTarget); xStart = this.xStartFn(xStart); yStart = this.yStartFn(yStart); } }).on(k('mousemove'), () => { if (this.isActive) { [xEnd, yEnd] = d3.mouse(d3.event.currentTarget); xEnd = this.xEndFn(xEnd); yEnd = this.yEndFn(yEnd); this.show({xStart, xEnd, yStart, yEnd}); this.eventMgr.trigger('zoom'); } }); } } }
{ "content_hash": "4809fabfa06cd079024fc5123c3e234c", "timestamp": "", "source": "github", "line_count": 134, "max_line_length": 107, "avg_line_length": 31.246268656716417, "alnum_prop": 0.570336756627657, "repo_name": "n3-charts/line-chart-vanilla", "id": "1ef34e07942b8054a259bb71d5a58dcee46ee7cb", "size": "4187", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "src/factories/Zoom.ts", "mode": "33188", "license": "mit", "language": [ { "name": "CSS", "bytes": "3809" }, { "name": "HTML", "bytes": "13070" }, { "name": "JavaScript", "bytes": "10227" }, { "name": "Shell", "bytes": "686" }, { "name": "TypeScript", "bytes": "160217" } ], "symlink_target": "" }
class ApplicationMailer < ActionMailer::Base default from: "[email protected]" layout 'mailer' end
{ "content_hash": "38fd13a0152ebe9d1976bc61499a727f", "timestamp": "", "source": "github", "line_count": 4, "max_line_length": 44, "avg_line_length": 25.75, "alnum_prop": 0.7572815533980582, "repo_name": "iamcaleberic/ihubstartups", "id": "a81e3f5643c3d45bfbc921c5a8dfbaec5fa4c3ac", "size": "103", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "app/mailers/application_mailer.rb", "mode": "33188", "license": "mit", "language": [ { "name": "CSS", "bytes": "4288" }, { "name": "CoffeeScript", "bytes": "1266" }, { "name": "HTML", "bytes": "37401" }, { "name": "JavaScript", "bytes": "718" }, { "name": "Ruby", "bytes": "69048" } ], "symlink_target": "" }
package me.leolin.shortcutbadger.impl; public interface IntentConstants { String DEFAULT_INTENT_ACTION = "android.intent.action.BADGE_COUNT_UPDATE"; String DEFAULT_OREO_INTENT_ACTION = "me.leolin.shortcutbadger.BADGE_COUNT_UPDATE"; }
{ "content_hash": "4d5ab69a04dfcf93467548c08df9d54f", "timestamp": "", "source": "github", "line_count": 6, "max_line_length": 86, "avg_line_length": 40.5, "alnum_prop": 0.7818930041152263, "repo_name": "SLIBIO/SLib", "id": "f4fd44cf5e86f369ec2c4be4c504fa5ec77438c0", "size": "243", "binary": false, "copies": "2", "ref": "refs/heads/master", "path": "external/java/ShortcutBadger/src/main/java/me/leolin/shortcutbadger/impl/IntentConstants.java", "mode": "33188", "license": "mit", "language": [ { "name": "Batchfile", "bytes": "12324" }, { "name": "C", "bytes": "172728" }, { "name": "C++", "bytes": "8974152" }, { "name": "CMake", "bytes": "25579" }, { "name": "Java", "bytes": "412451" }, { "name": "Objective-C", "bytes": "13961" }, { "name": "Objective-C++", "bytes": "641784" }, { "name": "PHP", "bytes": "306070" }, { "name": "Shell", "bytes": "4835" }, { "name": "SourcePawn", "bytes": "19475" } ], "symlink_target": "" }
<!DOCTYPE html> <html itemscope lang="en-us"> <head><meta http-equiv="X-UA-Compatible" content="IE=edge" /> <meta charset="utf-8"> <meta name="HandheldFriendly" content="True"> <meta name="MobileOptimized" content="320"> <meta name="viewport" content="width=device-width, initial-scale=1, shrink-to-fit=no"><meta name="generator" content="Hugo 0.57.2" /> <meta property="og:title" content="Sponsor" /> <meta name="twitter:title" content="Sponsor"/> <meta itemprop="name" content="Sponsor"><meta property="og:description" content="Sponsor devopsdays Taipei 2017" /> <meta name="twitter:description" content="Sponsor devopsdays Taipei 2017" /> <meta itemprop="description" content="Sponsor devopsdays Taipei 2017"><meta name="twitter:site" content="@devopsdays"> <meta property="og:type" content="event" /> <meta property="og:url" content="/events/2017-taipei/sponsor/" /><meta name="twitter:creator" content="@DevOpsDaysTPE" /><meta name="twitter:label1" value="Event" /> <meta name="twitter:data1" value="devopsdays Taipei 2017" /><meta name="twitter:label2" value="Dates" /> <meta name="twitter:data2" value="September 4 - 6, 2017" /><meta property="og:image" content="https://www.devopsdays.org/img/sharing.jpg" /> <meta name="twitter:card" content="summary_large_image" /> <meta name="twitter:image" content="https://www.devopsdays.org/img/sharing.jpg" /> <meta itemprop="image" content="https://www.devopsdays.org/img/sharing.jpg" /> <meta property="fb:app_id" content="1904065206497317" /><meta itemprop="wordCount" content="368"> <title>devopsdays Taipei 2017 - sponsorship information </title> <script> window.ga=window.ga||function(){(ga.q=ga.q||[]).push(arguments)};ga.l=+new Date; ga('create', 'UA-9713393-1', 'auto'); ga('send', 'pageview'); </script> <script async src='https://www.google-analytics.com/analytics.js'></script> <link href="/css/site.css" rel="stylesheet"> <link href="https://fonts.googleapis.com/css?family=Roboto+Condensed:300,400,700" rel="stylesheet"><link rel="apple-touch-icon" sizes="57x57" href="/apple-icon-57x57.png"> <link rel="apple-touch-icon" sizes="60x60" href="/apple-icon-60x60.png"> <link rel="apple-touch-icon" sizes="72x72" href="/apple-icon-72x72.png"> <link rel="apple-touch-icon" sizes="76x76" href="/apple-icon-76x76.png"> <link rel="apple-touch-icon" sizes="114x114" href="/apple-icon-114x114.png"> <link rel="apple-touch-icon" sizes="120x120" href="/apple-icon-120x120.png"> <link rel="apple-touch-icon" sizes="144x144" href="/apple-icon-144x144.png"> <link rel="apple-touch-icon" sizes="152x152" href="/apple-icon-152x152.png"> <link rel="apple-touch-icon" sizes="180x180" href="/apple-icon-180x180.png"> <link rel="icon" type="image/png" sizes="192x192" href="/android-icon-192x192.png"> <link rel="icon" type="image/png" sizes="32x32" href="/favicon-32x32.png"> <link rel="icon" type="image/png" sizes="96x96" href="/favicon-96x96.png"> <link rel="icon" type="image/png" sizes="16x16" href="/favicon-16x16.png"> <link rel="manifest" href="/manifest.json"> <meta name="msapplication-TileColor" content="#ffffff"> <meta name="msapplication-TileImage" content="/ms-icon-144x144.png"> <meta name="theme-color" content="#ffffff"> <link href="/events/index.xml" rel="alternate" type="application/rss+xml" title="DevOpsDays" /> <link href="/events/index.xml" rel="feed" type="application/rss+xml" title="DevOpsDays" /> <script src=/js/devopsdays-min.js></script></head> <body lang=""> <nav class="navbar navbar-expand-md navbar-light"> <a class="navbar-brand" href="/"> <img src="/img/devopsdays-brain.png" height="30" class="d-inline-block align-top" alt="devopsdays Logo"> DevOpsDays </a> <button class="navbar-toggler" type="button" data-toggle="collapse" data-target="#navbarSupportedContent" aria-controls="navbarSupportedContent" aria-expanded="false" aria-label="Toggle navigation"> <span class="navbar-toggler-icon"></span> </button> <div class="collapse navbar-collapse" id="navbarSupportedContent"> <ul class="navbar-nav mr-auto"><li class="nav-item global-navigation"><a class = "nav-link" href="/events">events</a></li><li class="nav-item global-navigation"><a class = "nav-link" href="/blog">blog</a></li><li class="nav-item global-navigation"><a class = "nav-link" href="/sponsor">sponsor</a></li><li class="nav-item global-navigation"><a class = "nav-link" href="/speaking">speaking</a></li><li class="nav-item global-navigation"><a class = "nav-link" href="/organizing">organizing</a></li><li class="nav-item global-navigation"><a class = "nav-link" href="/about">about</a></li></ul> </div> </nav> <nav class="navbar event-navigation navbar-expand-md navbar-light"> <a href="/events/2017-taipei" class="nav-link">Taipei</a> <button class="navbar-toggler" type="button" data-toggle="collapse" data-target="#navbar2"> <span class="navbar-toggler-icon"></span> </button> <div class="navbar-collapse collapse" id="navbar2"> <ul class="navbar-nav"><li class="nav-item active"> <a class="nav-link" href="/events/2017-taipei/location">location</a> </li><li class="nav-item active"> <a class="nav-link" href="/events/2017-taipei/sponsor">sponsor</a> </li><li class="nav-item active"> <a class="nav-link" href="/events/2017-taipei/contact">contact</a> </li><li class="nav-item active"> <a class="nav-link" href="/events/2017-taipei/conduct">conduct</a> </li></ul> </div> </nav> <div class="container-fluid"> <div class="row"> <div class="col-md-12"><div class="row"> <div class="col-md-12 content-text"><h1>devopsdays Taipei - Sponsor</h1> <p>We greatly value sponsors for this open event. If you are interested in sponsoring, please check our <a href="https://s3-ap-northeast-1.amazonaws.com/s.itho.me/devopsdays/2017/DevOpsDays-Taipei2017-Sponsorship.pdf" target="_blank">sponsorship proposal</a> .</p> <hr> <p>devopsdays is a self-organizing conference for practitioners that depends on sponsorships. We do not have vendor booths, sell product presentations, or distribute attendee contact lists. Sponsors have the opportunity to have short elevator pitches during the program and will get recognition on the website and social media before, during and after the event. Sponsors are encouraged to represent themselves by actively participating and engaging with the attendees as peers. Any attendee also has the opportunity to demo products/projects as part of an open space session. <p> Gold sponsors get a full table and Silver sponsors a shared table where they can interact with those interested to come visit during breaks. All attendees are welcome to propose any subject they want during the open spaces, but this is a community-focused conference, so heavy marketing will probably work against you when trying to make a good impression on the attendees. <p> The best thing to do is send engineers to interact with the experts at devopsdays on their own terms. <p></p> <hr/> <!-- <div style="width:590px"> <table border=1 cellspacing=1> <tr> <th><i>packages</i></th> <th><center><b><u>Bronze<br />NT $30,000 </u></center></b></th> <th><center><b><u>Silver<br />NT $60,000</u></center></b></th> <th><center><b><u>Gold<br />NT 150,000</u></center></b></th> <th><center><b><u>Diamond<br />NT 250,000</u></center></b></th> </tr> <tr><td>2 included tickets</td><td bgcolor="gold">&nbsp;</td><td bgcolor="gold">&nbsp;</td><td bgcolor="gold">&nbsp;</td><td bgcolor="gold">&nbsp;</td></tr> <tr><td>logo on event website</td><td bgcolor="gold">&nbsp;</td><td bgcolor="gold">&nbsp;</td><td bgcolor="gold">&nbsp;</td><td bgcolor="gold">&nbsp;</td></tr> <tr><td>logo on shared slide, rotating during breaks</td><td bgcolor="gold">&nbsp;</td><td bgcolor="gold">&nbsp;</td><td bgcolor="gold">&nbsp;</td><td bgcolor="gold">&nbsp;</td></tr> <tr><td>logo on all email communication</td><td>&nbsp;</td><td bgcolor="gold">&nbsp;</td><td bgcolor="gold">&nbsp;</td><td bgcolor="gold">&nbsp;</td></tr> <tr><td>logo on its own slide, rotating during breaks</td><td>&nbsp;</td><td bgcolor="gold">&nbsp;</td><td bgcolor="gold">&nbsp;</td><td bgcolor="gold">&nbsp;</td></tr> <tr><td>1 minute pitch to full audience (including streaming audience)</td><td>&nbsp;</td><td>&nbsp;</td><td bgcolor="gold">&nbsp;</td><td bgcolor="gold">&nbsp;</td></tr></tr> <tr><td>2 additional tickets (4 in total)</td><td>&nbsp;</td><td bgcolor="gold">&nbsp;</td><td>&nbsp;</td><td bgcolor="gold">&nbsp;</td></tr> <tr><td>4 additional tickets (6 in total)</td><td>&nbsp;</td><td>&nbsp;</td><td bgcolor="gold">&nbsp;</td><td bgcolor="gold">&nbsp;</td></tr> <tr><td>shared table for swag</td><td>&nbsp;</td><td bgcolor="gold">&nbsp;</td><td>&nbsp;</td><td bgcolor="gold">&nbsp;</td></tr> <tr><td>booth/table space</td><td>&nbsp;</td><td>&nbsp;</td><td bgcolor="gold">&nbsp;</td><td bgcolor="gold">&nbsp;</td></tr> </table> <hr/> There are also opportunities for exclusive special sponsorships. We'll have sponsors for various events with special privileges for the sponsors of these events. If you are interested in special sponsorships or have a creative idea about how you can support the event, send us an email. <br/> <br/> <br> <br> <table border=1 cellspacing=1> <tr> <th><i>Sponsor FAQ</i></th> <th><center><b>Answers to questions frequently asked by sponsors&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;</center></b></th> <th></th> </tr> <tr><td>What dates/times can we set up and tear down?</td><td></td></tr> <tr><td>How do we ship to the venue?</td><td></td></tr> <tr><td>How do we ship from the venue?</td><td></td></tr> <tr><td>Whom should we send?</td><td></td></tr> <tr><td>What should we expect regarding electricity? (how much, any fees, etc)</td><td></td></tr> <tr><td>What should we expect regarding WiFi? (how much, any fees, etc)</td><td></td></tr> <tr><td>How do we order additional A/V equipment?</td><td></td></tr> <tr><td>Additional important details</td><td></td></tr> </table> </div> <hr/> --> <br /><div class="row cta-row"> <div class="col-md-12"><h4 class="sponsor-cta">Diamond Sponsors</h4><a href = "/events/2017-taipei/sponsor" class="sponsor-cta"><i>Join as Diamond Sponsor!</i> </a></div> </div><div class="row cta-row"> <div class="col-md-12"><h4 class="sponsor-cta">Gold Sponsors</h4><a href = "/events/2017-taipei/sponsor" class="sponsor-cta"><i>Join as Gold Sponsor!</i> </a></div> </div><div class="row cta-row"> <div class="col-md-12"><h4 class="sponsor-cta">Silver Sponsors</h4><a href = "/events/2017-taipei/sponsor" class="sponsor-cta"><i>Join as Silver Sponsor!</i> </a></div> </div><div class="row cta-row"> <div class="col-md-12"><h4 class="sponsor-cta">Bronze Sponsors</h4><a href = "/events/2017-taipei/sponsor" class="sponsor-cta"><i>Join as Bronze Sponsor!</i> </a></div> </div><br /> </div> </div> </div></div> </div> <nav class="navbar bottom navbar-light footer-nav-row" style="background-color: #bfbfc1;"> <div class = "row"> <div class = "col-md-12 footer-nav-background"> <div class = "row"> <div class = "col-md-6 col-lg-3 footer-nav-col"> <h3 class="footer-nav">@DEVOPSDAYS</h3> <div> <a class="twitter-timeline" data-dnt="true" href="https://twitter.com/devopsdays/lists/devopsdays" data-chrome="noheader" height="440"></a> <script> ! function(d, s, id) { var js, fjs = d.getElementsByTagName(s)[0], p = /^http:/.test(d.location) ? 'http' : 'https'; if (!d.getElementById(id)) { js = d.createElement(s); js.id = id; js.src = p + "://platform.twitter.com/widgets.js"; fjs.parentNode.insertBefore(js, fjs); } }(document, "script", "twitter-wjs"); </script> </div> </div> <div class="col-md-6 col-lg-3 footer-nav-col footer-content"> <h3 class="footer-nav">BLOG</h3><a href = "https://www.devopsdays.org/blog/2019/05/10/10-years-of-devopsdays/"><h1 class = "footer-heading">10 years of devopsdays</h1></a><h2 class="footer-heading">by Kris Buytaert - 10 May, 2019</h2><p class="footer-content">It&rsquo;s hard to believe but it is almost 10 years ago since #devopsdays happened for the first time in Gent. Back then there were almost 70 of us talking about topics that were of interest to both Operations and Development, we were exchanging our ideas and experiences `on how we were improving the quality of software delivery. Our ideas got started on the crossroads of Open Source, Agile and early Cloud Adoption.</p><a href = "https://www.devopsdays.org/blog/"><h1 class = "footer-heading">Blogs</h1></a><h2 class="footer-heading">10 May, 2019</h2><p class="footer-content"></p><a href="https://www.devopsdays.org/blog/index.xml">Feed</a> </div> <div class="col-md-6 col-lg-3 footer-nav-col"> <h3 class="footer-nav">CFP OPEN</h3><a href = "/events/2019-campinas" class = "footer-content">Campinas</a><br /><a href = "/events/2019-macapa" class = "footer-content">Macapá</a><br /><a href = "/events/2019-shanghai" class = "footer-content">Shanghai</a><br /><a href = "/events/2019-recife" class = "footer-content">Recife</a><br /><a href = "/events/2020-charlotte" class = "footer-content">Charlotte</a><br /><a href = "/events/2020-prague" class = "footer-content">Prague</a><br /><a href = "/events/2020-tokyo" class = "footer-content">Tokyo</a><br /><a href = "/events/2020-salt-lake-city" class = "footer-content">Salt Lake City</a><br /> <br />Propose a talk at an event near you!<br /> </div> <div class="col-md-6 col-lg-3 footer-nav-col"> <h3 class="footer-nav">About</h3> devopsdays is a worldwide community conference series for anyone interested in IT improvement.<br /><br /> <a href="/about/" class = "footer-content">About devopsdays</a><br /> <a href="/privacy/" class = "footer-content">Privacy Policy</a><br /> <a href="/conduct/" class = "footer-content">Code of Conduct</a> <br /> <br /> <a href="https://www.netlify.com"> <img src="/img/netlify-light.png" alt="Deploys by Netlify"> </a> </div> </div> </div> </div> </nav> <script> $(document).ready(function () { $("#share").jsSocials({ shares: ["email", {share: "twitter", via: 'DevOpsDaysTPE'}, "facebook", "linkedin"], text: 'devopsdays Taipei - 2017', showLabel: false, showCount: false }); }); </script> </body> </html>
{ "content_hash": "6516a0f6bbc31925712190788a588d68", "timestamp": "", "source": "github", "line_count": 247, "max_line_length": 654, "avg_line_length": 61.27125506072875, "alnum_prop": 0.6576582529403991, "repo_name": "gomex/devopsdays-web", "id": "b8d31ce86abd4289baf4bfada3e7387746ebe769", "size": "15135", "binary": false, "copies": "4", "ref": "refs/heads/master", "path": "static/events/2017-taipei/sponsor/index.html", "mode": "33188", "license": "apache-2.0", "language": [ { "name": "CSS", "bytes": "1568" }, { "name": "HTML", "bytes": "1937025" }, { "name": "JavaScript", "bytes": "14313" }, { "name": "PowerShell", "bytes": "291" }, { "name": "Ruby", "bytes": "650" }, { "name": "Shell", "bytes": "12282" } ], "symlink_target": "" }
/* First created by JCasGen Mon May 11 11:00:52 EDT 2015 */ package org.apache.ctakes.typesystem.type.refsem; import org.apache.uima.jcas.JCas; import org.apache.uima.jcas.JCasRegistry; import org.apache.uima.jcas.cas.TOP_Type; /** Holds a narrative (i.e. string) reference range * Updated by JCasGen Mon May 11 11:00:52 EDT 2015 * XML source: /home/tseytlin/Work/DeepPhe/ctakes-cancer/src/main/resources/org/apache/ctakes/cancer/types/TypeSystem.xml * @generated */ public class LabReferenceRange extends Attribute { /** @generated * @ordered */ @SuppressWarnings ("hiding") public final static int typeIndexID = JCasRegistry.register(LabReferenceRange.class); /** @generated * @ordered */ @SuppressWarnings ("hiding") public final static int type = typeIndexID; /** @generated * @return index of the type */ @Override public int getTypeIndexID() {return typeIndexID;} /** Never called. Disable default constructor * @generated */ protected LabReferenceRange() {/* intentionally empty block */} /** Internal - constructor used by generator * @generated * @param addr low level Feature Structure reference * @param type the type of this Feature Structure */ public LabReferenceRange(int addr, TOP_Type type) { super(addr, type); readObject(); } /** @generated * @param jcas JCas to which this Feature Structure belongs */ public LabReferenceRange(JCas jcas) { super(jcas); readObject(); } /** * <!-- begin-user-doc --> * Write your own initialization here * <!-- end-user-doc --> * * @generated modifiable */ private void readObject() {/*default - does nothing empty block */} //*--------------* //* Feature: value /** getter for value - gets * @generated * @return value of the feature */ public String getValue() { if (LabReferenceRange_Type.featOkTst && ((LabReferenceRange_Type)jcasType).casFeat_value == null) jcasType.jcas.throwFeatMissing("value", "org.apache.ctakes.typesystem.type.refsem.LabReferenceRange"); return jcasType.ll_cas.ll_getStringValue(addr, ((LabReferenceRange_Type)jcasType).casFeatCode_value);} /** setter for value - sets * @generated * @param v value to set into the feature */ public void setValue(String v) { if (LabReferenceRange_Type.featOkTst && ((LabReferenceRange_Type)jcasType).casFeat_value == null) jcasType.jcas.throwFeatMissing("value", "org.apache.ctakes.typesystem.type.refsem.LabReferenceRange"); jcasType.ll_cas.ll_setStringValue(addr, ((LabReferenceRange_Type)jcasType).casFeatCode_value, v);} }
{ "content_hash": "957ccf3990abee2e5f4b3088438eaf03", "timestamp": "", "source": "github", "line_count": 88, "max_line_length": 121, "avg_line_length": 30.602272727272727, "alnum_prop": 0.6773115484589677, "repo_name": "harryhoch/DeepPhe", "id": "79facbe72e2557649e2b989443667c97df312981", "size": "2693", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "src/org/apache/ctakes/typesystem/type/refsem/LabReferenceRange.java", "mode": "33188", "license": "apache-2.0", "language": [ { "name": "Bluespec", "bytes": "215957627" }, { "name": "CLIPS", "bytes": "1627598" }, { "name": "CSS", "bytes": "315" }, { "name": "HTML", "bytes": "21920" }, { "name": "Java", "bytes": "1462396" }, { "name": "JavaScript", "bytes": "1" }, { "name": "Scala", "bytes": "1936" }, { "name": "Shell", "bytes": "4005" }, { "name": "Web Ontology Language", "bytes": "100806041" } ], "symlink_target": "" }
#include <cmath> #include <limits> #include <stdexcept> #include <boost/math/constants/constants.hpp> #include <Eigen/Core> #include "Tudat/Mathematics/BasicMathematics/mathematicalConstants.h" #include "Tudat/Astrodynamics/BasicAstrodynamics/stateVectorIndices.h" #include "Tudat/Astrodynamics/Gravitation/centralGravityModel.h" #include "Tudat/Astrodynamics/Gravitation/centralJ2GravityModel.h" #include "Tudat/Astrodynamics/Gravitation/centralJ2J3GravityModel.h" #include "Tudat/Astrodynamics/Gravitation/sphericalHarmonicsGravityModel.h" #include "Tudat/Mathematics/BasicMathematics/coordinateConversions.h" #include "Tudat/Mathematics/BasicMathematics/legendrePolynomials.h" #include "Tudat/Mathematics/BasicMathematics/sphericalHarmonics.h" namespace tudat { namespace gravitation { //! Compute gravitational acceleration due to multiple spherical harmonics terms, defined using geodesy-normalization. Eigen::Vector3d computeGeodesyNormalizedGravitationalAccelerationSum( const Eigen::Vector3d& positionOfBodySubjectToAcceleration, const double gravitationalParameter, const double equatorialRadius, const Eigen::MatrixXd& cosineHarmonicCoefficients, const Eigen::MatrixXd& sineHarmonicCoefficients, std::shared_ptr< basic_mathematics::SphericalHarmonicsCache > sphericalHarmonicsCache, std::map< std::pair< int, int >, Eigen::Vector3d >& accelerationPerTerm, const bool saveSeparateTerms, const Eigen::Matrix3d& accelerationRotation ) { // Set highest degree and order. const int highestDegree = cosineHarmonicCoefficients.rows( ); const int highestOrder = cosineHarmonicCoefficients.cols( ); // Declare spherical position vector. Eigen::Vector3d sphericalpositionOfBodySubjectToAcceleration = coordinate_conversions:: convertCartesianToSpherical( positionOfBodySubjectToAcceleration ); sphericalpositionOfBodySubjectToAcceleration( 1 ) = mathematical_constants::PI / 2.0 - sphericalpositionOfBodySubjectToAcceleration( 1 ); double sineOfAngle = std::sin( sphericalpositionOfBodySubjectToAcceleration( 1 ) ); sphericalHarmonicsCache->update( sphericalpositionOfBodySubjectToAcceleration( 0 ), sineOfAngle, sphericalpositionOfBodySubjectToAcceleration( 2 ), equatorialRadius ); std::shared_ptr< basic_mathematics::LegendreCache > legendreCacheReference = sphericalHarmonicsCache->getLegendreCache( ); // Compute gradient premultiplier. const double preMultiplier = gravitationalParameter / equatorialRadius; // Initialize gradient vector. Eigen::Vector3d sphericalGradient = Eigen::Vector3d::Zero( ); Eigen::Matrix3d transformationToCartesianCoordinates = coordinate_conversions::getSphericalToCartesianGradientMatrix( positionOfBodySubjectToAcceleration ); // Loop through all degrees. for ( int degree = 0; degree < highestDegree; degree++ ) { // Loop through all orders. for ( int order = 0; ( order <= degree ) && ( order < highestOrder ); order++ ) { // Compute geodesy-normalized Legendre polynomials. const double legendrePolynomial = legendreCacheReference->getLegendrePolynomial( degree, order ); // Compute geodesy-normalized Legendre polynomial derivative. const double legendrePolynomialDerivative = legendreCacheReference->getLegendrePolynomialDerivative( degree, order ); // Compute the potential gradient of a single spherical harmonic term. if( saveSeparateTerms ) { accelerationPerTerm[ std::make_pair( degree, order ) ] = basic_mathematics::computePotentialGradient( sphericalpositionOfBodySubjectToAcceleration, preMultiplier, degree, order, cosineHarmonicCoefficients( degree, order ), sineHarmonicCoefficients( degree, order ), legendrePolynomial, legendrePolynomialDerivative, sphericalHarmonicsCache ); sphericalGradient += accelerationPerTerm[ std::make_pair( degree, order ) ]; accelerationPerTerm[ std::make_pair( degree, order ) ] = accelerationRotation * ( transformationToCartesianCoordinates * accelerationPerTerm[ std::make_pair( degree, order ) ] ); } else { // Compute the potential gradient of a single spherical harmonic term. sphericalGradient += basic_mathematics::computePotentialGradient( sphericalpositionOfBodySubjectToAcceleration, preMultiplier, degree, order, cosineHarmonicCoefficients( degree, order ), sineHarmonicCoefficients( degree, order ), legendrePolynomial, legendrePolynomialDerivative, sphericalHarmonicsCache ); } } } // Convert from spherical gradient to Cartesian gradient (which equals acceleration vector) and // return the resulting acceleration vector. return accelerationRotation * ( transformationToCartesianCoordinates * sphericalGradient ); } //! Compute gravitational acceleration due to single spherical harmonics term. Eigen::Vector3d computeSingleGeodesyNormalizedGravitationalAcceleration( const Eigen::Vector3d& positionOfBodySubjectToAcceleration, const double gravitationalParameter, const double equatorialRadius, const int degree, const int order, const double cosineHarmonicCoefficient, const double sineHarmonicCoefficient, std::shared_ptr< basic_mathematics::SphericalHarmonicsCache > sphericalHarmonicsCache ) { // Declare spherical position vector. Eigen::Vector3d sphericalpositionOfBodySubjectToAcceleration = coordinate_conversions:: convertCartesianToSpherical( positionOfBodySubjectToAcceleration ); sphericalpositionOfBodySubjectToAcceleration( 1 ) = mathematical_constants::PI / 2.0 - sphericalpositionOfBodySubjectToAcceleration( 1 ); double sineOfAngle = std::sin( sphericalpositionOfBodySubjectToAcceleration( 1 ) ); sphericalHarmonicsCache->update( sphericalpositionOfBodySubjectToAcceleration( 0 ), sineOfAngle, sphericalpositionOfBodySubjectToAcceleration( 2 ), equatorialRadius ); // Compute gradient premultiplier. const double preMultiplier = gravitationalParameter / equatorialRadius; // Compute geodesy-normalized Legendre polynomials. const double legendrePolynomial = sphericalHarmonicsCache->getLegendreCache( )->getLegendrePolynomial( degree, order ); // Compute geodesy-normalized Legendre polynomial derivative. const double legendrePolynomialDerivative = sphericalHarmonicsCache->getLegendreCache( )->getLegendrePolynomialDerivative( degree, order ); // Compute the potential gradient of a single spherical harmonic term. Eigen::Vector3d sphericalGradient = basic_mathematics::computePotentialGradient( sphericalpositionOfBodySubjectToAcceleration, preMultiplier, degree, order, cosineHarmonicCoefficient, sineHarmonicCoefficient, legendrePolynomial, legendrePolynomialDerivative, sphericalHarmonicsCache ); // Convert from spherical gradient to Cartesian gradient (which equals acceleration vector), // and return resulting acceleration vector. return coordinate_conversions::convertSphericalToCartesianGradient( sphericalGradient, positionOfBodySubjectToAcceleration ); } } // namespace gravitation } // namespace tudat
{ "content_hash": "8a01dc57ed2f18e7363695e6c90c0a5a", "timestamp": "", "source": "github", "line_count": 174, "max_line_length": 124, "avg_line_length": 48.672413793103445, "alnum_prop": 0.6651316566300626, "repo_name": "DominicDirkx/tudat", "id": "b5ff24d741c36ecdb57a4041ca61c07bf531f492", "size": "8910", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "Tudat/Astrodynamics/Gravitation/sphericalHarmonicsGravityModel.cpp", "mode": "33188", "license": "bsd-3-clause", "language": [ { "name": "C", "bytes": "8026" }, { "name": "C++", "bytes": "12614398" }, { "name": "CMake", "bytes": "185505" }, { "name": "HCL", "bytes": "30891" }, { "name": "MATLAB", "bytes": "2799" } ], "symlink_target": "" }
namespace BoardgameSimulator.SQLiteDB { using Repositories; public interface IBoardgameSimulatorSqLiteData { IBoardgameSimulatorSqLiteUnitsCostsRepository UnitsCosts { get; } } }
{ "content_hash": "4e9d845e315442be90b2a94aadda4209", "timestamp": "", "source": "github", "line_count": 9, "max_line_length": 73, "avg_line_length": 22.77777777777778, "alnum_prop": 0.751219512195122, "repo_name": "Team-Neptunium/Databases-Team-Neptunium", "id": "ba3e94b53c91e28210f301cdcfd1973f06c8df87", "size": "207", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "BoardgameSimulator/BoardgameSimulator.SQLiteDB/IBoardgameSimulatorSqLiteData.cs", "mode": "33188", "license": "mit", "language": [ { "name": "C#", "bytes": "110547" } ], "symlink_target": "" }
FactoryGirl.define do factory :registration do fresher true active true user_profile end end
{ "content_hash": "1fd7d3c763cfe5b6cee796f5f89efb3e", "timestamp": "", "source": "github", "line_count": 8, "max_line_length": 26, "avg_line_length": 13.875, "alnum_prop": 0.7027027027027027, "repo_name": "BoTreeConsultingTeam/HealersConnnect", "id": "09dfb41231b2c5290a3df8e4125671b1533a32e0", "size": "111", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "spec/factories/registrations.rb", "mode": "33188", "license": "mit", "language": [ { "name": "CSS", "bytes": "77525" }, { "name": "CoffeeScript", "bytes": "14094" }, { "name": "JavaScript", "bytes": "381261" }, { "name": "Ruby", "bytes": "173563" }, { "name": "Shell", "bytes": "1789" } ], "symlink_target": "" }
<!DOCTYPE html> <html> <head> <meta http-equiv="Content-Type" content="text/html; charset=utf-8" /> <title>kerdou后台管理系统界面</title> </head> <frameset rows="88,*" cols="*" frameborder="no" border="0" framespacing="0"> <frame src="/admin/Main/top" name="topFrame" scrolling="No" noresize="noresize" id="topFrame" title="topFrame" /> <frameset cols="187,*" frameborder="no" border="0" framespacing="0"> <frame src="/admin/Main/left" name="leftFrame" scrolling="No" noresize="noresize" id="leftFrame" title="leftFrame" /> <frame src="/admin/Main/home" name="rightFrame" id="rightFrame" title="rightFrame" /> </frameset> </frameset> <noframes><body> </body></noframes> </html>
{ "content_hash": "06f5315a6f2dde15c79ad62c24556e4a", "timestamp": "", "source": "github", "line_count": 16, "max_line_length": 121, "avg_line_length": 42.75, "alnum_prop": 0.6871345029239766, "repo_name": "siqitech/Kerdou", "id": "14929f858ee4486de832540d01b83a65d14ee73b", "size": "700", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "application/views/admin/main/main.php", "mode": "33188", "license": "apache-2.0", "language": [ { "name": "ApacheConf", "bytes": "494" }, { "name": "CSS", "bytes": "39605" }, { "name": "HTML", "bytes": "81799" }, { "name": "JavaScript", "bytes": "106429" }, { "name": "PHP", "bytes": "1748161" } ], "symlink_target": "" }
- [#1622](https://github.com/influxdata/kapacitor/pull/1622): Add support for AWS EC2 autoscaling services. ### Bugfixes - [#1250](https://github.com/influxdata/kapacitor/issues/1250): Fix VictorOps "data" field being a string instead of actual JSON. ## v1.4.0-rc1 [2017-11-09] ### Features - [#1408](https://github.com/influxdata/kapacitor/issues/1408): Add Previous state - [#1575](https://github.com/influxdata/kapacitor/issues/1575): Add support to persist replay status after it finishes. - [#1461](https://github.com/influxdata/kapacitor/issues/1461): alert.post and https_post timeouts needed. - [#1413](https://github.com/influxdata/kapacitor/issues/1413): Add subscriptions modes to InfluxDB subscriptions. - [#1436](https://github.com/influxdata/kapacitor/issues/1436): Add linear fill support for QueryNode. - [#1345](https://github.com/influxdata/kapacitor/issues/1345): Add MQTT Alert Handler - [#1390](https://github.com/influxdata/kapacitor/issues/1390): Add built in functions to convert timestamps to integers - [#1425](https://github.com/influxdata/kapacitor/pull/1425): BREAKING: Change over internal API to use message passing semantics. The breaking change is that the Combine and Flatten nodes previously, but erroneously, operated across batch boundaries; this has been fixed. - [#1497](https://github.com/influxdata/kapacitor/pull/1497): Add support for Docker Swarm autoscaling services. - [#1485](https://github.com/influxdata/kapacitor/issues/1485): Add bools field types to UDFs. - [#1549](https://github.com/influxdata/kapacitor/issues/1549): Add stateless now() function to get the current local time. - [#1545](https://github.com/influxdata/kapacitor/pull/1545): Add support for timeout, tags and service template in the Alerta AlertNode - [#1568](https://github.com/influxdata/kapacitor/issues/1568): Add support for custom HTTP Post bodies via a template system. - [#1569](https://github.com/influxdata/kapacitor/issues/1569): Add support for add the HTTP status code as a field when using httpPost - [#1535](https://github.com/influxdata/kapacitor/pull/1535): Add logfmt support and refactor logging. - [#1481](https://github.com/influxdata/kapacitor/pull/1481): Add ability to load tasks/handlers from dir. TICKscript was extended to be able to describe a task exclusively through a tickscript. * tasks no longer need to specify their TaskType (Batch, Stream). * `dbrp` expressions were added to tickscript. Topic-Handler file format was modified to include the TopicID and HandlerID in the file. Load service was added; the service can load tasks/handlers from a directory. - [#1606](https://github.com/influxdata/kapacitor/pull/1606): Update Go version to 1.9.1 - [#1578](https://github.com/influxdata/kapacitor/pull/1578): Add support for exposing logs via the API. API is released as a technical preview. - [#1605](https://github.com/influxdata/kapacitor/issues/1605): Add support for {{ .Duration }} on Alert Message property. - [#1644](https://github.com/influxdata/kapacitor/issues/1644): Add support for [JSON lines](https://en.wikipedia.org/wiki/JSON_Streaming#Line_delimited_JSON) for steaming HTTP logs. - [#1637](https://github.com/influxdata/kapacitor/issues/1637): Add new node Sideload, that allows loading data from files into the stream of data. Data can be loaded using a hierarchy. - [#1667](https://github.com/influxdata/kapacitor/pull/1667): Promote Alert API to stable v1 path. - [#1668](https://github.com/influxdata/kapacitor/pull/1668): Change WARN level logs to INFO level. ### Bugfixes - [#916](https://github.com/influxdata/kapacitor/issues/916): Crash of Kapacitor on Windows x64 when starting a recording - [#1400](https://github.com/influxdata/kapacitor/issues/1400): Allow for `.yml` file extensions in `define-topic-handler` - [#1402](https://github.com/influxdata/kapacitor/pull/1402): Fix http server error logging. - [#1500](https://github.com/influxdata/kapacitor/pull/1500): Fix bugs with stopping running UDF agent. - [#1470](https://github.com/influxdata/kapacitor/pull/1470): Fix error messages for missing fields which are arguments to functions are not clear - [#1516](https://github.com/influxdata/kapacitor/pull/1516): Fix bad PagerDuty test the required server info. - [#1581](https://github.com/influxdata/kapacitor/pull/1581): Add SNMP sysUpTime to SNMP Trap service - [#1547](https://github.com/influxdata/kapacitor/issues/1547): Fix panic on recording replay with HTTPPostHandler. - [#1623](https://github.com/influxdata/kapacitor/issues/1623): Fix k8s incluster master api dns resolution - [#1630](https://github.com/influxdata/kapacitor/issues/1630): Remove the pidfile after the server has exited. - [#1641](https://github.com/influxdata/kapacitor/issues/1641): Logs API writes multiple http headers. - [#1657](https://github.com/influxdata/kapacitor/issues/1657): Fix missing dependency in rpm package. - [#1660](https://github.com/influxdata/kapacitor/pull/1660): Force tar owner/group to be root. - [#1663](https://github.com/influxdata/kapacitor/pull/1663): Fixed install/remove of kapacitor on non-systemd Debian/Ubuntu systems. Fixes packaging to not enable services on RHEL systems. Fixes issues with recusive symlinks on systemd systems. - [#1662](https://github.com/influxdata/kapacitor/issues/1662): Fix invalid default MQTT config. ## v1.3.3 [2017-08-11] ### Bugfixes - [#1520](https://github.com/influxdata/kapacitor/pull/1520): Expose pprof without authentication if enabled ## v1.3.2 [2017-08-08] ### Bugfixes - [#1512](https://github.com/influxdata/kapacitor/pull/1512): Use details field from alert node in PagerDuty. ## v1.3.1 [2017-06-02] ### Bugfixes - [#1415](https://github.com/influxdata/kapacitor/pull/1415): Proxy from environment for HTTP request to slack - [#1414](https://github.com/influxdata/kapacitor/pull/1414): Fix derivative node preserving fields from previous point in stream tasks. ## v1.3.0 [2017-05-22] ### Release Notes The v1.3.0 release has two major features. 1. Addition of scraping and discovering for Prometheus style data collection. 2. Updates to the Alert Topic system Here is a quick example of how to configure Kapacitor to scrape discovered targets. First configure a discoverer, here we use the file-discovery discoverer. Next configure a scraper to use that discoverer. >NOTE: The scraping and discovering features are released under technical preview, meaning that the configuration or API around the feature may change in a future release. ``` # Configure file discoverer [[file-discovery]] enabled = true id = "discover_files" refresh-interval = "10s" ##### This will look for prometheus json files ##### File format is here https://prometheus.io/docs/operating/configuration/#%3Cfile_sd_config%3E files = ["/tmp/prom/*.json"] # Configure scraper [[scraper]] enabled = true name = "node_exporter" discoverer-id = "discover_files" discoverer-service = "file-discovery" db = "prometheus" rp = "autogen" type = "prometheus" scheme = "http" metrics-path = "/metrics" scrape-interval = "2s" scrape-timeout = "10s" ``` Add the above snippet to your kapacitor.conf file. Create the below snippet as the file `/tmp/prom/localhost.json`: ``` [{ "targets": ["localhost:9100"] }] ``` Start the Prometheus node_exporter locally. Now startup Kapacitor and it will discover the `localhost:9100` node_exporter target and begin scrapping it for metrics. For more details on the scraping and discovery systems see the full documentation [here](https://docs.influxdata.com/kapacitor/v1.3/scraping). The second major feature with this release, are changes to the alert topic system. The previous release introduce this new system as a technical preview, with this release the alerting service has been simplified. Alert handlers now only ever have a single action and belong to a single topic. The handler definition has been simplified as a result. Here are some example alert handlers using the new structure: ```yaml id: my_handler kind: pagerDuty options: serviceKey: XXX ``` ```yaml id: aggregate_by_1m kind: aggregate options: interval: 1m topic: aggregated ``` ```yaml id: publish_to_system kind: publish options: topics: [ system ] ``` To define a handler now you must specify which topic the handler belongs to. For example to define the above aggregate handler on the system topic use this command: ```sh kapacitor define-handler system aggregate_by_1m.yaml ``` For more details on the alerting system see the full documentation [here](https://docs.influxdata.com/kapacitor/v1.3/alerts). # Bugfixes - [#1396](https://github.com/influxdata/kapacitor/pull/1396): Fix broken ENV var config overrides for the kubernetes section. - [#1397](https://github.com/influxdata/kapacitor/pull/1397): Update default configuration file to include sections for each discoverer service. ## v1.3.0-rc4 [2017-05-19] # Bugfixes - [#1379](https://github.com/influxdata/kapacitor/issues/1379): Copy batch points slice before modification, fixes potential panics and data corruption. - [#1394](https://github.com/influxdata/kapacitor/pull/1394): Use the Prometheus metric name as the measurement name by default for scrape data. - [#1392](https://github.com/influxdata/kapacitor/pull/1392): Fix possible deadlock for scraper configuration updating. ## v1.3.0-rc3 [2017-05-18] ### Bugfixes - [#1369](https://github.com/influxdata/kapacitor/issues/1369): Fix panic with concurrent writes to same points in state tracking nodes. - [#1387](https://github.com/influxdata/kapacitor/pull/1387): static-discovery configuration simplified - [#1378](https://github.com/influxdata/kapacitor/issues/1378): Fix panic in InfluxQL node with missing field. ## v1.3.0-rc2 [2017-05-11] ### Bugfixes - [#1370](https://github.com/influxdata/kapacitor/issues/1370): Fix missing working_cardinality stats on stateDuration and stateCount nodes. ## v1.3.0-rc1 [2017-05-08] ### Features - [#1299](https://github.com/influxdata/kapacitor/pull/1299): Allowing sensu handler to be specified - [#1284](https://github.com/influxdata/kapacitor/pull/1284): Add type signatures to Kapacitor functions. - [#1203](https://github.com/influxdata/kapacitor/issues/1203): Add `isPresent` operator for verifying whether a value is present (part of [#1284](https://github.com/influxdata/kapacitor/pull/1284)). - [#1354](https://github.com/influxdata/kapacitor/pull/1354): Add Kubernetes scraping support. - [#1359](https://github.com/influxdata/kapacitor/pull/1359): Add groupBy exclude and Add dropOriginalFieldName to flatten. - [#1360](https://github.com/influxdata/kapacitor/pull/1360): Add KapacitorLoopback node to be able to send data from a task back into Kapacitor. ### Bugfixes - [#1329](https://github.com/influxdata/kapacitor/issues/1329): BREAKING: A bug was fixed around missing fields in the derivative node. The behavior of the node changes slightly in order to provide a consistent fix to the bug. The breaking change is that now, the time of the points returned are from the right hand or current point time, instead of the left hand or previous point time. - [#1353](https://github.com/influxdata/kapacitor/issues/1353): Fix panic in scraping TargetManager. - [#1238](https://github.com/influxdata/kapacitor/pull/1238): Use ProxyFromEnvironment for all outgoing HTTP traffic. ## v1.3.0-beta2 [2017-05-01] ### Features - [#117](https://github.com/influxdata/kapacitor/issues/117): Add headers to alert POST requests. ### Bugfixes - [#1294](https://github.com/influxdata/kapacitor/issues/1294): Fix bug where batch queries would be missing all fields after the first nil field. - [#1343](https://github.com/influxdata/kapacitor/issues/1343): BREAKING: The UDF agent Go API has changed, the changes now make it so that the agent package is self contained. ## v1.3.0-beta1 [2017-04-29] ### Features - [#1322](https://github.com/influxdata/kapacitor/pull/1322): TLS configuration in Slack service for Mattermost compatibility - [#1330](https://github.com/influxdata/kapacitor/issues/1330): Generic HTTP Post node - [#1159](https://github.com/influxdata/kapacitor/pulls/1159): Go version 1.7.4 -> 1.7.5 - [#1175](https://github.com/influxdata/kapacitor/pull/1175): BREAKING: Add generic error counters to every node type. Renamed `query_errors` to `errors` in batch node. Renamed `eval_errors` to `errors` in eval node. - [#922](https://github.com/influxdata/kapacitor/issues/922): Expose server specific information in alert templates. - [#1162](https://github.com/influxdata/kapacitor/pulls/1162): Add Pushover integration. - [#1221](https://github.com/influxdata/kapacitor/pull/1221): Add `working_cardinality` stat to each node type that tracks the number of groups per node. - [#1211](https://github.com/influxdata/kapacitor/issues/1211): Add StateDuration node. - [#1209](https://github.com/influxdata/kapacitor/issues/1209): BREAKING: Refactor the Alerting service. The change is completely breaking for the technical preview alerting service, a.k.a. the new alert topic handler features. The change boils down to simplifying how you define and interact with topics. Alert handlers now only ever have a single action and belong to a single topic. An automatic migration from old to new handler definitions will be performed during startup. See the updated API docs. - [#1286](https://github.com/influxdata/kapacitor/issues/1286): Default HipChat URL should be blank - [#507](https://github.com/influxdata/kapacitor/issues/507): Add API endpoint for performing Kapacitor database backups. - [#1132](https://github.com/influxdata/kapacitor/issues/1132): Adding source for sensu alert as parameter - [#1346](https://github.com/influxdata/kapacitor/pull/1346): Add discovery and scraping services. ### Bugfixes - [#1133](https://github.com/influxdata/kapacitor/issues/1133): Fix case-sensitivity for Telegram `parseMode` value. - [#1147](https://github.com/influxdata/kapacitor/issues/1147): Fix pprof debug endpoint - [#1164](https://github.com/influxdata/kapacitor/pull/1164): Fix hang in config API to update a config section. Now if the service update process takes too long the request will timeout and return an error. Previously the request would block forever. - [#1165](https://github.com/influxdata/kapacitor/issues/1165): Make the alerta auth token prefix configurable and default it to Bearer. - [#1184](https://github.com/influxdata/kapacitor/pull/1184): Fix logrotate file to correctly rotate error log. - [#1200](https://github.com/influxdata/kapacitor/pull/1200): Fix bug with alert duration being incorrect after restoring alert state. - [#1199](https://github.com/influxdata/kapacitor/pull/1199): BREAKING: Fix inconsistency with JSON data from alerts. The alert handlers Alerta, Log, OpsGenie, PagerDuty, Post and VictorOps allow extra opaque data to be attached to alert notifications. That opaque data was inconsistent and this change fixes that. Depending on how that data was consumed this could result in a breaking change, since the original behavior was inconsistent we decided it would be best to fix the issue now and make it consistent for all future builds. Specifically in the JSON result data the old key `Series` is always `series`, and the old key `Err` is now always `error` instead of for only some of the outputs. - [#1181](https://github.com/influxdata/kapacitor/pull/1181): Fix bug parsing dbrp values with quotes. - [#1228](https://github.com/influxdata/kapacitor/pull/1228): Fix panic on loading replay files without a file extension. - [#1192](https://github.com/influxdata/kapacitor/issues/1192): Fix bug in Default Node not updating batch tags and groupID. Also empty string on a tag value is now a sufficient condition for the default conditions to be applied. See [#1233](https://github.com/influxdata/kapacitor/pull/1233) for more information. - [#1068](https://github.com/influxdata/kapacitor/issues/1068): Fix dot view syntax to use xlabels and not create invalid quotes. - [#1295](https://github.com/influxdata/kapacitor/issues/1295): Fix curruption of recordings list after deleting all recordings. - [#1237](https://github.com/influxdata/kapacitor/issues/1237): Fix missing "vars" key when listing tasks. - [#1271](https://github.com/influxdata/kapacitor/issues/1271): Fix bug where aggregates would not be able to change type. - [#1261](https://github.com/influxdata/kapacitor/issues/1261): Fix panic when the process cannot stat the data dir. ## v1.2.1 [2017-04-13] ### Bugfixes - [#1323](https://github.com/influxdata/kapacitor/pull/1323): Fix issue where credentials to InfluxDB could not be updated dynamically. ## v1.2.0 [2017-01-23] ### Release Notes A new system for working with alerts has been introduced. This alerting system allows you to configure topics for alert events and then configure handlers for various topics. This way alert generation is decoupled from alert handling. Existing TICKscripts will continue to work without modification. To use this new alerting system remove any explicit alert handlers from your TICKscript and specify a topic. Then configure the handlers for the topic. ``` stream |from() .measurement('cpu') .groupBy('host') |alert() // Specify the topic for the alert .topic('cpu') .info(lambda: "value" > 60) .warn(lambda: "value" > 70) .crit(lambda: "value" > 80) // No handlers are configured in the script, they are instead defined on the topic via the API. ``` The API exposes endpoints to query the state of each alert and endpoints for configuring alert handlers. See the [API docs](https://docs.influxdata.com/kapacitor/latest/api/api/) for more details. The kapacitor CLI has been updated with commands for defining alert handlers. This release introduces a new feature where you can window based off the number of points instead of their time. For example: ``` stream |from() .measurement('my-measurement') // Emit window for every 10 points with 100 points per window. |window() .periodCount(100) .everyCount(10) |mean('value') |alert() .crit(lambda: "mean" > 100) .slack() .channel('#alerts') ``` With this change alert nodes will have an anonymous topic created for them. This topic is managed like all other topics preserving state etc. across restarts. As a result existing alert nodes will now remember the state of alerts after restarts and disiabling/enabling a task. >NOTE: The new alerting features are being released under technical preview. This means breaking changes may be made in later releases until the feature is considered complete. See the [API docs on technical preview](https://docs.influxdata.com/kapacitor/v1.2/api/api/#technical-preview) for specifics of how this effects the API. ### Features - [#1110](https://github.com/influxdata/kapacitor/pull/1110): Add new query property for aligning group by intervals to start times. - [#1095](https://github.com/influxdata/kapacitor/pull/1095): Add new alert API, with support for configuring handlers and topics. - [#1052](https://github.com/influxdata/kapacitor/issues/1052): Move alerta api token to header and add option to skip TLS verification. - [#929](https://github.com/influxdata/kapacitor/pull/929): Add SNMP trap service for alerting. - [#913](https://github.com/influxdata/kapacitor/issues/913): Add fillPeriod option to Window node, so that the first emit waits till the period has elapsed before emitting. - [#898](https://github.com/influxdata/kapacitor/issues/898): Now when the Window node every value is zero, the window will be emitted immediately for each new point. - [#744](https://github.com/influxdata/kapacitor/issues/744): Preserve alert state across restarts and disable/enable actions. - [#327](https://github.com/influxdata/kapacitor/issues/327): You can now window based on count in addition to time. - [#251](https://github.com/influxdata/kapacitor/issues/251): Enable markdown in slack attachments. ### Bugfixes - [#1100](https://github.com/influxdata/kapacitor/issues/1100): Fix issue with the Union node buffering more points than necessary. - [#1087](https://github.com/influxdata/kapacitor/issues/1087): Fix panic during close of failed startup when connecting to InfluxDB. - [#1045](https://github.com/influxdata/kapacitor/issues/1045): Fix panic during replays. - [#1043](https://github.com/influxdata/kapacitor/issues/1043): logrotate.d ignores kapacitor configuration due to bad file mode. - [#872](https://github.com/influxdata/kapacitor/issues/872): Fix panic during failed aggregate results. ## v1.1.1 [2016-12-02] ### Release Notes No changes to Kapacitor, only upgrading to go 1.7.4 for security patches. ## v1.1.0 [2016-10-07] ### Release Notes New K8sAutoscale node that allows you to auotmatically scale Kubernetes deployments driven by any metrics Kapacitor consumes. For example, to scale a deployment `myapp` based off requests per second: ``` // The target requests per second per host var target = 100.0 stream |from() .measurement('requests') .where(lambda: "deployment" == 'myapp') // Compute the moving average of the last 5 minutes |movingAverage('requests', 5*60) .as('mean_requests_per_second') |k8sAutoscale() .resourceName('app') .kind('deployments') .min(4) .max(100) // Compute the desired number of replicas based on target. .replicas(lambda: int(ceil("mean_requests_per_second" / target))) ``` New API endpoints have been added to be able to configure InfluxDB clusters and alert handlers dynamically without needing to restart the Kapacitor daemon. Along with the ability to dynamically configure a service, API endpoints have been added to test the configurable services. See the [API docs](https://docs.influxdata.com/kapacitor/latest/api/api/) for more details. >NOTE: The `connect_errors` stat from the query node was removed since the client changed, all errors are now counted in the `query_errors` stat. ### Features - [#931](https://github.com/influxdata/kapacitor/issues/931): Add a Kubernetes autoscaler node. You can now autoscale your Kubernetes deployments via Kapacitor. - [#928](https://github.com/influxdata/kapacitor/issues/928): Add new API endpoint for dynamically overriding sections of the configuration. - [#980](https://github.com/influxdata/kapacitor/pull/980): Upgrade to using go 1.7 - [#957](https://github.com/influxdata/kapacitor/issues/957): Add API endpoints for testing service integrations. - [#958](https://github.com/influxdata/kapacitor/issues/958): Add support for Slack icon emojis and custom usernames. - [#991](https://github.com/influxdata/kapacitor/pull/991): Bring Kapacitor up to parity with available InfluxQL functions in 1.1 ### Bugfixes - [#984](https://github.com/influxdata/kapacitor/issues/984): Fix bug where keeping a list of fields that where not referenced in the eval expressions would cause an error. - [#955](https://github.com/influxdata/kapacitor/issues/955): Fix the number of subscriptions statistic. - [#999](https://github.com/influxdata/kapacitor/issues/999): Fix inconsistency with InfluxDB by adding config option to set a default retention policy. - [#1018](https://github.com/influxdata/kapacitor/pull/1018): Sort and dynamically adjust column width in CLI output. Fixes #785 - [#1019](https://github.com/influxdata/kapacitor/pull/1019): Adds missing strLength function. ## v1.0.2 [2016-10-06] ### Release Notes ### Features ### Bugfixes - [#951](https://github.com/influxdata/kapacitor/pull/951): Fix bug where errors to save cluster/server ID files were ignored. - [#954](https://github.com/influxdata/kapacitor/pull/954): Create data_dir on startup if it does not exist. ## v1.0.1 [2016-09-26] ### Release Notes ### Features - [#873](https://github.com/influxdata/kapacitor/pull/873): Add TCP alert handler - [#869](https://github.com/influxdata/kapacitor/issues/869): Add ability to set alert message as a field - [#854](https://github.com/influxdata/kapacitor/issues/854): Add `.create` property to InfluxDBOut node, which when set will create the database and retention policy on task start. - [#909](https://github.com/influxdata/kapacitor/pull/909): Allow duration / duration in TICKscript. - [#777](https://github.com/influxdata/kapacitor/issues/777): Add support for string manipulation functions. - [#886](https://github.com/influxdata/kapacitor/issues/886): Add ability to set specific HTTP port and hostname per configured InfluxDB cluster. ### Bugfixes - [#889](https://github.com/influxdata/kapacitor/issues/889): Some typo in the default config file - [#914](https://github.com/influxdata/kapacitor/pull/914): Change |log() output to be in JSON format so its self documenting structure. - [#915](https://github.com/influxdata/kapacitor/pull/915): Fix issue with TMax and the Holt-Winters method. - [#927](https://github.com/influxdata/kapacitor/pull/927): Fix bug with TMax and group by time. ## v1.0.0 [2016-09-02] ### Release Notes Final release of v1.0.0. ## v1.0.0-rc3 [2016-09-01] ### Release Notes ### Features ### Bugfixes - [#842](https://github.com/influxdata/kapacitor/issues/842): Fix side-effecting modification in batch WhereNode. ## v1.0.0-rc2 [2016-08-29] ### Release Notes ### Features - [#827](https://github.com/influxdata/kapacitor/issues/827): Bring Kapacitor up to parity with available InfluxQL functions in 1.0 ### Bugfixes - [#763](https://github.com/influxdata/kapacitor/issues/763): Fix NaNs begin returned from the `sigma` stateful function. - [#468](https://github.com/influxdata/kapacitor/issues/468): Fix tickfmt munging escaped slashes in regexes. ## v1.0.0-rc1 [2016-08-22] ### Release Notes #### Alert reset expressions Kapacitor now supports alert reset expressions. This way when an alert enters a state, it can only be lowered in severity if its reset expression evaluates to true. Example: ```go stream |from() .measurement('cpu') .where(lambda: "host" == 'serverA') .groupBy('host') |alert() .info(lambda: "value" > 60) .infoReset(lambda: "value" < 50) .warn(lambda: "value" > 70) .warnReset(lambda: "value" < 60) .crit(lambda: "value" > 80) .critReset(lambda: "value" < 70) ``` For example given the following values: 61 73 64 85 62 56 47 The corresponding alert states are: INFO WARNING WARNING CRITICAL INFO INFO OK ### Features - [#740](https://github.com/influxdata/kapacitor/pull/740): Support reset expressions to prevent an alert from being lowered in severity. Thanks @minhdanh! - [#670](https://github.com/influxdata/kapacitor/issues/670): Add ability to supress OK recovery alert events. - [#804](https://github.com/influxdata/kapacitor/pull/804): Add API endpoint for refreshing subscriptions. Also fixes issue where subs were not relinked if the sub was deleted. UDP listen ports are closed when a database is dropped. ### Bugfixes - [#783](https://github.com/influxdata/kapacitor/pull/783): Fix panic when revoking tokens not already defined. - [#784](https://github.com/influxdata/kapacitor/pull/784): Fix several issues with comment formatting in TICKscript. - [#786](https://github.com/influxdata/kapacitor/issues/786): Deleting tags now updates the group by dimensions if needed. - [#772](https://github.com/influxdata/kapacitor/issues/772): Delete task snapshot data when a task is deleted. - [#797](https://github.com/influxdata/kapacitor/issues/797): Fix panic from race condition in task master. - [#811](https://github.com/influxdata/kapacitor/pull/811): Fix bug where subscriptions + tokens would not work with more than one InfluxDB cluster. - [#812](https://github.com/influxdata/kapacitor/issues/812): Upgrade to use protobuf version 3.0.0 ## v1.0.0-beta4 [2016-07-27] ### Release Notes #### Group By Fields Kapacitor now supports grouping by fields. First convert a field into a tag using the EvalNode. Then group by the new tag. Example: ```go stream |from() .measurement('alerts') // Convert field 'level' to tag. |eval(lambda: string("level")) .as('level') .tags('level') // Group by new tag 'level'. |groupBy('alert', 'level') |... ``` Note the field `level` is now removed from the point since `.keep` was not used. See the [docs](https://docs.influxdata.com/kapacitor/v1.0/nodes/eval_node/#tags) for more details on how `.tags` works. #### Delete Fields or Tags In companion with being able to create new tags, you can now delete tags or fields. Example: ```go stream |from() .measurement('alerts') |delete() // Remove the field `extra` and tag `uuid` from all points. .field('extra') .tag('uuid') |... ``` ### Features - [#702](https://github.com/influxdata/kapacitor/pull/702): Add plumbing for authentication backends. - [#624](https://github.com/influxdata/kapacitor/issue/624): BREAKING: Add ability to GroupBy fields. First use EvalNode to create a tag from a field and then group by the new tag. Also allows for grouping by measurement. The breaking change is that the group ID format has changed to allow for the measurement name. - [#759](https://github.com/influxdata/kapacitor/pull/759): Add mechanism for token based subscription auth. - [#745](https://github.com/influxdata/kapacitor/pull/745): Add if function for tick script, for example: `if("value" > 6, 1, 2)`. ### Bugfixes - [#710](https://github.com/influxdata/kapacitor/pull/710): Fix infinite loop when parsing unterminated regex in TICKscript. - [#711](https://github.com/influxdata/kapacitor/issues/711): Fix where database name with quotes breaks subscription startup logic. - [#719](https://github.com/influxdata/kapacitor/pull/719): Fix panic on replay. - [#723](https://github.com/influxdata/kapacitor/pull/723): BREAKING: Search for valid configuration on startup in ~/.kapacitor and /etc/kapacitor/. This is so that the -config CLI flag is not required if the configuration is found in a standard location. The configuration file being used is always logged to STDERR. - [#298](https://github.com/influxdata/kapacitor/issues/298): BREAKING: Change alert level evaluation so each level is independent and not required to be a subset of the previous level. The breaking change is that expression evaluation order changed. As a result stateful expressions that relied on that order are broken. - [#749](https://github.com/influxdata/kapacitor/issues/749): Fix issue with tasks with empty DAG. - [#718](https://github.com/influxdata/kapacitor/issues/718): Fix broken extra expressions for deadman's switch. - [#752](https://github.com/influxdata/kapacitor/issues/752): Fix various bugs relating to the `fill` operation on a JoinNode. Fill with batches and fill when using the `on` property were broken. Also changes the DefaultNode set defaults for nil fields. ## v1.0.0-beta3 [2016-07-09] ### Release Notes ### Features - [#662](https://github.com/influxdata/kapacitor/pull/662): Add `-skipVerify` flag to `kapacitor` CLI tool to skip SSL verification. - [#680](https://github.com/influxdata/kapacitor/pull/680): Add Telegram Alerting option, thanks @burdandrei! - [#46](https://github.com/influxdata/kapacitor/issues/46): Can now create combinations of points within the same stream. This is kind of like join but instead joining a stream with itself. - [#669](https://github.com/influxdata/kapacitor/pull/669): Add size function for humanize byte size. thanks @jsvisa! - [#697](https://github.com/influxdata/kapacitor/pull/697): Can now flatten a set of points into a single points creating dynamcially named fields. - [#698](https://github.com/influxdata/kapacitor/pull/698): Join delimiter can be specified. - [#695](https://github.com/influxdata/kapacitor/pull/695): Bash completion filters by enabled disabled status. Thanks @bbczeuz! - [#706](https://github.com/influxdata/kapacitor/pull/706): Package UDF agents - [#707](https://github.com/influxdata/kapacitor/pull/707): Add size field to BeginBatch struct of UDF protocol. Provides hint as to size of incoming batch. ### Bugfixes - [#656](https://github.com/influxdata/kapacitor/pull/656): Fix issues where an expression could not be passed as a function parameter in TICKscript. - [#627](https://github.com/influxdata/kapacitor/issues/627): Fix where InfluxQL functions that returned a batch could drop tags. - [#674](https://github.com/influxdata/kapacitor/issues/674): Fix panic with Join On and batches. - [#665](https://github.com/influxdata/kapacitor/issues/665): BREAKING: Fix file mode not being correct for Alert.Log files. Breaking change is that integers numbers prefixed with a 0 in TICKscript are interpreted as octal numbers. - [#667](https://github.com/influxdata/kapacitor/issues/667): Align deadman timestamps to interval. ## v1.0.0-beta2 [2016-06-17] ### Release Notes ### Features - [#636](https://github.com/influxdata/kapacitor/pull/636): Change HTTP logs to be in Common Log format. - [#652](https://github.com/influxdata/kapacitor/pull/652): Add optional replay ID to the task API so that you can get information about a task inside a running replay. ### Bugfixes - [#621](https://github.com/influxdata/kapacitor/pull/621): Fix obscure error about single vs double quotes. - [#623](https://github.com/influxdata/kapacitor/pull/623): Fix issues with recording metadata missing data url. - [#631](https://github.com/influxdata/kapacitor/issues/631): Fix issues with using iterative lambda expressions in an EvalNode. - [#628](https://github.com/influxdata/kapacitor/issues/628): BREAKING: Change `kapacitord config` to not search default location for configuration files but rather require the `-config` option. Since the `kapacitord run` command behaves this way they should be consistent. Fix issue with `kapacitord config > kapacitor.conf` when the output file was a default location for the config. - [#626](https://github.com/influxdata/kapacitor/issues/626): Fix issues when changing the ID of an enabled task. - [#624](https://github.com/influxdata/kapacitor/pull/624): Fix issues where you could get a read error on a closed UDF socket. - [#651](https://github.com/influxdata/kapacitor/pull/651): Fix issues where an error during a batch replay would hang because the task wouldn't stop. - [#650](https://github.com/influxdata/kapacitor/pull/650): BREAKING: The default retention policy name was changed to `autogen` in InfluxDB. This changes Kapacitor to use `autogen` for the default retention policy for the stats. You may need to update your task DBRPs to use `autogen` instead of `default`. ## v1.0.0-beta1 [2016-06-06] ### Release Notes #### Template Tasks The ability to create and use template tasks has been added. you can define a template for a task and reuse that template across multiple tasks. A simple example: ```go // Which measurement to consume var measurement string // Optional where filter var where_filter = lambda: TRUE // Optional list of group by dimensions var groups = [*] // Which field to process var field string // Warning criteria, has access to 'mean' field var warn lambda // Critical criteria, has access to 'mean' field var crit lambda // How much data to window var window = 5m // The slack channel for alerts var slack_channel = '#alerts' stream |from() .measurement(measurement) .where(where_filter) .groupBy(groups) |window() .period(window) .every(window) |mean(field) |alert() .warn(warn) .crit(crit) .slack() .channel(slack_channel) ``` Then you can define the template like so: ``` kapacitor define-template generic_mean_alert -tick path/to/above/script.tick -type stream ``` Next define a task that uses the template: ``` kapacitor define cpu_alert -template generic_mean_alert -vars cpu_vars.json -dbrp telegraf.default ``` Where `cpu_vars.json` would like like this: ```json { "measurement": {"type" : "string", "value" : "cpu" }, "where_filter": {"type": "lambda", "value": "\"cpu\" == 'cpu-total'"}, "groups": {"type": "list", "value": [{"type":"string", "value":"host"},{"type":"string", "value":"dc"}]}, "field": {"type" : "string", "value" : "usage_idle" }, "warn": {"type" : "lambda", "value" : " \"mean\" < 30.0" }, "crit": {"type" : "lambda", "value" : " \"mean\" < 10.0" }, "window": {"type" : "duration", "value" : "1m" }, "slack_channel": {"type" : "string", "value" : "#alerts_testing" } } ``` #### Live Replays With this release you can now replay data directly against a task from InfluxDB without having to first create a recording. Replay the queries defined in the batch task `cpu_alert` for the past 10 hours. ```sh kapacitor replay-live batch -task cpu_alert -past 10h ``` Or for a stream task with use a query directly: ```sh kapacitor replay-live query -task cpu_alert -query 'SELECT usage_idle FROM telegraf."default".cpu WHERE time > now() - 10h' ``` #### HTTP based subscriptions Now InfluxDB and Kapacitor support HTTP/S based subscriptions. This means that Kapacitor need only listen on a single port for the HTTP service, greatly simplifying configuration and setup. In order to start using HTTP subscriptions change the `subscription-protocol` option for your configured InfluxDB clusters. For example: ``` [[influxdb]] enabled = true urls = ["http://localhost:8086",] subscription-protocol = "http" # or to use https #subscription-protocol = "https" ``` On startup Kapacitor will detect the change and recreate the subscriptions in InfluxDB to use the HTTP protocol. >NOTE: While HTTP itself is a TCP transport such that packet loss shouldn't be an issue, if Kapacitor starts to slow down for whatever reason, InfluxDB will drop the subscription writes to Kapacitor. In order to know if subscription writes are being dropped you should monitor the measurement `_internal.monitor.subscriber` for the field `writeFailures`. #### Holt-Winters Forecasting This release contains an new Holt Winters InfluxQL function. With this forecasting method one can now define an alert based off forecasted future values. For example, the following TICKscript will take the last 30 days of disk usage stats and using holt-winters forecast the next 7 days. If the forecasted value crosses a threshold an alert is triggered. The result is now Kapacitor will alert you 7 days in advance of a disk filling up. This assumes a slow growth but by changing the vars in the script you could check for shorter growth intervals. ```go // The interval on which to aggregate the disk usage var growth_interval = 1d // The number of `growth_interval`s to forecast into the future var forecast_count = 7 // The amount of historical data to use for the fit var history = 30d // The critical threshold on used_percent var threshold = 90.0 batch |query(''' SELECT max(used_percent) as used_percent FROM "telegraf"."default"."disk" ''') .period(history) .every(growth_interval) .align() .groupBy(time(growth_interval), *) |holtWinters('used_percent', forecast_count, 0, growth_interval) .as('used_percent') |max('used_percent') .as('used_percent') |alert() // Trigger alert if the forecasted disk usage is greater than threshold .crit(lambda: "used_percent" > threshold) ``` ### Features - [#283](https://github.com/influxdata/kapacitor/issues/283): Add live replays. - [#500](https://github.com/influxdata/kapacitor/issues/500): Support Float,Integer,String and Boolean types. - [#82](https://github.com/influxdata/kapacitor/issues/82): Multiple services for PagerDuty alert. thanks @savagegus! - [#558](https://github.com/influxdata/kapacitor/pull/558): Preserve fields as well as tags on selector InfluxQL functions. - [#259](https://github.com/influxdata/kapacitor/issues/259): Template Tasks have been added. - [#562](https://github.com/influxdata/kapacitor/pull/562): HTTP based subscriptions. - [#595](https://github.com/influxdata/kapacitor/pull/595): Support counting and summing empty batches to 0. - [#596](https://github.com/influxdata/kapacitor/pull/596): Support new group by time offset i.e. time(30s, 5s) - [#416](https://github.com/influxdata/kapacitor/issues/416): Track ingress counts by database, retention policy, and measurement. Expose stats via cli. - [#586](https://github.com/influxdata/kapacitor/pull/586): Add spread stateful function. thanks @upccup! - [#600](https://github.com/influxdata/kapacitor/pull/600): Add close http response after handler laert post, thanks @jsvisa! - [#606](https://github.com/influxdata/kapacitor/pull/606): Add Holt-Winters forecasting method. - [#605](https://github.com/influxdata/kapacitor/pull/605): BREAKING: StatsNode for batch edge now count the number of points in a batch instead of count batches as a whole. This is only breaking if you have a deadman switch configured on a batch edge. - [#611](https://github.com/influxdata/kapacitor/pull/611): Adds bash completion to the kapacitor CLI tool. ### Bugfixes - [#540](https://github.com/influxdata/kapacitor/issues/540): Fixes bug with log level API endpoint. - [#521](https://github.com/influxdata/kapacitor/issues/521): EvalNode now honors groups. - [#561](https://github.com/influxdata/kapacitor/issues/561): Fixes bug when lambda expressions would return error about types with nested binary expressions. - [#555](https://github.com/influxdata/kapacitor/issues/555): Fixes bug where "time" functions didn't work in lambda expressions. - [#570](https://github.com/influxdata/kapacitor/issues/570): Removes panic in SMTP service on failed close connection. - [#587](https://github.com/influxdata/kapacitor/issues/587): Allow number literals without leading zeros. - [#584](https://github.com/influxdata/kapacitor/issues/584): Do not block during startup to send usage stats. - [#553](https://github.com/influxdata/kapacitor/issues/553): Periodically check if new InfluxDB DBRPs have been created. - [#602](https://github.com/influxdata/kapacitor/issues/602): Fix missing To property on email alert handler. - [#581](https://github.com/influxdata/kapacitor/issues/581): Record/Replay batch tasks get cluster info from task not API. - [#613](https://github.com/influxdata/kapacitor/issues/613): BREAKING: Allow the ID of templates and tasks to be updated via the PATCH method. The breaking change is that now PATCH request return a 200 with the template or task definition, where before they returned 204. ## v0.13.1 [2016-05-13] ### Release Notes >**Breaking changes may require special upgrade steps from versions <= 0.12, please read the 0.13.0 release notes** Along with the API changes of 0.13.0, validation logic was added to task IDs, but this was not well documented. This minor release remedies that. All IDs (tasks, recordings, replays) must match this regex `^[-\._\p{L}0-9]+$`, which is essentially numbers, unicode letters, '-', '.' and '_'. If you have existing tasks which do not match this pattern they should continue to function normally. ### Features ### Bugfixes - [#545](https://github.com/influxdata/kapacitor/issues/545): Fixes inconsistency with API docs for creating a task. - [#544](https://github.com/influxdata/kapacitor/issues/544): Fixes issues with existings tasks and invalid names. - [#543](https://github.com/influxdata/kapacitor/issues/543): Fixes default values not being set correctly in API calls. ## v0.13.0 [2016-05-11] ### Release Notes >**Breaking changes may require special upgrade steps please read below.** #### Upgrade Steps Changes to how and where task data is store have been made. In order to safely upgrade to version 0.13 you need to follow these steps: 1. Upgrade InfluxDB to version 0.13 first. 2. Update all TICKscripts to use the new `|` and `@` operators. Once Kapacitor no longer issues any `DEPRECATION` warnings you are ready to begin the upgrade. The upgrade will work without this step but tasks using the old syntax cannot be enabled, until modified to use the new syntax. 3. Upgrade the Kapacitor binary/package. 4. Configure new database location. By default the location `/var/lib/kapacitor/kapacitor.db` is chosen for package installs or `./kapacitor.db` for manual installs. Do **not** remove the configuration for the location of the old task.db database file since it is still needed to do the migration. ``` [storage] boltdb = "/var/lib/kapacitor/kapacitor.db" ``` 5. Restart Kapacitor. At this point Kapacitor will migrate all existing data to the new database file. If any errors occur Kapacitor will log them and fail to startup. This way if Kapacitor starts up you can be sure the migration was a success and can continue normal operation. The old database is opened in read only mode so that existing data cannot be corrupted. Its recommended to start Kapacitor in debug logging mode for the migration so you can follow the details of the migration process. At this point you may remove the configuration for the old `task` `dir` and restart Kapacitor to ensure everything is working. Kapacitor will attempt the migration on every startup while the old configuration and db file exist, but will skip any data that was already migrated. #### API Changes With this release the API has been updated to what we believe will be the stable version for a 1.0 release. Small changes may still be made but the significant work to create a RESTful HTTP API is complete. Many breaking changes introduced, see the [client/API.md](http://github.com/influxdata/kapacitor/blob/master/client/API.md) doc for details on how the API works now. #### CLI Changes Along with the API changes, breaking changes where also made to the `kapacitor` CLI command. Here is a break down of the CLI changes: * Every thing has an ID now: tasks, recordings, even replays. The `name` used before to define a task is now its `ID`. As such instead of using `-name` and `-id` to refer to tasks and recordings, the flags have been changed to `-task` and `-recording` accordingly. * Replays can be listed and deleted like tasks and recordings. * Replays default to `fast` clock mode. * The record and replay commands now have a `-no-wait` option to start but not wait for the recording/replay to complete. * Listing recordings and replays displays the status of the respective action. * Record and Replay command now have an optional flag `-replay-id`/`-recording-id` to specify the ID of the replay or recording. If not set then a random ID will be chosen like the previous behavior. #### Notable features UDF can now be managed externally to Kapacitor via Unix sockets. A process or container can be launched independent of Kapacitor exposing a socket. On startup Kapacitor will connect to the socket and begin communication. Example UDF config for a socket based UDF. ``` [udf] [udf.functions] [udf.functions.myCustomUDF] socket = "/path/to/socket" timeout = "10s" ``` Alert data can now be consumed directly from within TICKscripts. For example, let's say we want to store all data that triggered an alert in InfluxDB with a tag `level` containing the level string value (i.e CRITICAL). ```javascript ... |alert() .warn(...) .crit(...) .levelTag('level') // and/or use a field //.levelField('level') // Also tag the data with the alert ID .idTag('id') // and/or use a field //.idField('id') |influxDBOut() .database('alerts') ... ``` ### Features - [#360](https://github.com/influxdata/kapacitor/pull/360): Forking tasks by measurement in order to improve performance - [#386](https://github.com/influxdata/kapacitor/issues/386): Adds official Go HTTP client package. - [#399](https://github.com/influxdata/kapacitor/issues/399): Allow disabling of subscriptions. - [#417](https://github.com/influxdata/kapacitor/issues/417): UDFs can be connected over a Unix socket. This enables UDFs from across Docker containers. - [#451](https://github.com/influxdata/kapacitor/issues/451): StreamNode supports `|groupBy` and `|where` methods. - [#93](https://github.com/influxdata/kapacitor/issues/93): AlertNode now outputs data to child nodes. The output data can have either a tag or field indicating the alert level. - [#281](https://github.com/influxdata/kapacitor/issues/281): AlertNode now has an `.all()` property that specifies that all points in a batch must match the criteria in order to trigger an alert. - [#384](https://github.com/influxdata/kapacitor/issues/384): Add `elapsed` function to compute the time difference between subsequent points. - [#230](https://github.com/influxdata/kapacitor/issues/230): Alert.StateChangesOnly now accepts optional duration arg. An alert will be triggered for every interval even if the state has not changed. - [#426](https://github.com/influxdata/kapacitor/issues/426): Add `skip-format` query parameter to the `GET /task` endpoint so that returned TICKscript content is left unmodified from the user input. - [#388](https://github.com/influxdata/kapacitor/issues/388): The duration of an alert is now tracked and exposed as part of the alert data as well as can be set as a field via `.durationField('duration')`. - [#486](https://github.com/influxdata/kapacitor/pull/486): Default config file location. - [#461](https://github.com/influxdata/kapacitor/pull/461): Make Alerta `event` property configurable. - [#491](https://github.com/influxdata/kapacitor/pull/491): BREAKING: Rewriting stateful expression in order to improve performance, the only breaking change is: short circuit evaluation for booleans - for example: ``lambda: "bool_value" && (count() > 100)`` if "bool_value" is false, we won't evaluate "count". - [#504](https://github.com/influxdata/kapacitor/pull/504): BREAKING: Many changes to the API and underlying storage system. This release requires a special upgrade process. - [#511](https://github.com/influxdata/kapacitor/pull/511): Adds DefaultNode for providing default values for missing fields or tags. - [#285](https://github.com/influxdata/kapacitor/pull/285): Track created,modified and last enabled dates on tasks. - [#533](https://github.com/influxdata/kapacitor/pull/533): Add useful statistics for nodes. ### Bugfixes - [#499](https://github.com/influxdata/kapacitor/issues/499): Fix panic in InfluxQL nodes if field is missing or incorrect type. - [#441](https://github.com/influxdata/kapacitor/issues/441): Fix panic in UDF code. - [#429](https://github.com/influxdata/kapacitor/issues/429): BREAKING: Change TICKscript parser to be left-associative on equal precedence operators. For example previously this statement `(1+2-3*4/5)` was evaluated as `(1+(2-(3*(4/5))))` which is not the typical/expected behavior. Now using left-associative parsing the statement is evaluated as `((1+2)-((3*4)/5))`. - [#456](https://github.com/influxdata/kapacitor/pull/456): Fixes Alerta integration to let server set status, fix `rawData` attribute and set default severity to `indeterminate`. - [#425](https://github.com/influxdata/kapacitor/pull/425): BREAKING: Preserving tags on influxql simple selectors - first, last, max, min, percentile - [#423](https://github.com/influxdata/kapacitor/issues/423): Recording stream queries with group by now correctly saves data in time order not group by order. - [#331](https://github.com/influxdata/kapacitor/issues/331): Fix panic when missing `.as()` for JoinNode. - [#523](https://github.com/influxdata/kapacitor/pull/523): JoinNode will now emit join sets as soon as they are ready. If multiple joinable sets arrive in the same tolerance window than each will be emitted (previously the first points were dropped). - [#537](https://github.com/influxdata/kapacitor/issues/537): Fix panic in alert node when batch is empty. ## v0.12.0 [2016-04-04] ### Release Notes New TICKscript syntax that uses a different operators for chaining methods vs property methods vs UDF methods. * A chaining method is a method that creates a new node in the pipeline. Uses the `|` operator. * A property method is a method that changes a property on a node. Uses the `.` operator. * A UDF method is a method that calls out to a UDF. Uses the `@` operator. For example below the `from`, `mean`, and `alert` methods create new nodes, the `detectAnomalies` method calls a UDF, and the other methods modify the nodes as property methods. ```javascript stream |from() .measurement('cpu') .where(lambda: "cpu" == 'cpu-total') |mean('usage_idle') .as('value') @detectAnomalies() .field('mean') |alert() .crit(lambda: "anomaly_score" > 10) .log('/tmp/cpu.log') ``` With this change a new binary is provided with Kapacitor `tickfmt` which will format a TICKscript file according to a common standard. ### Features - [#299](https://github.com/influxdata/kapacitor/issues/299): Changes TICKscript chaining method operators and adds `tickfmt` binary. - [#389](https://github.com/influxdata/kapacitor/pull/389): Adds benchmarks to Kapacitor for basic use cases. - [#390](https://github.com/influxdata/kapacitor/issues/390): BREAKING: Remove old `.mapReduce` functions. - [#381](https://github.com/influxdata/kapacitor/pull/381): Adding enable/disable/delete/reload tasks by glob. - [#401](https://github.com/influxdata/kapacitor/issues/401): Add `.align()` property to BatchNode so you can align query start and stop times. ### Bugfixes - [#378](https://github.com/influxdata/kapacitor/issues/378): Fix issue where derivative would divide by zero. - [#387](https://github.com/influxdata/kapacitor/issues/387): Add `.quiet()` option to EvalNode so errors can be suppressed if expected. - [#400](https://github.com/influxdata/kapacitor/issues/400): All query/connection errors are counted and reported in BatchNode stats. - [#412](https://github.com/influxdata/kapacitor/pull/412): Fix issues with batch queries dropping points because of nil fields. - [#413](https://github.com/influxdata/kapacitor/pull/413): Allow disambiguation between ".groupBy" and "|groupBy". ## v0.11.0 [2016-03-22] ### Release Notes Kapacitor is now using the functions from the new query engine in InfluxDB core. Along with this change is a change in the TICKscript API so that using the InfluxQL functions is easier. Simply call the desired method directly no need to call `.mapReduce` explicitly. This change now hides the mapReduce aspect and handles it internally. Using `.mapReduce` is officially deprecated in this release and will be remove in the next major release. We feel that this change improves the readability of TICKscripts and exposes less implementation details to the end user. Updating your exising TICKscripts is simple. If previously you had code like this: ```javascript stream.from()... .window()... .mapReduce(influxql.count('value')) ``` then update it to look like this: ```javascript stream.from()... .window()... .count('value') ``` a simple regex could fix all your existing scripts. Kapacitor now exposes more internal metrics for determining the performance of a given task. The internal statistics includes a new measurement named `node` that contains any stats a node provides, tagged by the task, node, task type and kind of node (i.e. window vs union). All nodes provide an averaged execution time for the node. These stats are also available in the DOT output of the Kapacitor show command. Significant performance improvements have also been added. In some cases Kapacitor throughput has improved by 4X. Kapacitor can now connect to different InfluxDB clusters. Multiple InfluxDB config sections can be defined and one will be marked as default. To upgrade convert an `influxdb` config. From this: ``` [influxdb] enabled = true ... ``` to this: ``` [[influxdb]] enabled = true default = true name = "localhost" ... ``` Various improvements to joining features have been implemented. With #144 you can now join streams with differing group by dimensions. If you previously configured Email, Slack or HipChat globally now you must also set the `state-changes-only` option to true as well if you want to preserve the original behavior. For example: ``` [slack] enable = true global = true state-changes-only = true ``` ### Features - [#236](https://github.com/influxdata/kapacitor/issues/236): Implement batched group by - [#231](https://github.com/influxdata/kapacitor/pull/231): Add ShiftNode so values can be shifted in time for joining/comparisons. - [#190](https://github.com/influxdata/kapacitor/issues/190): BREAKING: Deadman's switch now triggers off emitted counts and is grouped by to original grouping of the data. The breaking change is that the 'collected' stat is no longer output for `.stats` and has been replaced by `emitted`. - [#145](https://github.com/influxdata/kapacitor/issues/145): The InfluxDB Out Node now writes data to InfluxDB in buffers. - [#215](https://github.com/influxdata/kapacitor/issues/215): Add performance metrics to nodes for average execution times and node throughput values. - [#144](https://github.com/influxdata/kapacitor/issues/144): Can now join streams with differing dimensions using the join.On property. - [#249](https://github.com/influxdata/kapacitor/issues/249): Can now use InfluxQL functions directly instead of via the MapReduce method. Example `stream.from().count()`. - [#233](https://github.com/influxdata/kapacitor/issues/233): BREAKING: Now you can use multiple InfluxDB clusters. The config changes to make this possible are breaking. See notes above for changes. - [#302](https://github.com/influxdata/kapacitor/issues/302): Can now use .Time in alert message. - [#239](https://github.com/influxdata/kapacitor/issues/239): Support more detailed TLS config when connecting to an InfluxDB host. - [#323](https://github.com/influxdata/kapacitor/pull/323): Stats for task execution are provided via JSON HTTP request instead of just DOT string. thanks @yosiat - [#358](https://github.com/influxdata/kapacitor/issues/358): Improved logging. Adds LogNode so any data in a pipeline can be logged. - [#366](https://github.com/influxdata/kapacitor/issues/366): HttpOutNode now allows chaining methods. ### Bugfixes - [#199](https://github.com/influxdata/kapacitor/issues/199): BREAKING: Various fixes for the Alerta integration. The `event` property has been removed from the Alerta node and is now set as the value of the alert ID. - [#232](https://github.com/influxdata/kapacitor/issues/232): Better error message for alert integrations. Better error message for VictorOps 404 response. - [#231](https://github.com/influxdata/kapacitor/issues/231): Fix window logic when there were gaps in the data stream longer than window every value. - [#213](https://github.com/influxdata/kapacitor/issues/231): Add SourceStreamNode so that yuou must always first call `.from` on the `stream` object before filtering it, so as to not create confusing to understand TICKscripts. - [#255](https://github.com/influxdata/kapacitor/issues/255): Add OPTIONS handler for task delete method so it can be preflighted. - [#258](https://github.com/influxdata/kapacitor/issues/258): Fix UDP internal metrics, change subscriptions to use clusterID. - [#240](https://github.com/influxdata/kapacitor/issues/240): BREAKING: Fix issues with Sensu integration. The breaking change is that the config no longer takes a `url` but rather a `host` option since the communication is raw TCP rather HTTP. - [#270](https://github.com/influxdata/kapacitor/issues/270): The HTTP server will now gracefully stop. - [#300](https://github.com/influxdata/kapacitor/issues/300): Add OPTIONS method to /recording endpoint for deletes. - [#304](https://github.com/influxdata/kapacitor/issues/304): Fix panic if recording query but do not have an InfluxDB instance configured - [#289](https://github.com/influxdata/kapacitor/issues/289): Add better error handling to batch node. - [#142](https://github.com/influxdata/kapacitor/issues/142): Fixes bug when defining multiple influxdb hosts. - [#266](https://github.com/influxdata/kapacitor/issues/266): Fixes error log for HipChat that is not an error. - [#333](https://github.com/influxdata/kapacitor/issues/333): Fixes hang when replaying with .stats node. Fixes issues with batch and stats. - [#340](https://github.com/influxdata/kapacitor/issues/340): BREAKING: Decouples global setting for alert handlers from the state changes only setting. - [#348](https://github.com/influxdata/kapacitor/issues/348): config.go: refactor to simplify structure and fix support for array elements - [#362](https://github.com/influxdata/kapacitor/issues/362): Fix bug with join tolerance and batches. ## v0.10.1 [2016-02-08] ### Release Notes This is a bug fix release that fixes many issues releated to the recent 0.10.0 release. The few additional features are focused on usability improvements from recent feedback. Improved UDFs, lots of bug fixes and improvements on the API. There was a breaking change for UDFs protobuf messages, see #176. There was a breaking change to the `define` command, see [#173](https://github.com/influxdata/kapacitor/issues/173) below. ### Features - [#176](https://github.com/influxdata/kapacitor/issues/176): BREAKING: Improved UDFs and groups. Now it is easy to deal with groups from the UDF process. There is a breaking change in the BeginBatch protobuf message for this change. - [#196](https://github.com/influxdata/kapacitor/issues/196): Adds a 'details' property to the alert node so that the email body can be defined. See also [#75](https://github.com/influxdata/kapacitor/issues/75). - [#132](https://github.com/influxdata/kapacitor/issues/132): Make is so multiple calls to `where` simply `AND` expressions together instead of replacing or creating extra nodes in the pipeline. - [#173](https://github.com/influxdata/kapacitor/issues/173): BREAKING: Added a `-no-reload` flag to the define command in the CLI. Now if the task is enabled define will automatically reload it unless `-no-reload` is passed. - [#194](https://github.com/influxdata/kapacitor/pull/194): Adds Talk integration for alerts. Thanks @wutaizeng! - [#320](https://github.com/influxdata/kapacitor/pull/320): Upgrade to go 1.6 ### Bugfixes - [#177](https://github.com/influxdata/kapacitor/issues/177): Fix panic for show command on batch tasks. - [#185](https://github.com/influxdata/kapacitor/issues/185): Fix panic in define command with invalid dbrp value. - [#195](https://github.com/influxdata/kapacitor/issues/195): Fix panic in where node. - [#208](https://github.com/influxdata/kapacitor/issues/208): Add default stats dbrp to default subscription excludes. - [#203](https://github.com/influxdata/kapacitor/issues/203): Fix hang when deleteing invalid batch task. - [#182](https://github.com/influxdata/kapacitor/issues/182): Fix missing/incorrect Content-Type headers for various HTTP endpoints. - [#187](https://github.com/influxdata/kapacitor/issues/187): Retry connecting to InfluxDB on startup for up to 5 minutes by default. ## v0.10.0 [2016-01-26] ### Release Notes This release marks the next major release of Kapacitor. With this release you can now run your own custom code for processing data within Kapacitor. See [udf/agent/README.md](https://github.com/influxdata/kapacitor/blob/master/udf/agent/README.md) for more details. With the addition of UDFs it is now possible to run custom anomaly detection alogrithms suited to your needs. There are simple examples of how to use UDFs in [udf/agent/examples](https://github.com/influxdata/kapacitor/tree/master/udf/agent/examples/). The version has jumped significantly so that it is inline with other projects in the TICK stack. This way you can easily tell which versions of Telegraf, InfluxDB, Chronograf and Kapacitor work together. See note on a breaking change in the HTTP API below. #163 ### Features - [#137](https://github.com/influxdata/kapacitor/issues/137): Add deadman's switch. Can be setup via TICKscript and globally via configuration. - [#72](https://github.com/influxdata/kapacitor/issues/72): Add support for User Defined Functions (UDFs). - [#139](https://github.com/influxdata/kapacitor/issues/139): Alerta.io support thanks! @md14454 - [#85](https://github.com/influxdata/kapacitor/issues/85): Sensu support using JIT clients. Thanks @sstarcher! - [#141](https://github.com/influxdata/kapacitor/issues/141): Time of day expressions for silencing alerts. ### Bugfixes - [#153](https://github.com/influxdata/kapacitor/issues/153): Fix panic if referencing non existant field in MapReduce function. - [#138](https://github.com/influxdata/kapacitor/issues/138): Change over to influxdata github org. - [#164](https://github.com/influxdata/kapacitor/issues/164): Update imports etc from InfluxDB as per the new meta store/client changes. - [#163](https://github.com/influxdata/kapacitor/issues/163): BREAKING CHANGE: Removed the 'api/v1' pathing from the HTTP API so that Kapacitor is path compatible with InfluxDB. While this is a breaking change the kapacitor cli has been updated accordingly and you will not experience any distruptions unless you were calling the HTTP API directly. - [#147](https://github.com/influxdata/kapacitor/issues/147): Compress .tar archives from builds. ## v0.2.4 [2016-01-07] ### Release Notes ### Features - [#118](https://github.com/influxdata/kapacitor/issues/118): Can now define multiple handlers of the same type on an AlertNode. - [#119](https://github.com/influxdata/kapacitor/issues/119): HipChat support thanks! @ericiles *2 - [#113](https://github.com/influxdata/kapacitor/issues/113): OpsGenie support thanks! @ericiles - [#107](https://github.com/influxdata/kapacitor/issues/107): Enable TICKscript variables to be defined and then referenced from lambda expressions. Also fixes various bugs around using regexes. ### Bugfixes - [#124](https://github.com/influxdata/kapacitor/issues/124): Fix panic where there is an error starting a task. - [#122](https://github.com/influxdata/kapacitor/issues/122): Fixes panic when using WhereNode. - [#128](https://github.com/influxdata/kapacitor/issues/128): Fix not sending emails when using recipient list from config. ## v0.2.3 [2015-12-22] ### Release Notes Bugfix #106 made a breaking change to the internal HTTP API. This was to facilitate integration testing and overall better design. Now POSTing a recording request will start the recording and immediately return. If you want to wait till it is complete do a GET for the recording info and it will block until its complete. The kapacitor cli has been updated accordingly. ### Features - [#96](https://github.com/influxdata/kapacitor/issues/96): Use KAPACITOR_URL env var for setting the kapacitord url in the client. - [#109](https://github.com/influxdata/kapacitor/pull/109): Add throughput counts to DOT format in `kapacitor show` command, if task is executing. ### Bugfixes - [#102](https://github.com/influxdata/kapacitor/issues/102): Fix race when start/stoping timeTicker in batch.go - [#106](https://github.com/influxdata/kapacitor/pull/106): Fix hang when replaying stream recording. ## v0.2.2 [2015-12-16] ### Release Notes Some bug fixes including one that cause Kapacitor to deadlock. ### Features - [#83](https://github.com/influxdata/kapacitor/pull/83): Use enterprise usage client, remove deprecated enterprise register and reporting features. ### Bugfixes - [#86](https://github.com/influxdata/kapacitor/issues/86): Fix dealock form errors in tasks. Also fixes issue where task failures did not get logged. - [#95](https://github.com/influxdata/kapacitor/pull/95): Fix race in bolt usage when starting enabled tasks at startup. ## v0.2.0 [2015-12-8] ### Release Notes Major public release.
{ "content_hash": "e02634a8e7eaf70f0ed14e070aaec0b8", "timestamp": "", "source": "github", "line_count": 1269, "max_line_length": 311, "avg_line_length": 53.7698975571316, "alnum_prop": 0.747252103057127, "repo_name": "adityacs/kapacitor", "id": "41999b574978d1f78081e5a49cf9ac213a2d4f1b", "size": "68276", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "CHANGELOG.md", "mode": "33188", "license": "mit", "language": [ { "name": "Go", "bytes": "3083641" }, { "name": "Python", "bytes": "60936" }, { "name": "Shell", "bytes": "18275" } ], "symlink_target": "" }
var child_process = require('child_process'); var path = require('path'); function wrapInterface(interfaceFile) { /* Set the command-line arguments */ var args = process.argv; /* Take the node interpreter path */ var nodeCommand = args.shift(); /* Discard the node script */ args.shift(); /* Determine the path to the interface */ var interfacePath = path.join(path.dirname(module.filename), interfaceFile); /* Compose command line arguments to invoke the interface */ args = [ interfacePath ].concat(args); /* * Compose environment that contains nijs and its dependencies in the NODE_PATH * environment variable */ var nijsPath = path.resolve(path.join(path.dirname(module.filename), "..", "..")); var newEnv = process.env; if(newEnv.NODE_PATH === undefined || newEnv.NODE_PATH == "") newEnv.NODE_PATH = nijsPath + path.delimiter + path.join(nijsPath, "nijs", "node_modules"); else newEnv.NODE_PATH = nijsPath + path.delimiter + path.join(nijsPath, "nijs", "node_modules") + path.delimiter + newEnv.NODE_PATH; /* Spawn the interface process */ var nijsBuildProcess = child_process.spawn(nodeCommand, args, { env: newEnv }); nijsBuildProcess.stdout.on("data", function(data) { process.stdout.write(data); }); nijsBuildProcess.stderr.on("data", function(data) { process.stderr.write(data); }); nijsBuildProcess.on("exit", function(code) { process.exit(code); }); } exports.wrapInterface = wrapInterface;
{ "content_hash": "0c25b839d6aab5039a0d7096ddad3bdb", "timestamp": "", "source": "github", "line_count": 50, "max_line_length": 135, "avg_line_length": 31.28, "alnum_prop": 0.6547314578005116, "repo_name": "svanderburg/nijs", "id": "bbf2d7c5de5907b762982e6b2515c8375bfcd8c1", "size": "1564", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "bin/wrapper.js", "mode": "33188", "license": "mit", "language": [ { "name": "JavaScript", "bytes": "104961" }, { "name": "Nix", "bytes": "79247" }, { "name": "Shell", "bytes": "7518" } ], "symlink_target": "" }
#ifdef HAVE_CONFIG_H #include "config.h" #endif #include <xorg-server.h> #include <xserver-properties.h> #include "eventcomm.h" #include <errno.h> #include <sys/types.h> #include <sys/stat.h> #include <fcntl.h> #include <dirent.h> #include <string.h> #include <stdio.h> #include <time.h> #include "synproto.h" #include "synaptics.h" #include "synapticsstr.h" #include <xf86.h> #include <libevdev/libevdev.h> #ifndef INPUT_PROP_BUTTONPAD #define INPUT_PROP_BUTTONPAD 0x02 #endif #ifndef INPUT_PROP_SEMI_MT #define INPUT_PROP_SEMI_MT 0x03 #endif #ifndef INPUT_PROP_TOPBUTTONPAD #define INPUT_PROP_TOPBUTTONPAD 0x04 #endif #ifndef ABS_MT_TOOL_Y #define ABS_MT_TOOL_Y 0x3d #endif #define SYSCALL(call) while (((call) == -1) && (errno == EINTR)) #define LONG_BITS (sizeof(long) * 8) #define NBITS(x) (((x) + LONG_BITS - 1) / LONG_BITS) #define OFF(x) ((x) % LONG_BITS) #define LONG(x) ((x) / LONG_BITS) #define TEST_BIT(bit, array) ((array[LONG(bit)] >> OFF(bit)) & 1) #define ABS_MT_MIN ABS_MT_SLOT #define ABS_MT_MAX ABS_MT_TOOL_Y #define ABS_MT_CNT (ABS_MT_MAX - ABS_MT_MIN + 1) /** * Protocol-specific data. */ struct eventcomm_proto_data { /** * Do we need to grab the event device? * Note that in the current flow, this variable is always false and * exists for readability of the code. */ BOOL need_grab; int st_to_mt_offset[2]; double st_to_mt_scale[2]; int axis_map[ABS_MT_CNT]; int cur_slot; ValuatorMask **last_mt_vals; int num_touches; struct libevdev *evdev; enum libevdev_read_flag read_flag; int have_monotonic_clock; }; #ifdef HAVE_LIBEVDEV_DEVICE_LOG_FUNCS static void libevdev_log_func(const struct libevdev *dev, enum libevdev_log_priority priority, void *data, const char *file, int line, const char *func, const char *format, va_list args) _X_ATTRIBUTE_PRINTF(7, 0); static void libevdev_log_func(const struct libevdev *dev, enum libevdev_log_priority priority, void *data, const char *file, int line, const char *func, const char *format, va_list args) { int verbosity; switch(priority) { case LIBEVDEV_LOG_ERROR: verbosity = 0; break; case LIBEVDEV_LOG_INFO: verbosity = 4; break; case LIBEVDEV_LOG_DEBUG: default: verbosity = 10; break; } LogVMessageVerbSigSafe(X_NOTICE, verbosity, format, args); } #endif struct eventcomm_proto_data * EventProtoDataAlloc(int fd) { struct eventcomm_proto_data *proto_data; int rc; proto_data = calloc(1, sizeof(struct eventcomm_proto_data)); if (!proto_data) return NULL; proto_data->st_to_mt_scale[0] = 1; proto_data->st_to_mt_scale[1] = 1; proto_data->evdev = libevdev_new(); if (!proto_data->evdev) { rc = -1; goto out; } #ifdef HAVE_LIBEVDEV_DEVICE_LOG_FUNCS libevdev_set_device_log_function(proto_data->evdev, libevdev_log_func, LIBEVDEV_LOG_DEBUG, NULL); #endif rc = libevdev_set_fd(proto_data->evdev, fd); if (rc < 0) { goto out; } proto_data->read_flag = LIBEVDEV_READ_FLAG_NORMAL; out: if (rc < 0) { if (proto_data && proto_data->evdev) libevdev_free(proto_data->evdev); free(proto_data); proto_data = NULL; } return proto_data; } static void UninitializeTouch(InputInfoPtr pInfo) { SynapticsPrivate *priv = (SynapticsPrivate *) pInfo->private; struct eventcomm_proto_data *proto_data = (struct eventcomm_proto_data *) priv->proto_data; if (!priv->has_touch) return; if (proto_data->last_mt_vals) { int i; for (i = 0; i < priv->num_slots; i++) valuator_mask_free(&proto_data->last_mt_vals[i]); free(proto_data->last_mt_vals); proto_data->last_mt_vals = NULL; } proto_data->num_touches = 0; } static void InitializeTouch(InputInfoPtr pInfo) { SynapticsPrivate *priv = (SynapticsPrivate *) pInfo->private; struct eventcomm_proto_data *proto_data = (struct eventcomm_proto_data *) priv->proto_data; int i; if (!priv->has_touch) return; proto_data->cur_slot = libevdev_get_current_slot(proto_data->evdev); proto_data->num_touches = 0; proto_data->last_mt_vals = calloc(priv->num_slots, sizeof(ValuatorMask *)); if (!proto_data->last_mt_vals) { xf86IDrvMsg(pInfo, X_WARNING, "failed to allocate MT last values mask array\n"); UninitializeTouch(pInfo); return; } for (i = 0; i < priv->num_slots; i++) { int j; proto_data->last_mt_vals[i] = valuator_mask_new(4 + priv->num_mt_axes); if (!proto_data->last_mt_vals[i]) { xf86IDrvMsg(pInfo, X_WARNING, "failed to allocate MT last values mask\n"); UninitializeTouch(pInfo); return; } /* Axes 0-4 are for X, Y, and scrolling. num_mt_axes does not include X * and Y. */ valuator_mask_set(proto_data->last_mt_vals[i], 0, 0); valuator_mask_set(proto_data->last_mt_vals[i], 1, 0); for (j = 0; j < priv->num_mt_axes; j++) valuator_mask_set(proto_data->last_mt_vals[i], 4 + j, 0); } } static Bool EventDeviceOnHook(InputInfoPtr pInfo, SynapticsParameters * para) { SynapticsPrivate *priv = (SynapticsPrivate *) pInfo->private; struct eventcomm_proto_data *proto_data = (struct eventcomm_proto_data *) priv->proto_data; int ret; if (libevdev_get_fd(proto_data->evdev) != -1) { struct input_event ev; libevdev_change_fd(proto_data->evdev, pInfo->fd); /* re-sync libevdev's state, but we don't care about the actual events here */ libevdev_next_event(proto_data->evdev, LIBEVDEV_READ_FLAG_FORCE_SYNC, &ev); while (libevdev_next_event(proto_data->evdev, LIBEVDEV_READ_FLAG_SYNC, &ev) == LIBEVDEV_READ_STATUS_SYNC) ; } else libevdev_set_fd(proto_data->evdev, pInfo->fd); if (para->grab_event_device) { /* Try to grab the event device so that data don't leak to /dev/input/mice */ ret = libevdev_grab(proto_data->evdev, LIBEVDEV_GRAB); if (ret < 0) { xf86IDrvMsg(pInfo, X_WARNING, "can't grab event device, errno=%d\n", -ret); return FALSE; } } proto_data->need_grab = FALSE; ret = libevdev_set_clock_id(proto_data->evdev, CLOCK_MONOTONIC); proto_data->have_monotonic_clock = (ret == 0); InitializeTouch(pInfo); return TRUE; } static Bool EventDeviceOffHook(InputInfoPtr pInfo) { SynapticsPrivate *priv = (SynapticsPrivate *) pInfo->private; struct eventcomm_proto_data *proto_data = priv->proto_data; UninitializeTouch(pInfo); libevdev_grab(proto_data->evdev, LIBEVDEV_UNGRAB); libevdev_set_log_function(NULL, NULL); libevdev_set_log_priority(LIBEVDEV_LOG_INFO); /* reset to default */ return Success; } /** * Test if the device on the file descriptior is recognized as touchpad * device. Required bits for touchpad recognition are: * - ABS_X + ABS_Y for absolute axes * - ABS_PRESSURE or BTN_TOUCH * - BTN_TOOL_FINGER * - BTN_TOOL_PEN is _not_ set * * @param evdev Libevdev handle * * @return TRUE if the device is a touchpad or FALSE otherwise. */ static Bool event_query_is_touchpad(struct libevdev *evdev) { /* Check for ABS_X, ABS_Y, ABS_PRESSURE and BTN_TOOL_FINGER */ if (!libevdev_has_event_type(evdev, EV_SYN) || !libevdev_has_event_type(evdev, EV_ABS) || !libevdev_has_event_type(evdev, EV_KEY)) return FALSE; if (!libevdev_has_event_code(evdev, EV_ABS, ABS_X) || !libevdev_has_event_code(evdev, EV_ABS, ABS_Y)) return FALSE; /* we expect touchpad either report raw pressure or touches */ if (!libevdev_has_event_code(evdev, EV_KEY, BTN_TOUCH) && !libevdev_has_event_code(evdev, EV_ABS, ABS_PRESSURE)) return FALSE; /* all Synaptics-like touchpad report BTN_TOOL_FINGER */ if (!libevdev_has_event_code(evdev, EV_KEY, BTN_TOOL_FINGER) || libevdev_has_event_code(evdev, EV_ABS, BTN_TOOL_PEN)) /* Don't match wacom tablets */ return FALSE; return TRUE; } #define PRODUCT_ANY 0x0000 struct model_lookup_t { short vendor; short product_start; short product_end; enum TouchpadModel model; }; static struct model_lookup_t model_lookup_table[] = { {0x0002, 0x0007, 0x0007, MODEL_SYNAPTICS}, {0x0002, 0x0008, 0x0008, MODEL_ALPS}, {0x05ac, PRODUCT_ANY, 0x222, MODEL_APPLETOUCH}, {0x05ac, 0x223, 0x228, MODEL_UNIBODY_MACBOOK}, {0x05ac, 0x229, 0x22b, MODEL_APPLETOUCH}, {0x05ac, 0x22c, PRODUCT_ANY, MODEL_UNIBODY_MACBOOK}, {0x0002, 0x000e, 0x000e, MODEL_ELANTECH}, {0x0, 0x0, 0x0, 0x0} }; /** * Check for the vendor/product id on the file descriptor and compare * with the built-in model LUT. This information is used in synaptics.c to * initialize model-specific dimensions. * * @param fd The file descriptor to a event device. * @param[out] model_out The type of touchpad model detected. * * @return TRUE on success or FALSE otherwise. */ static Bool event_query_model(struct libevdev *evdev, enum TouchpadModel *model_out, unsigned short *vendor_id, unsigned short *product_id) { int vendor, product; struct model_lookup_t *model_lookup; vendor = libevdev_get_id_vendor(evdev); product = libevdev_get_id_product(evdev); for (model_lookup = model_lookup_table; model_lookup->vendor; model_lookup++) { if (model_lookup->vendor == vendor && (model_lookup->product_start == PRODUCT_ANY || model_lookup->product_start <= product) && (model_lookup->product_end == PRODUCT_ANY || model_lookup->product_end >= product)) *model_out = model_lookup->model; } *vendor_id = vendor; *product_id = product; return TRUE; } /** * Get absinfo information from the given file descriptor for the given * ABS_FOO code and store the information in min, max, fuzz and res. * * @param fd File descriptor to an event device * @param code Event code (e.g. ABS_X) * @param[out] min Minimum axis range * @param[out] max Maximum axis range * @param[out] fuzz Fuzz of this axis. If NULL, fuzz is ignored. * @param[out] res Axis resolution. If NULL or the current kernel does not * support the resolution field, res is ignored * * @return Zero on success, or errno otherwise. */ static int event_get_abs(struct libevdev *evdev, int code, int *min, int *max, int *fuzz, int *res) { const struct input_absinfo *abs; abs = libevdev_get_abs_info(evdev, code); *min = abs->minimum; *max = abs->maximum; /* We dont trust a zero fuzz as it probably is just a lazy value */ if (fuzz && abs->fuzz > 0) *fuzz = abs->fuzz; #if LINUX_VERSION_CODE > KERNEL_VERSION(2,6,30) if (res) *res = abs->resolution; #endif return 0; } /* Query device for axis ranges */ static void event_query_axis_ranges(InputInfoPtr pInfo) { SynapticsPrivate *priv = (SynapticsPrivate *) pInfo->private; struct eventcomm_proto_data *proto_data = priv->proto_data; char buf[256] = { 0 }; /* The kernel's fuzziness concept seems a bit weird, but it can more or * less be applied as hysteresis directly, i.e. no factor here. */ event_get_abs(proto_data->evdev, ABS_X, &priv->minx, &priv->maxx, &priv->synpara.hyst_x, &priv->resx); event_get_abs(proto_data->evdev, ABS_Y, &priv->miny, &priv->maxy, &priv->synpara.hyst_y, &priv->resy); priv->has_pressure = libevdev_has_event_code(proto_data->evdev, EV_ABS, ABS_PRESSURE); priv->has_width = libevdev_has_event_code(proto_data->evdev, EV_ABS, ABS_TOOL_WIDTH); if (priv->has_pressure) event_get_abs(proto_data->evdev, ABS_PRESSURE, &priv->minp, &priv->maxp, NULL, NULL); if (priv->has_width) event_get_abs(proto_data->evdev, ABS_TOOL_WIDTH, &priv->minw, &priv->maxw, NULL, NULL); if (priv->has_touch) { int st_minx = priv->minx; int st_maxx = priv->maxx; int st_miny = priv->miny; int st_maxy = priv->maxy; event_get_abs(proto_data->evdev, ABS_MT_POSITION_X, &priv->minx, &priv->maxx, &priv->synpara.hyst_x, &priv->resx); event_get_abs(proto_data->evdev, ABS_MT_POSITION_Y, &priv->miny, &priv->maxy, &priv->synpara.hyst_y, &priv->resy); proto_data->st_to_mt_offset[0] = priv->minx - st_minx; proto_data->st_to_mt_scale[0] = (priv->maxx - priv->minx) / (st_maxx - st_minx); proto_data->st_to_mt_offset[1] = priv->miny - st_miny; proto_data->st_to_mt_scale[1] = (priv->maxy - priv->miny) / (st_maxy - st_miny); } priv->has_left = libevdev_has_event_code(proto_data->evdev, EV_KEY, BTN_LEFT); priv->has_right = libevdev_has_event_code(proto_data->evdev, EV_KEY, BTN_RIGHT); priv->has_middle = libevdev_has_event_code(proto_data->evdev, EV_KEY, BTN_MIDDLE); priv->has_double = libevdev_has_event_code(proto_data->evdev, EV_KEY, BTN_TOOL_DOUBLETAP); priv->has_triple = libevdev_has_event_code(proto_data->evdev, EV_KEY, BTN_TOOL_TRIPLETAP); if (libevdev_has_event_code(proto_data->evdev, EV_KEY, BTN_0) || libevdev_has_event_code(proto_data->evdev, EV_KEY, BTN_1) || libevdev_has_event_code(proto_data->evdev, EV_KEY, BTN_2) || libevdev_has_event_code(proto_data->evdev, EV_KEY, BTN_3)) priv->has_scrollbuttons = 1; /* Now print the device information */ xf86IDrvMsg(pInfo, X_PROBED, "x-axis range %d - %d (res %d)\n", priv->minx, priv->maxx, priv->resx); xf86IDrvMsg(pInfo, X_PROBED, "y-axis range %d - %d (res %d)\n", priv->miny, priv->maxy, priv->resy); if (priv->has_pressure) xf86IDrvMsg(pInfo, X_PROBED, "pressure range %d - %d\n", priv->minp, priv->maxp); else xf86IDrvMsg(pInfo, X_INFO, "device does not report pressure, will use touch data.\n"); if (priv->has_width) xf86IDrvMsg(pInfo, X_PROBED, "finger width range %d - %d\n", priv->minw, priv->maxw); else xf86IDrvMsg(pInfo, X_INFO, "device does not report finger width.\n"); if (priv->has_left) strcat(buf, " left"); if (priv->has_right) strcat(buf, " right"); if (priv->has_middle) strcat(buf, " middle"); if (priv->has_double) strcat(buf, " double"); if (priv->has_triple) strcat(buf, " triple"); if (priv->has_scrollbuttons) strcat(buf, " scroll-buttons"); xf86IDrvMsg(pInfo, X_PROBED, "buttons:%s\n", buf); } static Bool EventQueryHardware(InputInfoPtr pInfo) { SynapticsPrivate *priv = (SynapticsPrivate *) pInfo->private; struct eventcomm_proto_data *proto_data = priv->proto_data; if (!event_query_is_touchpad(proto_data->evdev)) return FALSE; xf86IDrvMsg(pInfo, X_PROBED, "touchpad found\n"); return TRUE; } static Bool SynapticsReadEvent(InputInfoPtr pInfo, struct input_event *ev) { SynapticsPrivate *priv = (SynapticsPrivate *) pInfo->private; struct eventcomm_proto_data *proto_data = priv->proto_data; int rc; static struct timeval last_event_time; rc = libevdev_next_event(proto_data->evdev, proto_data->read_flag, ev); if (rc < 0) { if (rc != -EAGAIN) { LogMessageVerbSigSafe(X_ERROR, 0, "%s: Read error %d\n", pInfo->name, errno); } else if (proto_data->read_flag == LIBEVDEV_READ_FLAG_SYNC) { proto_data->read_flag = LIBEVDEV_READ_FLAG_NORMAL; return SynapticsReadEvent(pInfo, ev); } return FALSE; } /* SYN_DROPPED received in normal mode. Create a normal EV_SYN so we process what's in the queue atm, then ensure we sync next time */ if (rc == LIBEVDEV_READ_STATUS_SYNC && proto_data->read_flag == LIBEVDEV_READ_FLAG_NORMAL) { proto_data->read_flag = LIBEVDEV_READ_FLAG_SYNC; ev->type = EV_SYN; ev->code = SYN_REPORT; ev->value = 0; ev->time = last_event_time; } else if (ev->type == EV_SYN) last_event_time = ev->time; return TRUE; } static Bool EventTouchSlotPreviouslyOpen(SynapticsPrivate * priv, int slot) { int i; for (i = 0; i < priv->num_active_touches; i++) if (priv->open_slots[i] == slot) return TRUE; return FALSE; } static void EventProcessTouchEvent(InputInfoPtr pInfo, struct SynapticsHwState *hw, struct input_event *ev) { SynapticsPrivate *priv = (SynapticsPrivate *) pInfo->private; struct eventcomm_proto_data *proto_data = priv->proto_data; if (!priv->has_touch) return; if (ev->code == ABS_MT_SLOT) { proto_data->cur_slot = ev->value; } else { int slot_index = proto_data->cur_slot; if (slot_index < 0) return; if (hw->slot_state[slot_index] == SLOTSTATE_OPEN_EMPTY) hw->slot_state[slot_index] = SLOTSTATE_UPDATE; if (ev->code == ABS_MT_TRACKING_ID) { if (ev->value >= 0) { hw->slot_state[slot_index] = SLOTSTATE_OPEN; proto_data->num_touches++; valuator_mask_copy(hw->mt_mask[slot_index], proto_data->last_mt_vals[slot_index]); } else if (hw->slot_state[slot_index] != SLOTSTATE_EMPTY) { hw->slot_state[slot_index] = SLOTSTATE_CLOSE; proto_data->num_touches--; } /* When there are no fingers on the touchpad, set width and * pressure to zero as ABS_MT_TOUCH_MAJOR and ABS_MT_PRESSURE * are not zero when fingers are released. */ if (proto_data->num_touches == 0) { hw->fingerWidth = 0; hw->z = 0; } } else { ValuatorMask *mask = proto_data->last_mt_vals[slot_index]; int map = proto_data->axis_map[ev->code - ABS_MT_TOUCH_MAJOR]; int last_val = valuator_mask_get(mask, map); valuator_mask_set(hw->mt_mask[slot_index], map, ev->value); if (EventTouchSlotPreviouslyOpen(priv, slot_index)) { if (ev->code == ABS_MT_POSITION_X) hw->cumulative_dx += ev->value - last_val; else if (ev->code == ABS_MT_POSITION_Y) hw->cumulative_dy += ev->value - last_val; else if (ev->code == ABS_MT_TOUCH_MAJOR && priv->has_mt_palm_detect) hw->fingerWidth = ev->value; else if (ev->code == ABS_MT_PRESSURE && priv->has_mt_palm_detect) hw->z = ev->value; } valuator_mask_set(mask, map, ev->value); } } } /** * Count the number of fingers based on the CommData information. * The CommData struct contains the event information based on previous * struct input_events, now we're just counting based on that. * * @param comm Assembled information from previous events. * @return The number of fingers currently set. */ static int count_fingers(InputInfoPtr pInfo, const struct CommData *comm) { SynapticsPrivate *priv = (SynapticsPrivate *) pInfo->private; struct eventcomm_proto_data *proto_data = priv->proto_data; int fingers = 0; if (comm->oneFinger) fingers = 1; else if (comm->twoFingers) fingers = 2; else if (comm->threeFingers) fingers = 3; else if (comm->fourFingers) fingers=4; else if (comm->fiveFingers) fingers=5; if (priv->has_touch && proto_data->num_touches > fingers) fingers = proto_data->num_touches; return fingers; } static inline double apply_st_scaling(struct eventcomm_proto_data *proto_data, int value, int axis) { return value * proto_data->st_to_mt_scale[axis] + proto_data->st_to_mt_offset[axis]; } Bool EventReadHwState(InputInfoPtr pInfo, struct CommData *comm, struct SynapticsHwState *hwRet) { struct input_event ev; Bool v; struct SynapticsHwState *hw = comm->hwState; SynapticsPrivate *priv = (SynapticsPrivate *) pInfo->private; SynapticsParameters *para = &priv->synpara; struct eventcomm_proto_data *proto_data = priv->proto_data; Bool sync_cumulative = FALSE; SynapticsResetTouchHwState(hw, FALSE); /* Reset cumulative values if buttons were not previously pressed and no * two-finger scrolling is ongoing, or no finger was previously present. */ if (((!hw->left && !hw->right && !hw->middle) && !(priv->vert_scroll_twofinger_on || priv->vert_scroll_twofinger_on)) || hw->z < para->finger_low) { hw->cumulative_dx = hw->x; hw->cumulative_dy = hw->y; sync_cumulative = TRUE; } while (SynapticsReadEvent(pInfo, &ev)) { switch (ev.type) { case EV_SYN: switch (ev.code) { case SYN_REPORT: hw->numFingers = count_fingers(pInfo, comm); if (proto_data->have_monotonic_clock) hw->millis = 1000 * ev.time.tv_sec + ev.time.tv_usec / 1000; else hw->millis = GetTimeInMillis(); SynapticsCopyHwState(hwRet, hw); return TRUE; } break; case EV_KEY: v = (ev.value ? TRUE : FALSE); switch (ev.code) { case BTN_LEFT: hw->left = v; break; case BTN_RIGHT: hw->right = v; break; case BTN_MIDDLE: hw->middle = v; break; case BTN_FORWARD: hw->up = v; break; case BTN_BACK: hw->down = v; break; case BTN_0: hw->multi[0] = v; break; case BTN_1: hw->multi[1] = v; break; case BTN_2: hw->multi[2] = v; break; case BTN_3: hw->multi[3] = v; break; case BTN_4: hw->multi[4] = v; break; case BTN_5: hw->multi[5] = v; break; case BTN_6: hw->multi[6] = v; break; case BTN_7: hw->multi[7] = v; break; case BTN_TOOL_FINGER: comm->oneFinger = v; break; case BTN_TOOL_DOUBLETAP: comm->twoFingers = v; break; case BTN_TOOL_TRIPLETAP: comm->threeFingers = v; break; case BTN_TOOL_QUADTAP: comm->fourFingers = v; break; case BTN_TOOL_QUINTTAP: comm->fiveFingers = v; break; case BTN_TOUCH: if (!priv->has_pressure) hw->z = v ? para->finger_high + 1 : 0; break; } break; case EV_ABS: if (ev.code < ABS_MT_SLOT) { switch (ev.code) { case ABS_X: hw->x = apply_st_scaling(proto_data, ev.value, 0); if (sync_cumulative) hw->cumulative_dx = hw->x; break; case ABS_Y: hw->y = apply_st_scaling(proto_data, ev.value, 1); if (sync_cumulative) hw->cumulative_dy = hw->y; break; case ABS_PRESSURE: hw->z = ev.value; break; case ABS_TOOL_WIDTH: hw->fingerWidth = ev.value; break; } } else EventProcessTouchEvent(pInfo, hw, &ev); break; } } return FALSE; } /* filter for the AutoDevProbe scandir on /dev/input */ static int EventDevOnly(const struct dirent *dir) { return strncmp(EVENT_DEV_NAME, dir->d_name, 5) == 0; } static void event_query_touch(InputInfoPtr pInfo) { SynapticsPrivate *priv = (SynapticsPrivate *) pInfo->private; SynapticsParameters *para = &priv->synpara; struct eventcomm_proto_data *proto_data = priv->proto_data; struct libevdev *dev = proto_data->evdev; int axis; priv->max_touches = 0; priv->num_mt_axes = 0; #ifdef EVIOCGPROP if (libevdev_has_property(dev, INPUT_PROP_SEMI_MT)) { xf86IDrvMsg(pInfo, X_INFO, "ignoring touch events for semi-multitouch device\n"); priv->has_semi_mt = TRUE; } if (libevdev_has_property(dev, INPUT_PROP_BUTTONPAD)) { xf86IDrvMsg(pInfo, X_INFO, "found clickpad property\n"); para->clickpad = TRUE; } if (libevdev_has_property(dev, INPUT_PROP_TOPBUTTONPAD)) { xf86IDrvMsg(pInfo, X_INFO, "found top buttonpad property\n"); para->has_secondary_buttons = TRUE; } #endif if (libevdev_has_event_code(dev, EV_ABS, ABS_MT_SLOT)) { for (axis = ABS_MT_SLOT + 1; axis <= ABS_MT_MAX; axis++) { if (!libevdev_has_event_code(dev, EV_ABS, axis)) continue; priv->has_touch = TRUE; /* X and Y axis info is handled by synaptics already and we don't expose the tracking ID */ if (axis == ABS_MT_POSITION_X || axis == ABS_MT_POSITION_Y || axis == ABS_MT_TRACKING_ID) continue; priv->num_mt_axes++; } } if (priv->has_touch) { int axnum; static const char *labels[ABS_MT_MAX] = { AXIS_LABEL_PROP_ABS_MT_TOUCH_MAJOR, AXIS_LABEL_PROP_ABS_MT_TOUCH_MINOR, AXIS_LABEL_PROP_ABS_MT_WIDTH_MAJOR, AXIS_LABEL_PROP_ABS_MT_WIDTH_MINOR, AXIS_LABEL_PROP_ABS_MT_ORIENTATION, AXIS_LABEL_PROP_ABS_MT_POSITION_X, AXIS_LABEL_PROP_ABS_MT_POSITION_Y, AXIS_LABEL_PROP_ABS_MT_TOOL_TYPE, AXIS_LABEL_PROP_ABS_MT_BLOB_ID, AXIS_LABEL_PROP_ABS_MT_TRACKING_ID, AXIS_LABEL_PROP_ABS_MT_PRESSURE, AXIS_LABEL_PROP_ABS_MT_DISTANCE, AXIS_LABEL_PROP_ABS_MT_TOOL_X, AXIS_LABEL_PROP_ABS_MT_TOOL_Y, }; priv->max_touches = libevdev_get_num_slots(dev); priv->touch_axes = malloc(priv->num_mt_axes * sizeof(SynapticsTouchAxisRec)); if (!priv->touch_axes) { priv->has_touch = FALSE; return; } if (libevdev_has_event_code(dev, EV_ABS, ABS_MT_TOUCH_MAJOR) && libevdev_has_event_code(dev, EV_ABS, ABS_MT_PRESSURE)) priv->has_mt_palm_detect = TRUE; axnum = 0; for (axis = ABS_MT_SLOT + 1; axis <= ABS_MT_MAX; axis++) { int axis_idx = axis - ABS_MT_TOUCH_MAJOR; if (!libevdev_has_event_code(dev, EV_ABS, axis)) continue; switch (axis) { /* X and Y axis info is handled by synaptics already, we just * need to map the evdev codes to the valuator numbers */ case ABS_MT_POSITION_X: proto_data->axis_map[axis_idx] = 0; break; case ABS_MT_POSITION_Y: proto_data->axis_map[axis_idx] = 1; break; /* Skip tracking ID info */ case ABS_MT_TRACKING_ID: break; default: if (axis_idx >= sizeof(labels)/sizeof(labels[0])) { xf86IDrvMsg(pInfo, X_ERROR, "Axis %d out of label range. This is a bug\n", axis); priv->touch_axes[axnum].label = NULL; } else priv->touch_axes[axnum].label = labels[axis_idx]; priv->touch_axes[axnum].min = libevdev_get_abs_minimum(dev, axis); priv->touch_axes[axnum].max = libevdev_get_abs_maximum(dev, axis); /* Kernel provides units/mm, X wants units/m */ priv->touch_axes[axnum].res = libevdev_get_abs_resolution(dev, axis) * 1000; /* Valuators 0-3 are used for X, Y, and scrolling */ proto_data->axis_map[axis_idx] = 4 + axnum; axnum++; break; } } } } /** * Probe the open device for dimensions. */ static void EventReadDevDimensions(InputInfoPtr pInfo) { SynapticsPrivate *priv = (SynapticsPrivate *) pInfo->private; struct eventcomm_proto_data *proto_data = priv->proto_data; int i; proto_data = EventProtoDataAlloc(pInfo->fd); priv->proto_data = proto_data; for (i = 0; i < ABS_MT_CNT; i++) proto_data->axis_map[i] = -1; proto_data->cur_slot = -1; if (event_query_is_touchpad(proto_data->evdev)) { event_query_touch(pInfo); event_query_axis_ranges(pInfo); } event_query_model(proto_data->evdev, &priv->model, &priv->id_vendor, &priv->id_product); xf86IDrvMsg(pInfo, X_PROBED, "Vendor %#hx Product %#hx\n", priv->id_vendor, priv->id_product); } static Bool EventAutoDevProbe(InputInfoPtr pInfo, const char *device) { /* We are trying to find the right eventX device or fall back to the psaux protocol and the given device from XF86Config */ int i; Bool touchpad_found = FALSE; struct dirent **namelist; if (device) { int fd = -1; if (pInfo->flags & XI86_SERVER_FD) fd = pInfo->fd; else SYSCALL(fd = open(device, O_RDONLY)); if (fd >= 0) { int rc; struct libevdev *evdev; rc = libevdev_new_from_fd(fd, &evdev); if (rc >= 0) { touchpad_found = event_query_is_touchpad(evdev); libevdev_free(evdev); } if (!(pInfo->flags & XI86_SERVER_FD)) SYSCALL(close(fd)); /* if a device is set and not a touchpad (or already grabbed), * we must return FALSE. Otherwise, we'll add a device that * wasn't requested for and repeat * f5687a6741a19ef3081e7fd83ac55f6df8bcd5c2. */ return touchpad_found; } } i = scandir(DEV_INPUT_EVENT, &namelist, EventDevOnly, alphasort); if (i < 0) { xf86IDrvMsg(pInfo, X_ERROR, "Couldn't open %s\n", DEV_INPUT_EVENT); return FALSE; } else if (i == 0) { xf86IDrvMsg(pInfo, X_ERROR, "The /dev/input/event* device nodes seem to be missing\n"); free(namelist); return FALSE; } while (i--) { char fname[64]; int fd = -1; if (!touchpad_found) { int rc; struct libevdev *evdev; sprintf(fname, "%s/%s", DEV_INPUT_EVENT, namelist[i]->d_name); SYSCALL(fd = open(fname, O_RDONLY)); if (fd < 0) continue; rc = libevdev_new_from_fd(fd, &evdev); if (rc >= 0) { touchpad_found = event_query_is_touchpad(evdev); libevdev_free(evdev); if (touchpad_found) { xf86IDrvMsg(pInfo, X_PROBED, "auto-dev sets device to %s\n", fname); pInfo->options = xf86ReplaceStrOption(pInfo->options, "Device", fname); } } SYSCALL(close(fd)); } free(namelist[i]); } free(namelist); if (!touchpad_found) { xf86IDrvMsg(pInfo, X_ERROR, "no synaptics event device found\n"); return FALSE; } return TRUE; } struct SynapticsProtocolOperations event_proto_operations = { EventDeviceOnHook, EventDeviceOffHook, EventQueryHardware, EventReadHwState, EventAutoDevProbe, EventReadDevDimensions };
{ "content_hash": "f03cdcbfc13c391f89aee8dbbbd6d790", "timestamp": "", "source": "github", "line_count": 1042, "max_line_length": 96, "avg_line_length": 31.66506717850288, "alnum_prop": 0.561660857705713, "repo_name": "sencer/synaptics", "id": "95b3632f95814c8c5c1939dd1fcd8c3c82fcf980", "size": "34246", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "src/eventcomm.c", "mode": "33188", "license": "mit", "language": [ { "name": "C", "bytes": "255634" }, { "name": "Shell", "bytes": "215" } ], "symlink_target": "" }
package com.b2international.snowowl.fhir.core.model.codesystem; import java.util.Collection; import javax.validation.Valid; import javax.validation.constraints.NotNull; import com.b2international.snowowl.fhir.core.model.dt.Code; import com.b2international.snowowl.fhir.core.model.dt.FhirDataType; import com.b2international.snowowl.fhir.core.model.dt.FhirProperty; import com.b2international.snowowl.fhir.core.model.dt.FhirType; import com.b2international.snowowl.fhir.core.model.dt.SubProperty; import com.b2international.snowowl.fhir.core.model.serialization.FhirSerializedName; import com.fasterxml.jackson.annotation.JsonFormat; import com.fasterxml.jackson.annotation.JsonProperty; import com.fasterxml.jackson.annotation.JsonPropertyOrder; import com.fasterxml.jackson.databind.annotation.JsonDeserialize; import com.fasterxml.jackson.databind.annotation.JsonPOJOBuilder; import com.google.common.collect.ImmutableList; /** * FHIR Property representation. * * @since 6.4 */ @JsonPropertyOrder({"code", "value", "description", "subProperty"}) @JsonDeserialize(builder = Property.Builder.class) public final class Property extends FhirProperty { //Identifies the property returned (1..1) @Valid @NotNull private final Code code; //Human Readable representation of the property value (e.g. display for a code) 0..1 private final String description; @FhirSerializedName("subproperty") @FhirType(FhirDataType.PART) private final Collection<SubProperty> subProperty; Property(final FhirDataType type, final Object value, final Code code, final String description, final Collection<SubProperty> subproperty) { super(type, value); this.code = code; this.description = description; this.subProperty = subproperty; } public String getCode() { return code.getCodeValue(); } public String getDescription() { return description; } public Collection<SubProperty> getSubProperty() { return subProperty; } @Override public String toString() { return "Property [code=" + code + ", description=" + description + ", subProperty=" + subProperty + ", getType()=" + getType() + ", getValue()=" + getValue() + "]"; } public static Builder builder() { return new Builder(); } /** * @since 6.4 */ @JsonPOJOBuilder(withPrefix="") public static final class Builder extends FhirProperty.Builder<Property, Builder> { private Code code; private String description; private ImmutableList.Builder<SubProperty> subProperties = ImmutableList.builder(); Builder() {} public Builder code(final String code) { this.code = new Code(code); return this; } public Builder code(final Code code) { this.code = code; return this; } public Builder description(final String description) { this.description = description; return this; } @JsonProperty("subproperty") @JsonFormat(with = JsonFormat.Feature.ACCEPT_SINGLE_VALUE_AS_ARRAY) public Builder subProperty(Collection<SubProperty> properties) { subProperties = ImmutableList.builder(); subProperties.addAll(properties); return this; } public Builder addSubProperty(final SubProperty subProperty) { this.subProperties.add(subProperty); return this; } @Override protected Builder getSelf() { return this; } @Override protected Property doBuild() { return new Property(type(), value(), code, description, subProperties.build()); } } }
{ "content_hash": "175e0fde2605fee551960a41163b90b3", "timestamp": "", "source": "github", "line_count": 124, "max_line_length": 142, "avg_line_length": 27.725806451612904, "alnum_prop": 0.7460732984293194, "repo_name": "b2ihealthcare/snow-owl", "id": "e9e0a96a3a0065e153d86bdbac13194953722cd8", "size": "4060", "binary": false, "copies": "1", "ref": "refs/heads/8.x", "path": "fhir/com.b2international.snowowl.fhir.core/src/com/b2international/snowowl/fhir/core/model/codesystem/Property.java", "mode": "33188", "license": "apache-2.0", "language": [ { "name": "Batchfile", "bytes": "4650" }, { "name": "CSS", "bytes": "672" }, { "name": "Dockerfile", "bytes": "2504" }, { "name": "Groovy", "bytes": "100933" }, { "name": "HTML", "bytes": "555" }, { "name": "Java", "bytes": "9909422" }, { "name": "JavaScript", "bytes": "2967" }, { "name": "Shell", "bytes": "37460" } ], "symlink_target": "" }
namespace COM{ class COMSessionInitializer: public COM::COMState{ public: COMSessionInitializer(); ~COMSessionInitializer(); }; }; #pragma pack( pop ) #endif //__COM_SESSION_INITIALIZER_H_INCLUDED__
{ "content_hash": "b73f6e93290c4976950322c6287a9ff8", "timestamp": "", "source": "github", "line_count": 14, "max_line_length": 47, "avg_line_length": 15.071428571428571, "alnum_prop": 0.7156398104265402, "repo_name": "iLevshevich/SysLogServer", "id": "6bd0e061ed293d5eacad84bcbfc254e2d5671e29", "size": "423", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "source/COMSessionInitializer.h", "mode": "33188", "license": "mit", "language": [ { "name": "C", "bytes": "745" }, { "name": "C++", "bytes": "88287" } ], "symlink_target": "" }
from evaluation.python_evaluator import Evaluator from helpers.read_conll_files import ConllReader class ExperimentRunner: learner = None train_file_iterator = None kb_prefix = None max_elements_to_read = None def __init__(self, disambiguation=None, score_transform=None): self.kb_prefix = "" self.disambiguation = disambiguation self.score_transform = score_transform def set_train_file(self, train_file_location): self.train_file_iterator = ConllReader(train_file_location, self.kb_prefix, max_elements=self.max_elements_to_read, disambiguation=self.disambiguation, score_transform=self.score_transform) def set_validation_file(self, validation_file_location): self.validation_file_iterator = ConllReader(validation_file_location, self.kb_prefix, max_elements=self.max_elements_to_read, disambiguation=self.disambiguation, score_transform=self.score_transform) def set_test_file(self, test_file_location): self.test_file_iterator = ConllReader(test_file_location, self.kb_prefix, max_elements=self.max_elements_to_read, disambiguation=self.disambiguation, score_transform=self.score_transform) def set_train_evaluator(self, train_evaluator): self.train_evaluator = train_evaluator def set_test_evaluator(self, test_evaluator): self.test_evaluator = test_evaluator def set_valid_evaluator(self, valid_evaluator): self.valid_evaluator = valid_evaluator def set_kb_prefix(self, prefix): self.kb_prefix = prefix def limit_elements(self, limit): self.max_elements_to_read = limit def train_and_validate(self): self.learner.initialize() best_epochs, performance = self.learner.train_and_validate(self.train_file_iterator, self.validation_file_iterator) return best_epochs, performance def evaluate(self, file): if file == "train_file": iterator = self.train_file_iterator evaluator = self.train_evaluator elif file == "valid_file": iterator = self.validation_file_iterator evaluator = self.valid_evaluator elif file == "test_file": iterator = self.test_file_iterator evaluator = self.test_evaluator predictions = self.learner.predict(iterator) evaluation = evaluator.evaluate(predictions) return evaluation
{ "content_hash": "b74fd2babb0c2c6c3d5606a4b5be1a39", "timestamp": "", "source": "github", "line_count": 68, "max_line_length": 123, "avg_line_length": 41.8235294117647, "alnum_prop": 0.5921237693389592, "repo_name": "MichSchli/QuestionAnsweringGCN", "id": "eea3ad24bc5e90c164cef2bcba892df36bd6654b", "size": "2844", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "old_version/experiment_construction/experiment_runner_construction/experiment_runner.py", "mode": "33188", "license": "mit", "language": [ { "name": "Python", "bytes": "730851" }, { "name": "Shell", "bytes": "1446" } ], "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> <title>org.apache.poi.openxml4j.opc.internal.signature Class Hierarchy (POI API Documentation)</title> <link rel="stylesheet" type="text/css" href="../../../../../../../stylesheet.css" title="Style"> </head> <body> <script type="text/javascript"><!-- if (location.href.indexOf('is-external=true') == -1) { parent.document.title="org.apache.poi.openxml4j.opc.internal.signature Class Hierarchy (POI API Documentation)"; } //--> </script> <noscript> <div>JavaScript is disabled on your browser.</div> </noscript> <!-- ========= START OF TOP NAVBAR ======= --> <div class="topNav"><a name="navbar_top"> <!-- --> </a><a href="#skip-navbar_top" title="Skip navigation links"></a><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</li> <li>Use</li> <li class="navBarCell1Rev">Tree</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/apache/poi/openxml4j/opc/internal/marshallers/package-tree.html">Prev</a></li> <li><a href="../../../../../../../org/apache/poi/openxml4j/opc/internal/unmarshallers/package-tree.html">Next</a></li> </ul> <ul class="navList"> <li><a href="../../../../../../../index.html?org/apache/poi/openxml4j/opc/internal/signature/package-tree.html" target="_top">Frames</a></li> <li><a href="package-tree.html" target="_top">No Frames</a></li> </ul> <ul class="navList" id="allclasses_navbar_top"> <li><a href="../../../../../../../allclasses-noframe.html">All Classes</a></li> </ul> <div> <script type="text/javascript"><!-- allClassesLink = document.getElementById("allclasses_navbar_top"); if(window==top) { allClassesLink.style.display = "block"; } else { allClassesLink.style.display = "none"; } //--> </script> </div> <a name="skip-navbar_top"> <!-- --> </a></div> <!-- ========= END OF TOP NAVBAR ========= --> <div class="header"> <h1 class="title">Hierarchy For Package org.apache.poi.openxml4j.opc.internal.signature</h1> <span class="strong">Package Hierarchies:</span> <ul class="horizontal"> <li><a href="../../../../../../../overview-tree.html">All Packages</a></li> </ul> </div> <div class="contentContainer"> <h2 title="Class Hierarchy">Class Hierarchy</h2> <ul> <li type="circle">java.lang.Object <ul> <li type="circle">org.apache.poi.openxml4j.opc.internal.signature.<a href="../../../../../../../org/apache/poi/openxml4j/opc/internal/signature/DigitalSignatureOriginPart.html" title="class in org.apache.poi.openxml4j.opc.internal.signature"><span class="strong">DigitalSignatureOriginPart</span></a></li> <li type="circle">org.apache.poi.openxml4j.opc.<a href="../../../../../../../org/apache/poi/openxml4j/opc/PackagePart.html" title="class in org.apache.poi.openxml4j.opc"><span class="strong">PackagePart</span></a> (implements java.lang.Comparable&lt;T&gt;, org.apache.poi.openxml4j.opc.<a href="../../../../../../../org/apache/poi/openxml4j/opc/RelationshipSource.html" title="interface in org.apache.poi.openxml4j.opc">RelationshipSource</a>) <ul> <li type="circle">org.apache.poi.openxml4j.opc.internal.signature.<a href="../../../../../../../org/apache/poi/openxml4j/opc/internal/signature/DigitalCertificatePart.html" title="class in org.apache.poi.openxml4j.opc.internal.signature"><span class="strong">DigitalCertificatePart</span></a></li> </ul> </li> </ul> </li> </ul> </div> <!-- ======= START OF BOTTOM NAVBAR ====== --> <div class="bottomNav"><a name="navbar_bottom"> <!-- --> </a><a href="#skip-navbar_bottom" title="Skip navigation links"></a><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</li> <li>Use</li> <li class="navBarCell1Rev">Tree</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/apache/poi/openxml4j/opc/internal/marshallers/package-tree.html">Prev</a></li> <li><a href="../../../../../../../org/apache/poi/openxml4j/opc/internal/unmarshallers/package-tree.html">Next</a></li> </ul> <ul class="navList"> <li><a href="../../../../../../../index.html?org/apache/poi/openxml4j/opc/internal/signature/package-tree.html" target="_top">Frames</a></li> <li><a href="package-tree.html" target="_top">No Frames</a></li> </ul> <ul class="navList" id="allclasses_navbar_bottom"> <li><a href="../../../../../../../allclasses-noframe.html">All Classes</a></li> </ul> <div> <script type="text/javascript"><!-- allClassesLink = document.getElementById("allclasses_navbar_bottom"); if(window==top) { allClassesLink.style.display = "block"; } else { allClassesLink.style.display = "none"; } //--> </script> </div> <a name="skip-navbar_bottom"> <!-- --> </a></div> <!-- ======== END OF BOTTOM NAVBAR ======= --> <p class="legalCopy"><small> <i>Copyright 2015 The Apache Software Foundation or its licensors, as applicable.</i> </small></p> </body> </html>
{ "content_hash": "be2afa446e1cd439e7837af62412d7ce", "timestamp": "", "source": "github", "line_count": 135, "max_line_length": 443, "avg_line_length": 43.20740740740741, "alnum_prop": 0.6082633293331048, "repo_name": "misuqian/ExcelTool", "id": "794c1b081fa8ef8493a432a8918ab3aacb92ba07", "size": "5833", "binary": false, "copies": "2", "ref": "refs/heads/master", "path": "eclipse/poi-3.12/docs/apidocs/org/apache/poi/openxml4j/opc/internal/signature/package-tree.html", "mode": "33188", "license": "mit", "language": [ { "name": "CSS", "bytes": "26462" }, { "name": "HTML", "bytes": "78171707" }, { "name": "Java", "bytes": "66610" } ], "symlink_target": "" }
/* TEMPLATE GENERATED TESTCASE FILE Filename: CWE121_Stack_Based_Buffer_Overflow__CWE805_struct_alloca_memcpy_32.c Label Definition File: CWE121_Stack_Based_Buffer_Overflow__CWE805.label.xml Template File: sources-sink-32.tmpl.c */ /* * @description * CWE: 121 Stack Based Buffer Overflow * BadSource: Set data pointer to the bad buffer * GoodSource: Set data pointer to the good buffer * Sink: memcpy * BadSink : Copy twoIntsStruct array to data using memcpy * Flow Variant: 32 Data flow using two pointers to the same value within the same function * * */ #include "std_testcase.h" #ifndef OMITBAD void CWE121_Stack_Based_Buffer_Overflow__CWE805_struct_alloca_memcpy_32_bad() { twoIntsStruct * data; twoIntsStruct * *dataPtr1 = &data; twoIntsStruct * *dataPtr2 = &data; twoIntsStruct * dataBadBuffer = (twoIntsStruct *)ALLOCA(50*sizeof(twoIntsStruct)); twoIntsStruct * dataGoodBuffer = (twoIntsStruct *)ALLOCA(100*sizeof(twoIntsStruct)); { twoIntsStruct * data = *dataPtr1; /* FLAW: Set a pointer to a "small" buffer. This buffer will be used in the sinks as a destination * buffer in various memory copying functions using a "large" source buffer. */ data = dataBadBuffer; *dataPtr1 = data; } { twoIntsStruct * data = *dataPtr2; { twoIntsStruct source[100]; { size_t i; /* Initialize array */ for (i = 0; i < 100; i++) { source[i].intOne = 0; source[i].intTwo = 0; } } /* POTENTIAL FLAW: Possible buffer overflow if data < 100 */ memcpy(data, source, 100*sizeof(twoIntsStruct)); printStructLine(&data[0]); } } } #endif /* OMITBAD */ #ifndef OMITGOOD /* goodG2B() uses the GoodSource with the BadSink */ static void goodG2B() { twoIntsStruct * data; twoIntsStruct * *dataPtr1 = &data; twoIntsStruct * *dataPtr2 = &data; twoIntsStruct * dataBadBuffer = (twoIntsStruct *)ALLOCA(50*sizeof(twoIntsStruct)); twoIntsStruct * dataGoodBuffer = (twoIntsStruct *)ALLOCA(100*sizeof(twoIntsStruct)); { twoIntsStruct * data = *dataPtr1; /* FIX: Set a pointer to a "large" buffer, thus avoiding buffer overflows in the sinks. */ data = dataGoodBuffer; *dataPtr1 = data; } { twoIntsStruct * data = *dataPtr2; { twoIntsStruct source[100]; { size_t i; /* Initialize array */ for (i = 0; i < 100; i++) { source[i].intOne = 0; source[i].intTwo = 0; } } /* POTENTIAL FLAW: Possible buffer overflow if data < 100 */ memcpy(data, source, 100*sizeof(twoIntsStruct)); printStructLine(&data[0]); } } } void CWE121_Stack_Based_Buffer_Overflow__CWE805_struct_alloca_memcpy_32_good() { goodG2B(); } #endif /* OMITGOOD */ /* Below is the main(). It is only used when building this testcase on * its own for testing or for building a binary to use in testing binary * analysis tools. It is not used when compiling all the testcases as one * application, which is how source code analysis tools are tested. */ #ifdef INCLUDEMAIN int main(int argc, char * argv[]) { /* seed randomness */ srand( (unsigned)time(NULL) ); #ifndef OMITGOOD printLine("Calling good()..."); CWE121_Stack_Based_Buffer_Overflow__CWE805_struct_alloca_memcpy_32_good(); printLine("Finished good()"); #endif /* OMITGOOD */ #ifndef OMITBAD printLine("Calling bad()..."); CWE121_Stack_Based_Buffer_Overflow__CWE805_struct_alloca_memcpy_32_bad(); printLine("Finished bad()"); #endif /* OMITBAD */ return 0; } #endif
{ "content_hash": "906185577210814e15c1de0b32b33ae4", "timestamp": "", "source": "github", "line_count": 124, "max_line_length": 106, "avg_line_length": 32.45161290322581, "alnum_prop": 0.5892147117296223, "repo_name": "JianpingZeng/xcc", "id": "cd22a49e6ba2ac13d6ee5817ec967aed45a4b489", "size": "4024", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "xcc/test/juliet/testcases/CWE121_Stack_Based_Buffer_Overflow/s04/CWE121_Stack_Based_Buffer_Overflow__CWE805_struct_alloca_memcpy_32.c", "mode": "33188", "license": "bsd-3-clause", "language": [], "symlink_target": "" }
package io.quarkus.it.vertx; import io.quarkus.test.junit.QuarkusIntegrationTest; @QuarkusIntegrationTest public class JsonReaderIT extends JsonReaderTest { }
{ "content_hash": "45964e9fbd76818e865c06cb1e599a41", "timestamp": "", "source": "github", "line_count": 8, "max_line_length": 52, "avg_line_length": 20.25, "alnum_prop": 0.8333333333333334, "repo_name": "quarkusio/quarkus", "id": "4ba61c12788366908e69d3d23a80bc2627b5443b", "size": "162", "binary": false, "copies": "1", "ref": "refs/heads/main", "path": "integration-tests/vertx/src/test/java/io/quarkus/it/vertx/JsonReaderIT.java", "mode": "33188", "license": "apache-2.0", "language": [ { "name": "ANTLR", "bytes": "23342" }, { "name": "Batchfile", "bytes": "13096" }, { "name": "CSS", "bytes": "6685" }, { "name": "Dockerfile", "bytes": "459" }, { "name": "FreeMarker", "bytes": "8106" }, { "name": "Groovy", "bytes": "16133" }, { "name": "HTML", "bytes": "1418749" }, { "name": "Java", "bytes": "38584810" }, { "name": "JavaScript", "bytes": "90960" }, { "name": "Kotlin", "bytes": "704351" }, { "name": "Mustache", "bytes": "13191" }, { "name": "Scala", "bytes": "9756" }, { "name": "Shell", "bytes": "71729" } ], "symlink_target": "" }
import api from '../../clientApi' export async function show (req, res, next) { const cv = await api.cv.getCv() res.renderFromServer({ cv: { data: cv } }) }
{ "content_hash": "6fc3677acf57642e7142928742e27a7c", "timestamp": "", "source": "github", "line_count": 9, "max_line_length": 45, "avg_line_length": 18.77777777777778, "alnum_prop": 0.6153846153846154, "repo_name": "jeromeludmann/ldmn.io", "id": "2d066e8973b7db2ab5bd5b3d9b81e0c91799c743", "size": "169", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "src/server/controllers/ssr/cv.js", "mode": "33188", "license": "mit", "language": [ { "name": "CSS", "bytes": "2955" }, { "name": "HTML", "bytes": "1008" }, { "name": "JavaScript", "bytes": "97444" } ], "symlink_target": "" }