text
stringlengths
2
1.04M
meta
dict
package org.onosproject.driver.extensions; import org.onlab.util.KryoNamespace; import org.onosproject.net.flow.AbstractExtension; import org.onosproject.net.flow.instructions.ExtensionTreatment; import org.onosproject.net.flow.instructions.ExtensionTreatmentType; /** * Nicira pop nsh extension instruction. */ public class NiciraPopNsh extends AbstractExtension implements ExtensionTreatment { private final KryoNamespace appKryo = new KryoNamespace.Builder().build(); /** * Creates a new pop nsh instruction. */ public NiciraPopNsh() { } @Override public ExtensionTreatmentType type() { return ExtensionTreatmentType.ExtensionTreatmentTypes.NICIRA_POP_NSH.type(); } @Override public void deserialize(byte[] data) { } @Override public byte[] serialize() { return appKryo.serialize(0); } @Override public int hashCode() { return 1; } @Override public boolean equals(Object obj) { if (this == obj) { return true; } if (obj instanceof NiciraPopNsh) { return true; } return false; } }
{ "content_hash": "ec0dd0e9fb72bca9d2cc90eccd5d1550", "timestamp": "", "source": "github", "line_count": 52, "max_line_length": 84, "avg_line_length": 22.5, "alnum_prop": 0.6598290598290598, "repo_name": "donNewtonAlpha/onos", "id": "2e319f3abdb9a81291b16079bda3dc1d178ae5e6", "size": "1787", "binary": false, "copies": "9", "ref": "refs/heads/master", "path": "drivers/default/src/main/java/org/onosproject/driver/extensions/NiciraPopNsh.java", "mode": "33188", "license": "apache-2.0", "language": [ { "name": "CSS", "bytes": "202557" }, { "name": "HTML", "bytes": "110229" }, { "name": "Java", "bytes": "30599243" }, { "name": "JavaScript", "bytes": "3719133" }, { "name": "Protocol Buffer", "bytes": "8451" }, { "name": "Python", "bytes": "210350" }, { "name": "Shell", "bytes": "843" } ], "symlink_target": "" }
package org.springframework.cloud.stream.converter; import java.io.IOException; import com.fasterxml.jackson.databind.ObjectMapper; import com.fasterxml.jackson.databind.SerializationFeature; import org.springframework.beans.factory.annotation.Value; import org.springframework.messaging.Message; import org.springframework.tuple.Tuple; import org.springframework.util.MimeTypeUtils; /** * A {@link org.springframework.messaging.converter.MessageConverter} * to convert a {@link Tuple} to a JSON String * * @author David Turanski */ public class TupleToJsonMessageConverter extends AbstractFromMessageConverter { @Value("${typeconversion.json.prettyPrint:false}") private volatile boolean prettyPrint; public void setPrettyPrint(boolean prettyPrint) { this.prettyPrint = prettyPrint; } public TupleToJsonMessageConverter() { super(MimeTypeUtils.APPLICATION_JSON); } @Override protected Class<?>[] supportedTargetTypes() { return new Class<?>[] { String.class }; } @Override protected Class<?>[] supportedPayloadTypes() { return new Class<?>[] { Tuple.class }; } @Override public Object convertFromInternal(Message<?> message, Class<?> targetClass, Object conversionHint) { Tuple t = (Tuple) message.getPayload(); String json; if (prettyPrint) { ObjectMapper mapper = new ObjectMapper(); mapper.configure(SerializationFeature.WRITE_DATES_AS_TIMESTAMPS, false); try { Object tmp = mapper.readValue(t.toString(), Object.class); json = mapper.writerWithDefaultPrettyPrinter().writeValueAsString(tmp); } catch (IOException e) { logger.error(e.getMessage(), e); return null; } } else { json = t.toString(); } return json; } }
{ "content_hash": "180b80c14499a08454ac458ddc536d34", "timestamp": "", "source": "github", "line_count": 67, "max_line_length": 101, "avg_line_length": 25.567164179104477, "alnum_prop": 0.7431406888499709, "repo_name": "pperalta/spring-cloud-stream", "id": "9412cc853476dc0add413a94c3f47be1bee0fb2a", "size": "2328", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "spring-cloud-stream/src/main/java/org/springframework/cloud/stream/converter/TupleToJsonMessageConverter.java", "mode": "33188", "license": "apache-2.0", "language": [ { "name": "Batchfile", "bytes": "5150" }, { "name": "CSS", "bytes": "5654" }, { "name": "Java", "bytes": "755116" }, { "name": "Ruby", "bytes": "423" }, { "name": "Shell", "bytes": "7592" }, { "name": "XSLT", "bytes": "33659" } ], "symlink_target": "" }
<?xml version="1.0"?> <properties> <Edit>true</Edit> <Files>true</Files> <Properties>true</Properties> <RecentChanges>true</RecentChanges> <Refactor>true</Refactor> <Search>true</Search> <Versions>true</Versions> <WhereUsed>true</WhereUsed> <saveId>1204988968968</saveId> <ticketId>7175845390249155608</ticketId> </properties>
{ "content_hash": "6fe447d0f2d02e599d0f628abea4c277", "timestamp": "", "source": "github", "line_count": 13, "max_line_length": 41, "avg_line_length": 25.923076923076923, "alnum_prop": 0.7418397626112759, "repo_name": "datacentricity/log4tsql", "id": "cbbc7c31fedf24c08ea41ac93c09d59d46b683a1", "size": "337", "binary": false, "copies": "4", "ref": "refs/heads/master", "path": "dbfit/FitNesseRoot/DbFit/DbFitReference/properties.xml", "mode": "33188", "license": "mit", "language": [ { "name": "Batchfile", "bytes": "208" }, { "name": "CSS", "bytes": "8804" }, { "name": "JavaScript", "bytes": "22584" }, { "name": "PLSQL", "bytes": "16820" }, { "name": "PLpgSQL", "bytes": "42857" }, { "name": "SQLPL", "bytes": "233946" } ], "symlink_target": "" }
<?php namespace Exam\Form\Element\Question; interface QuestionInterface { /** * Specifies the question * @param string $text */ public function setQuestion($text); /** Gets the question text * @return string */ public function getQuestion(); /** * Specifies the header text * @param string $text */ public function setHeader($text); /** Gets the question header * @return string */ public function getHeader(); /** * Sets the answer(s) * @param array|string $answers */ public function setAnswers($answers); }
{ "content_hash": "e6e33c8f1fa0a41e579535b9fbcd4e47", "timestamp": "", "source": "github", "line_count": 33, "max_line_length": 38, "avg_line_length": 17.21212121212121, "alnum_prop": 0.6496478873239436, "repo_name": "pwatt9/learnzf2", "id": "7c3fbfa2e7f5e3fe46c5a24dadc919d11539b79f", "size": "568", "binary": false, "copies": "12", "ref": "refs/heads/master", "path": "module/Exam/src/Exam/Form/Element/Question/QuestionInterface.php", "mode": "33188", "license": "bsd-3-clause", "language": [ { "name": "ApacheConf", "bytes": "711" }, { "name": "CSS", "bytes": "1045" }, { "name": "HTML", "bytes": "15624" }, { "name": "PHP", "bytes": "132820" } ], "symlink_target": "" }
{% if theme.comments == 'facebook' %}{% facebook_comments %}{% endif %} {% if theme.comments == 'disqus' %}{% disqus_comments %}{% endif %}
{ "content_hash": "3b8d91ff0301c2b76810fc909a6e17bb", "timestamp": "", "source": "github", "line_count": 2, "max_line_length": 71, "avg_line_length": 70, "alnum_prop": 0.6, "repo_name": "wantee/blog", "id": "c8690c2bb5cc774eea6e6cc5396b2eb3aac2241e", "size": "140", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "_plugins/theme/includes/social/comments.html", "mode": "33188", "license": "mit", "language": [ { "name": "CSS", "bytes": "15524" }, { "name": "HTML", "bytes": "22844" }, { "name": "JavaScript", "bytes": "13566" }, { "name": "Makefile", "bytes": "464" }, { "name": "Perl", "bytes": "96" }, { "name": "Ruby", "bytes": "7408" }, { "name": "TeX", "bytes": "60519" } ], "symlink_target": "" }
title: Mes vélos description: "Présentation rapide de mes vélos ! \U0001F6B2" date: 2019-03-20 updated: 2019-05-07 menu: main: weight: 130 image: images/bullitt-bluebird.jpg alias: - mon-velo typora-root-url: ../static published: true --- - [Bullitt Bluebird](#bullitt-bluebird) - [Kalkhoff Voyager](#kalkhoff-voyager) ---- ## Bullitt Bluebird ## {#bullitt-bluebird} ![Bullitt Bluebird](/images/bullitt-bluebird.jpg?resize=800&responsive) _([Site officiel](http://www.larryvsharry.com/technical-info/))_ ---- ## Kalkhoff Voyager DLX 27-G ## {#kalkhoff-voyager} ![Kalkhoff Voyager DLX 27-G](/images/kh15_voyager_dlx.png?resize=800&responsive) | Composant | Description | | --------- | ----------- | | Cadre | Trekking 1.0 alliage | | Fourche | Suntour NEX, alliage, réglable | | Freins | [Shimano M396](https://bike.shimano.com/fr-FR/product/component/acera-t3000/BL-M396.html) (à disque hydraulique) | | Cassette | Shimano Alivio | | Dérailleur arrière | Shimano Deore | | Manettes de dérailleur | Shimano Deore | | Pédalier | Shimano Deore | | Dentition | avant : 48/36/26, arrière : 11-34 | | Guidon | Concept Trekking Riser | | Potence | Concept SL | | Selle | Concept Trekking | | Tube de selle | Concept SL | | Moyeu | avant : [Dynamo Shimano 3D37](https://bike.shimano.com/en-NZ/product/component/shimano/DH-3D37-QR.html), arrière : Shimano Alivio | | Jantes | Rodi Freeway | | Pneux | [Schwalbe Marathon Plus](https://www.schwalbe.com/fr/tour-reader/marathon-plus.html) (28x1.40,700x35C / 37-622) | | Eclairage avant | [Busch & Müller Lumotec IQ Cyo T Senso Plus](http://en.bumm.de/produkte/dynamo-scheinwerfer/lumotec-iq-cyo-t.html) | | Eclairage arrière | [Trelock LS 613 Duo Flat](https://www.trelock.de/web/en/licht/dynamo/dynamo-ruecklicht.php) | | Porte-bagages | Sport 2-leg, alliage | | Siège enfant | [Guppy Junior](https://www.polisport.com/fr/velo/produits/sieges-bebe-de-velo/guppy-junior/?id=71&pid=212) | | Sonette(s) | [Knog Oi](https://www.knog.com.au/oi-bike-bells/oi-bike-bell-large.html), [Decathlon 520 B'Twin](https://www.decathlon.fr/sonnette-velo-520-id_8200975.html) | _([Site officiel](https://www.kalkhoff-bikes.com/en/bikes/2017/bike/fitness/voyager-dlx-27-g.html))_
{ "content_hash": "b94507473660aafe35fd66f4802a5480", "timestamp": "", "source": "github", "line_count": 54, "max_line_length": 173, "avg_line_length": 41.03703703703704, "alnum_prop": 0.7116425992779783, "repo_name": "Narno/narno.com", "id": "f26bde4f573a27035476758e2b6201bbb94301b3", "size": "2234", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "content/mes-velos.md", "mode": "33188", "license": "mit", "language": [ { "name": "CSS", "bytes": "24086" }, { "name": "HTML", "bytes": "24771" }, { "name": "Shell", "bytes": "2097" } ], "symlink_target": "" }
package io.gatling.javaapi.core.group; import io.gatling.javaapi.core.ChainBuilder; import io.gatling.javaapi.core.Session; import io.gatling.javaapi.core.StructureBuilder; import io.gatling.javaapi.core.internal.group.ScalaGroups; import java.util.function.Function; import javax.annotation.Nonnull; /** * Methods for defining "groups". * * <p>Groups provide with "cumulated response times" and start-to-end "group duration metrics". When * running with Gatling Enterprise, groups also provides with aggregated response times across * requests grouped by group. * * <p>Important: instances are immutable so any method doesn't mutate the existing instance but * returns a new one. * * @param <T> the type of {@link StructureBuilder} to attach to and to return * @param <W> the type of wrapped Scala instance */ public interface Groups< T extends StructureBuilder<T, W>, W extends io.gatling.core.structure.StructureBuilder<W>> { T make(Function<W, W> f); /** * Define a group * * @param name the name of the group, expressed as a Gatling Expression Language String * @return a DSL component for defining the wrapped block */ @Nonnull default On<T> group(@Nonnull String name) { return new On<>(ScalaGroups.apply(this, name)); } /** * Define a group * * @param name the name of the group, expressed as a function * @return a DSL component for defining the wrapped block */ @Nonnull default On<T> group(@Nonnull Function<Session, String> name) { return new On<>(ScalaGroups.apply(this, name)); } /** * The DSL component for defining the wrapped block * * @param <T> the type of {@link StructureBuilder} to attach to and to return */ final class On<T extends StructureBuilder<T, ?>> { private final ScalaGroups.Grouping<T, ?> wrapped; On(ScalaGroups.Grouping<T, ?> wrapped) { this.wrapped = wrapped; } /** * Define the wrapped block * * @param chain the wrapped block * @return a new {@link StructureBuilder} */ @Nonnull public T on(@Nonnull ChainBuilder chain) { return wrapped.grouping(chain); } } }
{ "content_hash": "7d162ce4ebdf1393736f0c052dedc0d5", "timestamp": "", "source": "github", "line_count": 75, "max_line_length": 100, "avg_line_length": 28.85333333333333, "alnum_prop": 0.6931608133086876, "repo_name": "gatling/gatling", "id": "4e978506366ba64b0845ae818433abf7050d70ea", "size": "2781", "binary": false, "copies": "1", "ref": "refs/heads/main", "path": "gatling-core-java/src/main/java/io/gatling/javaapi/core/group/Groups.java", "mode": "33188", "license": "apache-2.0", "language": [ { "name": "Batchfile", "bytes": "4107" }, { "name": "CSS", "bytes": "18867" }, { "name": "HTML", "bytes": "41444" }, { "name": "Java", "bytes": "1341839" }, { "name": "JavaScript", "bytes": "7567" }, { "name": "Kotlin", "bytes": "104724" }, { "name": "Scala", "bytes": "2616285" }, { "name": "Shell", "bytes": "2074" } ], "symlink_target": "" }
package org.entirej.applicationframework.tmt.application.interfaces; import java.util.EventObject; public class EJTMTFormChosenEvent extends EventObject { private String _formName; private boolean _queryMode; /** * @param formName */ public EJTMTFormChosenEvent(String formName) { super(formName); setChosenFormName(formName); } public EJTMTFormChosenEvent(String formName, boolean queryMode) { super(formName); setChosenFormName(formName); setQueryMode(queryMode); } private void setChosenFormName(String pFormName) { _formName = pFormName; } public String getChosenFormName() { return _formName; } public boolean isQueryMode() { return _queryMode; } private void setQueryMode(boolean pQureyMode) { _queryMode = pQureyMode; } }
{ "content_hash": "47f82ea6dfa0010cec3ec4f8123427ce", "timestamp": "", "source": "github", "line_count": 46, "max_line_length": 68, "avg_line_length": 19.67391304347826, "alnum_prop": 0.6475138121546962, "repo_name": "entirej/tabris", "id": "1ae90725e18686e0eb9aae5141e0149d25b15a1c", "size": "1752", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "entirej-tabris/src/org/entirej/applicationframework/tmt/application/interfaces/EJTMTFormChosenEvent.java", "mode": "33188", "license": "apache-2.0", "language": [ { "name": "Java", "bytes": "1080670" } ], "symlink_target": "" }
package com.badlogic.gdx.graphics.g3d.utils; import com.badlogic.gdx.Gdx; import com.badlogic.gdx.files.FileHandle; import com.badlogic.gdx.graphics.g3d.Renderable; import com.badlogic.gdx.graphics.g3d.Shader; import com.badlogic.gdx.graphics.g3d.shaders.DefaultShader; import com.badlogic.gdx.graphics.g3d.shaders.GLES10Shader; public class GLES10ShaderProvider extends BaseShaderProvider { @Override protected Shader createShader(final Renderable renderable) { return new GLES10Shader(); } }
{ "content_hash": "cca50322ec62a23a6c705c115060b84c", "timestamp": "", "source": "github", "line_count": 17, "max_line_length": 62, "avg_line_length": 29.529411764705884, "alnum_prop": 0.8187250996015937, "repo_name": "ryoenji/libgdx", "id": "413bf58b9fb48561ed3702c6f613efa0eb81366c", "size": "1272", "binary": false, "copies": "2", "ref": "refs/heads/master", "path": "gdx/src/com/badlogic/gdx/graphics/g3d/utils/GLES10ShaderProvider.java", "mode": "33188", "license": "apache-2.0", "language": [ { "name": "Assembly", "bytes": "299963" }, { "name": "Awk", "bytes": "3965" }, { "name": "Batchfile", "bytes": "1697" }, { "name": "C", "bytes": "10463213" }, { "name": "C++", "bytes": "10070654" }, { "name": "CMake", "bytes": "26649" }, { "name": "CSS", "bytes": "65738" }, { "name": "DIGITAL Command Language", "bytes": "35819" }, { "name": "GLSL", "bytes": "79085" }, { "name": "Groff", "bytes": "35050" }, { "name": "HTML", "bytes": "1081320" }, { "name": "Java", "bytes": "12339136" }, { "name": "JavaScript", "bytes": "24" }, { "name": "Lua", "bytes": "63243" }, { "name": "Makefile", "bytes": "247693" }, { "name": "Module Management System", "bytes": "13694" }, { "name": "Objective-C", "bytes": "65828" }, { "name": "Objective-C++", "bytes": "58296" }, { "name": "OpenEdge ABL", "bytes": "8244" }, { "name": "Pascal", "bytes": "17677" }, { "name": "Python", "bytes": "172284" }, { "name": "Ragel in Ruby Host", "bytes": "27319" }, { "name": "SAS", "bytes": "14198" }, { "name": "Shell", "bytes": "996502" }, { "name": "Smalltalk", "bytes": "1252" } ], "symlink_target": "" }
#include "muParserError.h" namespace mu { const ParserErrorMsg ParserErrorMsg::m_Instance; //------------------------------------------------------------------------------ const ParserErrorMsg& ParserErrorMsg::Instance() { return m_Instance; } //------------------------------------------------------------------------------ string_type ParserErrorMsg::operator[](unsigned a_iIdx) const { return (a_iIdx<m_vErrMsg.size()) ? m_vErrMsg[a_iIdx] : string_type(); } //--------------------------------------------------------------------------- ParserErrorMsg::~ParserErrorMsg() {} //--------------------------------------------------------------------------- /** \brief Assignement operator is deactivated. */ ParserErrorMsg& ParserErrorMsg::operator=(const ParserErrorMsg& ) { assert(false); return *this; } //--------------------------------------------------------------------------- ParserErrorMsg::ParserErrorMsg(const ParserErrorMsg&) {} //--------------------------------------------------------------------------- ParserErrorMsg::ParserErrorMsg() :m_vErrMsg(0) { m_vErrMsg.resize(ecCOUNT); m_vErrMsg[ecUNASSIGNABLE_TOKEN] = _T("Unexpected token \"$TOK$\" found at position $POS$."); m_vErrMsg[ecINTERNAL_ERROR] = _T("Internal error"); m_vErrMsg[ecINVALID_NAME] = _T("Invalid function-, variable- or constant name: \"$TOK$\"."); m_vErrMsg[ecINVALID_BINOP_IDENT] = _T("Invalid binary operator identifier: \"$TOK$\"."); m_vErrMsg[ecINVALID_INFIX_IDENT] = _T("Invalid infix operator identifier: \"$TOK$\"."); m_vErrMsg[ecINVALID_POSTFIX_IDENT] = _T("Invalid postfix operator identifier: \"$TOK$\"."); m_vErrMsg[ecINVALID_FUN_PTR] = _T("Invalid pointer to callback function."); m_vErrMsg[ecEMPTY_EXPRESSION] = _T("Expression is empty."); m_vErrMsg[ecINVALID_VAR_PTR] = _T("Invalid pointer to variable."); m_vErrMsg[ecUNEXPECTED_OPERATOR] = _T("Unexpected operator \"$TOK$\" found at position $POS$"); m_vErrMsg[ecUNEXPECTED_EOF] = _T("Unexpected end of expression at position $POS$"); m_vErrMsg[ecUNEXPECTED_ARG_SEP] = _T("Unexpected argument separator at position $POS$"); m_vErrMsg[ecUNEXPECTED_PARENS] = _T("Unexpected parenthesis \"$TOK$\" at position $POS$"); m_vErrMsg[ecUNEXPECTED_FUN] = _T("Unexpected function \"$TOK$\" at position $POS$"); m_vErrMsg[ecUNEXPECTED_VAL] = _T("Unexpected value \"$TOK$\" found at position $POS$"); m_vErrMsg[ecUNEXPECTED_VAR] = _T("Unexpected variable \"$TOK$\" found at position $POS$"); m_vErrMsg[ecUNEXPECTED_ARG] = _T("Function arguments used without a function (position: $POS$)"); m_vErrMsg[ecMISSING_PARENS] = _T("Missing parenthesis"); m_vErrMsg[ecTOO_MANY_PARAMS] = _T("Too many parameters for function \"$TOK$\" at expression position $POS$"); m_vErrMsg[ecTOO_FEW_PARAMS] = _T("Too few parameters for function \"$TOK$\" at expression position $POS$"); m_vErrMsg[ecDIV_BY_ZERO] = _T("Divide by zero"); m_vErrMsg[ecDOMAIN_ERROR] = _T("Domain error"); m_vErrMsg[ecNAME_CONFLICT] = _T("Name conflict"); m_vErrMsg[ecOPT_PRI] = _T("Invalid value for operator priority (must be greater or equal to zero)."); m_vErrMsg[ecBUILTIN_OVERLOAD] = _T("user defined binary operator \"$TOK$\" conflicts with a built in operator."); m_vErrMsg[ecUNEXPECTED_STR] = _T("Unexpected string token found at position $POS$."); m_vErrMsg[ecUNTERMINATED_STRING] = _T("Unterminated string starting at position $POS$."); m_vErrMsg[ecSTRING_EXPECTED] = _T("String function called with a non string type of argument."); m_vErrMsg[ecVAL_EXPECTED] = _T("String value used where a numerical argument is expected."); m_vErrMsg[ecOPRT_TYPE_CONFLICT] = _T("No suitable overload for operator \"$TOK$\" at position $POS$."); m_vErrMsg[ecSTR_RESULT] = _T("Function result is a string."); m_vErrMsg[ecGENERIC] = _T("Parser error."); m_vErrMsg[ecLOCALE] = _T("Decimal separator is identic to function argument separator."); m_vErrMsg[ecUNEXPECTED_CONDITIONAL] = _T("The \"$TOK$\" operator must be preceeded by a closing bracket."); m_vErrMsg[ecMISSING_ELSE_CLAUSE] = _T("If-then-else operator is missing an else clause"); m_vErrMsg[ecMISPLACED_COLON] = _T("Misplaced colon at position $POS$"); #if defined(_DEBUG) for (int i=0; i<ecCOUNT; ++i) if (!m_vErrMsg[i].length()) assert(false); #endif } //--------------------------------------------------------------------------- // // ParserError class // //--------------------------------------------------------------------------- /** \brief Default constructor. */ ParserError::ParserError() :m_strMsg() ,m_strFormula() ,m_strTok() ,m_iPos(-1) ,m_iErrc(ecUNDEFINED) ,m_ErrMsg(ParserErrorMsg::Instance()) { } //------------------------------------------------------------------------------ /** \brief This Constructor is used for internal exceptions only. It does not contain any information but the error code. */ ParserError::ParserError(EErrorCodes a_iErrc) :m_strMsg() ,m_strFormula() ,m_strTok() ,m_iPos(-1) ,m_iErrc(a_iErrc) ,m_ErrMsg(ParserErrorMsg::Instance()) { m_strMsg = m_ErrMsg[m_iErrc]; stringstream_type stream; stream << (int)m_iPos; ReplaceSubString(m_strMsg, _T("$POS$"), stream.str()); ReplaceSubString(m_strMsg, _T("$TOK$"), m_strTok); } //------------------------------------------------------------------------------ /** \brief Construct an error from a message text. */ ParserError::ParserError(const string_type &sMsg) :m_ErrMsg(ParserErrorMsg::Instance()) { Reset(); m_strMsg = sMsg; } //------------------------------------------------------------------------------ /** \brief Construct an error object. \param [in] a_iErrc the error code. \param [in] sTok The token string related to this error. \param [in] sExpr The expression related to the error. \param [in] a_iPos the position in the expression where the error occured. */ ParserError::ParserError( EErrorCodes iErrc, const string_type &sTok, const string_type &sExpr, int iPos ) :m_strMsg() ,m_strFormula(sExpr) ,m_strTok(sTok) ,m_iPos(iPos) ,m_iErrc(iErrc) ,m_ErrMsg(ParserErrorMsg::Instance()) { m_strMsg = m_ErrMsg[m_iErrc]; stringstream_type stream; stream << (int)m_iPos; ReplaceSubString(m_strMsg, _T("$POS$"), stream.str()); ReplaceSubString(m_strMsg, _T("$TOK$"), m_strTok); } //------------------------------------------------------------------------------ /** \brief Construct an error object. \param [in] iErrc the error code. \param [in] iPos the position in the expression where the error occured. \param [in] sTok The token string related to this error. */ ParserError::ParserError(EErrorCodes iErrc, int iPos, const string_type &sTok) :m_strMsg() ,m_strFormula() ,m_strTok(sTok) ,m_iPos(iPos) ,m_iErrc(iErrc) ,m_ErrMsg(ParserErrorMsg::Instance()) { m_strMsg = m_ErrMsg[m_iErrc]; stringstream_type stream; stream << (int)m_iPos; ReplaceSubString(m_strMsg, _T("$POS$"), stream.str()); ReplaceSubString(m_strMsg, _T("$TOK$"), m_strTok); } //------------------------------------------------------------------------------ /** \brief Construct an error object. \param [in] szMsg The error message text. \param [in] iPos the position related to the error. \param [in] sTok The token string related to this error. */ ParserError::ParserError(const char_type *szMsg, int iPos, const string_type &sTok) :m_strMsg(szMsg) ,m_strFormula() ,m_strTok(sTok) ,m_iPos(iPos) ,m_iErrc(ecGENERIC) ,m_ErrMsg(ParserErrorMsg::Instance()) { stringstream_type stream; stream << (int)m_iPos; ReplaceSubString(m_strMsg, _T("$POS$"), stream.str()); ReplaceSubString(m_strMsg, _T("$TOK$"), m_strTok); } //------------------------------------------------------------------------------ /** \brief Copy constructor. */ ParserError::ParserError(const ParserError &a_Obj) :m_strMsg(a_Obj.m_strMsg) ,m_strFormula(a_Obj.m_strFormula) ,m_strTok(a_Obj.m_strTok) ,m_iPos(a_Obj.m_iPos) ,m_iErrc(a_Obj.m_iErrc) ,m_ErrMsg(ParserErrorMsg::Instance()) { } //------------------------------------------------------------------------------ /** \brief Assignment operator. */ ParserError& ParserError::operator=(const ParserError &a_Obj) { if (this==&a_Obj) return *this; m_strMsg = a_Obj.m_strMsg; m_strFormula = a_Obj.m_strFormula; m_strTok = a_Obj.m_strTok; m_iPos = a_Obj.m_iPos; m_iErrc = a_Obj.m_iErrc; return *this; } //------------------------------------------------------------------------------ ParserError::~ParserError() {} //------------------------------------------------------------------------------ /** \brief Replace all ocuurences of a substring with another string. \param strFind The string that shall be replaced. \param strReplaceWith The string that should be inserted instead of strFind */ void ParserError::ReplaceSubString( string_type &strSource, const string_type &strFind, const string_type &strReplaceWith) { string_type strResult; string_type::size_type iPos(0), iNext(0); for(;;) { iNext = strSource.find(strFind, iPos); strResult.append(strSource, iPos, iNext-iPos); if( iNext==string_type::npos ) break; strResult.append(strReplaceWith); iPos = iNext + strFind.length(); } strSource.swap(strResult); } //------------------------------------------------------------------------------ /** \brief Reset the erro object. */ void ParserError::Reset() { m_strMsg = _T(""); m_strFormula = _T(""); m_strTok = _T(""); m_iPos = -1; m_iErrc = ecUNDEFINED; } //------------------------------------------------------------------------------ /** \brief Set the expression related to this error. */ void ParserError::SetFormula(const string_type &a_strFormula) { m_strFormula = a_strFormula; } //------------------------------------------------------------------------------ /** \brief gets the expression related tp this error.*/ const string_type& ParserError::GetExpr() const { return m_strFormula; } //------------------------------------------------------------------------------ /** \brief Returns the message string for this error. */ const string_type& ParserError::GetMsg() const { return m_strMsg; } //------------------------------------------------------------------------------ /** \brief Return the formula position related to the error. If the error is not related to a distinct position this will return -1 */ std::size_t ParserError::GetPos() const { return m_iPos; } //------------------------------------------------------------------------------ /** \brief Return string related with this token (if available). */ const string_type& ParserError::GetToken() const { return m_strTok; } //------------------------------------------------------------------------------ /** \brief Return the error code. */ EErrorCodes ParserError::GetCode() const { return m_iErrc; } } // namespace mu
{ "content_hash": "17ce4844e49e1cd81fc24ac0aefd50f8", "timestamp": "", "source": "github", "line_count": 313, "max_line_length": 123, "avg_line_length": 39.00958466453674, "alnum_prop": 0.5056511056511056, "repo_name": "huahbo/IBAMR", "id": "e3d334b28d94ea39c81f55fd600881df949dc33a", "size": "13721", "binary": false, "copies": "9", "ref": "refs/heads/master", "path": "ibtk/contrib/muparser/src/muParserError.cpp", "mode": "33188", "license": "bsd-3-clause", "language": [ { "name": "C", "bytes": "57352" }, { "name": "C++", "bytes": "24698722" }, { "name": "HTML", "bytes": "158832" }, { "name": "Matlab", "bytes": "3894" }, { "name": "Perl", "bytes": "50385" }, { "name": "Perl6", "bytes": "17877" }, { "name": "Shell", "bytes": "848621" } ], "symlink_target": "" }
#import "ABI42_0_0RCTBaseTextShadowView.h" NS_ASSUME_NONNULL_BEGIN @interface ABI42_0_0RCTBaseTextInputShadowView : ABI42_0_0RCTBaseTextShadowView - (instancetype)initWithBridge:(ABI42_0_0RCTBridge *)bridge; @property (nonatomic, copy, nullable) NSString *text; @property (nonatomic, copy, nullable) NSString *placeholder; @property (nonatomic, assign) NSInteger maximumNumberOfLines; @property (nonatomic, copy, nullable) ABI42_0_0RCTDirectEventBlock onContentSizeChange; - (void)uiManagerWillPerformMounting; @end NS_ASSUME_NONNULL_END
{ "content_hash": "3c1dfba91a2f453987cf933a401b3141", "timestamp": "", "source": "github", "line_count": 20, "max_line_length": 87, "avg_line_length": 27.35, "alnum_prop": 0.8062157221206582, "repo_name": "exponent/exponent", "id": "6908997785e8f3b82741c5436a4cb5291b56ef69", "size": "734", "binary": false, "copies": "2", "ref": "refs/heads/master", "path": "ios/versioned-react-native/ABI42_0_0/ReactNative/Libraries/Text/TextInput/ABI42_0_0RCTBaseTextInputShadowView.h", "mode": "33188", "license": "bsd-3-clause", "language": [ { "name": "Assembly", "bytes": "113276" }, { "name": "Batchfile", "bytes": "127" }, { "name": "C", "bytes": "1744836" }, { "name": "C++", "bytes": "1801159" }, { "name": "CSS", "bytes": "7854" }, { "name": "HTML", "bytes": "176329" }, { "name": "IDL", "bytes": "897" }, { "name": "Java", "bytes": "6251130" }, { "name": "JavaScript", "bytes": "4416558" }, { "name": "Makefile", "bytes": "18061" }, { "name": "Objective-C", "bytes": "13971362" }, { "name": "Objective-C++", "bytes": "725480" }, { "name": "Perl", "bytes": "5860" }, { "name": "Prolog", "bytes": "287" }, { "name": "Python", "bytes": "125673" }, { "name": "Ruby", "bytes": "61190" }, { "name": "Shell", "bytes": "4441" } ], "symlink_target": "" }
package org.apache.sysml.api.ml import org.apache.spark.api.java.JavaSparkContext import org.apache.spark.rdd.RDD import java.io.File import org.apache.spark.SparkContext import org.apache.spark.ml.{ Estimator, Model } import org.apache.spark.sql.types.StructType import org.apache.spark.ml.param.{ DoubleParam, Param, ParamMap, Params } import org.apache.sysml.runtime.matrix.MatrixCharacteristics import org.apache.sysml.runtime.matrix.data.MatrixBlock import org.apache.sysml.runtime.DMLRuntimeException import org.apache.sysml.runtime.instructions.spark.utils.{ RDDConverterUtils, RDDConverterUtilsExt } import org.apache.sysml.api.mlcontext._ import org.apache.sysml.api.mlcontext.ScriptFactory._ import org.apache.spark.sql._ import org.apache.sysml.api.mlcontext.MLContext.ExplainLevel import java.util.HashMap import scala.collection.JavaConversions._ import java.util.Random /**************************************************** DESIGN DOCUMENT for MLLEARN API: The mllearn API supports LogisticRegression, LinearRegression, SVM, NaiveBayes and Caffe2DML. Every algorithm in this API has a python wrapper (implemented in the mllearn python package) and a Scala class where the actual logic is implementation. Both wrapper and scala class follow the below hierarchy to reuse code and simplify the implementation. BaseSystemMLEstimator | -------------------------------------------- | | BaseSystemMLClassifier BaseSystemMLRegressor ^ ^ | | SVM, Caffe2DML, ... LinearRegression To conform with MLLib API, for every algorithm, we support two classes for every algorithm: 1. Estimator for training: For example: SVM extends Estimator[SVMModel]. 2. Model for prediction: For example: SVMModel extends Model[SVMModel] Both BaseSystemMLRegressor and BaseSystemMLClassifier implements following methods for training: 1. For compatibility with scikit-learn: baseFit(X_mb: MatrixBlock, y_mb: MatrixBlock, sc: SparkContext): MLResults 2. For compatibility with MLLib: baseFit(df: ScriptsUtils.SparkDataType, sc: SparkContext): MLResults In the above methods, we execute the DML script for the given algorithm using MLContext. The missing piece of the puzzle is how does BaseSystemMLRegressor and BaseSystemMLClassifier interfaces get the DML script. To enable this, each wrapper class has to implement following methods: 1. getTrainingScript(isSingleNode:Boolean):(Script object of mlcontext, variable name of X in the script:String, variable name of y in the script:String) 2. getPredictionScript(isSingleNode:Boolean): (Script object of mlcontext, variable name of X in the script:String) ****************************************************/ trait HasLaplace extends Params { final val laplace: Param[Double] = new Param[Double](this, "laplace", "Laplace smoothing specified by the user to avoid creation of 0 probabilities.") setDefault(laplace, 1.0) final def getLaplace: Double = $(laplace) } trait HasIcpt extends Params { final val icpt: Param[Int] = new Param[Int](this, "icpt", "Intercept presence, shifting and rescaling X columns") setDefault(icpt, 0) final def getIcpt: Int = $(icpt) } trait HasMaxOuterIter extends Params { final val maxOuterIter: Param[Int] = new Param[Int](this, "maxOuterIter", "max. number of outer (Newton) iterations") setDefault(maxOuterIter, 100) final def getMaxOuterIte: Int = $(maxOuterIter) } trait HasMaxInnerIter extends Params { final val maxInnerIter: Param[Int] = new Param[Int](this, "maxInnerIter", "max. number of inner (conjugate gradient) iterations, 0 = no max") setDefault(maxInnerIter, 0) final def getMaxInnerIter: Int = $(maxInnerIter) } trait HasTol extends Params { final val tol: DoubleParam = new DoubleParam(this, "tol", "the convergence tolerance for iterative algorithms") setDefault(tol, 0.000001) final def getTol: Double = $(tol) } trait HasRegParam extends Params { final val regParam: DoubleParam = new DoubleParam(this, "regParam", "regularization parameter") setDefault(regParam, 0.000001) final def getRegParam: Double = $(regParam) } trait BaseSystemMLEstimatorOrModel { var enableGPU: Boolean = false var forceGPU: Boolean = false var explain: Boolean = false var explainLevel: String = "runtime" var statistics: Boolean = false var statisticsMaxHeavyHitters: Int = 10 val config: HashMap[String, String] = new HashMap[String, String]() def setGPU(enableGPU1: Boolean): BaseSystemMLEstimatorOrModel = { enableGPU = enableGPU1; this } def setForceGPU(enableGPU1: Boolean): BaseSystemMLEstimatorOrModel = { forceGPU = enableGPU1; this } def setExplain(explain1: Boolean): BaseSystemMLEstimatorOrModel = { explain = explain1; this } def setExplainLevel(explainLevel1: String): BaseSystemMLEstimatorOrModel = { explainLevel = explainLevel1; this } def setStatistics(statistics1: Boolean): BaseSystemMLEstimatorOrModel = { statistics = statistics1; this } def setStatisticsMaxHeavyHitters(statisticsMaxHeavyHitters1: Int): BaseSystemMLEstimatorOrModel = { statisticsMaxHeavyHitters = statisticsMaxHeavyHitters1; this } def setConfigProperty(key: String, value: String): BaseSystemMLEstimatorOrModel = { config.put(key, value); this } def updateML(ml: MLContext): Unit = { ml.setGPU(enableGPU); ml.setForceGPU(forceGPU); ml.setExplain(explain); ml.setExplainLevel(explainLevel); ml.setStatistics(statistics); ml.setStatisticsMaxHeavyHitters(statisticsMaxHeavyHitters); config.map(x => ml.setConfigProperty(x._1, x._2)) } def copyProperties(other: BaseSystemMLEstimatorOrModel): BaseSystemMLEstimatorOrModel = { other.setGPU(enableGPU); other.setForceGPU(forceGPU); other.setExplain(explain); other.setExplainLevel(explainLevel); other.setStatistics(statistics); other.setStatisticsMaxHeavyHitters(statisticsMaxHeavyHitters); config.map(x => other.setConfigProperty(x._1, x._2)) return other } } trait BaseSystemMLEstimator extends BaseSystemMLEstimatorOrModel { def transformSchema(schema: StructType): StructType = schema var mloutput: MLResults = null // Returns the script and variables for X and y def getTrainingScript(isSingleNode: Boolean): (Script, String, String) def toDouble(i: Int): java.lang.Double = double2Double(i.toDouble) def toDouble(d: Double): java.lang.Double = double2Double(d) } trait BaseSystemMLEstimatorModel extends BaseSystemMLEstimatorOrModel { def toDouble(i: Int): java.lang.Double = double2Double(i.toDouble) def toDouble(d: Double): java.lang.Double = double2Double(d) def transform_probability(X: MatrixBlock): MatrixBlock; def transformSchema(schema: StructType): StructType = schema // Returns the script and variable for X def getPredictionScript(isSingleNode: Boolean): (Script, String) def baseEstimator(): BaseSystemMLEstimator def modelVariables(): List[String] // self.model.load(self.sc._jsc, weights, format, sep) def load(sc: JavaSparkContext, outputDir: String, sep: String, eager: Boolean = false): Unit = { val dmlScript = new StringBuilder dmlScript.append("print(\"Loading the model from " + outputDir + "...\")\n") val tmpSum = "tmp_sum_var" + Math.abs((new Random()).nextInt()) if (eager) dmlScript.append(tmpSum + " = 0\n") for (varName <- modelVariables) { dmlScript.append(varName + " = read(\"" + outputDir + sep + varName + ".mtx\")\n") if (eager) dmlScript.append(tmpSum + " = " + tmpSum + " + 0.001*mean(" + varName + ")\n") } if (eager) { dmlScript.append("if(" + tmpSum + " > 0) { print(\"Loaded the model\"); } else { print(\"Loaded the model.\"); }") } val script = dml(dmlScript.toString) for (varName <- modelVariables) { script.out(varName) } val ml = new MLContext(sc) baseEstimator.mloutput = ml.execute(script) } def save(sc: JavaSparkContext, outputDir: String, format: String = "binary", sep: String = "/"): Unit = { if (baseEstimator.mloutput == null) throw new DMLRuntimeException("Cannot save as you need to train the model first using fit") val dmlScript = new StringBuilder dmlScript.append("print(\"Saving the model to " + outputDir + "...\")\n") for (varName <- modelVariables) { dmlScript.append("write(" + varName + ", \"" + outputDir + sep + varName + ".mtx\", format=\"" + format + "\")\n") } val script = dml(dmlScript.toString) for (varName <- modelVariables) { script.in(varName, baseEstimator.mloutput.getMatrix(varName)) } val ml = new MLContext(sc) ml.execute(script) } } trait BaseSystemMLClassifier extends BaseSystemMLEstimator { def baseFit(X_mb: MatrixBlock, y_mb: MatrixBlock, sc: SparkContext): MLResults = { val isSingleNode = true val ml = new MLContext(sc) updateML(ml) y_mb.recomputeNonZeros(); val ret = getTrainingScript(isSingleNode) val script = ret._1.in(ret._2, X_mb).in(ret._3, y_mb) ml.execute(script) } def baseFit(df: ScriptsUtils.SparkDataType, sc: SparkContext): MLResults = { val isSingleNode = false val ml = new MLContext(df.rdd.sparkContext) updateML(ml) val mcXin = new MatrixCharacteristics() val Xin = RDDConverterUtils.dataFrameToBinaryBlock(sc, df.asInstanceOf[DataFrame].select("features"), mcXin, false, true) val revLabelMapping = new java.util.HashMap[Int, String] val yin = df.select("label") val ret = getTrainingScript(isSingleNode) val mmXin = new MatrixMetadata(mcXin) val Xbin = new Matrix(Xin, mmXin) val script = ret._1.in(ret._2, Xbin).in(ret._3, yin) ml.execute(script) } } trait BaseSystemMLClassifierModel extends BaseSystemMLEstimatorModel { def baseTransform(X: MatrixBlock, sc: SparkContext, probVar: String): MatrixBlock = baseTransform(X, sc, probVar, -1, 1, 1) def baseTransform(X: MatrixBlock, sc: SparkContext, probVar: String, C: Int, H: Int, W: Int): MatrixBlock = { val Prob = baseTransformHelper(X, sc, probVar, C, H, W) val script1 = dml("source(\"nn/util.dml\") as util; Prediction = util::predict_class(Prob, C, H, W);") .out("Prediction") .in("Prob", Prob.toMatrixBlock, Prob.getMatrixMetadata) .in("C", C) .in("H", H) .in("W", W) val ret = (new MLContext(sc)).execute(script1).getMatrix("Prediction").toMatrixBlock if (ret.getNumColumns != 1 && H == 1 && W == 1) { throw new RuntimeException("Expected predicted label to be a column vector") } return ret } def baseTransformHelper(X: MatrixBlock, sc: SparkContext, probVar: String, C: Int, H: Int, W: Int): Matrix = { val isSingleNode = true val ml = new MLContext(sc) updateML(ml) val script = getPredictionScript(isSingleNode) // Uncomment for debugging // ml.setExplainLevel(ExplainLevel.RECOMPILE_RUNTIME) val modelPredict = ml.execute(script._1.in(script._2, X, new MatrixMetadata(X.getNumRows, X.getNumColumns, X.getNonZeros))) return modelPredict.getMatrix(probVar) } def baseTransformProbability(X: MatrixBlock, sc: SparkContext, probVar: String): MatrixBlock = baseTransformProbability(X, sc, probVar, -1, 1, 1) def baseTransformProbability(X: MatrixBlock, sc: SparkContext, probVar: String, C: Int, H: Int, W: Int): MatrixBlock = return baseTransformHelper(X, sc, probVar, C, H, W).toMatrixBlock def baseTransform(df: ScriptsUtils.SparkDataType, sc: SparkContext, probVar: String, outputProb: Boolean = true): DataFrame = baseTransform(df, sc, probVar, outputProb, -1, 1, 1) def baseTransformHelper(df: ScriptsUtils.SparkDataType, sc: SparkContext, probVar: String, outputProb: Boolean, C: Int, H: Int, W: Int): Matrix = { val isSingleNode = false val ml = new MLContext(sc) updateML(ml) val mcXin = new MatrixCharacteristics() val Xin = RDDConverterUtils.dataFrameToBinaryBlock(df.rdd.sparkContext, df.asInstanceOf[DataFrame].select("features"), mcXin, false, true) val script = getPredictionScript(isSingleNode) val mmXin = new MatrixMetadata(mcXin) val Xin_bin = new Matrix(Xin, mmXin) val modelPredict = ml.execute(script._1.in(script._2, Xin_bin)) return modelPredict.getMatrix(probVar) } def baseTransform(df: ScriptsUtils.SparkDataType, sc: SparkContext, probVar: String, outputProb: Boolean, C: Int, H: Int, W: Int): DataFrame = { val Prob = baseTransformHelper(df, sc, probVar, outputProb, C, H, W) val script1 = dml("source(\"nn/util.dml\") as util; Prediction = util::predict_class(Prob, C, H, W);") .out("Prediction") .in("Prob", Prob) .in("C", C) .in("H", H) .in("W", W) val predLabelOut = (new MLContext(sc)).execute(script1) val predictedDF = predLabelOut.getDataFrame("Prediction").select(RDDConverterUtils.DF_ID_COLUMN, "C1").withColumnRenamed("C1", "prediction") if (outputProb) { val prob = Prob.toDFVectorWithIDColumn().withColumnRenamed("C1", "probability").select(RDDConverterUtils.DF_ID_COLUMN, "probability") val dataset = RDDConverterUtilsExt.addIDToDataFrame(df.asInstanceOf[DataFrame], df.sparkSession, RDDConverterUtils.DF_ID_COLUMN) return PredictionUtils.joinUsingID(dataset, PredictionUtils.joinUsingID(prob, predictedDF)) } else { val dataset = RDDConverterUtilsExt.addIDToDataFrame(df.asInstanceOf[DataFrame], df.sparkSession, RDDConverterUtils.DF_ID_COLUMN) return PredictionUtils.joinUsingID(dataset, predictedDF) } } }
{ "content_hash": "8d6be0ff72efda698f4e80305e0c7a3f", "timestamp": "", "source": "github", "line_count": 284, "max_line_length": 164, "avg_line_length": 50.975352112676056, "alnum_prop": 0.669890170615459, "repo_name": "dhutchis/systemml", "id": "ec086ebd3fa75ed6d924599a34e67e4ecb420dcc", "size": "15284", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "src/main/scala/org/apache/sysml/api/ml/BaseSystemMLClassifier.scala", "mode": "33188", "license": "apache-2.0", "language": [ { "name": "ANTLR", "bytes": "31285" }, { "name": "Batchfile", "bytes": "23989" }, { "name": "C", "bytes": "8676" }, { "name": "C++", "bytes": "30804" }, { "name": "CMake", "bytes": "10372" }, { "name": "Cuda", "bytes": "39725" }, { "name": "Java", "bytes": "13300815" }, { "name": "Jupyter Notebook", "bytes": "107164" }, { "name": "Makefile", "bytes": "2459" }, { "name": "Python", "bytes": "341045" }, { "name": "R", "bytes": "716229" }, { "name": "Scala", "bytes": "222118" }, { "name": "Shell", "bytes": "154369" } ], "symlink_target": "" }
package six.ca.droiddailyproject.fonts; import android.content.Context; import android.graphics.Color; import android.graphics.Typeface; import android.view.View; import android.view.ViewGroup; import android.widget.ArrayAdapter; import android.widget.TextView; import java.util.List; public class CustomSpinnerAdapter extends ArrayAdapter<String> { private Typeface stkTypeface; public CustomSpinnerAdapter(Context context, int resource, List<String> objects) { super(context, resource, objects); stkTypeface = Typeface.createFromAsset(context.getAssets(), "FZSTK.TTF"); } @Override public View getView(int position, View convertView, ViewGroup parent) { TextView view = (TextView) super.getView(position, convertView, parent); view.setTypeface(stkTypeface); view.setTextColor(Color.BLUE); return view; } @Override public View getDropDownView(int position, View convertView, ViewGroup parent) { TextView view = (TextView) super.getView(position, convertView, parent); view.setTypeface(stkTypeface); return view; } }
{ "content_hash": "805dc30e2bcaac15a93808883c034d85", "timestamp": "", "source": "github", "line_count": 36, "max_line_length": 86, "avg_line_length": 31.444444444444443, "alnum_prop": 0.7287985865724381, "repo_name": "hellenxu/TipsProject", "id": "715edbd2b2b427b7b261f053a3422d214e5373cc", "size": "1197", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "DroidDailyProject/app/src/main/java/six/ca/droiddailyproject/fonts/CustomSpinnerAdapter.java", "mode": "33188", "license": "apache-2.0", "language": [ { "name": "HTML", "bytes": "1273" }, { "name": "Java", "bytes": "188563" }, { "name": "Kotlin", "bytes": "66699" } ], "symlink_target": "" }
var net = require('net'); var socket = new net.Socket(); var sended = 0; socket.connect('9000', 'localhost', function() { socket.on('data', function(data) { console.log('\n---> ' + data); var dataJSON = JSON.parse(data); if (dataJSON["type"] == "ready") { var uid = dataJSON["simulationId"]; var joinObj = require("./join-simulation-p1"); joinObj["simulationId"] = uid; socket.write(JSON.stringify(require("./join-simulation-p1"))); } if (dataJSON["type"] == "turn" && sended < 2) { sended ++; socket.write(JSON.stringify(require("./send-turn-p1"))); } }); socket.write(JSON.stringify(require("./create-simulation"))); });
{ "content_hash": "6f8a419e7ec0f5ed2faebbb42118de77", "timestamp": "", "source": "github", "line_count": 22, "max_line_length": 74, "avg_line_length": 34.40909090909091, "alnum_prop": 0.5416116248348745, "repo_name": "PIWEEK/dwarven-tavern", "id": "cbbfb6e8681b4619b6495de51f3241be075f247c", "size": "757", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "scripts/game-p1.js", "mode": "33188", "license": "mit", "language": [ { "name": "CSS", "bytes": "4125" }, { "name": "CoffeeScript", "bytes": "3954" }, { "name": "JavaScript", "bytes": "101142" } ], "symlink_target": "" }
<!DOCTYPE html> <html> <head> <title>feed.js</title> <link rel="stylesheet" href="../../css/prettify_wynn.css" media="all"></link> <link rel="stylesheet" href="../../css/all.css" media="all"></link> <script src="../../javascript/all.js"></script> <script src="../../javascript/prettify.js"></script> </head><body onload="prePrettyPrint();"><pre>/** * @ requires */ var request = require('./http.js').request, makeKeyOptions = require('./utils.js').makeKeyOptions, makeFeedOptions = require('./utils.js').makeFeedOptions, makeHistoryOptions = require('./utils.js').makeHistoryOptions, defaultDataFormat = require('../include/meta.js').defaultDataFormat; /** * Create an instance of Feed * * @constructor {Feed} * @this {Feed} * @param {string} masterApikey Your pachube api key. */ function Feed(masterApikey) { /** @private */ this.masterApiKey = masterApikey; } /** * List all available feeds: GET /v2/feeds * * @this {Feed} * @param {object} parameters The parameters object. * @param {function} callback The callback function. * @param {string} OptionalDataFormat Optional data format parameter, json ,xml or csv, default json. */ Feed.prototype.list = function(parameters, callback, optionalDataFormat) { var options = makeFeedOptions('GET', '', parameters); var dataFormat = optionalDataFormat || defaultDataFormat; request(this.masterApiKey, options, callback, dataFormat); }; /** * Create new feed: POST /v2/feeds * * @this {Feed} * @param {string} dataSource The data source, a path, a string or an object. * @param {function} callback The callbak function. * @param {string} optionalDataFormat Optional data format parameter, json, xml csv, default to json. */ Feed.prototype.create = function(dataSource, callback, optionalDataFormat) { var options = makeFeedOptions('POST'); var dataFormat = optionalDataFormat || defaultDataFormat; request(this.masterApiKey, options, callback, dataFormat , dataSource); }; /** * Read feed: GET /v2/feeds/&lt;feed_id> * * @this {Feed} * @param {number} feedID The feed id. * @param {object} parameters Optinal parameters object. * @param {function} callback The callback function. * @param {string} optionalDataFormat Optional data format parameter, json, xml or csv, default json. */ Feed.prototype.read = function(feedID, parameters, callback, optionalDataFormat) { feedID = feedID.toString(); var options = makeFeedOptions('GET', feedID, parameters); var dataFormat = optionalDataFormat || defaultDataFormat; request(this.masterApiKey, options, callback, dataFormat); }; /** * Update feed: PUT /v2/feeds/&lt;feed_id> * * @this {Feed} * @param {number} feedID The feed id. * @param {string} dataSource The data source, a path, a string or an object. * @param {function} callback The callback function. * @param {string} optionalDataFormat Optional data format parameter, json, xml csv, default json. */ Feed.prototype.update = function(feedID, dataSource, callback, optionalDataFormat) { var options = makeFeedOptions('PUT', feedID.toString()); var dataFormat = optionalDataFormat || defaultDataFormat; request(this.masterApiKey, options, callback, dataFormat, dataSource); }; /** * Delete feed: DELETE /v2/feeds/&lt;feed_id> * * @this {Feed} * @param {number} feedID The feed id. * @param {function} callback The callback function. */ Feed.prototype.delete = function(feedID, callback) { var options = makeFeedOptions('DELETE', feedID.toString()); request(this.masterApiKey, options, callback); }; /** * List API keys: GET /v2/{env}/keys * * @this {Feed} * @param {string|number} The current environment id, could be feed, stream, or point id. * @param {function} The callback function. * @param {string} Optional data format parameter, could be json or xml. */ Feed.prototype.listKey = function(id, callback, optionalDataFormat) { var options = makeKeyOptions('GET', this, id.toString()); var dataFormat = optionalDataFormat || defaultDataFormat; request(this.masterApiKey, options, callback, dataFormat); }; /** * Create API key: POST /v2/{env}/keys * * @this {Feed} * @param {string|number} id The current environment id, could be feed, stream, or point id. * @param {string|object} dataSource The data source, could be a paht, a string or an object. * @param {function} callback The callback function. * @param {string} optionalDataFormat Optional data format parameter, could be json or xml. */ Feed.prototype.createKey = function(id, dataSource, callback, optionalDataFormat) { var options = makeKeyOptions('POST', this, id.toString()); var dataformat = optionalDataFormat || defaultDataFormat; request(this.masterApiKey, options, callback, dataFormat, dataSource); }; /** * Read API key: GET /v2/{env}/keys/&lt;key_id> * * @this {Feed} * @param {string|number} id The current environment id, could be feed, stream, or point id. * @param {string} keyID The key id. * @param {function} callback The callback function. * @param {string} optionalDataFormat Optional data format parameter, could be json or xml. */ Feed.prototype.readKey = function(id, keyID, callback, optionalDataFormat) { var options = makeKeyOptions('GET', this, id.toString(), keyID); var dataFormat = optionalDataFormat || defaultDataFormat; request(this.masterApiKey, options, callback, dataFormat); }; /** * Delete API key: DELETE /v2/{env}/keys/&lt;key_id> * * @this {Feed} * @param {string|number} id The current environment id, could be feed, stream, or point id. * @param {string} keyID The key id. * @param {function} callback The callback function. */ Feed.prototype.deleteKey = function(id, keyID, callback) { var options = makeKeyOptions('GET', this, id.toString(), keyID); request(this.masterApiKey, options, callback); }; /** * Historical Queries * * @this {Feed} * @param {string|number} id The current environment id, could be feed, stream, or point id. * @param {string} start The start timestamp, e.g. 2010-05-20T11:01:46Z. * @param {end} end The end timestamp, e.g. 2010-05-21T11:01:46Z. * @param {number} interval The time interval, intergel number. * @param {function} callback The callback function. * @param {string} optionalDataFormat Optional data format parameter, could be json or xml. */ Feed.prototype.history = function(id, start, end, interval, callback, optionalDataFormat) { var date = new Date(); var parameters = {}; parameters.start = start ? start : date.toISOString(); parameters.end = end ? end : data.toISOString(); parameters.interval = interval ? interval : 0; var options = makeHistoryOptions('GET', this, id.toString(), parameters); var dataFormat = optionalDataFormat || defaultDataFormat; request(this.masterApiKey, options, callback, dataFormat); }; /** * @ exports */ module.exports = Feed; </pre></body></html>
{ "content_hash": "226589bc507c9132f1a94e79e24c701a", "timestamp": "", "source": "github", "line_count": 196, "max_line_length": 108, "avg_line_length": 37.47959183673469, "alnum_prop": 0.6652600054451402, "repo_name": "kuno/node-pachube", "id": "4127da5f893ca6e32662c0fbe7ea590934344105", "size": "7346", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "docs/symbols/src/feed.js.html", "mode": "33188", "license": "mit", "language": [ { "name": "JavaScript", "bytes": "52222" } ], "symlink_target": "" }
#include <stdbool.h> #include <vlib/vlib.h> #include <vnet/crypto/crypto.h> static clib_error_t * show_crypto_engines_command_fn (vlib_main_t * vm, unformat_input_t * input, vlib_cli_command_t * cmd) { unformat_input_t _line_input, *line_input = &_line_input; vnet_crypto_main_t *cm = &crypto_main; vnet_crypto_engine_t *p; if (unformat_user (input, unformat_line_input, line_input)) unformat_free (line_input); if (vec_len (cm->engines) == 0) { vlib_cli_output (vm, "No crypto engines registered"); return 0; } vlib_cli_output (vm, "%-20s%-8s%s", "Name", "Prio", "Description"); /* *INDENT-OFF* */ vec_foreach (p, cm->engines) { vlib_cli_output (vm, "%-20s%-8u%s", p->name, p->priority, p->desc); } /* *INDENT-ON* */ return 0; } /* *INDENT-OFF* */ VLIB_CLI_COMMAND (show_crypto_engines_command, static) = { .path = "show crypto engines", .short_help = "show crypto engines", .function = show_crypto_engines_command_fn, }; static u8 * format_vnet_crypto_engine_candidates (u8 * s, va_list * args) { vnet_crypto_engine_t *e; vnet_crypto_main_t *cm = &crypto_main; u32 id = va_arg (*args, u32); u32 ei = va_arg (*args, u32); int is_chained = va_arg (*args, int); int is_async = va_arg (*args, int); if (is_async) { vec_foreach (e, cm->engines) { if (e->enqueue_handlers[id] && e->dequeue_handler) { s = format (s, "%U", format_vnet_crypto_engine, e - cm->engines); if (ei == e - cm->engines) s = format (s, "%c ", '*'); else s = format (s, " "); } } return s; } else { vec_foreach (e, cm->engines) { void * h = is_chained ? (void *) e->chained_ops_handlers[id] : (void *) e->ops_handlers[id]; if (h) { s = format (s, "%U", format_vnet_crypto_engine, e - cm->engines); if (ei == e - cm->engines) s = format (s, "%c ", '*'); else s = format (s, " "); } } return s; } } static u8 * format_vnet_crypto_handlers (u8 * s, va_list * args) { vnet_crypto_alg_t alg = va_arg (*args, vnet_crypto_alg_t); vnet_crypto_main_t *cm = &crypto_main; vnet_crypto_alg_data_t *d = vec_elt_at_index (cm->algs, alg); u32 indent = format_get_indent (s); int i, first = 1; for (i = 0; i < VNET_CRYPTO_OP_N_TYPES; i++) { vnet_crypto_op_data_t *od; vnet_crypto_op_id_t id = d->op_by_type[i]; if (id == 0) continue; od = cm->opt_data + id; if (first == 0) s = format (s, "\n%U", format_white_space, indent); s = format (s, "%-16U", format_vnet_crypto_op_type, od->type); s = format (s, "%-28U", format_vnet_crypto_engine_candidates, id, od->active_engine_index_simple, 0, 0); s = format (s, "%U", format_vnet_crypto_engine_candidates, id, od->active_engine_index_chained, 1, 0); first = 0; } return s; } static clib_error_t * show_crypto_handlers_command_fn (vlib_main_t * vm, unformat_input_t * input, vlib_cli_command_t * cmd) { unformat_input_t _line_input, *line_input = &_line_input; int i; if (unformat_user (input, unformat_line_input, line_input)) unformat_free (line_input); vlib_cli_output (vm, "%-16s%-16s%-28s%s", "Algo", "Type", "Simple", "Chained"); for (i = 0; i < VNET_CRYPTO_N_ALGS; i++) vlib_cli_output (vm, "%-16U%U", format_vnet_crypto_alg, i, format_vnet_crypto_handlers, i); return 0; } /* *INDENT-OFF* */ VLIB_CLI_COMMAND (show_crypto_handlers_command, static) = { .path = "show crypto handlers", .short_help = "show crypto handlers", .function = show_crypto_handlers_command_fn, }; /* *INDENT-ON* */ static clib_error_t * set_crypto_handler_command_fn (vlib_main_t * vm, unformat_input_t * input, vlib_cli_command_t * cmd) { unformat_input_t _line_input, *line_input = &_line_input; vnet_crypto_main_t *cm = &crypto_main; int rc = 0; char **args = 0, *s, **arg, *engine = 0; int all = 0; clib_error_t *error = 0; crypto_op_class_type_t oct = CRYPTO_OP_BOTH; if (!unformat_user (input, unformat_line_input, line_input)) return 0; while (unformat_check_input (line_input) != UNFORMAT_END_OF_INPUT) { if (unformat (line_input, "all")) all = 1; else if (unformat (line_input, "simple")) oct = CRYPTO_OP_SIMPLE; else if (unformat (line_input, "chained")) oct = CRYPTO_OP_CHAINED; else if (unformat (line_input, "both")) oct = CRYPTO_OP_BOTH; else if (unformat (line_input, "%s", &s)) vec_add1 (args, s); else { error = clib_error_return (0, "invalid params"); goto done; } } if ((vec_len (args) < 2 && !all) || (vec_len (args) == 0 && all)) { error = clib_error_return (0, "missing cipher or engine!"); goto done; } engine = vec_elt_at_index (args, vec_len (args) - 1)[0]; vec_del1 (args, vec_len (args) - 1); if (all) { char *key; u8 *value; /* *INDENT-OFF* */ hash_foreach_mem (key, value, cm->alg_index_by_name, ({ (void) value; rc += vnet_crypto_set_handler2 (key, engine, oct); })); /* *INDENT-ON* */ if (rc) vlib_cli_output (vm, "failed to set crypto engine!"); } else { vec_foreach (arg, args) { rc = vnet_crypto_set_handler2 (arg[0], engine, oct); if (rc) { vlib_cli_output (vm, "failed to set engine %s for %s!", engine, arg[0]); } } } done: vec_free (engine); vec_foreach (arg, args) vec_free (arg[0]); vec_free (args); unformat_free (line_input); return error; } /* *INDENT-OFF* */ VLIB_CLI_COMMAND (set_crypto_handler_command, static) = { .path = "set crypto handler", .short_help = "set crypto handler cipher [cipher2 cipher3 ...] engine" " [simple|chained]", .function = set_crypto_handler_command_fn, }; /* *INDENT-ON* */ static u8 * format_vnet_crypto_async_handlers (u8 * s, va_list * args) { vnet_crypto_async_alg_t alg = va_arg (*args, vnet_crypto_async_alg_t); vnet_crypto_main_t *cm = &crypto_main; vnet_crypto_async_alg_data_t *d = vec_elt_at_index (cm->async_algs, alg); u32 indent = format_get_indent (s); int i, first = 1; for (i = 0; i < VNET_CRYPTO_ASYNC_OP_N_TYPES; i++) { vnet_crypto_async_op_data_t *od; vnet_crypto_async_op_id_t id = d->op_by_type[i]; if (id == 0) continue; od = cm->async_opt_data + id; if (first == 0) s = format (s, "\n%U", format_white_space, indent); s = format (s, "%-16U", format_vnet_crypto_async_op_type, od->type); s = format (s, "%U", format_vnet_crypto_engine_candidates, id, od->active_engine_index_async, 0, 1); first = 0; } return s; } static clib_error_t * show_crypto_async_handlers_command_fn (vlib_main_t * vm, unformat_input_t * input, vlib_cli_command_t * cmd) { unformat_input_t _line_input, *line_input = &_line_input; int i; if (unformat_user (input, unformat_line_input, line_input)) unformat_free (line_input); vlib_cli_output (vm, "%-28s%-16s%s", "Algo", "Type", "Handler"); for (i = 0; i < VNET_CRYPTO_N_ASYNC_ALGS; i++) vlib_cli_output (vm, "%-28U%U", format_vnet_crypto_async_alg, i, format_vnet_crypto_async_handlers, i); return 0; } /* *INDENT-OFF* */ VLIB_CLI_COMMAND (show_crypto_async_handlers_command, static) = { .path = "show crypto async handlers", .short_help = "show crypto async handlers", .function = show_crypto_async_handlers_command_fn, }; /* *INDENT-ON* */ static clib_error_t * show_crypto_async_status_command_fn (vlib_main_t * vm, unformat_input_t * input, vlib_cli_command_t * cmd) { vnet_crypto_main_t *cm = &crypto_main; u32 skip_master = vlib_num_workers () > 0; vlib_thread_main_t *tm = vlib_get_thread_main (); unformat_input_t _line_input, *line_input = &_line_input; int i; if (unformat_user (input, unformat_line_input, line_input)) unformat_free (line_input); vlib_cli_output (vm, "Crypto async dispatch mode: %s", cm->dispatch_mode == VNET_CRYPTO_ASYNC_DISPATCH_POLLING ? "POLLING" : "INTERRUPT"); for (i = skip_master; i < tm->n_vlib_mains; i++) { vlib_node_state_t state = vlib_node_get_state ( vlib_get_main_by_index (i), cm->crypto_node_index); if (state == VLIB_NODE_STATE_POLLING) vlib_cli_output (vm, "threadId: %-6d POLLING", i); if (state == VLIB_NODE_STATE_INTERRUPT) vlib_cli_output (vm, "threadId: %-6d INTERRUPT", i); if (state == VLIB_NODE_STATE_DISABLED) vlib_cli_output (vm, "threadId: %-6d DISABLED", i); } return 0; } /* *INDENT-OFF* */ VLIB_CLI_COMMAND (show_crypto_async_status_command, static) = { .path = "show crypto async status", .short_help = "show crypto async status", .function = show_crypto_async_status_command_fn, }; /* *INDENT-ON* */ static clib_error_t * set_crypto_async_handler_command_fn (vlib_main_t * vm, unformat_input_t * input, vlib_cli_command_t * cmd) { unformat_input_t _line_input, *line_input = &_line_input; vnet_crypto_main_t *cm = &crypto_main; int rc = 0; char **args = 0, *s, **arg, *engine = 0; int all = 0; clib_error_t *error = 0; if (!unformat_user (input, unformat_line_input, line_input)) return 0; while (unformat_check_input (line_input) != UNFORMAT_END_OF_INPUT) { if (unformat (line_input, "all")) all = 1; else if (unformat (line_input, "%s", &s)) vec_add1 (args, s); else { error = clib_error_return (0, "invalid params"); goto done; } } if ((vec_len (args) < 2 && !all) || (vec_len (args) == 0 && all)) { error = clib_error_return (0, "missing cipher or engine!"); goto done; } engine = vec_elt_at_index (args, vec_len (args) - 1)[0]; vec_del1 (args, vec_len (args) - 1); if (all) { char *key; u8 *value; /* *INDENT-OFF* */ hash_foreach_mem (key, value, cm->async_alg_index_by_name, ({ (void) value; rc += vnet_crypto_set_async_handler2 (key, engine); })); /* *INDENT-ON* */ if (rc) vlib_cli_output (vm, "failed to set crypto engine!"); } else { vec_foreach (arg, args) { rc = vnet_crypto_set_async_handler2 (arg[0], engine); if (rc) { vlib_cli_output (vm, "failed to set engine %s for %s!", engine, arg[0]); } } } done: vec_free (engine); vec_foreach (arg, args) vec_free (arg[0]); vec_free (args); unformat_free (line_input); return error; } /* *INDENT-OFF* */ VLIB_CLI_COMMAND (set_crypto_async_handler_command, static) = { .path = "set crypto async handler", .short_help = "set crypto async handler type [type2 type3 ...] engine", .function = set_crypto_async_handler_command_fn, }; /* *INDENT-ON* */ static inline void print_crypto_async_dispatch_warning () { clib_warning ("Switching dispatch mode might not work is some situations."); clib_warning ("Use 'show crypto async status' to verify that the nodes' states were set"); clib_warning ("and if not, set 'crypto async dispatch' mode again."); } static clib_error_t * set_crypto_async_dispatch_polling_command_fn (vlib_main_t * vm, unformat_input_t * input, vlib_cli_command_t * cmd) { print_crypto_async_dispatch_warning (); vnet_crypto_set_async_dispatch_mode (VNET_CRYPTO_ASYNC_DISPATCH_POLLING); return 0; } static clib_error_t * set_crypto_async_dispatch_interrupt_command_fn (vlib_main_t * vm, unformat_input_t * input, vlib_cli_command_t * cmd) { print_crypto_async_dispatch_warning (); vnet_crypto_set_async_dispatch_mode (VNET_CRYPTO_ASYNC_DISPATCH_INTERRUPT); return 0; } /* *INDENT-OFF* */ VLIB_CLI_COMMAND (set_crypto_async_dispatch_polling_command, static) = { .path = "set crypto async dispatch polling", .short_help = "set crypto async dispatch polling|interrupt", .function = set_crypto_async_dispatch_polling_command_fn, }; VLIB_CLI_COMMAND (set_crypto_async_dispatch_interrupt_command, static) = { .path = "set crypto async dispatch interrupt", .short_help = "set crypto async dispatch polling|interrupt", .function = set_crypto_async_dispatch_interrupt_command_fn, }; /* * fd.io coding-style-patch-verification: ON * * Local Variables: * eval: (c-set-style "gnu") * End: */
{ "content_hash": "bee39df498bff419450f4dc5b7da2dbc", "timestamp": "", "source": "github", "line_count": 473, "max_line_length": 81, "avg_line_length": 26.11627906976744, "alnum_prop": 0.5997733344126933, "repo_name": "FDio/vpp", "id": "4ee14ac11009557347e0f7a4a122088a40636e22", "size": "12966", "binary": false, "copies": "2", "ref": "refs/heads/master", "path": "src/vnet/crypto/cli.c", "mode": "33188", "license": "apache-2.0", "language": [ { "name": "Assembly", "bytes": "19971" }, { "name": "C", "bytes": "26080388" }, { "name": "C++", "bytes": "1180881" }, { "name": "CMake", "bytes": "229900" }, { "name": "Dockerfile", "bytes": "1075" }, { "name": "Emacs Lisp", "bytes": "111146" }, { "name": "Go", "bytes": "66545" }, { "name": "HTML", "bytes": "636" }, { "name": "Jinja", "bytes": "1135" }, { "name": "Lua", "bytes": "79974" }, { "name": "M4", "bytes": "257" }, { "name": "Makefile", "bytes": "105502" }, { "name": "Perl", "bytes": "6569" }, { "name": "Python", "bytes": "5028232" }, { "name": "Ruby", "bytes": "3865" }, { "name": "Shell", "bytes": "148207" } ], "symlink_target": "" }
#pragma once //------------------------------------------------------------------------------ /** @class Core::RefCounted The common base class of Nebula3. Implement a strong refcounted mechanism and runtime type information. Nebula3 checks at application shutdown for propert cleanup of all RefCounted objects. Refcounting leaks will generate a log on the debug output. FIXME: The RefCounted class uses Interlocked functions and a CriticalSection to guarantee thread-safe refcounting and destruction, but only some classes need this (mostly messages which are passed between threads). If it is guaranteed that an object is only manipulated from the same thread then this thread-synchronization adds unnecessary overhead. */ #include "core/types.h" #include "core/rtti.h" #include "core/factory.h" #include "threading/interlocked.h" #include "core/refcountedlist.h" #if NEBULA3_DEBUG #include "threading/criticalsection.h" #include "util/dictionary.h" #endif //------------------------------------------------------------------------------ namespace Core { class RefCounted { __DeclareClass(RefCounted); public: /// constructor RefCounted(); /// get the current refcount int GetRefCount() const; /// increment refcount by one void AddRef(); /// decrement refcount and destroy object if refcount is zero void Release(); /// return true if this object is instance of given class bool IsInstanceOf(const Rtti& rtti) const; /// return true if this object is instance of given class by string bool IsInstanceOf(const Util::String& className) const; /// return true if this object is instance of given class by fourcc bool IsInstanceOf(const Util::FourCC& classFourCC) const; /// return true if this object is instance of given class, or a derived class bool IsA(const Rtti& rtti) const; /// return true if this object is instance of given class, or a derived class, by string bool IsA(const Util::String& rttiName) const; /// return true if this object is instance of given class, or a derived class, by fourcc bool IsA(const Util::FourCC& rttiFourCC) const; /// get the class name const Util::String& GetClassName() const; /// get the class FourCC code Util::FourCC GetClassFourCC() const; /// dump refcounting leaks, call at end of application (NEBULA3_DEBUG builds only!) static void DumpRefCountingLeaks(); #if NEBULA3_DEBUG struct Stats { Util::String className; Util::FourCC classFourCC; SizeT numObjects; SizeT overallRefCount; SizeT instanceSize; }; /// get overall statistics static Util::Dictionary<Util::String,Stats> GetOverallStats(); #endif protected: /// destructor (called when refcount reaches zero) virtual ~RefCounted(); private: volatile int refCount; #if NEBULA3_DEBUG protected: static int isInCreate; static Threading::CriticalSection criticalSection; private: static RefCountedList list; RefCountedList::Iterator listIterator; bool destroyed; #endif }; //------------------------------------------------------------------------------ /** */ inline RefCounted::RefCounted() : refCount(0) { #if NEBULA3_DEBUG n_assert2(this->isInCreate != 0, "RefCounted objects must be created with Create()!"); this->listIterator = list.AddBack(this); this->destroyed = false; #endif } //------------------------------------------------------------------------------ /** Increment the refcount of the object. */ inline void RefCounted::AddRef() { n_assert( this->refCount >= 0 ); Threading::Interlocked::Increment(this->refCount); } //------------------------------------------------------------------------------ /** Decrement the refcount and destroy object if refcount is zero. */ inline void RefCounted::Release() { n_assert( this->refCount > 0 ); if (0 == Threading::Interlocked::Decrement(this->refCount)) { n_delete(this); } } //------------------------------------------------------------------------------ /** Return the current refcount of the object. */ inline int RefCounted::GetRefCount() const { n_assert( this->refCount >= 0 ); return this->refCount; } //------------------------------------------------------------------------------ /** */ inline bool RefCounted::IsInstanceOf(const Rtti& other) const { return this->GetRtti() == &other; } //------------------------------------------------------------------------------ /** */ inline bool RefCounted::IsInstanceOf(const Util::String& other) const { return this->GetRtti()->GetName() == other; } //------------------------------------------------------------------------------ /** */ inline bool RefCounted::IsInstanceOf(const Util::FourCC& other) const { return this->GetRtti()->GetFourCC() == other; } //------------------------------------------------------------------------------ /** */ inline bool RefCounted::IsA(const Rtti& other) const { return this->GetRtti()->IsDerivedFrom(other); } //------------------------------------------------------------------------------ /** */ inline bool RefCounted::IsA(const Util::String& other) const { return this->GetRtti()->IsDerivedFrom(other); } //------------------------------------------------------------------------------ /** */ inline bool RefCounted::IsA(const Util::FourCC& other) const { return this->GetRtti()->IsDerivedFrom(other); } //------------------------------------------------------------------------------ /** Get the class name of the object. */ inline const Util::String& RefCounted::GetClassName() const { return this->GetRtti()->GetName(); } //------------------------------------------------------------------------------ /** Get the class FourCC of the object. */ inline Util::FourCC RefCounted::GetClassFourCC() const { return this->GetRtti()->GetFourCC(); } } // namespace Core //------------------------------------------------------------------------------
{ "content_hash": "d2ca14f5f3b8d94eace4e92a7ff6d5c4", "timestamp": "", "source": "github", "line_count": 234, "max_line_length": 92, "avg_line_length": 26.243589743589745, "alnum_prop": 0.5492590783260055, "repo_name": "stonejiang/genesis-3d", "id": "c086c3a79a4a6e50854eafb557d53b3ee3d1ad95", "size": "7441", "binary": false, "copies": "2", "ref": "refs/heads/master", "path": "Engine/foundation/core/refcounted.h", "mode": "33188", "license": "mit", "language": [], "symlink_target": "" }
@implementation DCContactViewDetailViewThirdCell + (instancetype)cellWithTableView : (UITableView *) tableView { static NSString *ID = @"cc"; DCContactViewDetailViewThirdCell *cell = [tableView dequeueReusableCellWithIdentifier:ID]; if (cell == nil) { cell = [[[NSBundle mainBundle]loadNibNamed:@"DCContactViewDetailViewThirdCell" owner:nil options:nil]lastObject]; cell.accessoryType = UITableViewCellAccessoryDisclosureIndicator; } return cell; } @end
{ "content_hash": "3dd817aee3c63c36adc2055c06eda6f5", "timestamp": "", "source": "github", "line_count": 18, "max_line_length": 121, "avg_line_length": 28.666666666666668, "alnum_prop": 0.7151162790697675, "repo_name": "MCWechat/Wechat", "id": "50cdaa85097458df6d5cfc30ef4c7732c0942eb9", "size": "717", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "DCWeiChat/DCWeiChat/Classes/Friends/View/DCContactViewDetailViewThirdCell.m", "mode": "33188", "license": "apache-2.0", "language": [ { "name": "C", "bytes": "555051" }, { "name": "C++", "bytes": "62448" }, { "name": "HTML", "bytes": "3443" }, { "name": "Objective-C", "bytes": "1323247" }, { "name": "Shell", "bytes": "8813" } ], "symlink_target": "" }
// // This file was generated by the JavaTM Architecture for XML Binding(JAXB) Reference Implementation, vJAXB 2.1.10 in JDK 6 // See <a href="http://java.sun.com/xml/jaxb">http://java.sun.com/xml/jaxb</a> // Any modifications to this file will be lost upon recompilation of the source schema. // Generated on: 2011.10.24 at 02:22:49 PM CEST // package org.imsglobal.xsd.imsmd_v1p2; import javax.xml.bind.annotation.XmlAccessType; import javax.xml.bind.annotation.XmlAccessorType; import javax.xml.bind.annotation.XmlElement; import javax.xml.bind.annotation.XmlType; /** * <p> * Java class for nameType complex type. * <p> * The following schema fragment specifies the expected content contained within this class. * * <pre> * &lt;complexType name="nameType"> * &lt;complexContent> * &lt;restriction base="{http://www.w3.org/2001/XMLSchema}anyType"> * &lt;sequence> * &lt;element ref="{http://www.imsglobal.org/xsd/imsmd_v1p2}source"/> * &lt;element ref="{http://www.imsglobal.org/xsd/imsmd_v1p2}value"/> * &lt;/sequence> * &lt;/restriction> * &lt;/complexContent> * &lt;/complexType> * </pre> */ @XmlAccessorType(XmlAccessType.FIELD) @XmlType(name = "nameType", propOrder = {"source", "value"}) public class NameType { @XmlElement(required = true) private SourceType source; @XmlElement(required = true) private ValueType value; /** * Gets the value of the source property. * @return * possible object is {@link SourceType } */ public SourceType getSource() { return source; } /** * Sets the value of the source property. * @param value * allowed object is {@link SourceType } */ public void setSource(SourceType value) { source = value; } /** * Gets the value of the value property. * @return * possible object is {@link ValueType } */ public ValueType getValue() { return value; } /** * Sets the value of the value property. * @param value * allowed object is {@link ValueType } */ public void setValue(ValueType value) { this.value = value; } }
{ "content_hash": "b9c522cb4d7ae60ef905fbab25746c3c", "timestamp": "", "source": "github", "line_count": 85, "max_line_length": 124, "avg_line_length": 24.929411764705883, "alnum_prop": 0.6682397357243983, "repo_name": "beeldengeluid/zieook", "id": "19cbef36f4b5c625ffe18c39499e9f4bdac4431f", "size": "2903", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "backend/zieook-backend/zieook-inx/zieook-czp/src/main/java/org/imsglobal/xsd/imsmd_v1p2/NameType.java", "mode": "33188", "license": "apache-2.0", "language": [ { "name": "CSS", "bytes": "61772" }, { "name": "Java", "bytes": "2265306" }, { "name": "JavaScript", "bytes": "302257" }, { "name": "PHP", "bytes": "31951" }, { "name": "Perl", "bytes": "714" }, { "name": "Ruby", "bytes": "208479" }, { "name": "Shell", "bytes": "10858" } ], "symlink_target": "" }
package org.tros.logo.swing; import java.awt.AWTException; import java.awt.Robot; import java.awt.event.KeyEvent; import java.util.logging.Level; import java.util.logging.Logger; import org.junit.After; import org.junit.AfterClass; import org.junit.Before; import org.junit.BeforeClass; import org.junit.Test; import static org.junit.Assert.*; import org.tros.logo.DynamicLogoController; import org.tros.torgo.TorgoInfo; import org.tros.torgo.TorgoToolkit; import org.tros.utils.logging.Logging; /** * * @author matta */ public class ExampleLoadTest { private final static Logger LOGGER; static { Logging.initLogging(TorgoInfo.INSTANCE); LOGGER = Logger.getLogger(ExampleLoadTest.class.getName()); } public ExampleLoadTest() { } @BeforeClass public static void setUpClass() { } @AfterClass public static void tearDownClass() { } @Before public void setUp() { } @After public void tearDown() { } /** * Test of exportCanvas method, of class LogoMenuBar. */ @Test public void testLoad() { LOGGER.info("loadScript"); DynamicLogoController controller = (DynamicLogoController) TorgoToolkit.getController("dynamic-logo"); controller.run(); controller.newFile(); assertEquals("dynamic-logo", controller.getLang()); Robot robot = null; try { robot = new Robot(); } catch (AWTException ex) { LOGGER.log(Level.SEVERE, null, ex); } if (robot == null) { return; } robot.delay(3000); pressKey(robot, new int[]{KeyEvent.VK_ALT, KeyEvent.VK_F}, 100); pressKey(robot, new int[]{KeyEvent.VK_RIGHT}, 100); pressKey(robot, new int[]{KeyEvent.VK_RIGHT}, 100); pressKey(robot, new int[]{KeyEvent.VK_RIGHT}, 100); pressKey(robot, new int[]{KeyEvent.VK_RIGHT}, 100); pressKey(robot, new int[]{KeyEvent.VK_DOWN}, 100); pressKey(robot, new int[]{KeyEvent.VK_DOWN}, 100); pressKey(robot, new int[]{KeyEvent.VK_RIGHT}, 100); pressKey(robot, new int[]{KeyEvent.VK_ENTER}, 100); robot.delay(500); controller.close(); } void pressKey(Robot robot, int[] keys, int delay) { for (int key : keys) { robot.keyPress(key); robot.delay(delay); } robot.delay(delay); for (int key : keys) { robot.keyRelease(key); robot.delay(delay); } robot.delay(delay); } }
{ "content_hash": "4c5a5960080061556e0a6d296c7da5f1", "timestamp": "", "source": "github", "line_count": 101, "max_line_length": 110, "avg_line_length": 25.514851485148515, "alnum_prop": 0.6107877376794723, "repo_name": "samwash/torgo", "id": "68604433df09fbaa97e06feacfaa22e68b8007c8", "size": "3178", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "src/test/java/org/tros/logo/swing/ExampleLoadTest.java", "mode": "33188", "license": "apache-2.0", "language": [ { "name": "ANTLR", "bytes": "5845" }, { "name": "Java", "bytes": "817493" }, { "name": "Lex", "bytes": "10565" }, { "name": "Shell", "bytes": "1583" } ], "symlink_target": "" }
package edu.ucsb.cs56.w15.drawings.sxh19911230.advanced; import java.awt.image.BufferedImage; import java.awt.Graphics2D; import java.awt.Color; import java.io.File; import javax.imageio.ImageIO; import java.io.IOException; import edu.ucsb.cs56.w15.drawings.utilities.ShapeTransforms; import edu.ucsb.cs56.w15.drawings.utilities.GeneralPathWrapper; /** * A class with a main method that can write a drawing to a graphics file. * * @author P. Conrad, * @version for CS56, W11 UCSB */ public class WritePictureToFile { public static void usage() { System.out.println("Usage: java WritePictureToFile whichImage mypic"); // @@@ modify the next line to describe your picture System.out.println(" whichImage should be 1,2 or 3"); System.out.println(" whichImage chooses from drawPicture1, 2 or 3"); System.out.println(" .png gets added to the filename"); System.out.println(" e.g. if you pass mypic, filename is mypic.png"); System.out.println("Example: java WritePictureToFile 3 foo"); System.out.println(" produces foo.png from drawPicture3"); } /** Write the drawFourCoffeeCups picture to a file. * * @param args The first command line argument is the file to write to. We leave off the extension * because that gets put on automatically. */ public static void main(String[] args) { // make sure we have exactly one command line argument if (args.length != 2) { usage(); System.exit(1); } String whichPicture = args[0]; // first command line arg is 1, 2, 3 String outputfileName = args[1]; // second command line arg is which pic final int WIDTH = 640; final int HEIGHT = 480; // create a new image // TYPE_INT_ARGB is "RGB image" with transparency (A = alpha channel) BufferedImage bi = new BufferedImage(WIDTH, HEIGHT, BufferedImage.TYPE_INT_ARGB); // g2 is a Graphics2D object that will draw into the BufferedImage object Graphics2D g2 = bi.createGraphics(); if (whichPicture.equals("1")) { AllMyDrawings.drawPicture1(g2); } else if (whichPicture.equals("2")) { AllMyDrawings.drawPicture2(g2); } else if (whichPicture.equals("3")) { AllMyDrawings.drawPicture3(g2); } final String imageType = "png"; // choices: "gif", "png", "jpg" // We must declare this variable outside the try block, // so we can see it inside the catch block String fullFileName = ""; try { fullFileName = outputfileName + "." + imageType; // make the file name File outputfile = new File(fullFileName); // the file we will try to write ImageIO.write(bi, imageType, outputfile); // actually write it System.out.println("I created " + fullFileName); // tell the user } catch (IOException e) { System.err.println("Sorry, an error occurred--I could not create "+ fullFileName +"\n The error was: "+ e.toString()); } } }
{ "content_hash": "b6f3f44c43a8565800be2beaabf5fabf", "timestamp": "", "source": "github", "line_count": 95, "max_line_length": 124, "avg_line_length": 33.02105263157895, "alnum_prop": 0.6365954733822123, "repo_name": "UCSB-CS56-W15/W15-lab04", "id": "d392ba5adf249903d9940207b9a16ce09d0316a5", "size": "3137", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "src/edu/ucsb/cs56/w15/drawings/sxh19911230/advanced/WritePictureToFile.java", "mode": "33188", "license": "mit", "language": [ { "name": "Java", "bytes": "2143555" } ], "symlink_target": "" }
class SetDefaultPhase < ActiveRecord::Migration def change change_column :editions, :phase, :text, default: "alpha" end end
{ "content_hash": "5696414b2e70b7700cf1215c36d93cdd", "timestamp": "", "source": "github", "line_count": 5, "max_line_length": 60, "avg_line_length": 26.4, "alnum_prop": 0.7348484848484849, "repo_name": "alphagov/service-manual-publisher", "id": "da206a50fe3ffdf432e2ad5493371aad2f51fde6", "size": "132", "binary": false, "copies": "1", "ref": "refs/heads/main", "path": "db/migrate/20151110135512_set_default_phase.rb", "mode": "33188", "license": "mit", "language": [ { "name": "Dockerfile", "bytes": "488" }, { "name": "HTML", "bytes": "37541" }, { "name": "JavaScript", "bytes": "30440" }, { "name": "PLpgSQL", "bytes": "789" }, { "name": "Ruby", "bytes": "321912" }, { "name": "SCSS", "bytes": "1035" } ], "symlink_target": "" }
module DataStructures class BinarySearchTreeMap include Enumerable def initialize @root = nil end def size r_size(@root) end def each(order = nil, &block) items = [] case order when :pre r_each_preorder(@root, items) when :post r_each_postorder(@root, items) else r_each_inorder(@root, items) end enum = items.to_enum block_given? ? enum.each(&block) : enum end def get(key) cursor = @root result = nil until cursor.nil? if key < cursor.key cursor = cursor.left elsif key > cursor.key cursor = cursor.right else result = cursor.value break end end result end def min return nil if @root.nil? min = r_min(@root) [min.key, min.value] end def max return nil if @root.nil? max = r_max(@root) [max.key, max.value] end def put(key, value) @root = r_put(@root, key, value) end def delete_min return if @root.nil? @root = r_delete_min(@root) end def delete_max return if @root.nil? @root = r_delete_max(@root) end def delete(key) @root = r_delete(@root, key) end private def r_size(cursor) return 0 if cursor.nil? cursor.count end def r_each_inorder(cursor, items) return if cursor.nil? r_each_inorder(cursor.left, items) items.push([cursor.key, cursor.value]) r_each_inorder(cursor.right, items) end def r_each_preorder(cursor, items) return if cursor.nil? items.push([cursor.key, cursor.value]) r_each_preorder(cursor.left, items) r_each_preorder(cursor.right, items) end def r_each_postorder(cursor, items) return if cursor.nil? r_each_postorder(cursor.left, items) r_each_postorder(cursor.right, items) items.push([cursor.key, cursor.value]) end def r_put(cursor, key, value) return TreeNode.new(key, value, c: 1) if cursor.nil? if key < cursor.key cursor.left = r_put(cursor.left, key, value) elsif key > cursor.key cursor.right = r_put(cursor.right, key, value) else cursor.value = value end cursor.count = 1 + r_size(cursor.left) + r_size(cursor.right) cursor end def r_min(cursor) return cursor if cursor.left.nil? r_min(cursor.left) end def r_max(cursor) return cursor if cursor.right.nil? r_max(cursor.right) end def r_delete_min(cursor) return cursor.right if cursor.left.nil? cursor.left = r_delete_min(cursor.left) cursor.count = 1 + r_size(cursor.left) + r_size(cursor.right) cursor end def r_delete_max(cursor) return cursor.left if cursor.right.nil? cursor.right = r_delete_max(cursor.right) cursor.count = 1 + r_size(cursor.left) + r_size(cursor.right) cursor end def r_delete(cursor, key) return nil if cursor.nil? if key < cursor.key cursor.left = r_delete(cursor.left, key) elsif key > cursor.key cursor.right = r_delete(cursor.right, key) else return cursor.left if cursor.right.nil? doomed = cursor cursor = r_min(doomed.right) cursor.right = r_delete_min(doomed.right) cursor.left = doomed.left end cursor.count = 1 + r_size(cursor.left) + r_size(cursor.right) cursor end end class TreeNode attr_accessor :key, :value, :left, :right, :count def initialize(k = nil, v = nil, c: nil) @key = k @value = v @count = c end end end
{ "content_hash": "8116e8b3277f6e45f7a7af9fe8d0797b", "timestamp": "", "source": "github", "line_count": 182, "max_line_length": 67, "avg_line_length": 20.681318681318682, "alnum_prop": 0.5743889479277364, "repo_name": "charlesbjohnson/cracking_the_coding_interview", "id": "0ac094e733fed4674887f714a104dd3f04e1a7a1", "size": "3764", "binary": false, "copies": "2", "ref": "refs/heads/master", "path": "lib/data_structures/binary_search_tree_map.rb", "mode": "33188", "license": "mit", "language": [ { "name": "Ruby", "bytes": "294308" } ], "symlink_target": "" }
<?xml version="1.0" encoding="utf-8"?> <CoverageSession xmlns:xsd="http://www.w3.org/2001/XMLSchema" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance"> <Summary numSequencePoints="163" visitedSequencePoints="101" numBranchPoints="48" visitedBranchPoints="25" sequenceCoverage="61.96" branchCoverage="52.08" maxCyclomaticComplexity="6" minCyclomaticComplexity="1" /> <Modules> <Module hash="25-39-89-B4-71-0A-8B-3D-4F-83-70-40-BB-44-12-ED-32-0C-26-8D"> <Summary numSequencePoints="163" visitedSequencePoints="101" numBranchPoints="48" visitedBranchPoints="25" sequenceCoverage="61.96" branchCoverage="52.08" maxCyclomaticComplexity="6" minCyclomaticComplexity="1" /> <FullName>C:\Projects\CodeCoverage\ReportGenerator\ReportGenerator.Tests\bin\Debug\ReportGenerator.Tests.dll</FullName> <ModuleName>ReportGenerator.Tests</ModuleName> <Files> <File uid="1" fullPath="C:\Projects\CodeCoverage\ReportGenerator\ReportGenerator.Tests\bin\Debug\TestFiles\Project\AnalyzerTestClass.cs" /> <File uid="3" fullPath="C:\Projects\CodeCoverage\ReportGenerator\ReportGenerator.Tests\bin\Debug\TestFiles\Project\ClassWithExcludes.cs" /> <File uid="4" fullPath="C:\Projects\CodeCoverage\ReportGenerator\ReportGenerator.Tests\bin\Debug\TestFiles\Project\CodeContract_Contract.cs" /> <File uid="5" fullPath="C:\Projects\CodeCoverage\ReportGenerator\ReportGenerator.Tests\bin\Debug\TestFiles\Project\CodeContract_Target.cs" /> <File uid="6" fullPath="C:\Projects\CodeCoverage\ReportGenerator\ReportGenerator.Tests\bin\Debug\TestFiles\Project\GenericClass.cs" /> <File uid="13" fullPath="C:\Projects\CodeCoverage\ReportGenerator\ReportGenerator.Tests\bin\Debug\TestFiles\Project\PartialClass2.cs" /> <File uid="14" fullPath="C:\Projects\CodeCoverage\ReportGenerator\ReportGenerator.Tests\bin\Debug\TestFiles\Project\PartialClass.cs" /> <File uid="16" fullPath="C:\Projects\CodeCoverage\ReportGenerator\ReportGenerator.Tests\bin\Debug\TestFiles\Project\Program.cs" /> <File uid="18" fullPath="C:\Projects\CodeCoverage\ReportGenerator\ReportGenerator.Tests\bin\Debug\TestFiles\Project\AbstractClass.cs" /> <File uid="21" fullPath="C:\Projects\CodeCoverage\ReportGenerator\ReportGenerator.Tests\bin\Debug\TestFiles\Project\TestClass.cs" /> <File uid="26" fullPath="C:\Projects\CodeCoverage\ReportGenerator\ReportGenerator.Tests\bin\Debug\TestFiles\Project\TestClass2.cs" /> </Files> <Classes> <Class> <Summary numSequencePoints="0" visitedSequencePoints="0" numBranchPoints="0" visitedBranchPoints="0" sequenceCoverage="0" branchCoverage="0" maxCyclomaticComplexity="0" minCyclomaticComplexity="0" /> <FullName>&lt;Module&gt;</FullName> <Methods /> </Class> <Class> <Summary numSequencePoints="10" visitedSequencePoints="0" numBranchPoints="3" visitedBranchPoints="0" sequenceCoverage="0" branchCoverage="0" maxCyclomaticComplexity="1" minCyclomaticComplexity="1" /> <FullName>ReportGenerator.Tests.TestFiles.Project.AnalyzerTestClass</FullName> <Methods> <Method visited="false" cyclomaticComplexity="1" sequenceCoverage="0" branchCoverage="0" isConstructor="false" isStatic="false" isGetter="true" isSetter="false"> <Summary numSequencePoints="0" visitedSequencePoints="0" numBranchPoints="0" visitedBranchPoints="0" sequenceCoverage="0" branchCoverage="0" maxCyclomaticComplexity="1" minCyclomaticComplexity="1" /> <MetadataToken>100663300</MetadataToken> <Name>System.String Test.AnalyzerTestClass::get_AutoProperty()</Name> <SequencePoints /> <BranchPoints /> <MethodPoint vc="0" uspid="1" ordinal="0" offset="0" /> </Method> <Method visited="false" cyclomaticComplexity="1" sequenceCoverage="0" branchCoverage="0" isConstructor="false" isStatic="false" isGetter="false" isSetter="true"> <Summary numSequencePoints="0" visitedSequencePoints="0" numBranchPoints="0" visitedBranchPoints="0" sequenceCoverage="0" branchCoverage="0" maxCyclomaticComplexity="1" minCyclomaticComplexity="1" /> <MetadataToken>100663301</MetadataToken> <Name>System.Void Test.AnalyzerTestClass::set_AutoProperty(System.String)</Name> <SequencePoints /> <BranchPoints /> <MethodPoint vc="0" uspid="2" ordinal="0" offset="0" /> </Method> <Method visited="false" cyclomaticComplexity="1" sequenceCoverage="0" branchCoverage="0" isConstructor="true" isStatic="false" isGetter="false" isSetter="false"> <Summary numSequencePoints="4" visitedSequencePoints="0" numBranchPoints="1" visitedBranchPoints="0" sequenceCoverage="0" branchCoverage="0" maxCyclomaticComplexity="1" minCyclomaticComplexity="1" /> <MetadataToken>100663297</MetadataToken> <Name>System.Void Test.AnalyzerTestClass::.ctor()</Name> <FileRef uid="1" /> <SequencePoints> <SequencePoint vc="0" uspid="3" ordinal="0" offset="0" sl="9" sc="9" el="9" ec="35" bec="0" bev="0" fileid="1" /> <SequencePoint vc="0" uspid="4" ordinal="1" offset="7" sl="10" sc="9" el="10" ec="10" bec="0" bev="0" fileid="1" /> <SequencePoint vc="0" uspid="5" ordinal="2" offset="8" sl="11" sc="13" el="11" ec="40" bec="0" bev="0" fileid="1" /> <SequencePoint vc="0" uspid="6" ordinal="3" offset="19" sl="12" sc="9" el="12" ec="10" bec="0" bev="0" fileid="1" /> </SequencePoints> <BranchPoints /> <MethodPoint xsi:type="SequencePoint" vc="0" uspid="3" ordinal="0" offset="0" sl="9" sc="9" el="9" ec="35" bec="0" bev="0" fileid="1" /> </Method> <Method visited="false" cyclomaticComplexity="1" sequenceCoverage="0" branchCoverage="0" isConstructor="false" isStatic="false" isGetter="false" isSetter="false"> <Summary numSequencePoints="4" visitedSequencePoints="0" numBranchPoints="1" visitedBranchPoints="0" sequenceCoverage="0" branchCoverage="0" maxCyclomaticComplexity="1" minCyclomaticComplexity="1" /> <MetadataToken>100663298</MetadataToken> <Name>System.String Test.AnalyzerTestClass::DoSomething(System.String,System.String[],System.Guid,System.Collections.Generic.IEnumerable`1&lt;System.String&gt;,System.Collections.Generic.IList`1&lt;System.String&gt;,System.Decimal,System.Int32,System.Int64,System.Collections.Generic.Dictionary`2&lt;System.String,System.Int32&gt;,System.Int32&amp;,System.Single,System.Double,System.Boolean,System.Byte,System.Char,System.Object,System.SByte,System.Int16,System.UInt32,System.UInt64,System.UInt16,ICSharpCode.NRefactory.PatternMatching.INode)</Name> <FileRef uid="1" /> <SequencePoints> <SequencePoint vc="0" uspid="7" ordinal="0" offset="0" sl="37" sc="9" el="37" ec="10" bec="0" bev="0" fileid="1" /> <SequencePoint vc="0" uspid="8" ordinal="1" offset="1" sl="38" sc="13" el="38" ec="19" bec="0" bev="0" fileid="1" /> <SequencePoint vc="0" uspid="9" ordinal="2" offset="5" sl="39" sc="13" el="39" ec="25" bec="0" bev="0" fileid="1" /> <SequencePoint vc="0" uspid="10" ordinal="3" offset="12" sl="40" sc="9" el="40" ec="10" bec="0" bev="0" fileid="1" /> </SequencePoints> <BranchPoints /> <MethodPoint xsi:type="SequencePoint" vc="0" uspid="7" ordinal="0" offset="0" sl="37" sc="9" el="37" ec="10" bec="0" bev="0" fileid="1" /> </Method> <Method visited="false" cyclomaticComplexity="1" sequenceCoverage="0" branchCoverage="0" isConstructor="false" isStatic="false" isGetter="false" isSetter="false"> <Summary numSequencePoints="2" visitedSequencePoints="0" numBranchPoints="1" visitedBranchPoints="0" sequenceCoverage="0" branchCoverage="0" maxCyclomaticComplexity="1" minCyclomaticComplexity="1" /> <MetadataToken>100663299</MetadataToken> <Name>System.Void Test.AnalyzerTestClass::GenericMethod(T1,T2,System.Int32)</Name> <FileRef uid="1" /> <SequencePoints> <SequencePoint vc="0" uspid="11" ordinal="0" offset="0" sl="43" sc="9" el="43" ec="10" bec="0" bev="0" fileid="1" /> <SequencePoint vc="0" uspid="12" ordinal="1" offset="1" sl="44" sc="9" el="44" ec="10" bec="0" bev="0" fileid="1" /> </SequencePoints> <BranchPoints /> <MethodPoint xsi:type="SequencePoint" vc="0" uspid="11" ordinal="0" offset="0" sl="43" sc="9" el="43" ec="10" bec="0" bev="0" fileid="1" /> </Method> </Methods> </Class> <Class> <Summary numSequencePoints="3" visitedSequencePoints="3" numBranchPoints="1" visitedBranchPoints="1" sequenceCoverage="100" branchCoverage="100" maxCyclomaticComplexity="1" minCyclomaticComplexity="1" /> <FullName>ReportGenerator.Tests.TestFiles.Project.ClassWithExcludes</FullName> <Methods> <Method visited="false" cyclomaticComplexity="1" sequenceCoverage="0" branchCoverage="0" isConstructor="false" isStatic="false" isGetter="true" isSetter="false"> <Summary numSequencePoints="0" visitedSequencePoints="0" numBranchPoints="0" visitedBranchPoints="0" sequenceCoverage="0" branchCoverage="0" maxCyclomaticComplexity="1" minCyclomaticComplexity="1" /> <MetadataToken>100663302</MetadataToken> <Name>System.String Test.ClassWithExcludes::get_IncludedProperty()</Name> <SequencePoints /> <BranchPoints /> <MethodPoint vc="0" uspid="13" ordinal="0" offset="0" /> </Method> <Method visited="true" cyclomaticComplexity="1" sequenceCoverage="0" branchCoverage="0" isConstructor="false" isStatic="false" isGetter="false" isSetter="true"> <Summary numSequencePoints="0" visitedSequencePoints="0" numBranchPoints="0" visitedBranchPoints="0" sequenceCoverage="0" branchCoverage="0" maxCyclomaticComplexity="1" minCyclomaticComplexity="1" /> <MetadataToken>100663303</MetadataToken> <Name>System.Void Test.ClassWithExcludes::set_IncludedProperty(System.String)</Name> <SequencePoints /> <BranchPoints /> <MethodPoint vc="1" uspid="14" ordinal="0" offset="0" /> </Method> <Method skippedDueTo="Attribute" visited="false" cyclomaticComplexity="1" sequenceCoverage="0" branchCoverage="0" isConstructor="false" isStatic="false" isGetter="true" isSetter="false"> <MetadataToken>100663304</MetadataToken> <Name>System.String Test.ClassWithExcludes::get_ExcludedProperty()</Name> </Method> <Method skippedDueTo="Attribute" visited="false" cyclomaticComplexity="1" sequenceCoverage="0" branchCoverage="0" isConstructor="false" isStatic="false" isGetter="false" isSetter="true"> <MetadataToken>100663305</MetadataToken> <Name>System.Void Test.ClassWithExcludes::set_ExcludedProperty(System.String)</Name> </Method> <Method visited="true" cyclomaticComplexity="1" sequenceCoverage="100" branchCoverage="100" isConstructor="false" isStatic="false" isGetter="false" isSetter="false"> <Summary numSequencePoints="3" visitedSequencePoints="3" numBranchPoints="1" visitedBranchPoints="1" sequenceCoverage="100" branchCoverage="100" maxCyclomaticComplexity="1" minCyclomaticComplexity="1" /> <MetadataToken>100663306</MetadataToken> <Name>System.Void Test.ClassWithExcludes::IncludedMethod()</Name> <FileRef uid="3" /> <SequencePoints> <SequencePoint vc="1" uspid="15" ordinal="0" offset="0" sl="12" sc="9" el="12" ec="10" bec="0" bev="0" fileid="3" /> <SequencePoint vc="1" uspid="16" ordinal="1" offset="1" sl="13" sc="13" el="13" ec="44" bec="0" bev="0" fileid="3" /> <SequencePoint vc="1" uspid="17" ordinal="2" offset="13" sl="14" sc="9" el="14" ec="10" bec="0" bev="0" fileid="3" /> </SequencePoints> <BranchPoints /> <MethodPoint xsi:type="SequencePoint" vc="1" uspid="15" ordinal="0" offset="0" sl="12" sc="9" el="12" ec="10" bec="0" bev="0" fileid="3" /> </Method> <Method skippedDueTo="Attribute" visited="false" cyclomaticComplexity="1" sequenceCoverage="0" branchCoverage="0" isConstructor="false" isStatic="false" isGetter="false" isSetter="false"> <MetadataToken>100663307</MetadataToken> <Name>System.Void Test.ClassWithExcludes::ExcludedMethod()</Name> <FileRef uid="3" /> </Method> <Method visited="true" cyclomaticComplexity="1" sequenceCoverage="0" branchCoverage="0" isConstructor="true" isStatic="false" isGetter="false" isSetter="false"> <Summary numSequencePoints="0" visitedSequencePoints="0" numBranchPoints="0" visitedBranchPoints="0" sequenceCoverage="0" branchCoverage="0" maxCyclomaticComplexity="1" minCyclomaticComplexity="1" /> <MetadataToken>100663308</MetadataToken> <Name>System.Void Test.ClassWithExcludes::.ctor()</Name> <SequencePoints /> <BranchPoints /> <MethodPoint vc="2" uspid="18" ordinal="0" offset="0" /> </Method> </Methods> </Class> <Class> <Summary numSequencePoints="8" visitedSequencePoints="6" numBranchPoints="3" visitedBranchPoints="2" sequenceCoverage="75" branchCoverage="66.67" maxCyclomaticComplexity="2" minCyclomaticComplexity="1" /> <FullName>ReportGenerator.Tests.TestFiles.Project.CodeContract_Target</FullName> <Methods> <Method visited="true" cyclomaticComplexity="2" sequenceCoverage="75" branchCoverage="66.67" isConstructor="false" isStatic="false" isGetter="false" isSetter="false"> <Summary numSequencePoints="8" visitedSequencePoints="6" numBranchPoints="3" visitedBranchPoints="2" sequenceCoverage="75" branchCoverage="66.67" maxCyclomaticComplexity="2" minCyclomaticComplexity="2" /> <MetadataToken>100663310</MetadataToken> <Name>System.Int32 Test.CodeContract_Target::Calculate(System.Int32)</Name> <FileRef uid="4" /> <SequencePoints> <SequencePoint vc="2" uspid="19" ordinal="0" offset="0" sl="11" sc="13" el="11" ec="88" bec="0" bev="0" fileid="4" /> <SequencePoint vc="1" uspid="20" ordinal="1" offset="23" sl="7" sc="9" el="7" ec="10" bec="0" bev="0" fileid="5" /> <SequencePoint vc="1" uspid="21" ordinal="2" offset="24" sl="8" sc="13" el="8" ec="27" bec="2" bev="1" fileid="5" /> <SequencePoint vc="1" uspid="22" ordinal="3" offset="38" sl="9" sc="13" el="9" ec="14" bec="0" bev="0" fileid="5" /> <SequencePoint vc="1" uspid="23" ordinal="4" offset="39" sl="10" sc="17" el="10" ec="26" bec="0" bev="0" fileid="5" /> <SequencePoint vc="0" uspid="24" ordinal="5" offset="46" sl="13" sc="13" el="13" ec="14" bec="0" bev="0" fileid="5" /> <SequencePoint vc="0" uspid="25" ordinal="6" offset="47" sl="14" sc="17" el="14" ec="26" bec="0" bev="0" fileid="5" /> <SequencePoint vc="1" uspid="26" ordinal="7" offset="54" sl="16" sc="9" el="16" ec="10" bec="0" bev="0" fileid="5" /> </SequencePoints> <BranchPoints> <BranchPoint vc="1" uspid="27" ordinal="0" offset="33" sl="8" path="0" offsetend="38" fileid="5" /> <BranchPoint vc="0" uspid="28" ordinal="1" offset="33" sl="8" path="1" offsetend="46" fileid="5" /> </BranchPoints> <MethodPoint xsi:type="SequencePoint" vc="2" uspid="19" ordinal="0" offset="0" sl="11" sc="13" el="11" ec="88" bec="0" bev="0" fileid="4" /> </Method> <Method visited="true" cyclomaticComplexity="1" sequenceCoverage="0" branchCoverage="0" isConstructor="true" isStatic="false" isGetter="false" isSetter="false"> <Summary numSequencePoints="0" visitedSequencePoints="0" numBranchPoints="0" visitedBranchPoints="0" sequenceCoverage="0" branchCoverage="0" maxCyclomaticComplexity="1" minCyclomaticComplexity="1" /> <MetadataToken>100663311</MetadataToken> <Name>System.Void Test.CodeContract_Target::.ctor()</Name> <SequencePoints /> <BranchPoints /> <MethodPoint vc="2" uspid="29" ordinal="0" offset="0" /> </Method> </Methods> </Class> <Class skippedDueTo="Attribute"> <FullName>ReportGenerator.Tests.TestFiles.Project.CoverageExcludeAttribute</FullName> <Methods /> </Class> <Class> <Summary numSequencePoints="3" visitedSequencePoints="0" numBranchPoints="1" visitedBranchPoints="0" sequenceCoverage="0" branchCoverage="0" maxCyclomaticComplexity="1" minCyclomaticComplexity="1" /> <FullName>ReportGenerator.Tests.TestFiles.Project.AbstractGenericClass`2</FullName> <Methods> <Method visited="false" cyclomaticComplexity="1" sequenceCoverage="0" branchCoverage="0" isConstructor="false" isStatic="false" isGetter="false" isSetter="false"> <Summary numSequencePoints="3" visitedSequencePoints="0" numBranchPoints="1" visitedBranchPoints="0" sequenceCoverage="0" branchCoverage="0" maxCyclomaticComplexity="1" minCyclomaticComplexity="1" /> <MetadataToken>100663314</MetadataToken> <Name>System.Boolean Test.AbstractGenericClass`2::PostProcess(Test.ISomeObjectInterface`2&lt;TModel,TState&gt;)</Name> <FileRef uid="6" /> <SequencePoints> <SequencePoint vc="0" uspid="30" ordinal="0" offset="0" sl="12" sc="9" el="12" ec="10" bec="0" bev="0" fileid="6" /> <SequencePoint vc="0" uspid="31" ordinal="1" offset="1" sl="13" sc="13" el="13" ec="25" bec="0" bev="0" fileid="6" /> <SequencePoint vc="0" uspid="32" ordinal="2" offset="8" sl="14" sc="9" el="14" ec="10" bec="0" bev="0" fileid="6" /> </SequencePoints> <BranchPoints /> <MethodPoint xsi:type="SequencePoint" vc="0" uspid="30" ordinal="0" offset="0" sl="12" sc="9" el="12" ec="10" bec="0" bev="0" fileid="6" /> </Method> <Method visited="true" cyclomaticComplexity="1" sequenceCoverage="0" branchCoverage="0" isConstructor="true" isStatic="false" isGetter="false" isSetter="false"> <Summary numSequencePoints="0" visitedSequencePoints="0" numBranchPoints="0" visitedBranchPoints="0" sequenceCoverage="0" branchCoverage="0" maxCyclomaticComplexity="1" minCyclomaticComplexity="1" /> <MetadataToken>100663315</MetadataToken> <Name>System.Void Test.AbstractGenericClass`2::.ctor()</Name> <SequencePoints /> <BranchPoints /> <MethodPoint vc="2" uspid="33" ordinal="0" offset="0" /> </Method> </Methods> </Class> <Class> <Summary numSequencePoints="8" visitedSequencePoints="8" numBranchPoints="2" visitedBranchPoints="2" sequenceCoverage="100" branchCoverage="100" maxCyclomaticComplexity="1" minCyclomaticComplexity="1" /> <FullName>ReportGenerator.Tests.TestFiles.Project.GenericClass`2</FullName> <Methods> <Method visited="true" cyclomaticComplexity="1" sequenceCoverage="100" branchCoverage="100" isConstructor="false" isStatic="false" isGetter="false" isSetter="false"> <Summary numSequencePoints="4" visitedSequencePoints="4" numBranchPoints="1" visitedBranchPoints="1" sequenceCoverage="100" branchCoverage="100" maxCyclomaticComplexity="1" minCyclomaticComplexity="1" /> <MetadataToken>100663316</MetadataToken> <Name>System.Boolean Test.GenericClass`2::Process(Test.ISomeObjectInterface`2&lt;TModel,TState&gt;)</Name> <FileRef uid="6" /> <SequencePoints> <SequencePoint vc="1" uspid="34" ordinal="0" offset="0" sl="22" sc="9" el="22" ec="10" bec="0" bev="0" fileid="6" /> <SequencePoint vc="1" uspid="35" ordinal="1" offset="1" sl="23" sc="13" el="23" ec="42" bec="0" bev="0" fileid="6" /> <SequencePoint vc="1" uspid="36" ordinal="2" offset="12" sl="24" sc="13" el="24" ec="25" bec="0" bev="0" fileid="6" /> <SequencePoint vc="1" uspid="37" ordinal="3" offset="19" sl="25" sc="9" el="25" ec="10" bec="0" bev="0" fileid="6" /> </SequencePoints> <BranchPoints /> <MethodPoint xsi:type="SequencePoint" vc="1" uspid="34" ordinal="0" offset="0" sl="22" sc="9" el="22" ec="10" bec="0" bev="0" fileid="6" /> </Method> <Method visited="true" cyclomaticComplexity="1" sequenceCoverage="100" branchCoverage="100" isConstructor="false" isStatic="false" isGetter="false" isSetter="false"> <Summary numSequencePoints="4" visitedSequencePoints="4" numBranchPoints="1" visitedBranchPoints="1" sequenceCoverage="100" branchCoverage="100" maxCyclomaticComplexity="1" minCyclomaticComplexity="1" /> <MetadataToken>100663317</MetadataToken> <Name>System.Boolean Test.GenericClass`2::PostProcess(Test.ISomeObjectInterface`2&lt;TModel,TState&gt;)</Name> <FileRef uid="6" /> <SequencePoints> <SequencePoint vc="1" uspid="38" ordinal="0" offset="0" sl="28" sc="9" el="28" ec="10" bec="0" bev="0" fileid="6" /> <SequencePoint vc="1" uspid="39" ordinal="1" offset="1" sl="29" sc="13" el="29" ec="46" bec="0" bev="0" fileid="6" /> <SequencePoint vc="1" uspid="40" ordinal="2" offset="12" sl="30" sc="13" el="30" ec="25" bec="0" bev="0" fileid="6" /> <SequencePoint vc="1" uspid="41" ordinal="3" offset="19" sl="31" sc="9" el="31" ec="10" bec="0" bev="0" fileid="6" /> </SequencePoints> <BranchPoints /> <MethodPoint xsi:type="SequencePoint" vc="1" uspid="38" ordinal="0" offset="0" sl="28" sc="9" el="28" ec="10" bec="0" bev="0" fileid="6" /> </Method> <Method visited="true" cyclomaticComplexity="1" sequenceCoverage="0" branchCoverage="0" isConstructor="true" isStatic="false" isGetter="false" isSetter="false"> <Summary numSequencePoints="0" visitedSequencePoints="0" numBranchPoints="0" visitedBranchPoints="0" sequenceCoverage="0" branchCoverage="0" maxCyclomaticComplexity="1" minCyclomaticComplexity="1" /> <MetadataToken>100663318</MetadataToken> <Name>System.Void Test.GenericClass`2::.ctor()</Name> <SequencePoints /> <BranchPoints /> <MethodPoint vc="2" uspid="42" ordinal="0" offset="0" /> </Method> </Methods> </Class> <Class> <Summary numSequencePoints="0" visitedSequencePoints="0" numBranchPoints="0" visitedBranchPoints="0" sequenceCoverage="0" branchCoverage="0" maxCyclomaticComplexity="1" minCyclomaticComplexity="1" /> <FullName>ReportGenerator.Tests.TestFiles.Project.SomeModel</FullName> <Methods> <Method visited="false" cyclomaticComplexity="1" sequenceCoverage="0" branchCoverage="0" isConstructor="true" isStatic="false" isGetter="false" isSetter="false"> <Summary numSequencePoints="0" visitedSequencePoints="0" numBranchPoints="0" visitedBranchPoints="0" sequenceCoverage="0" branchCoverage="0" maxCyclomaticComplexity="1" minCyclomaticComplexity="1" /> <MetadataToken>100663319</MetadataToken> <Name>System.Void Test.SomeModel::.ctor()</Name> <SequencePoints /> <BranchPoints /> <MethodPoint vc="0" uspid="43" ordinal="0" offset="0" /> </Method> </Methods> </Class> <Class> <Summary numSequencePoints="0" visitedSequencePoints="0" numBranchPoints="0" visitedBranchPoints="0" sequenceCoverage="0" branchCoverage="0" maxCyclomaticComplexity="1" minCyclomaticComplexity="1" /> <FullName>ReportGenerator.Tests.TestFiles.Project.SomeClass</FullName> <Methods> <Method visited="false" cyclomaticComplexity="1" sequenceCoverage="0" branchCoverage="0" isConstructor="false" isStatic="false" isGetter="true" isSetter="false"> <Summary numSequencePoints="0" visitedSequencePoints="0" numBranchPoints="0" visitedBranchPoints="0" sequenceCoverage="0" branchCoverage="0" maxCyclomaticComplexity="1" minCyclomaticComplexity="1" /> <MetadataToken>100663320</MetadataToken> <Name>System.String Test.SomeClass::get_Property1()</Name> <SequencePoints /> <BranchPoints /> <MethodPoint vc="0" uspid="44" ordinal="0" offset="0" /> </Method> <Method visited="true" cyclomaticComplexity="1" sequenceCoverage="0" branchCoverage="0" isConstructor="false" isStatic="false" isGetter="false" isSetter="true"> <Summary numSequencePoints="0" visitedSequencePoints="0" numBranchPoints="0" visitedBranchPoints="0" sequenceCoverage="0" branchCoverage="0" maxCyclomaticComplexity="1" minCyclomaticComplexity="1" /> <MetadataToken>100663321</MetadataToken> <Name>System.Void Test.SomeClass::set_Property1(System.String)</Name> <SequencePoints /> <BranchPoints /> <MethodPoint vc="1" uspid="45" ordinal="0" offset="0" /> </Method> <Method visited="true" cyclomaticComplexity="1" sequenceCoverage="0" branchCoverage="0" isConstructor="true" isStatic="false" isGetter="false" isSetter="false"> <Summary numSequencePoints="0" visitedSequencePoints="0" numBranchPoints="0" visitedBranchPoints="0" sequenceCoverage="0" branchCoverage="0" maxCyclomaticComplexity="1" minCyclomaticComplexity="1" /> <MetadataToken>100663322</MetadataToken> <Name>System.Void Test.SomeClass::.ctor()</Name> <SequencePoints /> <BranchPoints /> <MethodPoint vc="1" uspid="46" ordinal="0" offset="0" /> </Method> </Methods> </Class> <Class> <Summary numSequencePoints="0" visitedSequencePoints="0" numBranchPoints="0" visitedBranchPoints="0" sequenceCoverage="0" branchCoverage="0" maxCyclomaticComplexity="1" minCyclomaticComplexity="1" /> <FullName>ReportGenerator.Tests.TestFiles.Project.PartialClassWithAutoProperties</FullName> <Methods> <Method visited="false" cyclomaticComplexity="1" sequenceCoverage="0" branchCoverage="0" isConstructor="false" isStatic="false" isGetter="true" isSetter="false"> <Summary numSequencePoints="0" visitedSequencePoints="0" numBranchPoints="0" visitedBranchPoints="0" sequenceCoverage="0" branchCoverage="0" maxCyclomaticComplexity="1" minCyclomaticComplexity="1" /> <MetadataToken>100663323</MetadataToken> <Name>System.String Test.PartialClassWithAutoProperties::get_Property2()</Name> <SequencePoints /> <BranchPoints /> <MethodPoint vc="0" uspid="47" ordinal="0" offset="0" /> </Method> <Method visited="true" cyclomaticComplexity="1" sequenceCoverage="0" branchCoverage="0" isConstructor="false" isStatic="false" isGetter="false" isSetter="true"> <Summary numSequencePoints="0" visitedSequencePoints="0" numBranchPoints="0" visitedBranchPoints="0" sequenceCoverage="0" branchCoverage="0" maxCyclomaticComplexity="1" minCyclomaticComplexity="1" /> <MetadataToken>100663324</MetadataToken> <Name>System.Void Test.PartialClassWithAutoProperties::set_Property2(System.String)</Name> <SequencePoints /> <BranchPoints /> <MethodPoint vc="1" uspid="48" ordinal="0" offset="0" /> </Method> <Method visited="false" cyclomaticComplexity="1" sequenceCoverage="0" branchCoverage="0" isConstructor="false" isStatic="false" isGetter="true" isSetter="false"> <Summary numSequencePoints="0" visitedSequencePoints="0" numBranchPoints="0" visitedBranchPoints="0" sequenceCoverage="0" branchCoverage="0" maxCyclomaticComplexity="1" minCyclomaticComplexity="1" /> <MetadataToken>100663325</MetadataToken> <Name>System.String Test.PartialClassWithAutoProperties::get_Property1()</Name> <SequencePoints /> <BranchPoints /> <MethodPoint vc="0" uspid="49" ordinal="0" offset="0" /> </Method> <Method visited="true" cyclomaticComplexity="1" sequenceCoverage="0" branchCoverage="0" isConstructor="false" isStatic="false" isGetter="false" isSetter="true"> <Summary numSequencePoints="0" visitedSequencePoints="0" numBranchPoints="0" visitedBranchPoints="0" sequenceCoverage="0" branchCoverage="0" maxCyclomaticComplexity="1" minCyclomaticComplexity="1" /> <MetadataToken>100663326</MetadataToken> <Name>System.Void Test.PartialClassWithAutoProperties::set_Property1(System.String)</Name> <SequencePoints /> <BranchPoints /> <MethodPoint vc="1" uspid="50" ordinal="0" offset="0" /> </Method> <Method visited="true" cyclomaticComplexity="1" sequenceCoverage="0" branchCoverage="0" isConstructor="true" isStatic="false" isGetter="false" isSetter="false"> <Summary numSequencePoints="0" visitedSequencePoints="0" numBranchPoints="0" visitedBranchPoints="0" sequenceCoverage="0" branchCoverage="0" maxCyclomaticComplexity="1" minCyclomaticComplexity="1" /> <MetadataToken>100663327</MetadataToken> <Name>System.Void Test.PartialClassWithAutoProperties::.ctor()</Name> <SequencePoints /> <BranchPoints /> <MethodPoint vc="2" uspid="51" ordinal="0" offset="0" /> </Method> </Methods> </Class> <Class> <Summary numSequencePoints="24" visitedSequencePoints="12" numBranchPoints="8" visitedBranchPoints="4" sequenceCoverage="50" branchCoverage="50" maxCyclomaticComplexity="2" minCyclomaticComplexity="1" /> <FullName>ReportGenerator.Tests.TestFiles.Project.PartialClass</FullName> <Methods> <Method visited="false" cyclomaticComplexity="1" sequenceCoverage="0" branchCoverage="0" isConstructor="false" isStatic="false" isGetter="true" isSetter="false"> <Summary numSequencePoints="3" visitedSequencePoints="0" numBranchPoints="1" visitedBranchPoints="0" sequenceCoverage="0" branchCoverage="0" maxCyclomaticComplexity="1" minCyclomaticComplexity="1" /> <MetadataToken>100663332</MetadataToken> <Name>System.Int32 Test.PartialClass::get_SomeProperty()</Name> <FileRef uid="14" /> <SequencePoints> <SequencePoint vc="0" uspid="52" ordinal="0" offset="0" sl="21" sc="17" el="21" ec="18" bec="0" bev="0" fileid="14" /> <SequencePoint vc="0" uspid="53" ordinal="1" offset="1" sl="21" sc="19" el="21" ec="44" bec="0" bev="0" fileid="14" /> <SequencePoint vc="0" uspid="54" ordinal="2" offset="13" sl="21" sc="45" el="21" ec="46" bec="0" bev="0" fileid="14" /> </SequencePoints> <BranchPoints /> <MethodPoint xsi:type="SequencePoint" vc="0" uspid="52" ordinal="0" offset="0" sl="21" sc="17" el="21" ec="18" bec="0" bev="0" fileid="14" /> </Method> <Method visited="true" cyclomaticComplexity="2" sequenceCoverage="66.67" branchCoverage="66.67" isConstructor="false" isStatic="false" isGetter="false" isSetter="true"> <Summary numSequencePoints="9" visitedSequencePoints="6" numBranchPoints="3" visitedBranchPoints="2" sequenceCoverage="66.67" branchCoverage="66.67" maxCyclomaticComplexity="2" minCyclomaticComplexity="2" /> <MetadataToken>100663333</MetadataToken> <Name>System.Void Test.PartialClass::set_SomeProperty(System.Int32)</Name> <FileRef uid="14" /> <SequencePoints> <SequencePoint vc="1" uspid="55" ordinal="0" offset="0" sl="24" sc="13" el="24" ec="14" bec="0" bev="0" fileid="14" /> <SequencePoint vc="1" uspid="56" ordinal="1" offset="1" sl="25" sc="17" el="25" ec="31" bec="2" bev="1" fileid="14" /> <SequencePoint vc="1" uspid="57" ordinal="2" offset="15" sl="26" sc="17" el="26" ec="18" bec="0" bev="0" fileid="14" /> <SequencePoint vc="1" uspid="58" ordinal="3" offset="16" sl="27" sc="21" el="27" ec="43" bec="0" bev="0" fileid="14" /> <SequencePoint vc="1" uspid="59" ordinal="4" offset="23" sl="28" sc="17" el="28" ec="18" bec="0" bev="0" fileid="14" /> <SequencePoint vc="0" uspid="60" ordinal="5" offset="29" sl="30" sc="17" el="30" ec="18" bec="0" bev="0" fileid="14" /> <SequencePoint vc="0" uspid="61" ordinal="6" offset="30" sl="31" sc="21" el="31" ec="47" bec="0" bev="0" fileid="14" /> <SequencePoint vc="0" uspid="62" ordinal="7" offset="37" sl="32" sc="17" el="32" ec="18" bec="0" bev="0" fileid="14" /> <SequencePoint vc="1" uspid="63" ordinal="8" offset="38" sl="33" sc="13" el="33" ec="14" bec="0" bev="0" fileid="14" /> </SequencePoints> <BranchPoints> <BranchPoint vc="1" uspid="64" ordinal="0" offset="10" sl="25" path="0" offsetend="15" fileid="14" /> <BranchPoint vc="0" uspid="65" ordinal="1" offset="10" sl="25" path="1" offsetend="29" fileid="14" /> </BranchPoints> <MethodPoint xsi:type="SequencePoint" vc="1" uspid="55" ordinal="0" offset="0" sl="24" sc="13" el="24" ec="14" bec="0" bev="0" fileid="14" /> </Method> <Method visited="true" cyclomaticComplexity="1" sequenceCoverage="100" branchCoverage="100" isConstructor="false" isStatic="false" isGetter="false" isSetter="false"> <Summary numSequencePoints="3" visitedSequencePoints="3" numBranchPoints="1" visitedBranchPoints="1" sequenceCoverage="100" branchCoverage="100" maxCyclomaticComplexity="1" minCyclomaticComplexity="1" /> <MetadataToken>100663328</MetadataToken> <Name>System.Void Test.PartialClass::ExecutedMethod_2()</Name> <FileRef uid="13" /> <SequencePoints> <SequencePoint vc="1" uspid="66" ordinal="0" offset="0" sl="8" sc="9" el="8" ec="10" bec="0" bev="0" fileid="13" /> <SequencePoint vc="1" uspid="67" ordinal="1" offset="1" sl="9" sc="13" el="9" ec="39" bec="0" bev="0" fileid="13" /> <SequencePoint vc="1" uspid="68" ordinal="2" offset="12" sl="10" sc="9" el="10" ec="10" bec="0" bev="0" fileid="13" /> </SequencePoints> <BranchPoints /> <MethodPoint xsi:type="SequencePoint" vc="1" uspid="66" ordinal="0" offset="0" sl="8" sc="9" el="8" ec="10" bec="0" bev="0" fileid="13" /> </Method> <Method visited="false" cyclomaticComplexity="1" sequenceCoverage="0" branchCoverage="0" isConstructor="false" isStatic="false" isGetter="false" isSetter="false"> <Summary numSequencePoints="3" visitedSequencePoints="0" numBranchPoints="1" visitedBranchPoints="0" sequenceCoverage="0" branchCoverage="0" maxCyclomaticComplexity="1" minCyclomaticComplexity="1" /> <MetadataToken>100663329</MetadataToken> <Name>System.Void Test.PartialClass::UnExecutedMethod_2()</Name> <FileRef uid="13" /> <SequencePoints> <SequencePoint vc="0" uspid="69" ordinal="0" offset="0" sl="13" sc="9" el="13" ec="10" bec="0" bev="0" fileid="13" /> <SequencePoint vc="0" uspid="70" ordinal="1" offset="1" sl="14" sc="13" el="14" ec="39" bec="0" bev="0" fileid="13" /> <SequencePoint vc="0" uspid="71" ordinal="2" offset="12" sl="15" sc="9" el="15" ec="10" bec="0" bev="0" fileid="13" /> </SequencePoints> <BranchPoints /> <MethodPoint xsi:type="SequencePoint" vc="0" uspid="69" ordinal="0" offset="0" sl="13" sc="9" el="13" ec="10" bec="0" bev="0" fileid="13" /> </Method> <Method visited="true" cyclomaticComplexity="1" sequenceCoverage="100" branchCoverage="100" isConstructor="false" isStatic="false" isGetter="false" isSetter="false"> <Summary numSequencePoints="3" visitedSequencePoints="3" numBranchPoints="1" visitedBranchPoints="1" sequenceCoverage="100" branchCoverage="100" maxCyclomaticComplexity="1" minCyclomaticComplexity="1" /> <MetadataToken>100663330</MetadataToken> <Name>System.Void Test.PartialClass::ExecutedMethod_1()</Name> <FileRef uid="14" /> <SequencePoints> <SequencePoint vc="1" uspid="72" ordinal="0" offset="0" sl="8" sc="9" el="8" ec="10" bec="0" bev="0" fileid="14" /> <SequencePoint vc="1" uspid="73" ordinal="1" offset="1" sl="9" sc="13" el="9" ec="39" bec="0" bev="0" fileid="14" /> <SequencePoint vc="1" uspid="74" ordinal="2" offset="12" sl="10" sc="9" el="10" ec="10" bec="0" bev="0" fileid="14" /> </SequencePoints> <BranchPoints /> <MethodPoint xsi:type="SequencePoint" vc="1" uspid="72" ordinal="0" offset="0" sl="8" sc="9" el="8" ec="10" bec="0" bev="0" fileid="14" /> </Method> <Method visited="false" cyclomaticComplexity="1" sequenceCoverage="0" branchCoverage="0" isConstructor="false" isStatic="false" isGetter="false" isSetter="false"> <Summary numSequencePoints="3" visitedSequencePoints="0" numBranchPoints="1" visitedBranchPoints="0" sequenceCoverage="0" branchCoverage="0" maxCyclomaticComplexity="1" minCyclomaticComplexity="1" /> <MetadataToken>100663331</MetadataToken> <Name>System.Void Test.PartialClass::UnExecutedMethod_1()</Name> <FileRef uid="14" /> <SequencePoints> <SequencePoint vc="0" uspid="75" ordinal="0" offset="0" sl="13" sc="9" el="13" ec="10" bec="0" bev="0" fileid="14" /> <SequencePoint vc="0" uspid="76" ordinal="1" offset="1" sl="14" sc="13" el="14" ec="39" bec="0" bev="0" fileid="14" /> <SequencePoint vc="0" uspid="77" ordinal="2" offset="12" sl="15" sc="9" el="15" ec="10" bec="0" bev="0" fileid="14" /> </SequencePoints> <BranchPoints /> <MethodPoint xsi:type="SequencePoint" vc="0" uspid="75" ordinal="0" offset="0" sl="13" sc="9" el="13" ec="10" bec="0" bev="0" fileid="14" /> </Method> <Method visited="true" cyclomaticComplexity="1" sequenceCoverage="0" branchCoverage="0" isConstructor="true" isStatic="false" isGetter="false" isSetter="false"> <Summary numSequencePoints="0" visitedSequencePoints="0" numBranchPoints="0" visitedBranchPoints="0" sequenceCoverage="0" branchCoverage="0" maxCyclomaticComplexity="1" minCyclomaticComplexity="1" /> <MetadataToken>100663334</MetadataToken> <Name>System.Void Test.PartialClass::.ctor()</Name> <SequencePoints /> <BranchPoints /> <MethodPoint vc="3" uspid="78" ordinal="0" offset="0" /> </Method> </Methods> </Class> <Class> <Summary numSequencePoints="30" visitedSequencePoints="23" numBranchPoints="3" visitedBranchPoints="1" sequenceCoverage="76.67" branchCoverage="33.33" maxCyclomaticComplexity="1" minCyclomaticComplexity="1" /> <FullName>ReportGenerator.Tests.TestFiles.Project.Program</FullName> <Methods> <Method visited="true" cyclomaticComplexity="1" sequenceCoverage="95.83" branchCoverage="100" isConstructor="false" isStatic="true" isGetter="false" isSetter="false"> <Summary numSequencePoints="24" visitedSequencePoints="23" numBranchPoints="1" visitedBranchPoints="1" sequenceCoverage="95.83" branchCoverage="100" maxCyclomaticComplexity="1" minCyclomaticComplexity="1" /> <MetadataToken>100663335</MetadataToken> <Name>System.Void Test.Program::Main(System.String[])</Name> <FileRef uid="16" /> <SequencePoints> <SequencePoint vc="1" uspid="79" ordinal="0" offset="0" sl="9" sc="9" el="9" ec="10" bec="0" bev="0" fileid="16" /> <SequencePoint vc="1" uspid="80" ordinal="1" offset="1" sl="10" sc="13" el="10" ec="46" bec="0" bev="0" fileid="16" /> <SequencePoint vc="1" uspid="81" ordinal="2" offset="12" sl="12" sc="13" el="12" ec="53" bec="0" bev="0" fileid="16" /> <SequencePoint vc="1" uspid="82" ordinal="3" offset="28" sl="13" sc="13" el="13" ec="61" bec="0" bev="0" fileid="16" /> <SequencePoint vc="1" uspid="83" ordinal="4" offset="49" sl="15" sc="13" el="15" ec="51" bec="0" bev="0" fileid="16" /> <SequencePoint vc="1" uspid="84" ordinal="5" offset="60" sl="16" sc="13" el="16" ec="51" bec="0" bev="0" fileid="16" /> <SequencePoint vc="1" uspid="85" ordinal="6" offset="71" sl="17" sc="13" el="17" ec="51" bec="0" bev="0" fileid="16" /> <SequencePoint vc="1" uspid="86" ordinal="7" offset="84" sl="19" sc="13" el="19" ec="69" bec="0" bev="0" fileid="16" /> <SequencePoint vc="1" uspid="87" ordinal="8" offset="100" sl="20" sc="13" el="20" ec="69" bec="0" bev="0" fileid="16" /> <SequencePoint vc="1" uspid="88" ordinal="9" offset="116" sl="22" sc="13" el="22" ec="48" bec="0" bev="0" fileid="16" /> <SequencePoint vc="1" uspid="89" ordinal="10" offset="132" sl="24" sc="13" el="24" ec="54" bec="0" bev="0" fileid="16" /> <SequencePoint vc="1" uspid="90" ordinal="11" offset="143" sl="25" sc="13" el="25" ec="54" bec="0" bev="0" fileid="16" /> <SequencePoint vc="1" uspid="91" ordinal="12" offset="154" sl="27" sc="13" el="27" ec="65" bec="0" bev="0" fileid="16" /> <SequencePoint vc="1" uspid="92" ordinal="13" offset="166" sl="28" sc="13" el="28" ec="69" bec="0" bev="0" fileid="16" /> <SequencePoint vc="1" uspid="93" ordinal="14" offset="178" sl="30" sc="13" el="30" ec="53" bec="0" bev="0" fileid="16" /> <SequencePoint vc="1" uspid="94" ordinal="15" offset="190" sl="32" sc="13" el="32" ec="45" bec="0" bev="0" fileid="16" /> <SequencePoint vc="1" uspid="95" ordinal="16" offset="196" sl="33" sc="13" el="33" ec="45" bec="0" bev="0" fileid="16" /> <SequencePoint vc="1" uspid="96" ordinal="17" offset="202" sl="36" sc="13" el="36" ec="14" bec="0" bev="0" fileid="16" /> <SequencePoint vc="1" uspid="97" ordinal="18" offset="203" sl="37" sc="17" el="37" ec="56" bec="0" bev="0" fileid="16" /> <SequencePoint vc="0" uspid="98" ordinal="19" offset="215" sl="38" sc="13" el="38" ec="14" bec="0" bev="0" fileid="16" /> <SequencePoint vc="1" uspid="99" ordinal="20" offset="221" sl="39" sc="13" el="39" ec="45" bec="0" bev="0" fileid="16" /> <SequencePoint vc="1" uspid="100" ordinal="21" offset="222" sl="40" sc="13" el="40" ec="14" bec="0" bev="0" fileid="16" /> <SequencePoint vc="1" uspid="101" ordinal="22" offset="223" sl="41" sc="13" el="41" ec="14" bec="0" bev="0" fileid="16" /> <SequencePoint vc="1" uspid="102" ordinal="23" offset="230" sl="42" sc="9" el="42" ec="10" bec="0" bev="0" fileid="16" /> </SequencePoints> <BranchPoints /> <MethodPoint xsi:type="SequencePoint" vc="1" uspid="79" ordinal="0" offset="0" sl="9" sc="9" el="9" ec="10" bec="0" bev="0" fileid="16" /> </Method> <Method visited="false" cyclomaticComplexity="1" sequenceCoverage="0" branchCoverage="0" isConstructor="false" isStatic="false" isGetter="false" isSetter="false"> <Summary numSequencePoints="3" visitedSequencePoints="0" numBranchPoints="1" visitedBranchPoints="0" sequenceCoverage="0" branchCoverage="0" maxCyclomaticComplexity="1" minCyclomaticComplexity="1" /> <MetadataToken>100663336</MetadataToken> <Name>System.Void Test.Program::CSharp_ExecuteTest1()</Name> <FileRef uid="16" /> <SequencePoints> <SequencePoint vc="0" uspid="103" ordinal="0" offset="0" sl="46" sc="9" el="46" ec="10" bec="0" bev="0" fileid="16" /> <SequencePoint vc="0" uspid="104" ordinal="1" offset="1" sl="47" sc="13" el="47" ec="24" bec="0" bev="0" fileid="16" /> <SequencePoint vc="0" uspid="105" ordinal="2" offset="8" sl="48" sc="9" el="48" ec="10" bec="0" bev="0" fileid="16" /> </SequencePoints> <BranchPoints /> <MethodPoint xsi:type="SequencePoint" vc="0" uspid="103" ordinal="0" offset="0" sl="46" sc="9" el="46" ec="10" bec="0" bev="0" fileid="16" /> </Method> <Method visited="false" cyclomaticComplexity="1" sequenceCoverage="0" branchCoverage="0" isConstructor="false" isStatic="false" isGetter="false" isSetter="false"> <Summary numSequencePoints="3" visitedSequencePoints="0" numBranchPoints="1" visitedBranchPoints="0" sequenceCoverage="0" branchCoverage="0" maxCyclomaticComplexity="1" minCyclomaticComplexity="1" /> <MetadataToken>100663337</MetadataToken> <Name>System.Void Test.Program::CSharp_ExecuteTest2()</Name> <FileRef uid="16" /> <SequencePoints> <SequencePoint vc="0" uspid="106" ordinal="0" offset="0" sl="52" sc="9" el="52" ec="10" bec="0" bev="0" fileid="16" /> <SequencePoint vc="0" uspid="107" ordinal="1" offset="1" sl="53" sc="13" el="53" ec="24" bec="0" bev="0" fileid="16" /> <SequencePoint vc="0" uspid="108" ordinal="2" offset="8" sl="54" sc="9" el="54" ec="10" bec="0" bev="0" fileid="16" /> </SequencePoints> <BranchPoints /> <MethodPoint xsi:type="SequencePoint" vc="0" uspid="106" ordinal="0" offset="0" sl="52" sc="9" el="52" ec="10" bec="0" bev="0" fileid="16" /> </Method> <Method visited="false" cyclomaticComplexity="1" sequenceCoverage="0" branchCoverage="0" isConstructor="true" isStatic="false" isGetter="false" isSetter="false"> <Summary numSequencePoints="0" visitedSequencePoints="0" numBranchPoints="0" visitedBranchPoints="0" sequenceCoverage="0" branchCoverage="0" maxCyclomaticComplexity="1" minCyclomaticComplexity="1" /> <MetadataToken>100663338</MetadataToken> <Name>System.Void Test.Program::.ctor()</Name> <SequencePoints /> <BranchPoints /> <MethodPoint vc="0" uspid="109" ordinal="0" offset="0" /> </Method> </Methods> </Class> <Class> <Summary numSequencePoints="4" visitedSequencePoints="4" numBranchPoints="1" visitedBranchPoints="1" sequenceCoverage="100" branchCoverage="100" maxCyclomaticComplexity="1" minCyclomaticComplexity="1" /> <FullName>ReportGenerator.Tests.TestFiles.Project.AbstractClass</FullName> <Methods> <Method visited="true" cyclomaticComplexity="1" sequenceCoverage="100" branchCoverage="100" isConstructor="true" isStatic="false" isGetter="false" isSetter="false"> <Summary numSequencePoints="4" visitedSequencePoints="4" numBranchPoints="1" visitedBranchPoints="1" sequenceCoverage="100" branchCoverage="100" maxCyclomaticComplexity="1" minCyclomaticComplexity="1" /> <MetadataToken>100663339</MetadataToken> <Name>System.Void Test.AbstractClass::.ctor()</Name> <FileRef uid="18" /> <SequencePoints> <SequencePoint vc="2" uspid="110" ordinal="0" offset="0" sl="7" sc="9" el="7" ec="31" bec="0" bev="0" fileid="18" /> <SequencePoint vc="2" uspid="111" ordinal="1" offset="7" sl="8" sc="9" el="8" ec="10" bec="0" bev="0" fileid="18" /> <SequencePoint vc="2" uspid="112" ordinal="2" offset="8" sl="9" sc="13" el="9" ec="60" bec="0" bev="0" fileid="18" /> <SequencePoint vc="2" uspid="113" ordinal="3" offset="19" sl="10" sc="9" el="10" ec="10" bec="0" bev="0" fileid="18" /> </SequencePoints> <BranchPoints /> <MethodPoint xsi:type="SequencePoint" vc="2" uspid="110" ordinal="0" offset="0" sl="7" sc="9" el="7" ec="31" bec="0" bev="0" fileid="18" /> </Method> </Methods> </Class> <Class> <Summary numSequencePoints="8" visitedSequencePoints="4" numBranchPoints="3" visitedBranchPoints="1" sequenceCoverage="50" branchCoverage="33.33" maxCyclomaticComplexity="1" minCyclomaticComplexity="1" /> <FullName>ReportGenerator.Tests.TestFiles.Project.AbstractClass_SampleImpl1</FullName> <Methods> <Method visited="true" cyclomaticComplexity="1" sequenceCoverage="100" branchCoverage="100" isConstructor="true" isStatic="false" isGetter="false" isSetter="false"> <Summary numSequencePoints="4" visitedSequencePoints="4" numBranchPoints="1" visitedBranchPoints="1" sequenceCoverage="100" branchCoverage="100" maxCyclomaticComplexity="1" minCyclomaticComplexity="1" /> <MetadataToken>100663342</MetadataToken> <Name>System.Void Test.AbstractClass_SampleImpl1::.ctor()</Name> <FileRef uid="18" /> <SequencePoints> <SequencePoint vc="1" uspid="114" ordinal="0" offset="0" sl="19" sc="9" el="20" ec="21" bec="0" bev="0" fileid="18" /> <SequencePoint vc="1" uspid="115" ordinal="1" offset="7" sl="21" sc="9" el="21" ec="10" bec="0" bev="0" fileid="18" /> <SequencePoint vc="1" uspid="116" ordinal="2" offset="8" sl="22" sc="13" el="22" ec="58" bec="0" bev="0" fileid="18" /> <SequencePoint vc="1" uspid="117" ordinal="3" offset="19" sl="23" sc="9" el="23" ec="10" bec="0" bev="0" fileid="18" /> </SequencePoints> <BranchPoints /> <MethodPoint xsi:type="SequencePoint" vc="1" uspid="114" ordinal="0" offset="0" sl="19" sc="9" el="20" ec="21" bec="0" bev="0" fileid="18" /> </Method> <Method visited="false" cyclomaticComplexity="1" sequenceCoverage="0" branchCoverage="0" isConstructor="false" isStatic="false" isGetter="false" isSetter="false"> <Summary numSequencePoints="2" visitedSequencePoints="0" numBranchPoints="1" visitedBranchPoints="0" sequenceCoverage="0" branchCoverage="0" maxCyclomaticComplexity="1" minCyclomaticComplexity="1" /> <MetadataToken>100663343</MetadataToken> <Name>System.Void Test.AbstractClass_SampleImpl1::Method1()</Name> <FileRef uid="18" /> <SequencePoints> <SequencePoint vc="0" uspid="118" ordinal="0" offset="0" sl="26" sc="9" el="26" ec="10" bec="0" bev="0" fileid="18" /> <SequencePoint vc="0" uspid="119" ordinal="1" offset="1" sl="27" sc="13" el="27" ec="49" bec="0" bev="0" fileid="18" /> </SequencePoints> <BranchPoints /> <MethodPoint xsi:type="SequencePoint" vc="0" uspid="118" ordinal="0" offset="0" sl="26" sc="9" el="26" ec="10" bec="0" bev="0" fileid="18" /> </Method> <Method visited="false" cyclomaticComplexity="1" sequenceCoverage="0" branchCoverage="0" isConstructor="false" isStatic="false" isGetter="false" isSetter="false"> <Summary numSequencePoints="2" visitedSequencePoints="0" numBranchPoints="1" visitedBranchPoints="0" sequenceCoverage="0" branchCoverage="0" maxCyclomaticComplexity="1" minCyclomaticComplexity="1" /> <MetadataToken>100663344</MetadataToken> <Name>System.Void Test.AbstractClass_SampleImpl1::Method2()</Name> <FileRef uid="18" /> <SequencePoints> <SequencePoint vc="0" uspid="120" ordinal="0" offset="0" sl="31" sc="9" el="31" ec="10" bec="0" bev="0" fileid="18" /> <SequencePoint vc="0" uspid="121" ordinal="1" offset="1" sl="32" sc="13" el="32" ec="49" bec="0" bev="0" fileid="18" /> </SequencePoints> <BranchPoints /> <MethodPoint xsi:type="SequencePoint" vc="0" uspid="120" ordinal="0" offset="0" sl="31" sc="9" el="31" ec="10" bec="0" bev="0" fileid="18" /> </Method> </Methods> </Class> <Class> <Summary numSequencePoints="8" visitedSequencePoints="4" numBranchPoints="3" visitedBranchPoints="1" sequenceCoverage="50" branchCoverage="33.33" maxCyclomaticComplexity="1" minCyclomaticComplexity="1" /> <FullName>ReportGenerator.Tests.TestFiles.Project.AbstractClass_SampleImpl2</FullName> <Methods> <Method visited="true" cyclomaticComplexity="1" sequenceCoverage="100" branchCoverage="100" isConstructor="true" isStatic="false" isGetter="false" isSetter="false"> <Summary numSequencePoints="4" visitedSequencePoints="4" numBranchPoints="1" visitedBranchPoints="1" sequenceCoverage="100" branchCoverage="100" maxCyclomaticComplexity="1" minCyclomaticComplexity="1" /> <MetadataToken>100663345</MetadataToken> <Name>System.Void Test.AbstractClass_SampleImpl2::.ctor()</Name> <FileRef uid="18" /> <SequencePoints> <SequencePoint vc="1" uspid="122" ordinal="0" offset="0" sl="38" sc="9" el="39" ec="21" bec="0" bev="0" fileid="18" /> <SequencePoint vc="1" uspid="123" ordinal="1" offset="7" sl="40" sc="9" el="40" ec="10" bec="0" bev="0" fileid="18" /> <SequencePoint vc="1" uspid="124" ordinal="2" offset="8" sl="41" sc="13" el="41" ec="58" bec="0" bev="0" fileid="18" /> <SequencePoint vc="1" uspid="125" ordinal="3" offset="19" sl="42" sc="9" el="42" ec="10" bec="0" bev="0" fileid="18" /> </SequencePoints> <BranchPoints /> <MethodPoint xsi:type="SequencePoint" vc="1" uspid="122" ordinal="0" offset="0" sl="38" sc="9" el="39" ec="21" bec="0" bev="0" fileid="18" /> </Method> <Method visited="false" cyclomaticComplexity="1" sequenceCoverage="0" branchCoverage="0" isConstructor="false" isStatic="false" isGetter="false" isSetter="false"> <Summary numSequencePoints="2" visitedSequencePoints="0" numBranchPoints="1" visitedBranchPoints="0" sequenceCoverage="0" branchCoverage="0" maxCyclomaticComplexity="1" minCyclomaticComplexity="1" /> <MetadataToken>100663346</MetadataToken> <Name>System.Void Test.AbstractClass_SampleImpl2::Method1()</Name> <FileRef uid="18" /> <SequencePoints> <SequencePoint vc="0" uspid="126" ordinal="0" offset="0" sl="45" sc="9" el="45" ec="10" bec="0" bev="0" fileid="18" /> <SequencePoint vc="0" uspid="127" ordinal="1" offset="1" sl="46" sc="13" el="46" ec="49" bec="0" bev="0" fileid="18" /> </SequencePoints> <BranchPoints /> <MethodPoint xsi:type="SequencePoint" vc="0" uspid="126" ordinal="0" offset="0" sl="45" sc="9" el="45" ec="10" bec="0" bev="0" fileid="18" /> </Method> <Method visited="false" cyclomaticComplexity="1" sequenceCoverage="0" branchCoverage="0" isConstructor="false" isStatic="false" isGetter="false" isSetter="false"> <Summary numSequencePoints="2" visitedSequencePoints="0" numBranchPoints="1" visitedBranchPoints="0" sequenceCoverage="0" branchCoverage="0" maxCyclomaticComplexity="1" minCyclomaticComplexity="1" /> <MetadataToken>100663347</MetadataToken> <Name>System.Void Test.AbstractClass_SampleImpl2::Method2()</Name> <FileRef uid="18" /> <SequencePoints> <SequencePoint vc="0" uspid="128" ordinal="0" offset="0" sl="50" sc="9" el="50" ec="10" bec="0" bev="0" fileid="18" /> <SequencePoint vc="0" uspid="129" ordinal="1" offset="1" sl="51" sc="13" el="51" ec="49" bec="0" bev="0" fileid="18" /> </SequencePoints> <BranchPoints /> <MethodPoint xsi:type="SequencePoint" vc="0" uspid="128" ordinal="0" offset="0" sl="50" sc="9" el="50" ec="10" bec="0" bev="0" fileid="18" /> </Method> </Methods> </Class> <Class> <Summary numSequencePoints="12" visitedSequencePoints="9" numBranchPoints="5" visitedBranchPoints="3" sequenceCoverage="75" branchCoverage="60" maxCyclomaticComplexity="3" minCyclomaticComplexity="1" /> <FullName>ReportGenerator.Tests.TestFiles.Project.TestClass</FullName> <Methods> <Method visited="true" cyclomaticComplexity="3" sequenceCoverage="75" branchCoverage="60" isConstructor="false" isStatic="false" isGetter="false" isSetter="false"> <Summary numSequencePoints="12" visitedSequencePoints="9" numBranchPoints="5" visitedBranchPoints="3" sequenceCoverage="75" branchCoverage="60" maxCyclomaticComplexity="3" minCyclomaticComplexity="3" /> <MetadataToken>100663348</MetadataToken> <Name>System.Void Test.TestClass::SampleFunction()</Name> <FileRef uid="21" /> <SequencePoints> <SequencePoint vc="1" uspid="130" ordinal="0" offset="0" sl="8" sc="9" el="8" ec="10" bec="0" bev="0" fileid="21" /> <SequencePoint vc="1" uspid="131" ordinal="1" offset="1" sl="9" sc="13" el="12" ec="27" bec="0" bev="0" fileid="21" /> <SequencePoint vc="1" uspid="132" ordinal="2" offset="22" sl="14" sc="13" el="14" ec="37" bec="0" bev="0" fileid="21" /> <SequencePoint vc="1" uspid="133" ordinal="3" offset="29" sl="15" sc="13" el="15" ec="24" bec="0" bev="0" fileid="21" /> <SequencePoint vc="1" uspid="134" ordinal="4" offset="32" sl="17" sc="13" el="17" ec="32" bec="4" bev="2" fileid="21" /> <SequencePoint vc="1" uspid="135" ordinal="5" offset="60" sl="18" sc="13" el="18" ec="14" bec="0" bev="0" fileid="21" /> <SequencePoint vc="1" uspid="136" ordinal="6" offset="61" sl="19" sc="17" el="19" ec="61" bec="0" bev="0" fileid="21" /> <SequencePoint vc="1" uspid="137" ordinal="7" offset="83" sl="20" sc="13" el="20" ec="14" bec="0" bev="0" fileid="21" /> <SequencePoint vc="0" uspid="138" ordinal="8" offset="89" sl="22" sc="13" el="22" ec="14" bec="0" bev="0" fileid="21" /> <SequencePoint vc="0" uspid="139" ordinal="9" offset="90" sl="23" sc="17" el="23" ec="65" bec="0" bev="0" fileid="21" /> <SequencePoint vc="0" uspid="140" ordinal="10" offset="112" sl="24" sc="13" el="24" ec="14" bec="0" bev="0" fileid="21" /> <SequencePoint vc="1" uspid="141" ordinal="11" offset="113" sl="25" sc="9" el="25" ec="10" bec="0" bev="0" fileid="21" /> </SequencePoints> <BranchPoints> <BranchPoint vc="0" uspid="142" ordinal="0" offset="34" sl="17" path="0" offsetend="39" fileid="21" /> <BranchPoint vc="1" uspid="143" ordinal="1" offset="34" sl="17" path="1" offsetend="51" fileid="21" /> <BranchPoint vc="1" uspid="144" ordinal="2" offset="55" sl="17" path="0" offsetend="60" fileid="21" /> <BranchPoint vc="0" uspid="145" ordinal="3" offset="55" sl="17" path="1" offsetend="89" fileid="21" /> </BranchPoints> <MethodPoint xsi:type="SequencePoint" vc="1" uspid="130" ordinal="0" offset="0" sl="8" sc="9" el="8" ec="10" bec="0" bev="0" fileid="21" /> </Method> <Method visited="true" cyclomaticComplexity="1" sequenceCoverage="0" branchCoverage="0" isConstructor="true" isStatic="false" isGetter="false" isSetter="false"> <Summary numSequencePoints="0" visitedSequencePoints="0" numBranchPoints="0" visitedBranchPoints="0" sequenceCoverage="0" branchCoverage="0" maxCyclomaticComplexity="1" minCyclomaticComplexity="1" /> <MetadataToken>100663349</MetadataToken> <Name>System.Void Test.TestClass::.ctor()</Name> <SequencePoints /> <BranchPoints /> <MethodPoint vc="1" uspid="146" ordinal="0" offset="0" /> </Method> </Methods> </Class> <Class> <Summary numSequencePoints="3" visitedSequencePoints="0" numBranchPoints="1" visitedBranchPoints="0" sequenceCoverage="0" branchCoverage="0" maxCyclomaticComplexity="1" minCyclomaticComplexity="1" /> <FullName>ReportGenerator.Tests.TestFiles.Project.TestClass/NestedClass</FullName> <Methods> <Method visited="false" cyclomaticComplexity="1" sequenceCoverage="0" branchCoverage="0" isConstructor="false" isStatic="false" isGetter="false" isSetter="false"> <Summary numSequencePoints="3" visitedSequencePoints="0" numBranchPoints="1" visitedBranchPoints="0" sequenceCoverage="0" branchCoverage="0" maxCyclomaticComplexity="1" minCyclomaticComplexity="1" /> <MetadataToken>100663363</MetadataToken> <Name>System.Void Test.TestClass/NestedClass::SampleFunction()</Name> <FileRef uid="21" /> <SequencePoints> <SequencePoint vc="0" uspid="147" ordinal="0" offset="0" sl="30" sc="13" el="30" ec="14" bec="0" bev="0" fileid="21" /> <SequencePoint vc="0" uspid="148" ordinal="1" offset="1" sl="31" sc="17" el="34" ec="31" bec="0" bev="0" fileid="21" /> <SequencePoint vc="0" uspid="149" ordinal="2" offset="22" sl="35" sc="13" el="35" ec="14" bec="0" bev="0" fileid="21" /> </SequencePoints> <BranchPoints /> <MethodPoint xsi:type="SequencePoint" vc="0" uspid="147" ordinal="0" offset="0" sl="30" sc="13" el="30" ec="14" bec="0" bev="0" fileid="21" /> </Method> <Method visited="false" cyclomaticComplexity="1" sequenceCoverage="0" branchCoverage="0" isConstructor="true" isStatic="false" isGetter="false" isSetter="false"> <Summary numSequencePoints="0" visitedSequencePoints="0" numBranchPoints="0" visitedBranchPoints="0" sequenceCoverage="0" branchCoverage="0" maxCyclomaticComplexity="1" minCyclomaticComplexity="1" /> <MetadataToken>100663364</MetadataToken> <Name>System.Void Test.TestClass/NestedClass::.ctor()</Name> <SequencePoints /> <BranchPoints /> <MethodPoint vc="0" uspid="150" ordinal="0" offset="0" /> </Method> </Methods> </Class> <Class> <Summary numSequencePoints="41" visitedSequencePoints="27" numBranchPoints="13" visitedBranchPoints="8" sequenceCoverage="65.85" branchCoverage="61.54" maxCyclomaticComplexity="5" minCyclomaticComplexity="1" /> <FullName>ReportGenerator.Tests.TestFiles.Project.TestClass2</FullName> <Methods> <Method visited="true" cyclomaticComplexity="1" sequenceCoverage="0" branchCoverage="0" isConstructor="false" isStatic="false" isGetter="true" isSetter="false"> <Summary numSequencePoints="0" visitedSequencePoints="0" numBranchPoints="0" visitedBranchPoints="0" sequenceCoverage="0" branchCoverage="0" maxCyclomaticComplexity="1" minCyclomaticComplexity="1" /> <MetadataToken>100663350</MetadataToken> <Name>System.String Test.TestClass2::get_ExecutedProperty()</Name> <SequencePoints /> <BranchPoints /> <MethodPoint vc="1" uspid="151" ordinal="0" offset="0" /> </Method> <Method visited="true" cyclomaticComplexity="1" sequenceCoverage="0" branchCoverage="0" isConstructor="false" isStatic="false" isGetter="false" isSetter="true"> <Summary numSequencePoints="0" visitedSequencePoints="0" numBranchPoints="0" visitedBranchPoints="0" sequenceCoverage="0" branchCoverage="0" maxCyclomaticComplexity="1" minCyclomaticComplexity="1" /> <MetadataToken>100663351</MetadataToken> <Name>System.Void Test.TestClass2::set_ExecutedProperty(System.String)</Name> <SequencePoints /> <BranchPoints /> <MethodPoint vc="2" uspid="152" ordinal="0" offset="0" /> </Method> <Method visited="false" cyclomaticComplexity="1" sequenceCoverage="0" branchCoverage="0" isConstructor="false" isStatic="false" isGetter="true" isSetter="false"> <Summary numSequencePoints="0" visitedSequencePoints="0" numBranchPoints="0" visitedBranchPoints="0" sequenceCoverage="0" branchCoverage="0" maxCyclomaticComplexity="1" minCyclomaticComplexity="1" /> <MetadataToken>100663352</MetadataToken> <Name>System.String Test.TestClass2::get_UnExecutedProperty()</Name> <SequencePoints /> <BranchPoints /> <MethodPoint vc="0" uspid="153" ordinal="0" offset="0" /> </Method> <Method visited="false" cyclomaticComplexity="1" sequenceCoverage="0" branchCoverage="0" isConstructor="false" isStatic="false" isGetter="false" isSetter="true"> <Summary numSequencePoints="0" visitedSequencePoints="0" numBranchPoints="0" visitedBranchPoints="0" sequenceCoverage="0" branchCoverage="0" maxCyclomaticComplexity="1" minCyclomaticComplexity="1" /> <MetadataToken>100663353</MetadataToken> <Name>System.Void Test.TestClass2::set_UnExecutedProperty(System.String)</Name> <SequencePoints /> <BranchPoints /> <MethodPoint vc="0" uspid="154" ordinal="0" offset="0" /> </Method> <Method visited="false" cyclomaticComplexity="1" sequenceCoverage="0" branchCoverage="0" isConstructor="true" isStatic="false" isGetter="false" isSetter="false"> <Summary numSequencePoints="6" visitedSequencePoints="0" numBranchPoints="1" visitedBranchPoints="0" sequenceCoverage="0" branchCoverage="0" maxCyclomaticComplexity="1" minCyclomaticComplexity="1" /> <MetadataToken>100663354</MetadataToken> <Name>System.Void Test.TestClass2::.ctor()</Name> <FileRef uid="26" /> <SequencePoints> <SequencePoint vc="0" uspid="155" ordinal="0" offset="0" sl="11" sc="9" el="11" ec="78" bec="0" bev="0" fileid="26" /> <SequencePoint vc="0" uspid="156" ordinal="1" offset="11" sl="17" sc="9" el="17" ec="28" bec="0" bev="0" fileid="26" /> <SequencePoint vc="0" uspid="157" ordinal="2" offset="18" sl="18" sc="9" el="18" ec="10" bec="0" bev="0" fileid="26" /> <SequencePoint vc="0" uspid="158" ordinal="3" offset="19" sl="19" sc="13" el="19" ec="34" bec="0" bev="0" fileid="26" /> <SequencePoint vc="0" uspid="159" ordinal="4" offset="30" sl="20" sc="13" el="20" ec="46" bec="0" bev="0" fileid="26" /> <SequencePoint vc="0" uspid="160" ordinal="5" offset="42" sl="21" sc="9" el="21" ec="10" bec="0" bev="0" fileid="26" /> </SequencePoints> <BranchPoints /> <MethodPoint xsi:type="SequencePoint" vc="0" uspid="155" ordinal="0" offset="0" sl="11" sc="9" el="11" ec="78" bec="0" bev="0" fileid="26" /> </Method> <Method visited="true" cyclomaticComplexity="1" sequenceCoverage="100" branchCoverage="100" isConstructor="true" isStatic="false" isGetter="false" isSetter="false"> <Summary numSequencePoints="6" visitedSequencePoints="6" numBranchPoints="1" visitedBranchPoints="1" sequenceCoverage="100" branchCoverage="100" maxCyclomaticComplexity="1" minCyclomaticComplexity="1" /> <MetadataToken>100663355</MetadataToken> <Name>System.Void Test.TestClass2::.ctor(System.String)</Name> <FileRef uid="26" /> <SequencePoints> <SequencePoint vc="2" uspid="161" ordinal="0" offset="0" sl="11" sc="9" el="11" ec="78" bec="0" bev="0" fileid="26" /> <SequencePoint vc="2" uspid="162" ordinal="1" offset="11" sl="23" sc="9" el="23" ec="39" bec="0" bev="0" fileid="26" /> <SequencePoint vc="2" uspid="163" ordinal="2" offset="18" sl="24" sc="9" el="24" ec="10" bec="0" bev="0" fileid="26" /> <SequencePoint vc="2" uspid="164" ordinal="3" offset="19" sl="25" sc="13" el="25" ec="30" bec="0" bev="0" fileid="26" /> <SequencePoint vc="2" uspid="165" ordinal="4" offset="26" sl="26" sc="13" el="26" ec="49" bec="0" bev="0" fileid="26" /> <SequencePoint vc="2" uspid="166" ordinal="5" offset="40" sl="27" sc="9" el="27" ec="10" bec="0" bev="0" fileid="26" /> </SequencePoints> <BranchPoints /> <MethodPoint xsi:type="SequencePoint" vc="2" uspid="161" ordinal="0" offset="0" sl="11" sc="9" el="11" ec="78" bec="0" bev="0" fileid="26" /> </Method> <Method visited="true" cyclomaticComplexity="1" sequenceCoverage="100" branchCoverage="100" isConstructor="false" isStatic="false" isGetter="false" isSetter="false"> <Summary numSequencePoints="4" visitedSequencePoints="4" numBranchPoints="1" visitedBranchPoints="1" sequenceCoverage="100" branchCoverage="100" maxCyclomaticComplexity="1" minCyclomaticComplexity="1" /> <MetadataToken>100663356</MetadataToken> <Name>System.Void Test.TestClass2::ExecutedMethod()</Name> <FileRef uid="26" /> <SequencePoints> <SequencePoint vc="1" uspid="167" ordinal="0" offset="0" sl="30" sc="9" el="30" ec="10" bec="0" bev="0" fileid="26" /> <SequencePoint vc="1" uspid="168" ordinal="1" offset="1" sl="31" sc="13" el="31" ec="42" bec="0" bev="0" fileid="26" /> <SequencePoint vc="1" uspid="169" ordinal="2" offset="13" sl="32" sc="13" el="32" ec="54" bec="0" bev="0" fileid="26" /> <SequencePoint vc="1" uspid="170" ordinal="3" offset="25" sl="33" sc="9" el="33" ec="10" bec="0" bev="0" fileid="26" /> </SequencePoints> <BranchPoints /> <MethodPoint xsi:type="SequencePoint" vc="1" uspid="167" ordinal="0" offset="0" sl="30" sc="9" el="30" ec="10" bec="0" bev="0" fileid="26" /> </Method> <Method visited="false" cyclomaticComplexity="1" sequenceCoverage="0" branchCoverage="0" isConstructor="false" isStatic="false" isGetter="false" isSetter="false"> <Summary numSequencePoints="4" visitedSequencePoints="0" numBranchPoints="1" visitedBranchPoints="0" sequenceCoverage="0" branchCoverage="0" maxCyclomaticComplexity="1" minCyclomaticComplexity="1" /> <MetadataToken>100663357</MetadataToken> <Name>System.Void Test.TestClass2::UnExecutedMethod()</Name> <FileRef uid="26" /> <SequencePoints> <SequencePoint vc="0" uspid="171" ordinal="0" offset="0" sl="36" sc="9" el="36" ec="10" bec="0" bev="0" fileid="26" /> <SequencePoint vc="0" uspid="172" ordinal="1" offset="1" sl="37" sc="13" el="37" ec="42" bec="0" bev="0" fileid="26" /> <SequencePoint vc="0" uspid="173" ordinal="2" offset="13" sl="38" sc="13" el="38" ec="54" bec="0" bev="0" fileid="26" /> <SequencePoint vc="0" uspid="174" ordinal="3" offset="25" sl="39" sc="9" el="39" ec="10" bec="0" bev="0" fileid="26" /> </SequencePoints> <BranchPoints /> <MethodPoint xsi:type="SequencePoint" vc="0" uspid="171" ordinal="0" offset="0" sl="36" sc="9" el="36" ec="10" bec="0" bev="0" fileid="26" /> </Method> <Method visited="true" cyclomaticComplexity="5" sequenceCoverage="100" branchCoverage="71.43" isConstructor="false" isStatic="false" isGetter="false" isSetter="false"> <Summary numSequencePoints="16" visitedSequencePoints="16" numBranchPoints="7" visitedBranchPoints="5" sequenceCoverage="100" branchCoverage="71.43" maxCyclomaticComplexity="5" minCyclomaticComplexity="5" /> <MetadataToken>100663358</MetadataToken> <Name>System.Void Test.TestClass2::SampleFunction(System.String)</Name> <FileRef uid="26" /> <SequencePoints> <SequencePoint vc="1" uspid="175" ordinal="0" offset="15" sl="42" sc="9" el="42" ec="10" bec="0" bev="0" fileid="26" /> <SequencePoint vc="1" uspid="176" ordinal="1" offset="16" sl="43" sc="13" el="43" ec="53" bec="0" bev="0" fileid="26" /> <SequencePoint vc="1" uspid="177" ordinal="2" offset="34" sl="45" sc="13" el="45" ec="53" bec="2" bev="1" fileid="26" /> <SequencePoint vc="1" uspid="178" ordinal="3" offset="78" sl="47" sc="13" el="47" ec="20" bec="0" bev="0" fileid="26" /> <SequencePoint vc="1" uspid="179" ordinal="4" offset="79" sl="47" sc="34" el="47" ec="41" bec="0" bev="0" fileid="26" /> <SequencePoint vc="4" uspid="180" ordinal="5" offset="92" sl="47" sc="22" el="47" ec="30" bec="0" bev="0" fileid="26" /> <SequencePoint vc="4" uspid="181" ordinal="6" offset="100" sl="48" sc="13" el="48" ec="14" bec="0" bev="0" fileid="26" /> <SequencePoint vc="4" uspid="182" ordinal="7" offset="101" sl="49" sc="17" el="49" ec="41" bec="0" bev="0" fileid="26" /> <SequencePoint vc="4" uspid="183" ordinal="8" offset="108" sl="50" sc="13" el="50" ec="14" bec="0" bev="0" fileid="26" /> <SequencePoint vc="5" uspid="184" ordinal="9" offset="109" sl="47" sc="31" el="47" ec="33" bec="2" bev="2" fileid="26" /> <SequencePoint vc="1" uspid="185" ordinal="10" offset="151" sl="52" sc="13" el="52" ec="76" bec="0" bev="0" fileid="26" /> <SequencePoint vc="1" uspid="186" ordinal="11" offset="201" sl="54" sc="13" el="54" ec="105" bec="2" bev="1" fileid="26" /> <SequencePoint vc="1" uspid="187" ordinal="12" offset="232" sl="55" sc="13" el="55" ec="14" bec="0" bev="0" fileid="26" /> <SequencePoint vc="1" uspid="188" ordinal="13" offset="233" sl="56" sc="17" el="56" ec="52" bec="0" bev="0" fileid="26" /> <SequencePoint vc="1" uspid="189" ordinal="14" offset="256" sl="57" sc="13" el="57" ec="14" bec="0" bev="0" fileid="26" /> <SequencePoint vc="1" uspid="190" ordinal="15" offset="257" sl="58" sc="9" el="58" ec="10" bec="0" bev="0" fileid="26" /> </SequencePoints> <BranchPoints> <BranchPoint vc="1" uspid="191" ordinal="0" offset="40" sl="45" path="0" offsetend="45" fileid="26" /> <BranchPoint vc="0" uspid="192" ordinal="1" offset="40" sl="45" path="1" offsetend="67" fileid="26" /> <BranchPoint vc="1" uspid="193" ordinal="2" offset="120" sl="47" path="0" offsetend="122" fileid="26" /> <BranchPoint vc="4" uspid="194" ordinal="3" offset="120" sl="47" path="1" offsetend="92" fileid="26" /> <BranchPoint vc="1" uspid="195" ordinal="4" offset="227" sl="54" path="0" offsetend="232" fileid="26" /> <BranchPoint vc="0" uspid="196" ordinal="5" offset="227" sl="54" path="1" offsetend="257" fileid="26" /> </BranchPoints> <MethodPoint vc="1" uspid="197" ordinal="0" offset="0" /> </Method> <Method visited="false" cyclomaticComplexity="1" sequenceCoverage="0" branchCoverage="0" isConstructor="false" isStatic="false" isGetter="false" isSetter="false"> <Summary numSequencePoints="4" visitedSequencePoints="0" numBranchPoints="1" visitedBranchPoints="0" sequenceCoverage="0" branchCoverage="0" maxCyclomaticComplexity="1" minCyclomaticComplexity="1" /> <MetadataToken>100663359</MetadataToken> <Name>System.String Test.TestClass2::DoSomething(System.String,System.String[],System.Guid,System.Collections.Generic.IEnumerable`1&lt;System.String&gt;,System.Collections.Generic.IList`1&lt;System.String&gt;,System.Decimal,System.Int32,System.Collections.Generic.Dictionary`2&lt;System.String,System.Int32&gt;,System.Int32&amp;,System.Single,System.Double,System.Boolean,System.Byte,System.Char,System.Object,System.SByte,System.Int16,System.UInt32,System.UInt64,System.UInt16)</Name> <FileRef uid="26" /> <SequencePoints> <SequencePoint vc="0" uspid="198" ordinal="0" offset="0" sl="80" sc="9" el="80" ec="10" bec="0" bev="0" fileid="26" /> <SequencePoint vc="0" uspid="199" ordinal="1" offset="1" sl="81" sc="13" el="81" ec="19" bec="0" bev="0" fileid="26" /> <SequencePoint vc="0" uspid="200" ordinal="2" offset="5" sl="82" sc="13" el="82" ec="25" bec="0" bev="0" fileid="26" /> <SequencePoint vc="0" uspid="201" ordinal="3" offset="12" sl="83" sc="9" el="83" ec="10" bec="0" bev="0" fileid="26" /> </SequencePoints> <BranchPoints /> <MethodPoint xsi:type="SequencePoint" vc="0" uspid="198" ordinal="0" offset="0" sl="80" sc="9" el="80" ec="10" bec="0" bev="0" fileid="26" /> </Method> <Method visited="true" cyclomaticComplexity="1" sequenceCoverage="100" branchCoverage="100" isConstructor="false" isStatic="true" isGetter="false" isSetter="false"> <Summary numSequencePoints="1" visitedSequencePoints="1" numBranchPoints="1" visitedBranchPoints="1" sequenceCoverage="100" branchCoverage="100" maxCyclomaticComplexity="1" minCyclomaticComplexity="1" /> <MetadataToken>100663360</MetadataToken> <Name>System.Int32 Test.TestClass2::&lt;SampleFunction&gt;b__0(System.Int32)</Name> <FileRef uid="26" /> <SequencePoints> <SequencePoint vc="4" uspid="202" ordinal="0" offset="0" sl="45" sc="46" el="45" ec="51" bec="0" bev="0" fileid="26" /> </SequencePoints> <BranchPoints /> <MethodPoint xsi:type="SequencePoint" vc="4" uspid="202" ordinal="0" offset="0" sl="45" sc="46" el="45" ec="51" bec="0" bev="0" fileid="26" /> </Method> </Methods> </Class> <Class> <Summary numSequencePoints="1" visitedSequencePoints="1" numBranchPoints="1" visitedBranchPoints="1" sequenceCoverage="100" branchCoverage="100" maxCyclomaticComplexity="1" minCyclomaticComplexity="1" /> <FullName>ReportGenerator.Tests.TestFiles.Project.TestClass2/&lt;&gt;c__DisplayClass3</FullName> <Methods> <Method visited="true" cyclomaticComplexity="1" sequenceCoverage="0" branchCoverage="0" isConstructor="true" isStatic="false" isGetter="false" isSetter="false"> <Summary numSequencePoints="0" visitedSequencePoints="0" numBranchPoints="0" visitedBranchPoints="0" sequenceCoverage="0" branchCoverage="0" maxCyclomaticComplexity="1" minCyclomaticComplexity="1" /> <MetadataToken>100663365</MetadataToken> <Name>System.Void Test.TestClass2/&lt;&gt;c__DisplayClass3::.ctor()</Name> <SequencePoints /> <BranchPoints /> <MethodPoint vc="1" uspid="203" ordinal="0" offset="0" /> </Method> <Method visited="true" cyclomaticComplexity="1" sequenceCoverage="100" branchCoverage="100" isConstructor="false" isStatic="false" isGetter="false" isSetter="false"> <Summary numSequencePoints="1" visitedSequencePoints="1" numBranchPoints="1" visitedBranchPoints="1" sequenceCoverage="100" branchCoverage="100" maxCyclomaticComplexity="1" minCyclomaticComplexity="1" /> <MetadataToken>100663366</MetadataToken> <Name>System.Boolean Test.TestClass2/&lt;&gt;c__DisplayClass3::&lt;SampleFunction&gt;b__1(System.String)</Name> <FileRef uid="26" /> <SequencePoints> <SequencePoint vc="3" uspid="204" ordinal="0" offset="0" sl="54" sc="45" el="54" ec="95" bec="0" bev="0" fileid="26" /> </SequencePoints> <BranchPoints /> <MethodPoint xsi:type="SequencePoint" vc="3" uspid="204" ordinal="0" offset="0" sl="54" sc="45" el="54" ec="95" bec="0" bev="0" fileid="26" /> </Method> </Methods> </Class> <Class> <Summary numSequencePoints="0" visitedSequencePoints="0" numBranchPoints="0" visitedBranchPoints="0" sequenceCoverage="0" branchCoverage="0" maxCyclomaticComplexity="0" minCyclomaticComplexity="0" /> <FullName>&lt;PrivateImplementationDetails&gt;{0A6BBBB3-F8FF-4392-B8E6-8D09B07E5BE2}</FullName> <Methods /> </Class> <Class> <Summary numSequencePoints="0" visitedSequencePoints="0" numBranchPoints="0" visitedBranchPoints="0" sequenceCoverage="0" branchCoverage="0" maxCyclomaticComplexity="6" minCyclomaticComplexity="6" /> <FullName>System.Diagnostics.Contracts.__ContractsRuntime</FullName> <Methods> <Method visited="true" cyclomaticComplexity="6" sequenceCoverage="0" branchCoverage="0" isConstructor="false" isStatic="true" isGetter="false" isSetter="false"> <Summary numSequencePoints="0" visitedSequencePoints="0" numBranchPoints="0" visitedBranchPoints="0" sequenceCoverage="0" branchCoverage="0" maxCyclomaticComplexity="6" minCyclomaticComplexity="6" /> <MetadataToken>100663361</MetadataToken> <Name>System.Void System.Diagnostics.Contracts.__ContractsRuntime::Requires(System.Boolean,System.String,System.String)</Name> <SequencePoints /> <BranchPoints /> <MethodPoint vc="2" uspid="205" ordinal="0" offset="0" /> </Method> </Methods> </Class> <Class> <Summary numSequencePoints="0" visitedSequencePoints="0" numBranchPoints="0" visitedBranchPoints="0" sequenceCoverage="0" branchCoverage="0" maxCyclomaticComplexity="1" minCyclomaticComplexity="1" /> <FullName>System.Diagnostics.Contracts.RuntimeContractsAttribute</FullName> <Methods> <Method visited="false" cyclomaticComplexity="1" sequenceCoverage="0" branchCoverage="0" isConstructor="true" isStatic="false" isGetter="false" isSetter="false"> <Summary numSequencePoints="0" visitedSequencePoints="0" numBranchPoints="0" visitedBranchPoints="0" sequenceCoverage="0" branchCoverage="0" maxCyclomaticComplexity="1" minCyclomaticComplexity="1" /> <MetadataToken>100663362</MetadataToken> <Name>System.Void System.Diagnostics.Contracts.RuntimeContractsAttribute::.ctor(System.Diagnostics.Contracts.RuntimeContractsFlags)</Name> <SequencePoints /> <BranchPoints /> <MethodPoint vc="0" uspid="206" ordinal="0" offset="0" /> </Method> </Methods> </Class> </Classes> </Module> </Modules> </CoverageSession>
{ "content_hash": "74408d8b659d6c09b52e458d76e081d9", "timestamp": "", "source": "github", "line_count": 913, "max_line_length": 564, "avg_line_length": 92.13910186199342, "alnum_prop": 0.6180592703541243, "repo_name": "shoff/ReportGenerator", "id": "f430ce666d311aa7a76dd2c6de57fbc6ec8ab7e5", "size": "84125", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "ReportGenerator.Tests/TestFiles/Reports/OpenCover.xml", "mode": "33188", "license": "apache-2.0", "language": [ { "name": "C#", "bytes": "674607" }, { "name": "JavaScript", "bytes": "73368" } ], "symlink_target": "" }
.class public Landroid/text/method/TextKeyListener; .super Landroid/text/method/BaseKeyListener; .source "TextKeyListener.java" # interfaces .implements Landroid/text/SpanWatcher; # annotations .annotation system Ldalvik/annotation/MemberClasses; value = { Landroid/text/method/TextKeyListener$SettingsObserver;, Landroid/text/method/TextKeyListener$NullKeyListener;, Landroid/text/method/TextKeyListener$Capitalize; } .end annotation # static fields .field static final ACTIVE:Ljava/lang/Object; = null .field static final AUTO_CAP:I = 0x1 .field static final AUTO_PERIOD:I = 0x4 .field static final AUTO_TEXT:I = 0x2 .field static final CAPPED:Ljava/lang/Object; = null .field static final INHIBIT_REPLACEMENT:Ljava/lang/Object; = null .field static final LAST_TYPED:Ljava/lang/Object; = null .field static final SHOW_PASSWORD:I = 0x8 .field private static sInstance:[Landroid/text/method/TextKeyListener; # instance fields .field private mAutoCap:Landroid/text/method/TextKeyListener$Capitalize; .field private mAutoText:Z .field private mObserver:Landroid/text/method/TextKeyListener$SettingsObserver; .field private mPrefs:I .field private mPrefsInited:Z .field private mResolver:Ljava/lang/ref/WeakReference; .annotation system Ldalvik/annotation/Signature; value = { "Ljava/lang/ref/WeakReference", "<", "Landroid/content/ContentResolver;", ">;" } .end annotation .end field # direct methods .method static constructor <clinit>()V .locals 1 .prologue .line 42 invoke-static {}, Landroid/text/method/TextKeyListener$Capitalize;->values()[Landroid/text/method/TextKeyListener$Capitalize; move-result-object v0 array-length v0, v0 mul-int/lit8 v0, v0, 0x2 new-array v0, v0, [Landroid/text/method/TextKeyListener; sput-object v0, Landroid/text/method/TextKeyListener;->sInstance:[Landroid/text/method/TextKeyListener; .line 45 new-instance v0, Landroid/text/NoCopySpan$Concrete; invoke-direct {v0}, Landroid/text/NoCopySpan$Concrete;-><init>()V sput-object v0, Landroid/text/method/TextKeyListener;->ACTIVE:Ljava/lang/Object; .line 46 new-instance v0, Landroid/text/NoCopySpan$Concrete; invoke-direct {v0}, Landroid/text/NoCopySpan$Concrete;-><init>()V sput-object v0, Landroid/text/method/TextKeyListener;->CAPPED:Ljava/lang/Object; .line 47 new-instance v0, Landroid/text/NoCopySpan$Concrete; invoke-direct {v0}, Landroid/text/NoCopySpan$Concrete;-><init>()V sput-object v0, Landroid/text/method/TextKeyListener;->INHIBIT_REPLACEMENT:Ljava/lang/Object; .line 48 new-instance v0, Landroid/text/NoCopySpan$Concrete; invoke-direct {v0}, Landroid/text/NoCopySpan$Concrete;-><init>()V sput-object v0, Landroid/text/method/TextKeyListener;->LAST_TYPED:Ljava/lang/Object; return-void .end method .method public constructor <init>(Landroid/text/method/TextKeyListener$Capitalize;Z)V .locals 0 .parameter "cap" .parameter "autotext" .prologue .line 70 invoke-direct {p0}, Landroid/text/method/BaseKeyListener;-><init>()V .line 71 iput-object p1, p0, Landroid/text/method/TextKeyListener;->mAutoCap:Landroid/text/method/TextKeyListener$Capitalize; .line 72 iput-boolean p2, p0, Landroid/text/method/TextKeyListener;->mAutoText:Z .line 73 return-void .end method .method static synthetic access$000(Landroid/text/method/TextKeyListener;)Ljava/lang/ref/WeakReference; .locals 1 .parameter "x0" .prologue .line 41 iget-object v0, p0, Landroid/text/method/TextKeyListener;->mResolver:Ljava/lang/ref/WeakReference; return-object v0 .end method .method static synthetic access$102(Landroid/text/method/TextKeyListener;Z)Z .locals 0 .parameter "x0" .parameter "x1" .prologue .line 41 iput-boolean p1, p0, Landroid/text/method/TextKeyListener;->mPrefsInited:Z return p1 .end method .method static synthetic access$200(Landroid/text/method/TextKeyListener;Landroid/content/ContentResolver;)V .locals 0 .parameter "x0" .parameter "x1" .prologue .line 41 invoke-direct {p0, p1}, Landroid/text/method/TextKeyListener;->updatePrefs(Landroid/content/ContentResolver;)V return-void .end method .method public static clear(Landroid/text/Editable;)V .locals 6 .parameter "e" .prologue .line 162 invoke-interface {p0}, Landroid/text/Editable;->clear()V .line 163 sget-object v3, Landroid/text/method/TextKeyListener;->ACTIVE:Ljava/lang/Object; invoke-interface {p0, v3}, Landroid/text/Editable;->removeSpan(Ljava/lang/Object;)V .line 164 sget-object v3, Landroid/text/method/TextKeyListener;->CAPPED:Ljava/lang/Object; invoke-interface {p0, v3}, Landroid/text/Editable;->removeSpan(Ljava/lang/Object;)V .line 165 sget-object v3, Landroid/text/method/TextKeyListener;->INHIBIT_REPLACEMENT:Ljava/lang/Object; invoke-interface {p0, v3}, Landroid/text/Editable;->removeSpan(Ljava/lang/Object;)V .line 166 sget-object v3, Landroid/text/method/TextKeyListener;->LAST_TYPED:Ljava/lang/Object; invoke-interface {p0, v3}, Landroid/text/Editable;->removeSpan(Ljava/lang/Object;)V .line 168 const/4 v3, 0x0 invoke-interface {p0}, Landroid/text/Editable;->length()I move-result v4 const-class v5, Landroid/text/method/QwertyKeyListener$Replaced; invoke-interface {p0, v3, v4, v5}, Landroid/text/Editable;->getSpans(IILjava/lang/Class;)[Ljava/lang/Object; move-result-object v2 check-cast v2, [Landroid/text/method/QwertyKeyListener$Replaced; .line 170 .local v2, repl:[Landroid/text/method/QwertyKeyListener$Replaced; array-length v0, v2 .line 171 .local v0, count:I const/4 v1, 0x0 .local v1, i:I :goto_0 if-ge v1, v0, :cond_0 .line 172 aget-object v3, v2, v1 invoke-interface {p0, v3}, Landroid/text/Editable;->removeSpan(Ljava/lang/Object;)V .line 171 add-int/lit8 v1, v1, 0x1 goto :goto_0 .line 174 :cond_0 return-void .end method .method public static getInstance()Landroid/text/method/TextKeyListener; .locals 2 .prologue .line 98 const/4 v0, 0x0 sget-object v1, Landroid/text/method/TextKeyListener$Capitalize;->NONE:Landroid/text/method/TextKeyListener$Capitalize; invoke-static {v0, v1}, Landroid/text/method/TextKeyListener;->getInstance(ZLandroid/text/method/TextKeyListener$Capitalize;)Landroid/text/method/TextKeyListener; move-result-object v0 return-object v0 .end method .method public static getInstance(ZLandroid/text/method/TextKeyListener$Capitalize;)Landroid/text/method/TextKeyListener; .locals 3 .parameter "autotext" .parameter "cap" .prologue .line 84 invoke-virtual {p1}, Ljava/lang/Enum;->ordinal()I move-result v1 mul-int/lit8 v2, v1, 0x2 if-eqz p0, :cond_1 const/4 v1, 0x1 :goto_0 add-int v0, v2, v1 .line 86 .local v0, off:I sget-object v1, Landroid/text/method/TextKeyListener;->sInstance:[Landroid/text/method/TextKeyListener; aget-object v1, v1, v0 if-nez v1, :cond_0 .line 87 sget-object v1, Landroid/text/method/TextKeyListener;->sInstance:[Landroid/text/method/TextKeyListener; new-instance v2, Landroid/text/method/TextKeyListener; invoke-direct {v2, p1, p0}, Landroid/text/method/TextKeyListener;-><init>(Landroid/text/method/TextKeyListener$Capitalize;Z)V aput-object v2, v1, v0 .line 90 :cond_0 sget-object v1, Landroid/text/method/TextKeyListener;->sInstance:[Landroid/text/method/TextKeyListener; aget-object v1, v1, v0 return-object v1 .line 84 .end local v0 #off:I :cond_1 const/4 v1, 0x0 goto :goto_0 .end method .method private getKeyListener(Landroid/view/KeyEvent;)Landroid/text/method/KeyListener; .locals 4 .parameter "event" .prologue .line 187 invoke-virtual {p1}, Landroid/view/KeyEvent;->getKeyCharacterMap()Landroid/view/KeyCharacterMap; move-result-object v1 .line 188 .local v1, kmap:Landroid/view/KeyCharacterMap; invoke-virtual {v1}, Landroid/view/KeyCharacterMap;->getKeyboardType()I move-result v0 .line 190 .local v0, kind:I const/4 v2, 0x3 if-ne v0, v2, :cond_0 .line 191 iget-boolean v2, p0, Landroid/text/method/TextKeyListener;->mAutoText:Z iget-object v3, p0, Landroid/text/method/TextKeyListener;->mAutoCap:Landroid/text/method/TextKeyListener$Capitalize; invoke-static {v2, v3}, Landroid/text/method/QwertyKeyListener;->getInstance(ZLandroid/text/method/TextKeyListener$Capitalize;)Landroid/text/method/QwertyKeyListener; move-result-object v2 .line 204 :goto_0 return-object v2 .line 192 :cond_0 const/4 v2, 0x1 if-ne v0, v2, :cond_1 .line 193 iget-boolean v2, p0, Landroid/text/method/TextKeyListener;->mAutoText:Z iget-object v3, p0, Landroid/text/method/TextKeyListener;->mAutoCap:Landroid/text/method/TextKeyListener$Capitalize; invoke-static {v2, v3}, Landroid/text/method/MultiTapKeyListener;->getInstance(ZLandroid/text/method/TextKeyListener$Capitalize;)Landroid/text/method/MultiTapKeyListener; move-result-object v2 goto :goto_0 .line 194 :cond_1 const/4 v2, 0x4 if-eq v0, v2, :cond_2 const/4 v2, 0x5 if-ne v0, v2, :cond_3 .line 201 :cond_2 invoke-static {}, Landroid/text/method/QwertyKeyListener;->getInstanceForFullKeyboard()Landroid/text/method/QwertyKeyListener; move-result-object v2 goto :goto_0 .line 204 :cond_3 invoke-static {}, Landroid/text/method/TextKeyListener$NullKeyListener;->getInstance()Landroid/text/method/TextKeyListener$NullKeyListener; move-result-object v2 goto :goto_0 .end method .method private initPrefs(Landroid/content/Context;)V .locals 4 .parameter "context" .prologue const/4 v3, 0x1 .line 259 invoke-virtual {p1}, Landroid/content/Context;->getContentResolver()Landroid/content/ContentResolver; move-result-object v0 .line 260 .local v0, contentResolver:Landroid/content/ContentResolver; new-instance v1, Ljava/lang/ref/WeakReference; invoke-direct {v1, v0}, Ljava/lang/ref/WeakReference;-><init>(Ljava/lang/Object;)V iput-object v1, p0, Landroid/text/method/TextKeyListener;->mResolver:Ljava/lang/ref/WeakReference; .line 261 iget-object v1, p0, Landroid/text/method/TextKeyListener;->mObserver:Landroid/text/method/TextKeyListener$SettingsObserver; if-nez v1, :cond_0 .line 262 new-instance v1, Landroid/text/method/TextKeyListener$SettingsObserver; invoke-direct {v1, p0}, Landroid/text/method/TextKeyListener$SettingsObserver;-><init>(Landroid/text/method/TextKeyListener;)V iput-object v1, p0, Landroid/text/method/TextKeyListener;->mObserver:Landroid/text/method/TextKeyListener$SettingsObserver; .line 263 sget-object v1, Landroid/provider/Settings$System;->CONTENT_URI:Landroid/net/Uri; iget-object v2, p0, Landroid/text/method/TextKeyListener;->mObserver:Landroid/text/method/TextKeyListener$SettingsObserver; invoke-virtual {v0, v1, v3, v2}, Landroid/content/ContentResolver;->registerContentObserver(Landroid/net/Uri;ZLandroid/database/ContentObserver;)V .line 266 :cond_0 invoke-direct {p0, v0}, Landroid/text/method/TextKeyListener;->updatePrefs(Landroid/content/ContentResolver;)V .line 267 iput-boolean v3, p0, Landroid/text/method/TextKeyListener;->mPrefsInited:Z .line 268 return-void .end method .method public static shouldCap(Landroid/text/method/TextKeyListener$Capitalize;Ljava/lang/CharSequence;I)Z .locals 3 .parameter "cap" .parameter "cs" .parameter "off" .prologue const/4 v1, 0x1 const/4 v2, 0x0 .line 115 sget-object v0, Landroid/text/method/TextKeyListener$Capitalize;->NONE:Landroid/text/method/TextKeyListener$Capitalize; if-ne p0, v0, :cond_0 .line 122 :goto_0 return v2 .line 118 :cond_0 sget-object v0, Landroid/text/method/TextKeyListener$Capitalize;->CHARACTERS:Landroid/text/method/TextKeyListener$Capitalize; if-ne p0, v0, :cond_1 move v2, v1 .line 119 goto :goto_0 .line 122 :cond_1 sget-object v0, Landroid/text/method/TextKeyListener$Capitalize;->WORDS:Landroid/text/method/TextKeyListener$Capitalize; if-ne p0, v0, :cond_2 const/16 v0, 0x2000 :goto_1 invoke-static {p1, p2, v0}, Landroid/text/TextUtils;->getCapsMode(Ljava/lang/CharSequence;II)I move-result v0 if-eqz v0, :cond_3 move v0, v1 :goto_2 move v2, v0 goto :goto_0 :cond_2 const/16 v0, 0x4000 goto :goto_1 :cond_3 move v0, v2 goto :goto_2 .end method .method private updatePrefs(Landroid/content/ContentResolver;)V .locals 7 .parameter "resolver" .prologue const/4 v5, 0x0 const/4 v4, 0x1 .line 291 const-string v6, "auto_caps" invoke-static {p1, v6, v4}, Landroid/provider/Settings$System;->getInt(Landroid/content/ContentResolver;Ljava/lang/String;I)I move-result v6 if-lez v6, :cond_1 move v0, v4 .line 292 .local v0, cap:Z :goto_0 const-string v6, "auto_replace" invoke-static {p1, v6, v4}, Landroid/provider/Settings$System;->getInt(Landroid/content/ContentResolver;Ljava/lang/String;I)I move-result v6 if-lez v6, :cond_2 move v3, v4 .line 293 .local v3, text:Z :goto_1 const-string v6, "auto_punctuate" invoke-static {p1, v6, v4}, Landroid/provider/Settings$System;->getInt(Landroid/content/ContentResolver;Ljava/lang/String;I)I move-result v6 if-lez v6, :cond_3 move v1, v4 .line 294 .local v1, period:Z :goto_2 const-string/jumbo v6, "show_password" invoke-static {p1, v6, v4}, Landroid/provider/Settings$System;->getInt(Landroid/content/ContentResolver;Ljava/lang/String;I)I move-result v6 if-lez v6, :cond_4 move v2, v4 .line 296 .local v2, pw:Z :goto_3 if-eqz v0, :cond_5 move v6, v4 :goto_4 if-eqz v3, :cond_6 const/4 v4, 0x2 :goto_5 or-int/2addr v6, v4 if-eqz v1, :cond_7 const/4 v4, 0x4 :goto_6 or-int/2addr v4, v6 if-eqz v2, :cond_0 const/16 v5, 0x8 :cond_0 or-int/2addr v4, v5 iput v4, p0, Landroid/text/method/TextKeyListener;->mPrefs:I .line 300 return-void .end local v0 #cap:Z .end local v1 #period:Z .end local v2 #pw:Z .end local v3 #text:Z :cond_1 move v0, v5 .line 291 goto :goto_0 .restart local v0 #cap:Z :cond_2 move v3, v5 .line 292 goto :goto_1 .restart local v3 #text:Z :cond_3 move v1, v5 .line 293 goto :goto_2 .restart local v1 #period:Z :cond_4 move v2, v5 .line 294 goto :goto_3 .restart local v2 #pw:Z :cond_5 move v6, v5 .line 296 goto :goto_4 :cond_6 move v4, v5 goto :goto_5 :cond_7 move v4, v5 goto :goto_6 .end method # virtual methods .method public getInputType()I .locals 2 .prologue .line 128 iget-object v0, p0, Landroid/text/method/TextKeyListener;->mAutoCap:Landroid/text/method/TextKeyListener$Capitalize; iget-boolean v1, p0, Landroid/text/method/TextKeyListener;->mAutoText:Z invoke-static {v0, v1}, Landroid/text/method/TextKeyListener;->makeTextContentType(Landroid/text/method/TextKeyListener$Capitalize;Z)I move-result v0 return v0 .end method .method getPrefs(Landroid/content/Context;)I .locals 1 .parameter "context" .prologue .line 303 monitor-enter p0 .line 304 :try_start_0 iget-boolean v0, p0, Landroid/text/method/TextKeyListener;->mPrefsInited:Z if-eqz v0, :cond_0 iget-object v0, p0, Landroid/text/method/TextKeyListener;->mResolver:Ljava/lang/ref/WeakReference; invoke-virtual {v0}, Ljava/lang/ref/Reference;->get()Ljava/lang/Object; move-result-object v0 if-nez v0, :cond_1 .line 305 :cond_0 invoke-direct {p0, p1}, Landroid/text/method/TextKeyListener;->initPrefs(Landroid/content/Context;)V .line 307 :cond_1 monitor-exit p0 :try_end_0 .catchall {:try_start_0 .. :try_end_0} :catchall_0 .line 309 iget v0, p0, Landroid/text/method/TextKeyListener;->mPrefs:I return v0 .line 307 :catchall_0 move-exception v0 :try_start_1 monitor-exit p0 :try_end_1 .catchall {:try_start_1 .. :try_end_1} :catchall_0 throw v0 .end method .method public onKeyDown(Landroid/view/View;Landroid/text/Editable;ILandroid/view/KeyEvent;)Z .locals 2 .parameter "view" .parameter "content" .parameter "keyCode" .parameter "event" .prologue .line 134 invoke-direct {p0, p4}, Landroid/text/method/TextKeyListener;->getKeyListener(Landroid/view/KeyEvent;)Landroid/text/method/KeyListener; move-result-object v0 .line 136 .local v0, im:Landroid/text/method/KeyListener; invoke-interface {v0, p1, p2, p3, p4}, Landroid/text/method/KeyListener;->onKeyDown(Landroid/view/View;Landroid/text/Editable;ILandroid/view/KeyEvent;)Z move-result v1 return v1 .end method .method public onKeyOther(Landroid/view/View;Landroid/text/Editable;Landroid/view/KeyEvent;)Z .locals 2 .parameter "view" .parameter "content" .parameter "event" .prologue .line 149 invoke-direct {p0, p3}, Landroid/text/method/TextKeyListener;->getKeyListener(Landroid/view/KeyEvent;)Landroid/text/method/KeyListener; move-result-object v0 .line 151 .local v0, im:Landroid/text/method/KeyListener; invoke-interface {v0, p1, p2, p3}, Landroid/text/method/KeyListener;->onKeyOther(Landroid/view/View;Landroid/text/Editable;Landroid/view/KeyEvent;)Z move-result v1 return v1 .end method .method public onKeyUp(Landroid/view/View;Landroid/text/Editable;ILandroid/view/KeyEvent;)Z .locals 2 .parameter "view" .parameter "content" .parameter "keyCode" .parameter "event" .prologue .line 142 invoke-direct {p0, p4}, Landroid/text/method/TextKeyListener;->getKeyListener(Landroid/view/KeyEvent;)Landroid/text/method/KeyListener; move-result-object v0 .line 144 .local v0, im:Landroid/text/method/KeyListener; invoke-interface {v0, p1, p2, p3, p4}, Landroid/text/method/KeyListener;->onKeyUp(Landroid/view/View;Landroid/text/Editable;ILandroid/view/KeyEvent;)Z move-result v1 return v1 .end method .method public onSpanAdded(Landroid/text/Spannable;Ljava/lang/Object;II)V .locals 0 .parameter "s" .parameter "what" .parameter "start" .parameter "end" .prologue .line 176 return-void .end method .method public onSpanChanged(Landroid/text/Spannable;Ljava/lang/Object;IIII)V .locals 1 .parameter "s" .parameter "what" .parameter "start" .parameter "end" .parameter "st" .parameter "en" .prologue .line 181 sget-object v0, Landroid/text/Selection;->SELECTION_END:Ljava/lang/Object; if-ne p2, v0, :cond_0 .line 182 sget-object v0, Landroid/text/method/TextKeyListener;->ACTIVE:Ljava/lang/Object; invoke-interface {p1, v0}, Landroid/text/Spannable;->removeSpan(Ljava/lang/Object;)V .line 184 :cond_0 return-void .end method .method public onSpanRemoved(Landroid/text/Spannable;Ljava/lang/Object;II)V .locals 0 .parameter "s" .parameter "what" .parameter "start" .parameter "end" .prologue .line 177 return-void .end method .method public release()V .locals 3 .prologue const/4 v2, 0x0 .line 246 iget-object v1, p0, Landroid/text/method/TextKeyListener;->mResolver:Ljava/lang/ref/WeakReference; if-eqz v1, :cond_1 .line 247 iget-object v1, p0, Landroid/text/method/TextKeyListener;->mResolver:Ljava/lang/ref/WeakReference; invoke-virtual {v1}, Ljava/lang/ref/Reference;->get()Ljava/lang/Object; move-result-object v0 check-cast v0, Landroid/content/ContentResolver; .line 248 .local v0, contentResolver:Landroid/content/ContentResolver; if-eqz v0, :cond_0 .line 249 iget-object v1, p0, Landroid/text/method/TextKeyListener;->mObserver:Landroid/text/method/TextKeyListener$SettingsObserver; invoke-virtual {v0, v1}, Landroid/content/ContentResolver;->unregisterContentObserver(Landroid/database/ContentObserver;)V .line 250 iget-object v1, p0, Landroid/text/method/TextKeyListener;->mResolver:Ljava/lang/ref/WeakReference; invoke-virtual {v1}, Ljava/lang/ref/Reference;->clear()V .line 252 :cond_0 iput-object v2, p0, Landroid/text/method/TextKeyListener;->mObserver:Landroid/text/method/TextKeyListener$SettingsObserver; .line 253 iput-object v2, p0, Landroid/text/method/TextKeyListener;->mResolver:Ljava/lang/ref/WeakReference; .line 254 const/4 v1, 0x0 iput-boolean v1, p0, Landroid/text/method/TextKeyListener;->mPrefsInited:Z .line 256 .end local v0 #contentResolver:Landroid/content/ContentResolver; :cond_1 return-void .end method
{ "content_hash": "1b05d46ca8ad1d7a687707f45f31f908", "timestamp": "", "source": "github", "line_count": 870, "max_line_length": 174, "avg_line_length": 24.66896551724138, "alnum_prop": 0.6957413102227192, "repo_name": "baidurom/devices-Coolpad8720L", "id": "586a4647bbe746489accb44a07bd60f1b55fd2dd", "size": "21462", "binary": false, "copies": "2", "ref": "refs/heads/coron-4.3", "path": "framework.jar.out/smali/android/text/method/TextKeyListener.smali", "mode": "33188", "license": "apache-2.0", "language": [ { "name": "Makefile", "bytes": "13619" }, { "name": "Shell", "bytes": "1917" } ], "symlink_target": "" }
// Copyright (c) to owners found in https://github.com/AArnott/pinvoke/blob/master/COPYRIGHT.md. All rights reserved. // Licensed under the MIT license. See LICENSE.txt file in the project root for full license information. namespace PInvoke { using System; /// <content> /// Contains the <see cref="NCryptOpenStorageProviderFlags"/> nested enum. /// </content> public partial class NCrypt { /// <summary> /// Flags that may be passed to the <see cref="NCryptOpenStorageProvider(out SafeProviderHandle, string, NCryptOpenStorageProviderFlags)"/> function. /// </summary> [Flags] public enum NCryptOpenStorageProviderFlags { /// <summary> /// No flags. /// </summary> None = 0x0, } } }
{ "content_hash": "06138f51b772a87f07dc58cfadd313ce", "timestamp": "", "source": "github", "line_count": 25, "max_line_length": 157, "avg_line_length": 32.8, "alnum_prop": 0.6182926829268293, "repo_name": "fearthecowboy/pinvoke", "id": "d971591bb4faaa6cedb72d9a1da87b63619fa858", "size": "822", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "src/NCrypt/NCrypt+NCryptOpenStorageProviderFlags.cs", "mode": "33188", "license": "mit", "language": [ { "name": "C#", "bytes": "1701329" }, { "name": "PowerShell", "bytes": "5070" } ], "symlink_target": "" }
var homeController = (function() { function _getCookieCategories(cookies) { var res = []; cookies.forEach(function(obj) { if (res.indexOf(obj.category) < 0) { res.push(obj.category); } }); return res; } function _getUserNameById(users, id) { var res = ''; users.forEach(function(obj) { if (obj.id === id) { res = obj.username; } }); return res; } function displayHomePage(context) { var cookiesToDisplay, currentUser, allUsers, category = this.params.category || null; dataFortuneCookies.getAll() .then(function(cookies) { cookiesToDisplay = cookies; return dataUsers.getAll(Number.MAX_VALUE, 1); }, function(err) { $.notify(err.responseText, "error"); }) .then(function(users) { allUsers = users; return dataUsers.getCurrentLogin(); }, function(err) { // $.notify(err.responseText, "error"); }) .then(function(user) { currentUser = user; if (user) { // User is logged in $('#container-sign-in').hide(); $('#container-sign-out').show(); $('.admin-data-hidden').show(); $('#btn-logout').html("Logout [" + user + "]"); events.registerLogoutEvent(context); } else { // User is not logged in $('#container-sign-in').show(); $('#container-sign-out').hide(); $('.admin-data-hidden').hide(); events.registerLoginEvent(context); events.registerRegEvent(context); } return templates.get('home'); }) .then(function(template) { // Change date format with MomentJS cookiesToDisplay.forEach(function(obj) { obj.shareDate = moment(obj.shareDate).fromNow(); if (allUsers) { obj.postedBy = _getUserNameById(allUsers.data, obj.userId); } }); if (category) { var filtered = cookiesToDisplay.filter(function(obj) { if (obj.category === category) { return true; } return false; }); context.$element().html(template({ user: currentUser, data: filtered, category: category, categories: _getCookieCategories(cookiesToDisplay) })); } else { context.$element().html(template({ user: currentUser, data: cookiesToDisplay, category: 'All', categories: _getCookieCategories(cookiesToDisplay) })); } events.registerLikeEvent(context); events.registerDislikeEvent(context); }, function(err) { $.notify(err.responseText, "error"); }); } return { displayHomePage: displayHomePage }; }());
{ "content_hash": "14bd34f682e057efee1cf8a20d961822", "timestamp": "", "source": "github", "line_count": 103, "max_line_length": 83, "avg_line_length": 34.8252427184466, "alnum_prop": 0.4276554223585169, "repo_name": "atanas-georgiev/TelerikAcademy", "id": "660b035a434f4eb8ce11e6129932bece6265d789", "size": "3587", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "09.JavaScript-Applications/Exams/exam-10-Sept-2015/public/scripts/controllers/home-controller.js", "mode": "33188", "license": "mit", "language": [ { "name": "ASP", "bytes": "242695" }, { "name": "C#", "bytes": "3137170" }, { "name": "CSS", "bytes": "37175" }, { "name": "CoffeeScript", "bytes": "4103" }, { "name": "HTML", "bytes": "187118" }, { "name": "JavaScript", "bytes": "1751559" }, { "name": "PLpgSQL", "bytes": "6696" }, { "name": "XSLT", "bytes": "3435" } ], "symlink_target": "" }
/* * Joonas Vilppunen, Markus Muranen, Niko Heikkinen * MIT Licence * 2015 */ import alt from '../alt'; class HomeActions { constructor() { this.generateActions( 'getTitlesSuccess', 'getTitlesFail', 'handleSort', 'removeNoRating', 'handleSortByReview' ); } handleSort() { this.actions.handleSort(); } removeNoRating() { this.actions.removeNoRating(); } handleSortByReview() { this.actions.handleSortByReview(); } getTitles() { $.ajax({ url: '/api/titles/all'}) .done((data) => { this.actions.getTitlesSuccess(data) }) .fail((jqXhr) => { this.actions.getTitlesFail(jqXhr) }); } } export default alt.createActions(HomeActions);
{ "content_hash": "cd9f885c17532347825e60f1c6be07a2", "timestamp": "", "source": "github", "line_count": 43, "max_line_length": 50, "avg_line_length": 16.046511627906977, "alnum_prop": 0.6521739130434783, "repo_name": "Mikkael3/tiea207projekti2015", "id": "5f0781f83046ef3bd3df56f1a142f2bae0bdbdd3", "size": "690", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "app/actions/HomeActions.js", "mode": "33188", "license": "mit", "language": [ { "name": "CSS", "bytes": "174474" }, { "name": "HTML", "bytes": "666" }, { "name": "JavaScript", "bytes": "1534927" } ], "symlink_target": "" }
package org.apache.calcite.sql.validate; import org.apache.flink.annotation.Internal; import org.apache.calcite.rel.type.RelDataType; import org.apache.calcite.sql.SqlCall; import org.apache.calcite.sql.SqlCallBinding; import org.apache.calcite.sql.SqlKind; import org.apache.calcite.sql.SqlNode; import org.apache.calcite.sql.SqlOperator; import org.apache.calcite.sql.SqlUtil; import org.apache.calcite.sql.type.SqlTypeName; /** * Namespace whose contents are defined by the result of a call to a user-defined procedure. * * <p>Note: Compared to Calcite, this class implements custom logic for dealing with collection tables * like {@code TABLE(function(...))} procedures. Compared to the SQL standard, Flink's table functions * can return arbitrary types that are wrapped into a ROW type if necessary. We don't interpret ARRAY * or MULTISET types as it would be standard. */ @Internal public final class ProcedureNamespace extends AbstractNamespace { private final SqlValidatorScope scope; private final SqlCall call; ProcedureNamespace( SqlValidatorImpl validator, SqlValidatorScope scope, SqlCall call, SqlNode enclosingNode) { super(validator, enclosingNode); this.scope = scope; this.call = call; } public RelDataType validateImpl(RelDataType targetRowType) { validator.inferUnknownTypes(validator.unknownType, scope, call); final RelDataType type = validator.deriveTypeImpl(scope, call); final SqlOperator operator = call.getOperator(); final SqlCallBinding callBinding = new SqlCallBinding(validator, scope, call); // legacy table functions if (operator instanceof SqlUserDefinedFunction) { assert type.getSqlTypeName() == SqlTypeName.CURSOR : "User-defined table function should have CURSOR type, not " + type; final SqlUserDefinedTableFunction udf = (SqlUserDefinedTableFunction) operator; RelDataType rowType = udf.getRowType(validator.typeFactory, callBinding.operands()); return validator.getTypeFactory().createTypeWithNullability(rowType, false); } // special handling of collection tables TABLE(function(...)) if (SqlUtil.stripAs(enclosingNode).getKind() == SqlKind.COLLECTION_TABLE) { return toStruct(type, getNode()); } return type; } /** Converts a type to a struct if it is not already. */ protected RelDataType toStruct(RelDataType type, SqlNode unnest) { if (type.isStruct()) { return validator.getTypeFactory().createTypeWithNullability(type, false); } return validator.getTypeFactory().builder() .kind(type.getStructKind()) .add(validator.deriveAlias(unnest, 0), type) .build(); } public SqlNode getNode() { return call; } }
{ "content_hash": "9e122347b374d8c1b90ffee7bd482c68", "timestamp": "", "source": "github", "line_count": 76, "max_line_length": 102, "avg_line_length": 35, "alnum_prop": 0.7635338345864662, "repo_name": "sunjincheng121/flink", "id": "ba1afc8c19dd5cfd3569a1b5d6c6895bce36819d", "size": "3457", "binary": false, "copies": "3", "ref": "refs/heads/master", "path": "flink-table/flink-table-planner-blink/src/main/java/org/apache/calcite/sql/validate/ProcedureNamespace.java", "mode": "33188", "license": "apache-2.0", "language": [ { "name": "Batchfile", "bytes": "4588" }, { "name": "CSS", "bytes": "57936" }, { "name": "Clojure", "bytes": "93205" }, { "name": "Dockerfile", "bytes": "10793" }, { "name": "FreeMarker", "bytes": "17422" }, { "name": "HTML", "bytes": "224462" }, { "name": "Java", "bytes": "48828103" }, { "name": "JavaScript", "bytes": "1829" }, { "name": "Makefile", "bytes": "5134" }, { "name": "Python", "bytes": "809916" }, { "name": "Scala", "bytes": "13394897" }, { "name": "Shell", "bytes": "483872" }, { "name": "TypeScript", "bytes": "243702" } ], "symlink_target": "" }
<!DOCTYPE html> <html lang="en"> <head> <meta charset="utf-8"> <meta http-equiv="X-UA-Compatible" content="IE=edge"> <meta name="viewport" content="width=device-width, initial-scale=1"> <!-- The above 3 meta tags *must* come first in the head; any other head content must come *after* these tags --> <title>Trick or Eat - Administrator Portal</title> <!--Favicon--> <link rel="shortcut icon" href="favicon.ico" type="image/x-icon"> <link rel="icon" href="favicon.ico" type="image/x-icon"> <!-- Bootstrap --> <link href="css/bootstrap.min.css" rel="stylesheet"> <link href="css/LajosTest.css" rel="stylesheet"> <script language="javascript" type="text/javascript" src="js/EditTeamScript.js"></script> <!-- HTML5 shim and Respond.js for 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 id="header"> <div class="row"> <div class="col-md-2" style="text-align:center"> <a href="index.html"><img src="img/logo.png" height="70%" width="70%"></a> </div> <div class="col-md-6"> <h1> Administrator Portal </h1> </div> <div class="col-md-4" style="text-align:right"> <h3 style="margin-right:10px" id="user-header">Logged in as<br>USERNAME</h3> </div> </div> <script language="javascript" type="text/javascript"> var username = sessionStorage.getItem("username"); var userHeader = document.getElementById("user-header"); if(username == null) { window.location.replace("forbidden.html"); } userHeader.innerHTML = "Logged in as<br>" + username; </script> <div class="row"> <div class="col-md-10"></div> <div class="col-md-1" id="header-link"><a href="404.html">Exit Portal</a></div> <div class="col-md-1" id="header-link"><a href="login.html">Log Out</a></div> </div> </div> <div id="menu"> <div class="row"> <div class="col-md-1"> <button class="btn btn-default dropdown-toggle menu-dropdown" type="button" data-toggle="dropdown" aria-haspopup="true" aria-expanded="false"> <div style="font-size:20px">Routes</div> </button> <ul class="dropdown-menu"> <li><a href="RouteCreation.html">Add Routes</a></li> <li><a href="RouteEditing.html">Edit Routes</a></li> <li><a href="RouteSelection.html">Delete Routes</a></li> </ul> </div> <div class="col-md-1"> <button class="btn btn-default dropdown-toggle menu-dropdown" type="button" data-toggle="dropdown" aria-haspopup="true" aria-expanded="false"> <div style="font-size:20px">Teams</div> </button> <ul class="dropdown-menu"> <li><a href="CreateTeam.html">Create Team</a></li> <li><a href="EditTeam.html">Edit Team</a></li> </ul> </div> <div class="col-md-1"> <button class="btn btn-default dropdown-toggle menu-dropdown" type="button" data-toggle="dropdown" aria-haspopup="true" aria-expanded="false"> <div style="font-size:20px">Pages</div> </button> <ul class="dropdown-menu"> <li><a href="FAQ.html">FAQ</a></li> <li><a href="Agency.html">Agency List</a></li> </ul> </div> </div> </div> <div class="row"> <div class="col-md-12"> <h2>Edit Team</h2> </div> </div> <div class="row"> <div class="col-md-1"></div> <div class="col-md-6" id="TeamList"> <div class="row" id="NoTeamsAvailableMessage"> <div class="col-md-12"> <p class="bg-info teams">No Teams Available...</p> </div> </div> <div class="row"> <div class="col-md-10"> <p class="bg-info teams" id="TeamOne"></p> </div> <div class="col-md-2"> <button class="btn btn-secondary delete-team">Delete</button> </div> </div> </div> </div> <div class="row"> <div class="col-md-3 col-md-offset-3"> <label id="error-message"></label> </div> </div> <div class="row"> <div class="col-md-1"></div> <div class="col-md-2"> Team Name: </div> <div class="col-md-4"> <textarea rows="1" cols="50" id="team-name"></textarea> </div> </div> <div class="row"> <div class="col-md-1"></div> <div class="col-md-2"> Team Type: </div> <div class="col-md-4"> <form id="team-type"> <input type="radio" value="Public" name="team-type"> Public</input> <input type="radio" value="Private" name="team-type" checked>Private</input> </form> </div> </div> <div class="row"> <div class="col-md-12"> <div id="invite-members">Current Team Members</div> </div> </div> <div id="current-team-members"> </div> <div class="row"> <div class="col-md-12"> <div id="invite-members">Invite Team Members</div> </div> </div> <div id="invite-members-section"> <div class="row"> <div class="col-md-1"></div> <div class="col-md-2"> Email: </div> <div class="col-md-4"> <textarea rows="1" cols="50" id="email-textbox"></textarea> </div> </div> </div> <div class="row"> <div class="col-md-1"></div> <div class="col-md-2"></div> <div class="col-md-4"> <button type="button" class="btn btn-secondary btn-lg btn-block" id="additional-invite">+</button> </div> </div> <div class="row"> <div class="col-md-12"> <div id="invite-members">Route Selection</div> </div> </div> <div class="row"> <div class="col-md-1"></div> <div class="col-md-2"> Search: </div> <div class="col-md-4"> <textarea rows="1" cols="50" id="email-textbox" class="disabled" disabled="true"></textarea> </div> <div class="col-md-4"> <button class="btn btn-warning disabled" >Search</button> </div> </div> <div class="row"> <div class="col-md-3"> <button class="btn btn-warning" id="submit-button">Save Changes</button> <button class="btn btn-warning" id="cancel-button">Discard Changes</button> </div> </div> </div> <!-- jQuery (necessary for Bootstrap's JavaScript plugins) --> <script src="https://ajax.googleapis.com/ajax/libs/jquery/1.11.3/jquery.min.js"></script> <!-- Include all compiled plugins (below), or include individual files as needed --> <script src="js/bootstrap.min.js"></script> </body> </html>
{ "content_hash": "63ca8bde3b9849b6e6eaa313b863f303", "timestamp": "", "source": "github", "line_count": 205, "max_line_length": 147, "avg_line_length": 32.20975609756098, "alnum_prop": 0.5929123125851885, "repo_name": "NigelMartinez/WireFramingAdminPortal", "id": "13e68976806f11aeff93519704a4bb0dd24d66be", "size": "6603", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "src/EditTeam.html", "mode": "33188", "license": "mit", "language": [ { "name": "CSS", "bytes": "8331" }, { "name": "HTML", "bytes": "73662" }, { "name": "JavaScript", "bytes": "57359" } ], "symlink_target": "" }
using System.Web; using System.Web.Optimization; namespace TestApplication { public class BundleConfig { // For more information on bundling, visit http://go.microsoft.com/fwlink/?LinkId=301862 public static void RegisterBundles(BundleCollection bundles) { bundles.Add(new ScriptBundle("~/bundles/jquery").Include( "~/Scripts/jquery-{version}.js")); bundles.Add(new ScriptBundle("~/bundles/jqueryval").Include( "~/Scripts/jquery.validate*")); // Use the development version of Modernizr to develop with and learn from. Then, when you're // ready for production, use the build tool at http://modernizr.com to pick only the tests you need. bundles.Add(new ScriptBundle("~/bundles/modernizr").Include( "~/Scripts/modernizr-*")); bundles.Add(new ScriptBundle("~/bundles/bootstrap").Include( "~/Scripts/bootstrap.js", "~/Scripts/respond.js")); bundles.Add(new StyleBundle("~/Content/css").Include( "~/Content/bootstrap.css", "~/Content/site.css")); } } }
{ "content_hash": "2571082311d423f26184a5e28b07199d", "timestamp": "", "source": "github", "line_count": 31, "max_line_length": 112, "avg_line_length": 40.12903225806452, "alnum_prop": 0.5747588424437299, "repo_name": "InspectorIT/MongoDB.AspNet.Identity", "id": "4ecf31a12a1d20b15131d99fa88882aa580d6061", "size": "1246", "binary": false, "copies": "2", "ref": "refs/heads/master", "path": "TestApplication/App_Start/BundleConfig.cs", "mode": "33188", "license": "mit", "language": [ { "name": "C#", "bytes": "25032" } ], "symlink_target": "" }
package org.optaplanner.quarkus; import static org.assertj.core.api.Assertions.assertThat; import javax.inject.Inject; import org.jboss.shrinkwrap.api.ShrinkWrap; import org.jboss.shrinkwrap.api.spec.JavaArchive; import org.junit.jupiter.api.Test; import org.junit.jupiter.api.extension.RegisterExtension; import org.optaplanner.core.api.solver.SolverFactory; import org.optaplanner.core.config.solver.SolverConfig; import org.optaplanner.quarkus.testdata.chained.constraints.TestdataChainedQuarkusConstraintProvider; import org.optaplanner.quarkus.testdata.chained.domain.TestdataChainedQuarkusAnchor; import org.optaplanner.quarkus.testdata.chained.domain.TestdataChainedQuarkusEntity; import org.optaplanner.quarkus.testdata.chained.domain.TestdataChainedQuarkusObject; import org.optaplanner.quarkus.testdata.chained.domain.TestdataChainedQuarkusSolution; import io.quarkus.test.QuarkusUnitTest; class OptaPlannerProcessorChainedXMLNoneTest { @RegisterExtension static final QuarkusUnitTest config = new QuarkusUnitTest() .setArchiveProducer(() -> ShrinkWrap.create(JavaArchive.class) .addClasses( TestdataChainedQuarkusObject.class, TestdataChainedQuarkusAnchor.class, TestdataChainedQuarkusEntity.class, TestdataChainedQuarkusSolution.class, TestdataChainedQuarkusConstraintProvider.class)); @Inject SolverConfig solverConfig; @Inject SolverFactory<TestdataChainedQuarkusSolution> solverFactory; @Test void solverConfigXml_default() { assertThat(solverConfig).isNotNull(); assertThat(solverConfig.getSolutionClass()).isEqualTo(TestdataChainedQuarkusSolution.class); assertThat(solverConfig.getEntityClassList()).containsExactlyInAnyOrder( TestdataChainedQuarkusObject.class, TestdataChainedQuarkusEntity.class); assertThat(solverConfig.getScoreDirectorFactoryConfig().getConstraintProviderClass()) .isEqualTo(TestdataChainedQuarkusConstraintProvider.class); // No termination defined (solverConfig.xml isn't included) assertThat(solverConfig.getTerminationConfig().getSecondsSpentLimit()).isNull(); assertThat(solverFactory).isNotNull(); assertThat(solverFactory.buildSolver()).isNotNull(); } }
{ "content_hash": "362ba4ec01d53eadaefb857b57da8570", "timestamp": "", "source": "github", "line_count": 53, "max_line_length": 101, "avg_line_length": 45.84905660377358, "alnum_prop": 0.7489711934156379, "repo_name": "baldimir/optaplanner", "id": "fe5a57de40bb2f92f453d0d26a84bc70a4b99a7f", "size": "2430", "binary": false, "copies": "2", "ref": "refs/heads/main", "path": "optaplanner-quarkus-integration/optaplanner-quarkus/deployment/src/test/java/org/optaplanner/quarkus/OptaPlannerProcessorChainedXMLNoneTest.java", "mode": "33188", "license": "apache-2.0", "language": [ { "name": "Batchfile", "bytes": "2540" }, { "name": "CSS", "bytes": "32771" }, { "name": "FreeMarker", "bytes": "116587" }, { "name": "Groovy", "bytes": "21210" }, { "name": "HTML", "bytes": "3966" }, { "name": "Java", "bytes": "11894872" }, { "name": "JavaScript", "bytes": "304742" }, { "name": "Shell", "bytes": "5243" }, { "name": "XSLT", "bytes": "775" } ], "symlink_target": "" }
import { Component, ViewEncapsulation, OnInit } from '@angular/core'; import { BreadcrumbsService, BreadcrumbsItem } from './../../services/breadcrumbs.service'; import { Observable, Subscription } from 'rxjs'; @Component({ selector: 'breadcrumbs', template: ` Breadcrumbs: <span *ngFor="let item of items$ | async"> <div *ngIf="item.link"> <a [href]="item.link">{{item.title}}</a> </div> <div *ngIf="!item.link"> {{item.title}} </div> </span> ` }) export class BreadcrumbsComponent { items$: Observable<BreadcrumbsItem[]>; constructor(private breadcrumbsService: BreadcrumbsService) { this.items$ = breadcrumbsService.items$; } }
{ "content_hash": "26e861a5722ba0eb613c9fd1c8dc6ad2", "timestamp": "", "source": "github", "line_count": 26, "max_line_length": 91, "avg_line_length": 28.846153846153847, "alnum_prop": 0.6026666666666667, "repo_name": "VladimirN/ang2-course", "id": "bb5f3d12c6729bf593326eb4828af0e475942a5e", "size": "750", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "src/app/components/breadcrumbs/breadcrumbs.component.ts", "mode": "33188", "license": "mit", "language": [ { "name": "CSS", "bytes": "460" }, { "name": "HTML", "bytes": "3571" }, { "name": "JavaScript", "bytes": "47452" }, { "name": "TypeScript", "bytes": "40378" } ], "symlink_target": "" }
#include "memtx_engine.h" #include "tuple.h" #include "txn.h" #include "index.h" #include "memtx_hash.h" #include "memtx_tree.h" #include "memtx_rtree.h" #include "memtx_bitset.h" #include "space.h" #include "msgpuck/msgpuck.h" #include "salad/rlist.h" #include "request.h" #include "box.h" #include "iproto_constants.h" #include "xrow.h" #include "recovery.h" #include "relay.h" #include "schema.h" #include "port.h" #include "main.h" #include "coeio_file.h" #include "coeio.h" #include "errinj.h" #include "scoped_guard.h" /** For all memory used by all indexes. * If you decide to use memtx_index_arena or * memtx_index_slab_cache for anything other than * memtx_index_extent_pool, make sure this is reflected in * box.slab.info(), @sa lua/slab.cc */ extern struct quota memtx_quota; static bool memtx_index_arena_initialized = false; extern struct slab_arena memtx_arena; static struct slab_cache memtx_index_slab_cache; struct mempool memtx_index_extent_pool; /** * To ensure proper statement-level rollback in case * of out of memory conditions, we maintain a number * of slack memory extents reserved before a statement * is begun. If there isn't enough slack memory, * we don't begin the statement. */ static int memtx_index_num_reserved_extents; static void *memtx_index_reserved_extents; enum { /** * This number is calculated based on the * max (realistic) number of insertions * a deletion from a B-tree or an R-tree * can lead to, and, as a result, the max * number of new block allocations. */ RESERVE_EXTENTS_BEFORE_DELETE = 8, RESERVE_EXTENTS_BEFORE_REPLACE = 16 }; /** * A version of space_replace for a space which has * no indexes (is not yet fully built). */ static void memtx_replace_no_keys(struct txn * /* txn */, struct space *space, struct tuple * /* old_tuple */, struct tuple * /* new_tuple */, enum dup_replace_mode /* mode */) { Index *index = index_find(space, 0); assert(index == NULL); /* not reached. */ (void) index; } struct MemtxSpace: public Handler { MemtxSpace(Engine *e) : Handler(e) { replace = memtx_replace_no_keys; } virtual ~MemtxSpace() { /* do nothing */ /* engine->close(this); */ } virtual struct tuple * executeReplace(struct txn *txn, struct space *space, struct request *request); virtual struct tuple * executeDelete(struct txn *txn, struct space *space, struct request *request); virtual struct tuple * executeUpdate(struct txn *txn, struct space *space, struct request *request); virtual void executeUpsert(struct txn *txn, struct space *space, struct request *request); virtual void executeSelect(struct txn *, struct space *space, uint32_t index_id, uint32_t iterator, uint32_t offset, uint32_t limit, const char *key, const char * /* key_end */, struct port *port); virtual void onAlter(Handler *old); public: /** * @brief A single method to handle REPLACE, DELETE and UPDATE. * * @param sp space * @param old_tuple the tuple that should be removed (can be NULL) * @param new_tuple the tuple that should be inserted (can be NULL) * @param mode dup_replace_mode, used only if new_tuple is not * NULL and old_tuple is NULL, and only for the * primary key. * * For DELETE, new_tuple must be NULL. old_tuple must be * previously found in the primary key. * * For REPLACE, old_tuple must be NULL. The additional * argument dup_replace_mode further defines how REPLACE * should proceed. * * For UPDATE, both old_tuple and new_tuple must be given, * where old_tuple must be previously found in the primary key. * * Let's consider these three cases in detail: * * 1. DELETE, old_tuple is not NULL, new_tuple is NULL * The effect is that old_tuple is removed from all * indexes. dup_replace_mode is ignored. * * 2. REPLACE, old_tuple is NULL, new_tuple is not NULL, * has one simple sub-case and two with further * ramifications: * * A. dup_replace_mode is DUP_INSERT. Attempts to insert the * new tuple into all indexes. If *any* of the unique indexes * has a duplicate key, deletion is aborted, all of its * effects are removed, and an error is thrown. * * B. dup_replace_mode is DUP_REPLACE. It means an existing * tuple has to be replaced with the new one. To do it, tries * to find a tuple with a duplicate key in the primary index. * If the tuple is not found, throws an error. Otherwise, * replaces the old tuple with a new one in the primary key. * Continues on to secondary keys, but if there is any * secondary key, which has a duplicate tuple, but one which * is different from the duplicate found in the primary key, * aborts, puts everything back, throws an exception. * * For example, if there is a space with 3 unique keys and * two tuples { 1, 2, 3 } and { 3, 1, 2 }: * * This REPLACE/DUP_REPLACE is OK: { 1, 5, 5 } * This REPLACE/DUP_REPLACE is not OK: { 2, 2, 2 } (there * is no tuple with key '2' in the primary key) * This REPLACE/DUP_REPLACE is not OK: { 1, 1, 1 } (there * is a conflicting tuple in the secondary unique key). * * C. dup_replace_mode is DUP_REPLACE_OR_INSERT. If * there is a duplicate tuple in the primary key, behaves the * same way as DUP_REPLACE, otherwise behaves the same way as * DUP_INSERT. * * 3. UPDATE has to delete the old tuple and insert a new one. * dup_replace_mode is ignored. * Note that old_tuple primary key doesn't have to match * new_tuple primary key, thus a duplicate can be found. * For this reason, and since there can be duplicates in * other indexes, UPDATE is the same as DELETE + * REPLACE/DUP_INSERT. * * @return old_tuple. DELETE, UPDATE and REPLACE/DUP_REPLACE * always produce an old tuple. REPLACE/DUP_INSERT always returns * NULL. REPLACE/DUP_REPLACE_OR_INSERT may or may not find * a duplicate. * * The method is all-or-nothing in all cases. Changes are either * applied to all indexes, or nothing applied at all. * * Note, that even in case of REPLACE, dup_replace_mode only * affects the primary key, for secondary keys it's always * DUP_INSERT. * * The call never removes more than one tuple: if * old_tuple is given, dup_replace_mode is ignored. * Otherwise, it's taken into account only for the * primary key. */ engine_replace_f replace; }; static inline enum dup_replace_mode dup_replace_mode(uint32_t op) { return op == IPROTO_INSERT ? DUP_INSERT : DUP_REPLACE_OR_INSERT; } struct tuple * MemtxSpace::executeReplace(struct txn *txn, struct space *space, struct request *request) { struct tuple *new_tuple = tuple_new(space->format, request->tuple, request->tuple_end); TupleGuard guard(new_tuple); space_validate_tuple(space, new_tuple); enum dup_replace_mode mode = dup_replace_mode(request->type); this->replace(txn, space, NULL, new_tuple, mode); txn_commit_stmt(txn); /* * Adding result to port must be after possible WAL write. * The reason is that any yield between port_add_tuple and port_eof * calls could lead to sending not finished response to iproto socket. */ tuple_bless(new_tuple); return new_tuple; } struct tuple * MemtxSpace::executeDelete(struct txn *txn, struct space *space, struct request *request) { /* Try to find the tuple by unique key. */ Index *pk = index_find_unique(space, request->index_id); const char *key = request->key; uint32_t part_count = mp_decode_array(&key); primary_key_validate(pk->key_def, key, part_count); struct tuple *old_tuple = pk->findByKey(key, part_count); if (old_tuple == NULL) { txn_commit_stmt(txn); return NULL; } TupleGuard old_guard(old_tuple); this->replace(txn, space, old_tuple, NULL, DUP_REPLACE_OR_INSERT); txn_commit_stmt(txn); /* * Adding result to port must be after possible WAL write. * The reason is that any yield between port_add_tuple and port_eof * calls could lead to sending not finished response to iproto socket. */ tuple_bless(old_tuple); return old_tuple; } struct tuple * MemtxSpace::executeUpdate(struct txn *txn, struct space *space, struct request *request) { /* Try to find the tuple by unique key. */ Index *pk = index_find_unique(space, request->index_id); const char *key = request->key; uint32_t part_count = mp_decode_array(&key); primary_key_validate(pk->key_def, key, part_count); struct tuple *old_tuple = pk->findByKey(key, part_count); if (old_tuple == NULL) { txn_commit_stmt(txn); return NULL; } TupleGuard old_guard(old_tuple); /* Update the tuple; legacy, request ops are in request->tuple */ struct tuple *new_tuple = tuple_update(space->format, region_alloc_cb, &fiber()->gc, old_tuple, request->tuple, request->tuple_end, request->index_base); TupleGuard guard(new_tuple); space_validate_tuple(space, new_tuple); this->replace(txn, space, old_tuple, new_tuple, DUP_REPLACE); txn_commit_stmt(txn); /* * Adding result to port must be after possible WAL write. * The reason is that any yield between port_add_tuple and port_eof * calls could lead to sending not finished response to iproto socket. */ tuple_bless(new_tuple); return new_tuple; } void MemtxSpace::executeUpsert(struct txn *txn, struct space *space, struct request *request) { Index *pk = index_find_unique(space, request->index_id); /* Try to find the tuple by primary key. */ const char *key = request->key; uint32_t part_count = mp_decode_array(&key); primary_key_validate(pk->key_def, key, part_count); struct tuple *old_tuple = pk->findByKey(key, part_count); if (old_tuple == NULL) { struct tuple *new_tuple = tuple_new(space->format, request->tuple, request->tuple_end); TupleGuard guard(new_tuple); space_validate_tuple(space, new_tuple); this->replace(txn, space, NULL, new_tuple, DUP_INSERT); } else { TupleGuard old_guard(old_tuple); /* Update the tuple. */ struct tuple *new_tuple = tuple_upsert(space->format, region_alloc_cb, &fiber()->gc, old_tuple, request->ops, request->ops_end, request->index_base); TupleGuard guard(new_tuple); space_validate_tuple(space, new_tuple); this->replace(txn, space, old_tuple, new_tuple, DUP_REPLACE); } txn_commit_stmt(txn); /* Return nothing: upsert does not return data. */ } void MemtxSpace::onAlter(Handler *old) { MemtxSpace *handler = (MemtxSpace *) old; replace = handler->replace; } void MemtxSpace::executeSelect(struct txn *, struct space *space, uint32_t index_id, uint32_t iterator, uint32_t offset, uint32_t limit, const char *key, const char * /* key_end */, struct port *port) { MemtxIndex *index = (MemtxIndex *) index_find(space, index_id); ERROR_INJECT_EXCEPTION(ERRINJ_TESTING); uint32_t found = 0; if (iterator >= iterator_type_MAX) tnt_raise(IllegalParams, "Invalid iterator type"); enum iterator_type type = (enum iterator_type) iterator; uint32_t part_count = key ? mp_decode_array(&key) : 0; key_validate(index->key_def, type, key, part_count); struct iterator *it = index->position(); index->initIterator(it, type, key, part_count); struct tuple *tuple; while ((tuple = it->next(it)) != NULL) { if (offset > 0) { offset--; continue; } if (limit == found++) break; port_add_tuple(port, tuple); } } static void txn_on_yield_or_stop(struct trigger * /* trigger */, void * /* event */) { txn_rollback(); /* doesn't throw */ } /** * Do the plumbing necessary for correct statement-level * and transaction rollback. */ static void memtx_txn_add_undo(struct txn *txn, struct space *space, struct tuple *old_tuple, struct tuple *new_tuple) { /* * Remember the old tuple only if we replaced it * successfully, to not remove a tuple inserted by * another transaction in rollback(). */ struct txn_stmt *stmt = txn_stmt(txn); stmt->space = space; stmt->old_tuple = old_tuple; stmt->new_tuple = new_tuple; } /** * A short-cut version of replace() used during bulk load * from snapshot. */ void memtx_replace_build_next(struct txn * /* txn */, struct space *space, struct tuple *old_tuple, struct tuple *new_tuple, enum dup_replace_mode mode) { assert(old_tuple == NULL && mode == DUP_INSERT); (void) mode; if (old_tuple) { /* * Called from txn_rollback() In practice * is impossible: all possible checks for tuple * validity are done before the space is changed, * and WAL is off, so this part can't fail. */ panic("Failed to commit transaction when loading " "from snapshot"); } ((MemtxIndex *) space->index[0])->buildNext(new_tuple); tuple_ref(new_tuple); } /** * A short-cut version of replace() used when loading * data from XLOG files. */ void memtx_replace_primary_key(struct txn *txn, struct space *space, struct tuple *old_tuple, struct tuple *new_tuple, enum dup_replace_mode mode) { old_tuple = space->index[0]->replace(old_tuple, new_tuple, mode); if (new_tuple) tuple_ref(new_tuple); memtx_txn_add_undo(txn, space, old_tuple, new_tuple); } static void memtx_replace_all_keys(struct txn *txn, struct space *space, struct tuple *old_tuple, struct tuple *new_tuple, enum dup_replace_mode mode) { /* * Ensure we have enough slack memory to guarantee * successful statement-level rollback. */ memtx_index_extent_reserve(new_tuple ? RESERVE_EXTENTS_BEFORE_REPLACE : RESERVE_EXTENTS_BEFORE_DELETE); uint32_t i = 0; try { /* Update the primary key */ Index *pk = index_find(space, 0); assert(pk->key_def->opts.is_unique); /* * If old_tuple is not NULL, the index * has to find and delete it, or raise an * error. */ old_tuple = pk->replace(old_tuple, new_tuple, mode); assert(old_tuple || new_tuple); /* Update secondary keys. */ for (i++; i < space->index_count; i++) { Index *index = space->index[i]; index->replace(old_tuple, new_tuple, DUP_INSERT); } } catch (Exception *e) { /* Rollback all changes */ for (; i > 0; i--) { Index *index = space->index[i-1]; index->replace(new_tuple, old_tuple, DUP_INSERT); } throw; } if (new_tuple) tuple_ref(new_tuple); memtx_txn_add_undo(txn, space, old_tuple, new_tuple); } static void memtx_end_build_primary_key(struct space *space, void *param) { struct MemtxSpace *handler = (struct MemtxSpace *) space->handler; if (handler->engine != param || space_index(space, 0) == NULL || handler->replace == memtx_replace_all_keys) return; ((MemtxIndex *) space->index[0])->endBuild(); handler->replace = memtx_replace_primary_key; } /** * Secondary indexes are built in bulk after all data is * recovered. This function enables secondary keys on a space. * Data dictionary spaces are an exception, they are fully * built right from the start. */ void memtx_build_secondary_keys(struct space *space, void *param) { struct MemtxSpace *handler = (struct MemtxSpace *) space->handler; if (handler->engine != param || space_index(space, 0) == NULL || handler->replace == memtx_replace_all_keys) return; if (space->index_id_max > 0) { MemtxIndex *pk = (MemtxIndex *) space->index[0]; uint32_t n_tuples = pk->size(); if (n_tuples > 0) { say_info("Building secondary indexes in space '%s'...", space_name(space)); } for (uint32_t j = 1; j < space->index_count; j++) index_build((MemtxIndex *) space->index[j], pk); if (n_tuples > 0) { say_info("Space '%s': done", space_name(space)); } } handler->replace = memtx_replace_all_keys; } MemtxEngine::MemtxEngine() :Engine("memtx"), m_checkpoint(0), m_state(MEMTX_INITIALIZED) { flags = ENGINE_CAN_BE_TEMPORARY; } /** * Read a snapshot and call apply_row for every snapshot row. * Panic in case of error. * * @pre there is an existing snapshot. Otherwise * recovery_bootstrap() should be used instead. */ void recover_snap(struct recovery_state *r) { /* There's no current_wal during initial recover. */ assert(r->current_wal == NULL); say_info("recovery start"); /** * Don't rescan the directory, it's done when * recovery is initialized. */ struct vclock *res = vclockset_last(&r->snap_dir.index); /* * The only case when the directory index is empty is * when someone has deleted a snapshot and tries to join * as a replica. Our best effort is to not crash in such case. */ if (res == NULL) tnt_raise(ClientError, ER_MISSING_SNAPSHOT); int64_t signature = vclock_sum(res); struct xlog *snap = xlog_open(&r->snap_dir, signature); auto guard = make_scoped_guard([=]{ xlog_close(snap); }); /* Save server UUID */ r->server_uuid = snap->server_uuid; /* Add a surrogate server id for snapshot rows */ vclock_add_server(&r->vclock, 0); say_info("recovering from `%s'", snap->filename); recover_xlog(r, snap); } /** Called at start to tell memtx to recover to a given LSN. */ void MemtxEngine::recoverToCheckpoint(int64_t /* lsn */) { struct recovery_state *r = ::recovery; m_state = MEMTX_READING_SNAPSHOT; /* Process existing snapshot */ recover_snap(r); /* Replace server vclock using the data from snapshot */ vclock_copy(&r->vclock, vclockset_last(&r->snap_dir.index)); m_state = MEMTX_READING_WAL; space_foreach(memtx_end_build_primary_key, this); } void MemtxEngine::endRecovery() { m_state = MEMTX_OK; space_foreach(memtx_build_secondary_keys, this); } Handler *MemtxEngine::open() { return new MemtxSpace(this); } static void memtx_add_primary_key(struct space *space, enum memtx_recovery_state state) { struct MemtxSpace *handler = (struct MemtxSpace *) space->handler; switch (state) { case MEMTX_INITIALIZED: panic("can't create a new space before snapshot recovery"); break; case MEMTX_READING_SNAPSHOT: ((MemtxIndex *) space->index[0])->beginBuild(); handler->replace = memtx_replace_build_next; break; case MEMTX_READING_WAL: ((MemtxIndex *) space->index[0])->beginBuild(); ((MemtxIndex *) space->index[0])->endBuild(); handler->replace = memtx_replace_primary_key; break; case MEMTX_OK: ((MemtxIndex *) space->index[0])->beginBuild(); ((MemtxIndex *) space->index[0])->endBuild(); handler->replace = memtx_replace_all_keys; break; } } void MemtxEngine::addPrimaryKey(struct space *space) { memtx_add_primary_key(space, m_state); } void MemtxEngine::dropPrimaryKey(struct space *space) { struct MemtxSpace *handler = (struct MemtxSpace *) space->handler; handler->replace = memtx_replace_no_keys; } void MemtxEngine::initSystemSpace(struct space *space) { memtx_add_primary_key(space, MEMTX_OK); } bool MemtxEngine::needToBuildSecondaryKey(struct space *space) { struct MemtxSpace *handler = (struct MemtxSpace *) space->handler; return handler->replace == memtx_replace_all_keys; } Index * MemtxEngine::createIndex(struct key_def *key_def) { switch (key_def->type) { case HASH: return new MemtxHash(key_def); case TREE: return new MemtxTree(key_def); case RTREE: return new MemtxRTree(key_def); case BITSET: return new MemtxBitset(key_def); default: assert(false); return NULL; } } void MemtxEngine::dropIndex(Index *index) { struct iterator *it = ((MemtxIndex*) index)->position(); index->initIterator(it, ITER_ALL, NULL, 0); struct tuple *tuple; while ((tuple = it->next(it))) tuple_unref(tuple); } void MemtxEngine::keydefCheck(struct space *space, struct key_def *key_def) { switch (key_def->type) { case HASH: if (! key_def->opts.is_unique) { tnt_raise(ClientError, ER_MODIFY_INDEX, key_def->name, space_name(space), "HASH index must be unique"); } break; case TREE: /* TREE index has no limitations. */ break; case RTREE: if (key_def->part_count != 1) { tnt_raise(ClientError, ER_MODIFY_INDEX, key_def->name, space_name(space), "RTREE index key can not be multipart"); } if (key_def->opts.is_unique) { tnt_raise(ClientError, ER_MODIFY_INDEX, key_def->name, space_name(space), "RTREE index can not be unique"); } break; case BITSET: if (key_def->part_count != 1) { tnt_raise(ClientError, ER_MODIFY_INDEX, key_def->name, space_name(space), "BITSET index key can not be multipart"); } if (key_def->opts.is_unique) { tnt_raise(ClientError, ER_MODIFY_INDEX, key_def->name, space_name(space), "BITSET can not be unique"); } break; default: tnt_raise(ClientError, ER_INDEX_TYPE, key_def->name, space_name(space)); break; } for (uint32_t i = 0; i < key_def->part_count; i++) { switch (key_def->parts[i].type) { case NUM: case STRING: if (key_def->type == RTREE) { tnt_raise(ClientError, ER_MODIFY_INDEX, key_def->name, space_name(space), "RTREE index field type must be ARRAY"); } break; case ARRAY: if (key_def->type != RTREE) { tnt_raise(ClientError, ER_MODIFY_INDEX, key_def->name, space_name(space), "ARRAY field type is not supported"); } break; default: assert(false); break; } } } void MemtxEngine::prepare(struct txn *txn) { if (txn->autocommit || txn->n_stmts < 1) return; /* * These triggers are only used for memtx and only * when autocommit == false, so we are saving * on calls to trigger_create/trigger_clear. */ trigger_clear(&txn->fiber_on_yield); trigger_clear(&txn->fiber_on_stop); } void MemtxEngine::beginStatement(struct txn *txn) { /* * Register a trigger to rollback transaction on yield. * This must be done in beginStatement, since it's * the first thing txn invokes after txn->n_stmts++, * to match with trigger_clear() in rollbackStatement(). */ if (txn->autocommit == false && txn->n_stmts == 1) { txn->fiber_on_yield = { RLIST_LINK_INITIALIZER, txn_on_yield_or_stop, NULL, NULL }; txn->fiber_on_stop = { RLIST_LINK_INITIALIZER, txn_on_yield_or_stop, NULL, NULL }; /* * Memtx doesn't allow yields between statements of * a transaction. Set a trigger which would roll * back the transaction if there is a yield. */ trigger_add(&fiber()->on_yield, &txn->fiber_on_yield); trigger_add(&fiber()->on_stop, &txn->fiber_on_stop); } } void MemtxEngine::rollbackStatement(struct txn_stmt *stmt) { if (stmt->space == NULL) return; assert(stmt->old_tuple || stmt->new_tuple); struct space *space = stmt->space; int index_count; struct MemtxSpace *handler = (struct MemtxSpace *) space->handler; if (handler->replace == memtx_replace_all_keys) index_count = space->index_count; else if (handler->replace == memtx_replace_primary_key) index_count = 1; else panic("transaction rolled back during snapshot recovery"); for (int i = 0; i < index_count; i++) { Index *index = space->index[i]; index->replace(stmt->new_tuple, stmt->old_tuple, DUP_INSERT); } if (stmt->new_tuple) tuple_unref(stmt->new_tuple); stmt->old_tuple = NULL; stmt->new_tuple = NULL; stmt->space = NULL; } void MemtxEngine::rollback(struct txn *txn) { prepare(txn); struct txn_stmt *stmt; rlist_foreach_entry_reverse(stmt, &txn->stmts, next) rollbackStatement(stmt); } void MemtxEngine::commit(struct txn *txn) { struct txn_stmt *stmt; rlist_foreach_entry(stmt, &txn->stmts, next) { if (stmt->old_tuple) tuple_unref(stmt->old_tuple); } } void MemtxEngine::beginJoin() { m_state = MEMTX_OK; } static void checkpoint_write_row(struct xlog *l, struct xrow_header *row, uint64_t snap_io_rate_limit) { static uint64_t bytes; ev_tstamp elapsed; static ev_tstamp last = 0; ev_loop *loop = loop(); row->tm = last; row->server_id = 0; /** * Rows in snapshot are numbered from 1 to %rows. * This makes streaming such rows to a replica or * to recovery look similar to streaming a normal * WAL. @sa the place which skips old rows in * recovery_apply_row(). */ row->lsn = ++l->rows; row->sync = 0; /* don't write sync to wal */ struct iovec iov[XROW_IOVMAX]; int iovcnt = xlog_encode_row(row, iov); /* TODO: use writev here */ for (int i = 0; i < iovcnt; i++) { if (fwrite(iov[i].iov_base, iov[i].iov_len, 1, l->f) != 1) { say_syserror("Can't write row (%zu bytes)", iov[i].iov_len); tnt_raise(SystemError, "fwrite"); } bytes += iov[i].iov_len; } if (l->rows % 100000 == 0) say_crit("%.1fM rows written", l->rows / 1000000.); fiber_gc(); if (snap_io_rate_limit != UINT64_MAX) { if (last == 0) { /* * Remember the time of first * write to disk. */ ev_now_update(loop); last = ev_now(loop); } /** * If io rate limit is set, flush the * filesystem cache, otherwise the limit is * not really enforced. */ if (bytes > snap_io_rate_limit) fdatasync(fileno(l->f)); } while (bytes > snap_io_rate_limit) { ev_now_update(loop); /* * How much time have passed since * last write? */ elapsed = ev_now(loop) - last; /* * If last write was in less than * a second, sleep until the * second is reached. */ if (elapsed < 1) usleep(((1 - elapsed) * 1000000)); ev_now_update(loop); last = ev_now(loop); bytes -= snap_io_rate_limit; } } static void checkpoint_write_tuple(struct xlog *l, uint32_t n, struct tuple *tuple, uint64_t snap_io_rate_limit) { struct request_replace_body body; body.m_body = 0x82; /* map of two elements. */ body.k_space_id = IPROTO_SPACE_ID; body.m_space_id = 0xce; /* uint32 */ body.v_space_id = mp_bswap_u32(n); body.k_tuple = IPROTO_TUPLE; struct xrow_header row; memset(&row, 0, sizeof(struct xrow_header)); row.type = IPROTO_INSERT; row.bodycnt = 2; row.body[0].iov_base = &body; row.body[0].iov_len = sizeof(body); row.body[1].iov_base = tuple->data; row.body[1].iov_len = tuple->bsize; checkpoint_write_row(l, &row, snap_io_rate_limit); } struct checkpoint_entry { struct space *space; struct iterator *iterator; struct rlist link; }; struct checkpoint { /** * List of MemTX spaces to snapshot, with consistent * read view iterators. */ struct rlist entries; /** The signature of the snapshot file (lsn sum) */ int64_t lsn; uint64_t snap_io_rate_limit; struct cord cord; bool waiting_for_snap_thread; struct vclock vclock; struct xdir dir; }; static void checkpoint_init(struct checkpoint *ckpt, struct recovery_state *recovery, int64_t lsn_arg) { ckpt->entries = RLIST_HEAD_INITIALIZER(ckpt->entries); ckpt->waiting_for_snap_thread = false; ckpt->lsn = lsn_arg; vclock_copy(&ckpt->vclock, &recovery->vclock); xdir_create(&ckpt->dir, recovery->snap_dir.dirname, SNAP, &recovery->server_uuid); ckpt->snap_io_rate_limit = recovery->snap_io_rate_limit; } static void checkpoint_destroy(struct checkpoint *ckpt) { struct checkpoint_entry *entry; rlist_foreach_entry(entry, &ckpt->entries, link) { Index *pk = space_index(entry->space, 0); pk->destroyReadViewForIterator(entry->iterator); entry->iterator->free(entry->iterator); } ckpt->entries = RLIST_HEAD_INITIALIZER(ckpt->entries); xdir_destroy(&ckpt->dir); } static void checkpoint_add_space(struct space *sp, void *data) { if (space_is_temporary(sp)) return; if (!space_is_memtx(sp)) return; Index *pk = space_index(sp, 0); if (!pk) return; struct checkpoint *ckpt = (struct checkpoint *)data; struct checkpoint_entry *entry; entry = (struct checkpoint_entry *) region_alloc(&fiber()->gc, sizeof(*entry)); rlist_add_tail_entry(&ckpt->entries, entry, link); entry->space = sp; entry->iterator = pk->allocIterator(); pk->initIterator(entry->iterator, ITER_ALL, NULL, 0); pk->createReadViewForIterator(entry->iterator); }; void checkpoint_f(va_list ap) { struct checkpoint *ckpt = va_arg(ap, struct checkpoint *); struct xlog *snap = xlog_create(&ckpt->dir, &ckpt->vclock); if (snap == NULL) tnt_raise(SystemError, "xlog_open"); auto guard = make_scoped_guard([=]{ xlog_close(snap); }); say_info("saving snapshot `%s'", snap->filename); struct checkpoint_entry *entry; rlist_foreach_entry(entry, &ckpt->entries, link) { struct tuple *tuple; struct iterator *it = entry->iterator; for (tuple = it->next(it); tuple; tuple = it->next(it)) { checkpoint_write_tuple(snap, space_id(entry->space), tuple, ckpt->snap_io_rate_limit); } } say_info("done"); } int MemtxEngine::beginCheckpoint(int64_t lsn) { assert(m_checkpoint == 0); m_checkpoint = (struct checkpoint *) region_alloc(&fiber()->gc, sizeof(*m_checkpoint)); checkpoint_init(m_checkpoint, ::recovery, lsn); space_foreach(checkpoint_add_space, m_checkpoint); if (cord_costart(&m_checkpoint->cord, "snapshot", checkpoint_f, m_checkpoint)) { return -1; } m_checkpoint->waiting_for_snap_thread = true; /* increment snapshot version; set tuple deletion to delayed mode */ tuple_begin_snapshot(); return 0; } int MemtxEngine::waitCheckpoint() { assert(m_checkpoint); assert(m_checkpoint->waiting_for_snap_thread); int result; try { /* wait for memtx-part snapshot completion */ result = cord_cojoin(&m_checkpoint->cord); } catch (Exception *e) { e->log(); result = -1; SystemError *se = type_cast(SystemError, e); if (se) errno = se->errnum(); } m_checkpoint->waiting_for_snap_thread = false; return result; } void MemtxEngine::commitCheckpoint() { /* beginCheckpoint() must have been done */ assert(m_checkpoint); /* waitCheckpoint() must have been done. */ assert(!m_checkpoint->waiting_for_snap_thread); tuple_end_snapshot(); struct xdir *dir = &m_checkpoint->dir; /* rename snapshot on completion */ char to[PATH_MAX]; snprintf(to, sizeof(to), "%s", format_filename(dir, m_checkpoint->lsn, NONE)); char *from = format_filename(dir, m_checkpoint->lsn, INPROGRESS); int rc = coeio_rename(from, to); if (rc != 0) panic("can't rename .snap.inprogress"); checkpoint_destroy(m_checkpoint); m_checkpoint = 0; } void MemtxEngine::abortCheckpoint() { /** * An error in the other engine's first phase. */ if (m_checkpoint->waiting_for_snap_thread) { try { /* wait for memtx-part snapshot completion */ cord_cojoin(&m_checkpoint->cord); } catch (Exception *e) { e->log(); } m_checkpoint->waiting_for_snap_thread = false; } tuple_end_snapshot(); /** Remove garbage .inprogress file. */ char *filename = format_filename(&m_checkpoint->dir, m_checkpoint->lsn, INPROGRESS); (void) coeio_unlink(filename); checkpoint_destroy(m_checkpoint); m_checkpoint = 0; } void MemtxEngine::join(Relay *relay) { recover_snap(relay->r); } /** * Initialize arena for indexes. * The arena is used for memtx_index_extent_alloc * and memtx_index_extent_free. * Can be called several times, only first call do the work. */ void memtx_index_arena_init() { if (memtx_index_arena_initialized) { /* already done.. */ return; } /* Creating slab cache */ slab_cache_create(&memtx_index_slab_cache, &memtx_arena); /* Creating mempool */ mempool_create(&memtx_index_extent_pool, &memtx_index_slab_cache, MEMTX_EXTENT_SIZE); /* Empty reserved list */ memtx_index_num_reserved_extents = 0; memtx_index_reserved_extents = 0; /* Done */ memtx_index_arena_initialized = true; } /** * Allocate a block of size MEMTX_EXTENT_SIZE for memtx index */ void * memtx_index_extent_alloc() { if (memtx_index_reserved_extents) { assert(memtx_index_num_reserved_extents > 0); memtx_index_num_reserved_extents--; void *result = memtx_index_reserved_extents; memtx_index_reserved_extents = *(void **) memtx_index_reserved_extents; return result; } ERROR_INJECT(ERRINJ_INDEX_ALLOC, /* same error as in mempool_alloc */ tnt_raise(OutOfMemory, MEMTX_EXTENT_SIZE, "mempool", "new slab") ); return mempool_alloc(&memtx_index_extent_pool); } /** * Free a block previously allocated by memtx_index_extent_alloc */ void memtx_index_extent_free(void *extent) { return mempool_free(&memtx_index_extent_pool, extent); } /** * Reserve num extents in pool. * Ensure that next num extent_alloc will succeed w/o an error */ void memtx_index_extent_reserve(int num) { ERROR_INJECT(ERRINJ_INDEX_ALLOC, /* same error as in mempool_alloc */ tnt_raise(OutOfMemory, MEMTX_EXTENT_SIZE, "mempool", "new slab") ); while (memtx_index_num_reserved_extents < num) { void *ext = mempool_alloc(&memtx_index_extent_pool); *(void **)ext = memtx_index_reserved_extents; memtx_index_reserved_extents = ext; memtx_index_num_reserved_extents++; } }
{ "content_hash": "ba93e654e4503969f88e1d35fe4ab019", "timestamp": "", "source": "github", "line_count": 1210, "max_line_length": 75, "avg_line_length": 26.92314049586777, "alnum_prop": 0.6727138778893084, "repo_name": "Sannis/tarantool", "id": "f0dee94b03e91f585782a34a0a31b74ac9d56e84", "size": "33960", "binary": false, "copies": "6", "ref": "refs/heads/master", "path": "src/box/memtx_engine.cc", "mode": "33188", "license": "bsd-2-clause", "language": [ { "name": "C", "bytes": "1101655" }, { "name": "C++", "bytes": "1073213" }, { "name": "CMake", "bytes": "84404" }, { "name": "Lua", "bytes": "591647" }, { "name": "Makefile", "bytes": "1554" }, { "name": "Python", "bytes": "60124" }, { "name": "Ragel in Ruby Host", "bytes": "6423" }, { "name": "Ruby", "bytes": "2775" }, { "name": "Shell", "bytes": "3656" } ], "symlink_target": "" }
<?xml version="1.0" encoding="UTF-8"?> <sem:triples uri="http://www.lds.org/vrl/specific-people/historic/niedner-julius" xmlns:sem="http://marklogic.com/semantics"> <sem:triple> <sem:subject>http://www.lds.org/vrl/specific-people/historic/niedner-julius</sem:subject> <sem:predicate>http://www.w3.org/2004/02/skos/core#prefLabel</sem:predicate> <sem:object datatype="xsd:string" xml:lang="eng">Niedner, Julius</sem:object> </sem:triple> <sem:triple> <sem:subject>http://www.lds.org/vrl/specific-people/historic/niedner-julius</sem:subject> <sem:predicate>http://www.w3.org/2004/02/skos/core#inScheme</sem:predicate> <sem:object datatype="sem:iri">http://www.lds.org/concept-scheme/vrl</sem:object> </sem:triple> <sem:triple> <sem:subject>http://www.lds.org/vrl/specific-people/historic/niedner-julius</sem:subject> <sem:predicate>http://www.lds.org/core#entityType</sem:predicate> <sem:object datatype="sem:iri">http://www.schema.org/Place</sem:object> </sem:triple> </sem:triples>
{ "content_hash": "51de0a69b9e8e44e2039bd243d435bee", "timestamp": "", "source": "github", "line_count": 18, "max_line_length": 125, "avg_line_length": 57.22222222222222, "alnum_prop": 0.7165048543689321, "repo_name": "freshie/ml-taxonomies", "id": "cf5c0de900f5d396214b33c1416b386cf24a8d76", "size": "1030", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "roxy/data/gospel-topical-explorer-v2/taxonomies/vrl/specific-people/historic/niedner-julius.xml", "mode": "33188", "license": "apache-2.0", "language": [ { "name": "Batchfile", "bytes": "4422" }, { "name": "CSS", "bytes": "38665" }, { "name": "HTML", "bytes": "356" }, { "name": "JavaScript", "bytes": "411651" }, { "name": "Ruby", "bytes": "259121" }, { "name": "Shell", "bytes": "7329" }, { "name": "XQuery", "bytes": "857170" }, { "name": "XSLT", "bytes": "13753" } ], "symlink_target": "" }
package jigg.ml abstract class LogLinearSGD[L](val a: Float) extends OnlineLogLinearTrainer[L] { def stepSize = Math.pow(time + 1, -a).toFloat // avoid the overflow def updateExampleWeights(e: Example[L], gold: L, derivative: Float): Unit = { val dw = stepSize * derivative val feats = e.featVec var i = 0 while (i < feats.size) { weights(feats(i)) += dw i += 1 } } } class FixedLogLinearSGD[L](val weightArray: Array[Float], a: Float) extends LogLinearSGD(a) { override val weights = new FixedWeightVector(weightArray) }
{ "content_hash": "e4e30edce85defc5a85d4ba37c1cdbb8", "timestamp": "", "source": "github", "line_count": 22, "max_line_length": 93, "avg_line_length": 25.818181818181817, "alnum_prop": 0.6672535211267606, "repo_name": "mynlp/jigg", "id": "3dac2928d056917e316e0895348f6ce2f6a8322a", "size": "1141", "binary": false, "copies": "3", "ref": "refs/heads/master", "path": "src/main/scala/jigg/ml/LogLinearSGD.scala", "mode": "33188", "license": "apache-2.0", "language": [ { "name": "Dockerfile", "bytes": "1477" }, { "name": "Java", "bytes": "786" }, { "name": "Python", "bytes": "210085" }, { "name": "Scala", "bytes": "703798" }, { "name": "Shell", "bytes": "7990" } ], "symlink_target": "" }
module EhXero module Mappers module Base DataTransformIndex = 2 def to_xero(input_attrs) parse(input_attrs, pulling: false) end def to_eh(input_attrs) parse(input_attrs, pulling: true) end private def parse(input_attrs, pulling:) source_index, target_index = pulling ? [0,1] : [1,0] output_attrs = {} fields_mapping.each do |mapping| begin source_keys, target_keys = [mapping[source_index], mapping[target_index]] value = value_from_keys(source_keys, input_attrs) value = transform_value(value, mapping[DataTransformIndex], pulling) if mapping[DataTransformIndex] append_key_value(target_keys, value, output_attrs) rescue KeyError, NoMethodError end end output_attrs.with_indifferent_access end def transform_value(value, mapping, pulling) return '' if value.blank? pulling ? mapping[value] : mapping.invert[value] end def value_from_keys(keys, input_attrs) [keys].flatten.inject(input_attrs, :fetch) end def append_key_value(keys, value, output_attrs) keys = [keys].flatten keys.each.with_index.inject(output_attrs) do |attrs, (key, index)| if index == keys.length - 1 attrs[key] = value else attrs[key] ||= {} end end end end end end
{ "content_hash": "629c7db133373008c1379e392ce1403f", "timestamp": "", "source": "github", "line_count": 54, "max_line_length": 111, "avg_line_length": 27.35185185185185, "alnum_prop": 0.5836154366960055, "repo_name": "Thinkei/eh-xero", "id": "923ac703a0e417d0aa1b45900ecc0a17a3fe2fa8", "size": "1477", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "lib/eh_xero/mappers/base.rb", "mode": "33188", "license": "mit", "language": [ { "name": "Ruby", "bytes": "157096" }, { "name": "Shell", "bytes": "115" } ], "symlink_target": "" }
ACCEPTED #### According to Index Fungorum #### Published in null #### Original name Lichen variolaria Lam. ### Remarks null
{ "content_hash": "b6a5232c80e45d8d47f0b11c2cacf50b", "timestamp": "", "source": "github", "line_count": 13, "max_line_length": 22, "avg_line_length": 9.76923076923077, "alnum_prop": 0.7007874015748031, "repo_name": "mdoering/backbone", "id": "579ebf49d8bd1792e81175a3b689ce2f27a4bd58", "size": "173", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "life/Fungi/Ascomycota/Lecanoromycetes/Lecanorales/Parmeliaceae/Lichen/Lichen variolaria/README.md", "mode": "33188", "license": "apache-2.0", "language": [], "symlink_target": "" }
//----------------------------------------------------------------------- // <copyright file="jet_logtime.cs" company="Microsoft Corporation"> // Copyright (c) Microsoft Corporation. // </copyright> //----------------------------------------------------------------------- namespace Microsoft.Isam.Esent.Interop { using System; using System.Diagnostics.CodeAnalysis; using System.Globalization; using System.Runtime.InteropServices; /// <summary> /// Describes a date/time. /// </summary> [SuppressMessage( "Microsoft.StyleCop.CSharp.NamingRules", "SA1305:FieldNamesMustNotUseHungarianNotation", Justification = "This should match the name of the unmanaged structure.")] [StructLayout(LayoutKind.Sequential)] [Serializable] public partial struct JET_LOGTIME : IEquatable<JET_LOGTIME>, IJET_LOGTIME { /// <summary> /// The time in seconds. This value can be 0 to 59. /// </summary> private readonly byte bSeconds; /// <summary> /// The time in minutes. This value can be 0 to 59. /// </summary> private readonly byte bMinutes; /// <summary> /// The time in hours. This value can be 0 to 23. /// </summary> private readonly byte bHours; /// <summary> /// The day of the month. This value can be 0 to 31. 0 is /// used when the structure is null. /// </summary> private readonly byte bDays; /// <summary> /// The month. This value can be 0 to 12. 0 is /// used when the structure is null. /// </summary> private readonly byte bMonth; /// <summary> /// The year of the event, offset by 1900. /// </summary> private readonly byte bYear; /// <summary> /// IsUTC flag at the first bit. Starting from win8, milli-seconds (low part) is filled at left 7 bits. /// </summary> private readonly byte bFiller1; /// <summary> /// OSSnapshot flag at the first bit, Starting from win8, milli-seconds (high part) is filled at following 3 bits. Other bits are reserved. /// </summary> private readonly byte bFiller2; /// <summary> /// Initializes a new instance of the <see cref="JET_LOGTIME"/> struct. /// </summary> /// <param name="time"> /// The DateTime to initialize the structure with. /// </param> internal JET_LOGTIME(DateTime time) { this.bSeconds = checked((byte)time.Second); this.bMinutes = checked((byte)time.Minute); this.bHours = checked((byte)time.Hour); this.bDays = checked((byte)time.Day); this.bMonth = checked((byte)time.Month); this.bYear = checked((byte)(time.Year - 1900)); // bFiller1: fTimeIsUTC at the first bit, bMillisecondsLow at left 7 bits this.bFiller1 = (time.Kind == DateTimeKind.Utc) ? (byte)0x1 : (byte)0; this.bFiller1 |= checked((byte)((time.Millisecond & 0x7F) << 1)); // bFiller2: fOSSnapshot at the first bit, bMillisecondsHigh at following 3 bits this.bFiller2 = checked((byte)((time.Millisecond & 0x380) >> 6)); } /// <summary> /// Gets a value indicating whether the JET_LOGTIME has a null value. /// </summary> public bool HasValue { get { return 0 != this.bMonth && 0 != this.bDays; } } /// <summary> /// Gets a value indicating whether the JET_LOGTIME is in UTC. /// </summary> [SuppressMessage( "Microsoft.StyleCop.CSharp.NamingRules", "SA1300:ElementMustBeginWithUpperCaseLetter", Justification = "This should match the unmanaged API, which isn't capitalized.")] public bool fTimeIsUTC { get { return 0 != (this.bFiller1 & 0x1); } } /// <summary> /// Determines whether two specified instances of JET_LOGTIME /// are equal. /// </summary> /// <param name="lhs">The first instance to compare.</param> /// <param name="rhs">The second instance to compare.</param> /// <returns>True if the two instances are equal.</returns> public static bool operator ==(JET_LOGTIME lhs, JET_LOGTIME rhs) { return lhs.Equals(rhs); } /// <summary> /// Determines whether two specified instances of JET_LOGTIME /// are not equal. /// </summary> /// <param name="lhs">The first instance to compare.</param> /// <param name="rhs">The second instance to compare.</param> /// <returns>True if the two instances are not equal.</returns> public static bool operator !=(JET_LOGTIME lhs, JET_LOGTIME rhs) { return !(lhs == rhs); } /// <summary> /// Generate a DateTime representation of this JET_LOGTIME. /// </summary> /// <returns> /// A DateTime representing the JET_LOGTIME. If the JET_LOGTIME /// is null then null is returned. /// </returns> public DateTime? ToDateTime() { if (!this.HasValue) { return null; } return new DateTime( this.bYear + 1900, this.bMonth, this.bDays, this.bHours, this.bMinutes, this.bSeconds, checked((int)((((uint)this.bFiller2 & 0xE) << 6) | (((uint)this.bFiller1 & 0xFE) >> 1))), this.fTimeIsUTC ? DateTimeKind.Utc : DateTimeKind.Local); } /// <summary> /// Generate a string representation of the structure. /// </summary> /// <returns>The structure as a string.</returns> public override string ToString() { return string.Format( CultureInfo.InvariantCulture, "JET_LOGTIME({0}:{1}:{2}:{3}:{4}:{5}:0x{6:x}:0x{7:x})", this.bSeconds, this.bMinutes, this.bHours, this.bDays, this.bMonth, this.bYear, this.bFiller1, this.bFiller2); } /// <summary> /// Returns a value indicating whether this instance is equal /// to another instance. /// </summary> /// <param name="obj">An object to compare with this instance.</param> /// <returns>True if the two instances are equal.</returns> public override bool Equals(object obj) { if (obj == null || GetType() != obj.GetType()) { return false; } return this.Equals((JET_LOGTIME)obj); } /// <summary> /// Returns the hash code for this instance. /// </summary> /// <returns>The hash code for this instance.</returns> public override int GetHashCode() { // None of the members are larger than a byte and many use fewer than // all 8 bits (e.g. a month count uses only 4 bits). Spread the members // out through the 32-bit hash value. // (This is better than the default implementation of GetHashCode, which // easily aliases different JET_LOGTIMES to the same hash code) return this.bSeconds.GetHashCode() ^ (this.bMinutes << 6) ^ (this.bHours << 12) ^ (this.bDays << 17) ^ (this.bMonth << 22) ^ (this.bYear << 24) ^ this.bFiller1 ^ (this.bFiller2 << 8); } /// <summary> /// Returns a value indicating whether this instance is equal /// to another instance. /// </summary> /// <param name="other">An instance to compare with this instance.</param> /// <returns>True if the two instances are equal.</returns> public bool Equals(JET_LOGTIME other) { return this.bSeconds == other.bSeconds && this.bMinutes == other.bMinutes && this.bHours == other.bHours && this.bDays == other.bDays && this.bMonth == other.bMonth && this.bYear == other.bYear && this.bFiller1 == other.bFiller1 && this.bFiller2 == other.bFiller2; } } }
{ "content_hash": "7d994fb2c1712f0e1b3ea39bae2f893b", "timestamp": "", "source": "github", "line_count": 233, "max_line_length": 147, "avg_line_length": 37.17167381974249, "alnum_prop": 0.5255744140399492, "repo_name": "MichaelGrafnetter/DSInternals", "id": "e1cfccdadce566084278af407c9e5cd63402c074", "size": "8663", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "Src/Microsoft.Isam.Esent.Interop/jet_logtime.cs", "mode": "33188", "license": "mit", "language": [ { "name": "C#", "bytes": "2442607" }, { "name": "C++", "bytes": "78797" }, { "name": "PowerShell", "bytes": "128508" }, { "name": "XSLT", "bytes": "10544" } ], "symlink_target": "" }
<?php namespace Eloquent\Fixie\Writer; use Eloquent\Fixie\Handle\Exception\ClosedHandleException; use Eloquent\Fixie\Handle\Exception\ReadException; use Eloquent\Fixie\Handle\Exception\WriteException; /** * A writable data handle that writes rows in the 'compact' style, using the * minimal amount of whitespace. * * This variant is excellent for any data size, but is not as good for human * readability as other options. If human readability is not an issue, use this * variant. */ class CompactFixtureWriteHandle extends AbstractWriteHandle { /** * Write a single data row. * * @param array<string,mixed> $row The data row. * * @throws WriteException If data is unable to be written. */ public function write(array $row) { if (null === $this->columnNames) { $this->columnNames = array_keys($row); $this->writeHeader($this->columnNames); } $this->writeRow($this->projectRow($this->columnNames, $row)); } /** * Close this handle. * * @throws ReadException If closing the handle fails. * @throws ClosedHandleException If this handle is closed. */ public function close() { if (!$this->isClosed() && null !== $this->columnNames) { $this->writeFooter(); } parent::close(); } /** * Write the header. * * @param array<integer,string> $columnNames The column names. * * @throws WriteException If data is unable to be written. */ protected function writeHeader(array $columnNames) { if (range(0, count($columnNames) - 1) !== $columnNames) { $this->writeData( sprintf("columns: %s\n", $this->renderer()->dump($columnNames)) ); } $this->writeData("data: [\n"); } /** * Write a single data row. * * @param array<integer,mixed> $row The projected data row to write. * * @throws WriteException If data is unable to be written. */ protected function writeRow(array $row) { $this->writeData( sprintf("%s,\n", $this->renderer()->dump(array_values($row))) ); } /** * Write the footer. * * @throws WriteException If data is unable to be written. */ protected function writeFooter() { $this->writeData("]\n"); } private $columnNames; }
{ "content_hash": "516ba2791c3e9caee471c6ee723e78c1", "timestamp": "", "source": "github", "line_count": 96, "max_line_length": 79, "avg_line_length": 25.520833333333332, "alnum_prop": 0.5906122448979592, "repo_name": "eloquent/fixie", "id": "9ff7204fb27d05145fa8dcfaf549cac053443f6f", "size": "2666", "binary": false, "copies": "1", "ref": "refs/heads/develop", "path": "src/Writer/CompactFixtureWriteHandle.php", "mode": "33188", "license": "mit", "language": [ { "name": "PHP", "bytes": "125892" } ], "symlink_target": "" }
/* $NetBSD: fpsetmask.c,v 1.2 2008/04/28 20:22:57 martin Exp $ */ /* * Copyright (c) 1999 The NetBSD Foundation, Inc. * All rights reserved. * * This code is derived from software contributed to The NetBSD Foundation * by Dan Winship. * * 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. * * THIS SOFTWARE IS PROVIDED BY THE NETBSD FOUNDATION, INC. 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 FOUNDATION 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. */ #include <sys/cdefs.h> #if defined(LIBC_SCCS) && !defined(lint) __RCSID("$NetBSD: fpsetmask.c,v 1.2 2008/04/28 20:22:57 martin Exp $"); #endif /* LIBC_SCCS and not lint */ #include "namespace.h" #include <sys/types.h> #include <ieeefp.h> #include <powerpc/fpu.h> #ifdef __weak_alias __weak_alias(fpsetmask,_fpsetmask) #endif #define MASKBITS (FPSCR_XE|FPSCR_ZE|FPSCR_UE|FPSCR_OE|FPSCR_VE) #define MASKSHFT 3 fp_except fpsetmask(fp_except mask) { uint64_t fpscr; fp_except old; __asm volatile("mffs %0" : "=f"(fpscr)); old = ((uint32_t)fpscr & MASKBITS) >> MASKSHFT; fpscr &= ~MASKBITS; fpscr |= ((uint32_t)mask << MASKSHFT) & MASKBITS; __asm volatile("mtfsf 0xff,%0" :: "f"(fpscr)); return (old); }
{ "content_hash": "d15031412b97f7d25ef860ebd76cffce", "timestamp": "", "source": "github", "line_count": 62, "max_line_length": 78, "avg_line_length": 36.61290322580645, "alnum_prop": 0.728193832599119, "repo_name": "evrom/bsdlibc", "id": "0ede2542bc74f2913b1d9f838bdf0ad8d6b62dc5", "size": "2270", "binary": false, "copies": "4", "ref": "refs/heads/master", "path": "src/lib/libc/arch/powerpc64/gen/fpsetmask.c", "mode": "33188", "license": "bsd-2-clause", "language": [ { "name": "Assembly", "bytes": "1125004" }, { "name": "Awk", "bytes": "9877" }, { "name": "C", "bytes": "6142692" }, { "name": "C++", "bytes": "50528" }, { "name": "Objective-C", "bytes": "19498" }, { "name": "Shell", "bytes": "6700" } ], "symlink_target": "" }
package com.evolveum.midpoint.repo.sql.util; import com.evolveum.midpoint.repo.sql.data.common.container.Container; import com.evolveum.midpoint.util.logging.Trace; import com.evolveum.midpoint.util.logging.TraceManager; import org.apache.commons.lang.StringUtils; import org.hibernate.HibernateException; import org.hibernate.engine.spi.SessionImplementor; import org.hibernate.id.IdentifierGenerator; import java.io.Serializable; /** * @author lazyman */ public class ContainerOidGenerator implements IdentifierGenerator { private static final Trace LOGGER = TraceManager.getTrace(ContainerOidGenerator.class); @Override public Serializable generate(SessionImplementor session, Object object) throws HibernateException { return generate(object); } private String generate(Object object) { Container container = (Container) object; if (StringUtils.isNotEmpty(container.getOwnerOid())) { return container.getOwnerOid(); } throw new RuntimeException("Unknown oid, should not happen."); } }
{ "content_hash": "40aa13d3c8026ac4b224086965dbb247", "timestamp": "", "source": "github", "line_count": 35, "max_line_length": 103, "avg_line_length": 30.742857142857144, "alnum_prop": 0.7574349442379182, "repo_name": "gureronder/midpoint", "id": "65f574c3dd2c8c0a13110638e2470fe7b7511d3f", "size": "1676", "binary": false, "copies": "5", "ref": "refs/heads/master", "path": "repo/repo-sql-impl/src/main/java/com/evolveum/midpoint/repo/sql/util/ContainerOidGenerator.java", "mode": "33188", "license": "apache-2.0", "language": [ { "name": "CSS", "bytes": "176525" }, { "name": "Groovy", "bytes": "10361" }, { "name": "HTML", "bytes": "450709" }, { "name": "Java", "bytes": "19619257" }, { "name": "JavaScript", "bytes": "70636" }, { "name": "PLSQL", "bytes": "2171" }, { "name": "PLpgSQL", "bytes": "3307" }, { "name": "SQLPL", "bytes": "4091" }, { "name": "Shell", "bytes": "3606" } ], "symlink_target": "" }
Getting Started with RequestStream ================================== ## Prerequisites This version of package requires PHP >= 5.3.3 ## Installation ### Dowload RequestStream using composer ```js { "required": { "request-stream/request-stream": "dev-master" } } ``` Now tell composer to download the bundle by running the command: ```bash $ php composer.phar update request-stream/request-stream ``` Composer will install the bundle to your project's `vendor/request-stream` directory. ## Next steps: You can create coket client and web request client with this package. The following documents are available: - [Default stream](stream.md) - [Stream context](stream_context.md) - [Sockets](socket/socket.md) - [Socket client](socket/socket_client.md)
{ "content_hash": "a135629fc1f2f8a7dffc28b7344c68d2", "timestamp": "", "source": "github", "line_count": 37, "max_line_length": 85, "avg_line_length": 21.027027027027028, "alnum_prop": 0.6979434447300771, "repo_name": "gobb/RequestStream", "id": "f6758ddc1c9114f0f8fe728c2c170873e989a74b", "size": "778", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "doc/index.md", "mode": "33188", "license": "mit", "language": [], "symlink_target": "" }
<?php /** * @file * Definition of Drupal\user\Plugin\views\field\Language. */ namespace Drupal\user\Plugin\views\field; use Drupal\views\ResultRow; /** * Views field handler for user language. * * @ingroup views_field_handlers * * @ViewsField("user_language") */ class Language extends User { /** * {@inheritdoc} */ protected function renderLink($data, ResultRow $values) { if (!empty($this->options['link_to_user'])) { $uid = $this->getValue($values, 'uid'); if ($this->view->getUser()->hasPermission('access user profiles') && $uid) { $this->options['alter']['make_link'] = TRUE; $this->options['alter']['path'] = 'user/' . $uid; } } if (empty($data)) { $lang = language_default(); } else { $lang = language_list(); $lang = $lang[$data]; } return $this->sanitizeValue($lang->getName()); } /** * {@inheritdoc} */ public function render(ResultRow $values) { $value = $this->getValue($values); return $this->renderLink($this->sanitizeValue($value), $values); } }
{ "content_hash": "b721b3c97e1a1dbcd600f6727276fd8d", "timestamp": "", "source": "github", "line_count": 51, "max_line_length": 82, "avg_line_length": 21.392156862745097, "alnum_prop": 0.5866177818515124, "repo_name": "ital-lion/Drupal4Lions", "id": "59f74ccb9759c550d0a7e002e0288b98168d2daa", "size": "1091", "binary": false, "copies": "36", "ref": "refs/heads/master", "path": "core/modules/user/src/Plugin/views/field/Language.php", "mode": "33188", "license": "mit", "language": [ { "name": "CSS", "bytes": "280823" }, { "name": "JavaScript", "bytes": "742500" }, { "name": "PHP", "bytes": "20371861" }, { "name": "Shell", "bytes": "70992" } ], "symlink_target": "" }
 define({ "searchSourceSetting": { "title": "Haun ja puskurin asetukset", "mainHint": "Voit ottaa käyttöön osoitteiden ja kohteiden tekstihaut, geometrian digitoinnin ja puskuroinnin." }, "addressSourceSetting": { "title": "Osoitekarttatasot", "mainHint": "Voit määrittää, mitkä vastaanottajan osoitetarran karttatasot ovat käytettävissä." }, "notificationSetting": { "title": "Ilmoitusasetukset", "mainHint": "Voit määrittää käytettävissä olevien ilmoitusten tyypit." }, "groupingLabels": { "addressSources": "Karttataso, jota käytetään vastaanottajakarttatasojen valintaan", "averyStickersDetails": "Avery(r)-tarrat", "csvDetails": "Pilkuin erotetut arvot (CSV) -tiedosto", "drawingTools": "Piirtotyökalut alueen määrittämistä varten", "featureLayerDetails": "Kohdekarttataso", "geocoderDetails": "Geokooderi", "labelFormats": "Käytettävissä olevat osoitetarramuodot", "printingOptions": "Tulostettujen osoitetarrasivujen asetukset", "searchSources": "Etsi lähteitä", "stickerFormatDetails": "Osoitetarrasivun parametrit" }, "hints": { "alignmentAids": "Osoitetarrasivulle lisätyt merkinnät, joiden avulla sivu on helppo asemoida tulostimeen", "csvNameList": "Kenttänimien pilkuin eroteltu luettelo. Kenttien nimissä kirjainkoolla on merkitystä.", "horizontalGap": "Kahden osoitetarran väliin jäävä tila rivillä", "insetToLabel": "Tila, joka jää osoitetarran reunan ja tekstin väliin", "labelFormatDescription": "Miten osoitetarran tyyli esitetään pienoisohjelman muotoiluasetusten luettelossa", "labelFormatDescriptionHint": "Lisäkuvauksen työkaluvihje muotoiluasetusten luettelossa", "labelHeight": "Kunkin osoitetarran korkeus sivulla", "labelWidth": "Kunkin osoitetarran leveys sivulla", "localSearchRadius": "Määrittää nykyisen kartan keskikohdan ympärillä olevan alueen säteen. Säteen avulla arvioidaan geokoodausehdokkaiden sijoitusta, jotta sijaintia lähinnä olevat ehdokkaat palautetaan ensin", "rasterResolution": "100 pikseliä tuumaa kohti vastaa suurin piirtein näytön tarkkuutta. Mitä korkeampi tarkkuus, sitä enemmän tarvitaan selaimen muistia. Selainten kyky käsitellä tehokkaasti paljon muistia tarvitsevia toimia vaihtelee.", "selectionListOfOptionsToDisplay": "Valitut kohteet näytetään asetuksina pienoisohjelmassa; muuta järjestystä halutessasi", "verticalGap": "Kahden osoitetarran väliin jäävä tila palstassa" }, "propertyLabels": { "bufferDefaultDistance": "Puskurin oletusetäisyys", "bufferUnits": "Pienoisohjelmassa määritettävät puskuriyksiköt", "countryRegionCodes": "Maa- tai aluekoodit", "description": "Kuvaus", "descriptionHint": "Kuvausvihje", "displayField": "Näyttökenttä", "drawingToolsFreehandPolygon": "alueen piirto vapaalla kädellä", "drawingToolsLine": "viiva", "drawingToolsPoint": "piste", "drawingToolsPolygon": "alue", "drawingToolsPolyline": "taiteviiva", "enableLocalSearch": "Ota käyttöön paikallinen haku", "exactMatch": "Tarkka vastine", "fontSizeAlignmentNote": "Tulostusmarginaaleja koskevan huomauksen fonttikoko", "gridDarkness": "Ruudukon tummuus", "gridlineLeftInset": "Vasemman ruudukkoviivan upotus", "gridlineMajorTickMarksGap": "Pääjakoviivat joka", "gridlineMinorTickMarksGap": "Apujakoviivat joka", "gridlineRightInset": "Oikean ruudukkoviivan upote", "labelBorderDarkness": "Osoitetarran reunan tummuus", "labelBottomEdge": "Sivun osoitetarrojen alareuna", "labelFontSize": "Fontin koko", "labelHeight": "Osoitetarran korkeus", "labelHorizontalGap": "Vaakasuuntainen väli", "labelInitialInset": "Osoitetarran tekstin upote", "labelLeftEdge": "Sivun osoitetarrojen vasen reuna", "labelMaxLineCount": "Rivien enimmäismäärä osoitetarrassa", "labelPageHeight": "Sivun korkeus", "labelPageWidth": "Sivun leveys", "labelRightEdge": "Sivun osoitetarrojen oikea reuna", "labelsInAColumn": "Osoitetarrojen määrä palstassa", "labelsInARow": "Osoitetarrojen määrä rivillä", "labelTopEdge": "Sivun osoitetarrojen yläreuna", "labelVerticalGap": "Pystysuuntainen väli", "labelWidth": "Osoitetarran leveys", "limitSearchToMapExtent": "Etsi vain nykyisestä karttalaajuudesta", "maximumResults": "Tulosten enimmäismäärä", "maximumSuggestions": "Ehdotusten enimmäismäärä", "minimumScale": "Vähimmäismittakaava", "name": "Nimi", "percentBlack": "% musta", "pixels": "pikseliä", "pixelsPerInch": "pikseleitä tuumaa kohti", "placeholderText": "Muuttujan teksti", "placeholderTextForAllSources": "Paikkamerkkiteksti haulle kaikista lähteistä", "radius": "Säde", "rasterResolution": "Rasteriresoluutio", "searchFields": "Hakukentät", "showAlignmentAids": "Näytä kohdistuksen apuviivat sivulla", "showGridTickMarks": "Näytä ruudukon apuviivat", "showLabelOutlines": "Näytä osoitetarrojen ääriviivat", "showPopupForFoundItem": "Näytä löydetyn kohteen tai sijainnin ponnahdusikkuna", "tool": "Työkalut", "units": "Yksiköt", "url": "URL-osoite", "urlToGeometryService": "Geometriapalvelun URL-osoite", "useRelatedRecords": "Käytä siihen liittyviä tietueita", "useSecondarySearchLayer": "Käytä toissijaista valintatasoa", "useSelectionDrawTools": "Käytä valinnan piirtotyökaluja", "useVectorFonts": "Käytä vektorifontteja (vain latinalaisen merkistön fontit)", "zoomScale": "Tarkennustaso" }, "buttons": { "addAddressSource": "Lisää karttataso, joka sisältää osoitetarrat ponnahdusikkunassa", "addLabelFormat": "Lisää osoitetarran muotoilu", "addSearchSource": "Lisää haun lähde", "set": "Aseta" }, "placeholders": { "averyExample": "esim. Avery(r)-osoitetarra ${averyPartNumber}", "countryRegionCodes": "esim. USA,CHN", "descriptionCSV": "Pilkuin erotetut arvot", "descriptionPDF": "PDF-osoitetarra ${heightLabelIn} x ${widthLabelIn} tuumaa; ${labelsPerPage} sivua kohti" }, "tooltips": { "getWebmapFeatureLayer": "Hae kohdekarttataso web-kartasta", "openCountryCodes": "Hanki lisätietoja koodeista napsauttamalla", "openFieldSelector": "Avaa kenttävalitsin napsauttamalla", "setAndValidateURL": "Määritä ja validoi URL-osoite" }, "problems": { "noAddresseeLayers": "Määritä vähintään yksi vastaanottajan karttataso", "noBufferUnitsForDrawingTools": "Määritä vähintään yksi puskuriyksikkö piirtotyökaluja varten", "noBufferUnitsForSearchSource": "Määritä vähintään yksi puskuriyksikkö haun lähdettä ${sourceName} varten", "noGeometryServiceURL": "Määritä geometriapalvelun URL-osoite", "noNotificationLabelFormats": "Määritä vähintään yksi ilmoituksen tunnustekstimuoto", "noSearchSourceFields": "Määritä vähintään yksi hakukenttä haun lähdettä ${sourceName} varten", "noSearchSourceURL": "Määritä URL-osoite haun lähdettä ${sourceName} varten" }, "querySourceSetting": { "sourceSetting": "Haun lähteen asetukset", "instruction": "Lisää ja määritä geokoodauspalveluja haun lähteiksi. Nämä määritetyt lähteet määrittävät, mitä hakuruudussa voi hakea.", "add": "Lisää haun lähde", "addGeocoder": "Lisää geokooderi", "geocoder": "Geokooderi", "setLayerSource": "Määritä karttatason lähde", "setGeocoderURL": "Määritä geokooderin URL-osoite", "searchableLayer": "Kohdekarttataso", "name": "Nimi", "countryCode": "Maa- tai aluekoodit", "countryCodeEg": "esim. ", "countryCodeHint": "Jos jätät tämän arvon tyhjäksi, ohjelma etsii kaikista maista ja kaikilta alueilta", "generalSetting": "Yleiset asetukset", "allPlaceholder": "Paikkamerkkiteksti haulle kaikkialta: ", "showInfoWindowOnSelect": "Näytä löydetyn kohteen tai sijainnin ponnahdusikkuna", "showInfoWindowOnSelect2": "Näytä ponnahdusikkuna, kun kohde tai sijainti on löytynyt.", "searchInCurrentMapExtent": "Etsi vain nykyisestä karttalaajuudesta", "zoomScale": "Tarkennustaso", "locatorUrl": "Geokooderin URL-osoite", "locatorName": "Geokooderin nimi", "locatorExample": "Esimerkki", "locatorWarning": "Geokoodauspalvelun versiota ei tueta. Pienoisohjelma tukee geokoodauspalvelun versiota 10.1 ja sitä uudempia versioita.", "locatorTips": "Ehdotukset eivät ole käytettävissä, koska geokoodauspalvelu ei tue ehdotustoimintoa.", "layerSource": "Karttatason lähde", "searchLayerTips": "Ehdotukset eivät ole käytettävissä, koska kohdepalvelu ei tue sivutustoimintoa.", "placeholder": "Muuttujan teksti", "searchFields": "Hakukentät", "displayField": "Näyttökenttä", "exactMatch": "Tarkka vastine", "maxSuggestions": "Ehdotusten enimmäismäärä", "maxResults": "Tulosten enimmäismäärä", "enableLocalSearch": "Ota käyttöön paikallinen haku", "minScale": "Vähimmäismittakaava", "minScaleHint": "Kun kartan mittakaava on suurempi kuin tämä mittakaava, käytetään paikallista hakua", "radius": "Säde", "radiusHint": "Määrittää nykyisen kartan keskikohdan ympärillä olevan alueen säteen. Säteen avulla arvioidaan geokoodausehdokkaiden sijoitusta, jotta sijaintia lähinnä olevat ehdokkaat palautetaan ensin", "meters": "Metriä", "setSearchFields": "Määritä hakukentät", "set": "Aseta", "fieldSearchable": "haettavissa oleva", "fieldName": "Nimi", "fieldAlias": "Alias", "ok": "OK", "cancel": "Peruuta", "invalidUrlTip": "Syötetty URL-osoite ${URL} on virheellinen, tai se ei ole käytettävissä.", "locateResults": "Paikannustulokset", "panTo": "Vieritä kohteeseen", "zoomToScale": "Tarkenna mittakaavaan", "locatorError": "Paikantimen on tuettava yksirivistä paikannusta." } });
{ "content_hash": "b6605e42f75acf96554a31d80fda988b", "timestamp": "", "source": "github", "line_count": 182, "max_line_length": 242, "avg_line_length": 53.456043956043956, "alnum_prop": 0.7383081508890944, "repo_name": "tmcgee/cmv-wab-widgets", "id": "f88069ce1f45644406b617b8c21330bcc61008f6", "size": "10619", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "wab/2.13/widgets/PublicNotification/setting/nls/fi/strings.js", "mode": "33188", "license": "mit", "language": [ { "name": "CSS", "bytes": "1198579" }, { "name": "HTML", "bytes": "946685" }, { "name": "JavaScript", "bytes": "22190423" }, { "name": "Pascal", "bytes": "4207" }, { "name": "TypeScript", "bytes": "102918" } ], "symlink_target": "" }
package de.tor.tribes.util.report; import de.tor.tribes.types.FightReport; /** * * @author Torridity */ public class CataFilter implements ReportRuleInterface { @Override public void setup(Object pFilterComponent) { } @Override public boolean isValid(FightReport c) { return c.wasBuildingDamaged(); } @Override public String getDescription() { return "Filtert Berichte mit Gebäudebeschädigung"; } @Override public String getStringRepresentation() { return "Berichte mit Gebäudebeschädigung"; } }
{ "content_hash": "f236f79fc18e50bcec7b0e2bee8ce31a", "timestamp": "", "source": "github", "line_count": 30, "max_line_length": 58, "avg_line_length": 20.2, "alnum_prop": 0.6468646864686468, "repo_name": "Patschke/dsworkbench", "id": "c4ce9c45f3f225520abe55752be862d660f8cc2d", "size": "1219", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "Core/src/main/java/de/tor/tribes/util/report/CataFilter.java", "mode": "33188", "license": "apache-2.0", "language": [ { "name": "Batchfile", "bytes": "3257" }, { "name": "HTML", "bytes": "356878" }, { "name": "Haskell", "bytes": "1026" }, { "name": "Java", "bytes": "5898398" }, { "name": "JavaScript", "bytes": "24674" }, { "name": "Shell", "bytes": "3994" }, { "name": "Visual Basic", "bytes": "78" } ], "symlink_target": "" }
#include "VKNTexture.h" #pragma optimize("O3",on) #pragma optimize("",off) #include "vulkan/vulkan_core.h" #include "VKNRHI.h" #include "VKNDeviceContext.h" #include "Core/Assets/AssetManager.h" #include "VKNHelpers.h" #include "Descriptor.h" #pragma warning(push,0) #undef max #include "gli/gli.hpp" #include "VKNCommandlist.h" #pragma warning(pop) #if BUILD_VULKAN VKNTexture::VKNTexture() { } VKNTexture::~VKNTexture() {} void VKNTexture::CreateAsNull() { } void VKNTexture::UpdateSRV() { VKNDeviceContext* D = (VKNDeviceContext*)RHI::GetDefaultDevice(); textureImageView = VKNHelpers::createImageView(D, textureImage, fmt, VK_IMAGE_ASPECT_COLOR_BIT, Description); } void VKNTexture::CreateTextureFromDesc(const TextureDescription& desc) { Description = desc; VkDeviceSize imageSize = desc.Width * desc.Height * desc.BitDepth; if (desc.ImageByteSize != 0) { imageSize = desc.ImageByteSize; } VKNDeviceContext* D = VKNRHI::VKConv(RHI::GetDefaultDevice()); VKNHelpers::createBuffer(imageSize, VK_BUFFER_USAGE_TRANSFER_SRC_BIT, VK_MEMORY_PROPERTY_HOST_VISIBLE_BIT | VK_MEMORY_PROPERTY_HOST_COHERENT_BIT, stagingBuffer, stagingBufferMemory); void* data; vkMapMemory(D->device, stagingBufferMemory, 0, imageSize, 0, &data); memcpy(data, desc.PtrToData, static_cast<size_t>(imageSize)); vkUnmapMemory(D->device, stagingBufferMemory); if (desc.BitDepth == 4) { //fmt = VK_FORMAT_R8G8B8A8_UNORM; fmt = VK_FORMAT_B8G8R8A8_UNORM; } else { fmt = VK_FORMAT_R8_UNORM; } VKNHelpers::createImageDesc(/*D,*/ fmt, VK_IMAGE_TILING_OPTIMAL, VK_IMAGE_USAGE_TRANSFER_DST_BIT | VK_IMAGE_USAGE_SAMPLED_BIT, VK_MEMORY_PROPERTY_DEVICE_LOCAL_BIT, textureImage, textureImageMemory, VK_IMAGE_LAYOUT_UNDEFINED, Description); VkCommandBuffer B = VKNRHI::RHIinstance->setuplist->CommandBuffer; VKNHelpers::transitionImageLayout(B, textureImage, fmt, VK_IMAGE_LAYOUT_UNDEFINED, VK_IMAGE_LAYOUT_TRANSFER_DST_OPTIMAL, desc.MipLevels, desc.Faces); std::vector<VkBufferImageCopy> bufferCopyRegions; uint64_t offset = 0; for (uint32_t face = 0; face < tex.faces(); face++) { for (uint32_t level = 0; level < tex.levels(); level++) { VkBufferImageCopy bufferCopyRegion = {}; bufferCopyRegion.imageSubresource.aspectMask = VK_IMAGE_ASPECT_COLOR_BIT; bufferCopyRegion.imageSubresource.mipLevel = level; bufferCopyRegion.imageSubresource.baseArrayLayer = face; bufferCopyRegion.imageSubresource.layerCount = 1; bufferCopyRegion.imageExtent.width = Description.MipExtents(level).x; bufferCopyRegion.imageExtent.height = Description.MipExtents(level).y; bufferCopyRegion.imageExtent.depth = 1; bufferCopyRegion.bufferOffset = offset; bufferCopyRegions.push_back(bufferCopyRegion); // Increase offset into staging buffer for next level / face offset += Description.Size(level); } } vkCmdCopyBufferToImage( B, stagingBuffer, textureImage, VK_IMAGE_LAYOUT_TRANSFER_DST_OPTIMAL, static_cast<uint32_t>(bufferCopyRegions.size()), bufferCopyRegions.data() ); VKNHelpers::transitionImageLayout(B, textureImage, fmt, VK_IMAGE_LAYOUT_TRANSFER_DST_OPTIMAL, VK_IMAGE_LAYOUT_SHADER_READ_ONLY_OPTIMAL, desc.MipLevels, desc.Faces); UpdateSRV(); } #endif
{ "content_hash": "6004a98a8c80914656e280facaa20935", "timestamp": "", "source": "github", "line_count": 102, "max_line_length": 183, "avg_line_length": 31.735294117647058, "alnum_prop": 0.7472968798270003, "repo_name": "Andrewcjp/GraphicsEngine", "id": "55ab24a2289e917b174ad5d0a0e23e5a052d09cf", "size": "3237", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "GraphicsEngine/Source/VulkanRHI/RHI/RenderAPIs/Vulkan/VKNTexture.cpp", "mode": "33188", "license": "mit", "language": [ { "name": "Batchfile", "bytes": "728" }, { "name": "C", "bytes": "2011895" }, { "name": "C#", "bytes": "3177" }, { "name": "C++", "bytes": "8261465" }, { "name": "CMake", "bytes": "2703" }, { "name": "GLSL", "bytes": "36269" }, { "name": "HLSL", "bytes": "96975" }, { "name": "Lua", "bytes": "26517" }, { "name": "Objective-C", "bytes": "73452" }, { "name": "Python", "bytes": "28165" } ], "symlink_target": "" }
namespace crashpad { namespace process_types { template <class Traits> struct Annotation { typename Traits::Address link_node; typename Traits::Address name; typename Traits::Address value; uint32_t size; uint16_t type; }; template <class Traits> struct AnnotationList { typename Traits::Address tail_pointer; Annotation<Traits> head; Annotation<Traits> tail; }; } // namespace process_types #if defined(ARCH_CPU_64_BITS) #define NATIVE_TRAITS Traits64 #else #define NATIVE_TRAITS Traits32 #endif // ARCH_CPU_64_BITS static_assert(sizeof(process_types::Annotation<NATIVE_TRAITS>) == sizeof(Annotation), "Annotation size mismatch"); static_assert(sizeof(process_types::AnnotationList<NATIVE_TRAITS>) == sizeof(AnnotationList), "AnnotationList size mismatch"); #undef NATIVE_TRAITS ImageAnnotationReader::ImageAnnotationReader(const ProcessMemoryRange* memory) : memory_(memory) {} ImageAnnotationReader::~ImageAnnotationReader() = default; bool ImageAnnotationReader::SimpleMap( VMAddress address, std::map<std::string, std::string>* annotations) const { std::vector<SimpleStringDictionary::Entry> simple_annotations( SimpleStringDictionary::num_entries); if (!memory_->Read(address, simple_annotations.size() * sizeof(simple_annotations[0]), &simple_annotations[0])) { return false; } for (const auto& entry : simple_annotations) { size_t key_length = strnlen(entry.key, sizeof(entry.key)); if (key_length) { std::string key(entry.key, key_length); std::string value(entry.value, strnlen(entry.value, sizeof(entry.value))); if (!annotations->insert(std::make_pair(key, value)).second) { LOG(WARNING) << "duplicate simple annotation " << key << " " << value; } } } return true; } bool ImageAnnotationReader::AnnotationsList( VMAddress address, std::vector<AnnotationSnapshot>* annotations) const { return memory_->Is64Bit() ? ReadAnnotationList<Traits64>(address, annotations) : ReadAnnotationList<Traits32>(address, annotations); } template <class Traits> bool ImageAnnotationReader::ReadAnnotationList( VMAddress address, std::vector<AnnotationSnapshot>* annotations) const { process_types::AnnotationList<Traits> annotation_list; if (!memory_->Read(address, sizeof(annotation_list), &annotation_list)) { LOG(ERROR) << "could not read annotation list"; return false; } process_types::Annotation<Traits> current = annotation_list.head; for (size_t index = 0; current.link_node != annotation_list.tail_pointer && index < kMaxNumberOfAnnotations; ++index) { if (!memory_->Read(current.link_node, sizeof(current), &current)) { LOG(ERROR) << "could not read annotation at index " << index; return false; } if (current.size == 0) { continue; } AnnotationSnapshot snapshot; snapshot.type = current.type; if (!memory_->ReadCStringSizeLimited( current.name, Annotation::kNameMaxLength, &snapshot.name)) { LOG(WARNING) << "could not read annotation name at index " << index; continue; } size_t value_length = std::min(static_cast<size_t>(current.size), Annotation::kValueMaxSize); snapshot.value.resize(value_length); if (!memory_->Read(current.value, value_length, snapshot.value.data())) { LOG(WARNING) << "could not read annotation value at index " << index; continue; } annotations->push_back(std::move(snapshot)); } return true; } } // namespace crashpad
{ "content_hash": "da1c40e3c522dbd9ef888e02c984f2b4", "timestamp": "", "source": "github", "line_count": 123, "max_line_length": 80, "avg_line_length": 29.991869918699187, "alnum_prop": 0.6692870696665764, "repo_name": "endlessm/chromium-browser", "id": "bd904979f19322e4c106e6ef3361362e001af48d", "size": "4699", "binary": false, "copies": "8", "ref": "refs/heads/master", "path": "third_party/crashpad/crashpad/snapshot/crashpad_types/image_annotation_reader.cc", "mode": "33188", "license": "bsd-3-clause", "language": [], "symlink_target": "" }
""" Ironic console utilities. """ import errno import os import psutil import signal import subprocess import time from ironic_lib import utils as ironic_utils from oslo_concurrency import processutils from oslo_config import cfg from oslo_log import log as logging from oslo_service import loopingcall from oslo_utils import netutils from ironic.common import exception from ironic.common.i18n import _ from ironic.common.i18n import _LW from ironic.common import utils opts = [ cfg.StrOpt('terminal', default='shellinaboxd', help=_('Path to serial console terminal program')), cfg.StrOpt('terminal_cert_dir', help=_('Directory containing the terminal SSL cert(PEM) for ' 'serial console access')), cfg.StrOpt('terminal_pid_dir', help=_('Directory for holding terminal pid files. ' 'If not specified, the temporary directory ' 'will be used.')), cfg.IntOpt('subprocess_checking_interval', default=1, help=_('Time interval (in seconds) for checking the status of ' 'console subprocess.')), cfg.IntOpt('subprocess_timeout', default=10, help=_('Time (in seconds) to wait for the console subprocess ' 'to start.')), ] CONF = cfg.CONF CONF.register_opts(opts, group='console') LOG = logging.getLogger(__name__) def _get_console_pid_dir(): """Return the directory for the pid file.""" return CONF.console.terminal_pid_dir or CONF.tempdir def _ensure_console_pid_dir_exists(): """Ensure that the console PID directory exists Checks that the directory for the console PID file exists and if not, creates it. :raises: ConsoleError if the directory doesn't exist and cannot be created """ dir = _get_console_pid_dir() if not os.path.exists(dir): try: os.makedirs(dir) except OSError as exc: msg = (_("Cannot create directory '%(path)s' for console PID file." " Reason: %(reason)s.") % {'path': dir, 'reason': exc}) LOG.error(msg) raise exception.ConsoleError(message=msg) def _get_console_pid_file(node_uuid): """Generate the pid file name to hold the terminal process id.""" pid_dir = _get_console_pid_dir() name = "%s.pid" % node_uuid path = os.path.join(pid_dir, name) return path def _get_console_pid(node_uuid): """Get the terminal process id from pid file.""" pid_path = _get_console_pid_file(node_uuid) try: with open(pid_path, 'r') as f: pid_str = f.readline() return int(pid_str) except (IOError, ValueError): raise exception.NoConsolePid(pid_path=pid_path) def _stop_console(node_uuid): """Close the serial console for a node Kills the console process and deletes the PID file. :param node_uuid: the UUID of the node :raises: NoConsolePid if no console PID was found :raises: ConsoleError if unable to stop the console process """ try: console_pid = _get_console_pid(node_uuid) os.kill(console_pid, signal.SIGTERM) except OSError as exc: if exc.errno != errno.ESRCH: msg = (_("Could not stop the console for node '%(node)s'. " "Reason: %(err)s.") % {'node': node_uuid, 'err': exc}) raise exception.ConsoleError(message=msg) else: LOG.warning(_LW("Console process for node %s is not running " "but pid file exists while trying to stop " "shellinabox console."), node_uuid) finally: ironic_utils.unlink_without_raise(_get_console_pid_file(node_uuid)) def make_persistent_password_file(path, password): """Writes a file containing a password until deleted.""" try: utils.delete_if_exists(path) with open(path, 'wb') as file: os.chmod(path, 0o600) file.write(password.encode()) return path except Exception as e: utils.delete_if_exists(path) raise exception.PasswordFileFailedToCreate(error=e) def get_shellinabox_console_url(port): """Get a url to access the console via shellinaboxd. :param port: the terminal port for the node. """ console_host = CONF.my_ip if netutils.is_valid_ipv6(console_host): console_host = '[%s]' % console_host scheme = 'https' if CONF.console.terminal_cert_dir else 'http' return '%(scheme)s://%(host)s:%(port)s' % {'scheme': scheme, 'host': console_host, 'port': port} def start_shellinabox_console(node_uuid, port, console_cmd): """Open the serial console for a node. :param node_uuid: the uuid for the node. :param port: the terminal port for the node. :param console_cmd: the shell command that gets the console. :raises: ConsoleError if the directory for the PID file cannot be created. :raises: ConsoleSubprocessFailed when invoking the subprocess failed. """ # make sure that the old console for this node is stopped # and the files are cleared try: _stop_console(node_uuid) except exception.NoConsolePid: pass except processutils.ProcessExecutionError as exc: LOG.warning(_LW("Failed to kill the old console process " "before starting a new shellinabox console " "for node %(node)s. Reason: %(err)s"), {'node': node_uuid, 'err': exc}) _ensure_console_pid_dir_exists() pid_file = _get_console_pid_file(node_uuid) # put together the command and arguments for invoking the console args = [] args.append(CONF.console.terminal) if CONF.console.terminal_cert_dir: args.append("-c") args.append(CONF.console.terminal_cert_dir) else: args.append("-t") args.append("-p") args.append(str(port)) args.append("--background=%s" % pid_file) args.append("-s") args.append(console_cmd) # run the command as a subprocess try: LOG.debug('Running subprocess: %s', ' '.join(args)) # use pipe here to catch the error in case shellinaboxd # failed to start. obj = subprocess.Popen(args, stdout=subprocess.PIPE, stderr=subprocess.PIPE) except (OSError, ValueError) as e: error = _("%(exec_error)s\n" "Command: %(command)s") % {'exec_error': str(e), 'command': ' '.join(args)} LOG.warning(error) raise exception.ConsoleSubprocessFailed(error=error) def _wait(node_uuid, popen_obj): locals['returncode'] = popen_obj.poll() # check if the console pid is created and the process is running. # if it is, then the shellinaboxd is invoked successfully as a daemon. # otherwise check the error. if locals['returncode'] is not None: if (locals['returncode'] == 0 and os.path.exists(pid_file) and psutil.pid_exists(_get_console_pid(node_uuid))): raise loopingcall.LoopingCallDone() else: (stdout, stderr) = popen_obj.communicate() locals['errstr'] = _( "Command: %(command)s.\n" "Exit code: %(return_code)s.\n" "Stdout: %(stdout)r\n" "Stderr: %(stderr)r") % { 'command': ' '.join(args), 'return_code': locals['returncode'], 'stdout': stdout, 'stderr': stderr} LOG.warning(locals['errstr']) raise loopingcall.LoopingCallDone() if (time.time() > expiration): locals['errstr'] = _("Timeout while waiting for console subprocess" "to start for node %s.") % node_uuid LOG.warning(locals['errstr']) raise loopingcall.LoopingCallDone() locals = {'returncode': None, 'errstr': ''} expiration = time.time() + CONF.console.subprocess_timeout timer = loopingcall.FixedIntervalLoopingCall(_wait, node_uuid, obj) timer.start(interval=CONF.console.subprocess_checking_interval).wait() if locals['errstr']: raise exception.ConsoleSubprocessFailed(error=locals['errstr']) def stop_shellinabox_console(node_uuid): """Close the serial console for a node. :param node_uuid: the UUID of the node :raises: ConsoleError if unable to stop the console process """ try: _stop_console(node_uuid) except exception.NoConsolePid: LOG.warning(_LW("No console pid found for node %s while trying to " "stop shellinabox console."), node_uuid)
{ "content_hash": "0ce4780dd8560846ef2afb20d9cc65e2", "timestamp": "", "source": "github", "line_count": 259, "max_line_length": 79, "avg_line_length": 34.810810810810814, "alnum_prop": 0.5929458740017747, "repo_name": "dims/ironic", "id": "ca1a4e4b3d43716354e8a9df808eaddee637d68f", "size": "9691", "binary": false, "copies": "3", "ref": "refs/heads/master", "path": "ironic/drivers/modules/console_utils.py", "mode": "33188", "license": "apache-2.0", "language": [ { "name": "Mako", "bytes": "412" }, { "name": "Python", "bytes": "3893123" }, { "name": "Shell", "bytes": "48638" } ], "symlink_target": "" }
#ifndef _ZLIBIOAPI64_H #define _ZLIBIOAPI64_H #if (!defined(_WIN32)) && (!defined(WIN32)) // Linux needs this to support file operation on files larger then 4+GB // But might need better if/def to select just the platforms that needs them. #ifndef __USE_FILE_OFFSET64 #define __USE_FILE_OFFSET64 #endif #ifndef __USE_LARGEFILE64 #define __USE_LARGEFILE64 #endif #ifndef _LARGEFILE64_SOURCE #define _LARGEFILE64_SOURCE #endif #ifndef _FILE_OFFSET_BIT #define _FILE_OFFSET_BIT 64 #endif #endif #include <stdio.h> #include <stdlib.h> #include "zlib.h" #define USE_FILE32API #if defined(USE_FILE32API) #define fopen64 fopen #define ftello64 ftell #define fseeko64 fseek #else #ifdef _MSC_VER #define fopen64 fopen #if (_MSC_VER >= 1400) && (!(defined(NO_MSCVER_FILE64_FUNC))) #define ftello64 _ftelli64 #define fseeko64 _fseeki64 #else // old MSC #define ftello64 ftell #define fseeko64 fseek #endif #endif #endif /* #ifndef ZPOS64_T #ifdef _WIN32 #define ZPOS64_T fpos_t #else #include <stdint.h> #define ZPOS64_T uint64_t #endif #endif */ #ifdef HAVE_MINIZIP64_CONF_H #include "mz64conf.h" #endif /* a type choosen by DEFINE */ #ifdef HAVE_64BIT_INT_CUSTOM typedef 64BIT_INT_CUSTOM_TYPE ZPOS64_T; #else #ifdef HAS_STDINT_H #include "stdint.h" typedef uint64_t ZPOS64_T; #else #if defined(_MSC_VER) || defined(__BORLANDC__) typedef unsigned __int64 ZPOS64_T; #else typedef unsigned long long int ZPOS64_T; #endif #endif #endif #ifdef __cplusplus extern "C" { #endif #define ZLIB_FILEFUNC_SEEK_CUR (1) #define ZLIB_FILEFUNC_SEEK_END (2) #define ZLIB_FILEFUNC_SEEK_SET (0) #define ZLIB_FILEFUNC_MODE_READ (1) #define ZLIB_FILEFUNC_MODE_WRITE (2) #define ZLIB_FILEFUNC_MODE_READWRITEFILTER (3) #define ZLIB_FILEFUNC_MODE_EXISTING (4) #define ZLIB_FILEFUNC_MODE_CREATE (8) #ifndef ZCALLBACK #if (defined(WIN32) || defined(_WIN32) || defined (WINDOWS) || defined (_WINDOWS)) && defined(CALLBACK) && defined (USEWINDOWS_CALLBACK) #define ZCALLBACK CALLBACK #else #define ZCALLBACK #endif #endif typedef voidpf (ZCALLBACK *open_file_func) OF((voidpf opaque, const char* filename, int mode)); typedef uLong (ZCALLBACK *read_file_func) OF((voidpf opaque, voidpf stream, void* buf, uLong size)); typedef uLong (ZCALLBACK *write_file_func) OF((voidpf opaque, voidpf stream, const void* buf, uLong size)); typedef int (ZCALLBACK *close_file_func) OF((voidpf opaque, voidpf stream)); typedef int (ZCALLBACK *testerror_file_func) OF((voidpf opaque, voidpf stream)); typedef long (ZCALLBACK *tell_file_func) OF((voidpf opaque, voidpf stream)); typedef long (ZCALLBACK *seek_file_func) OF((voidpf opaque, voidpf stream, uLong offset, int origin)); /* here is the "old" 32 bits structure structure */ typedef struct zlib_filefunc_def_s { open_file_func zopen_file; read_file_func zread_file; write_file_func zwrite_file; tell_file_func ztell_file; seek_file_func zseek_file; close_file_func zclose_file; testerror_file_func zerror_file; voidpf opaque; } zlib_filefunc_def; typedef ZPOS64_T (ZCALLBACK *tell64_file_func) OF((voidpf opaque, voidpf stream)); typedef long (ZCALLBACK *seek64_file_func) OF((voidpf opaque, voidpf stream, ZPOS64_T offset, int origin)); typedef voidpf (ZCALLBACK *open64_file_func) OF((voidpf opaque, const void* filename, int mode)); typedef struct zlib_filefunc64_def_s { open64_file_func zopen64_file; read_file_func zread_file; write_file_func zwrite_file; tell64_file_func ztell64_file; seek64_file_func zseek64_file; close_file_func zclose_file; testerror_file_func zerror_file; voidpf opaque; } zlib_filefunc64_def; void ah_fill_fopen64_filefunc OF((zlib_filefunc64_def* pzlib_filefunc_def)); void ah_fill_fopen_filefunc OF((zlib_filefunc_def* pzlib_filefunc_def)); /* now internal definition, only for zip.c and unzip.h */ typedef struct ah_zlib_filefunc64_32_def_s { zlib_filefunc64_def zfile_func64; open_file_func zopen32_file; tell_file_func ztell32_file; seek_file_func zseek32_file; } zlib_filefunc64_32_def; #define ZREAD64(filefunc,filestream,buf,size) ((*((filefunc).zfile_func64.zread_file)) ((filefunc).zfile_func64.opaque,filestream,buf,size)) #define ZWRITE64(filefunc,filestream,buf,size) ((*((filefunc).zfile_func64.zwrite_file)) ((filefunc).zfile_func64.opaque,filestream,buf,size)) //#define ZTELL64(filefunc,filestream) ((*((filefunc).ztell64_file)) ((filefunc).opaque,filestream)) //#define ZSEEK64(filefunc,filestream,pos,mode) ((*((filefunc).zseek64_file)) ((filefunc).opaque,filestream,pos,mode)) #define ZCLOSE64(filefunc,filestream) ((*((filefunc).zfile_func64.zclose_file)) ((filefunc).zfile_func64.opaque,filestream)) #define ZERROR64(filefunc,filestream) ((*((filefunc).zfile_func64.zerror_file)) ((filefunc).zfile_func64.opaque,filestream)) voidpf ah_call_zopen64 OF((const zlib_filefunc64_32_def* pfilefunc,const void*filename,int mode)); long ah_call_zseek64 OF((const zlib_filefunc64_32_def* pfilefunc,voidpf filestream, ZPOS64_T offset, int origin)); ZPOS64_T ah_call_ztell64 OF((const zlib_filefunc64_32_def* pfilefunc,voidpf filestream)); void ah_fill_zlib_filefunc64_32_def_from_filefunc32(zlib_filefunc64_32_def* p_filefunc64_32,const zlib_filefunc_def* p_filefunc32); #define ZOPEN64(filefunc,filename,mode) (ah_call_zopen64((&(filefunc)),(filename),(mode))) #define ZTELL64(filefunc,filestream) (ah_call_ztell64((&(filefunc)),(filestream))) #define ZSEEK64(filefunc,filestream,pos,mode) (ah_call_zseek64((&(filefunc)),(filestream),(pos),(mode))) #ifdef __cplusplus } #endif #endif
{ "content_hash": "025d40463f34a3da4296719b23cf8cca", "timestamp": "", "source": "github", "line_count": 183, "max_line_length": 146, "avg_line_length": 32.69945355191257, "alnum_prop": 0.6866644385026738, "repo_name": "AppHubPlatform/apphub-ios", "id": "efbf2bc399b3e6de943794ac1caa821577d6002b", "size": "6889", "binary": false, "copies": "2", "ref": "refs/heads/master", "path": "AppHub/AppHub/minizip/ioapi.h", "mode": "33261", "license": "bsd-3-clause", "language": [ { "name": "C", "bytes": "200350" }, { "name": "Java", "bytes": "2281" }, { "name": "JavaScript", "bytes": "5405" }, { "name": "Objective-C", "bytes": "224945" }, { "name": "Ruby", "bytes": "1654" }, { "name": "Shell", "bytes": "705" } ], "symlink_target": "" }
<!-- This file is part of the X12Parser library that provides tools to manipulate X12 messages using Ruby native syntax. http://x12parser.rubyforge.org Copyright (C) 2009 APP Design, Inc. This library is free software; you can redistribute it and/or modify it under the terms of the GNU Lesser General Public License as published by the Free Software Foundation; either version 2.1 of the License, or (at your option) any later version. This library is distributed in the hope that it will be useful, but WITHOUT ANY WARRANTY; without even the implied warranty of MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU Lesser General Public License for more details. You should have received a copy of the GNU Lesser General Public License along with this library; if not, write to the Free Software Foundation, Inc., 51 Franklin Street, Fifth Floor, Boston, MA 02110-1301 USA $Id: JIL.xml 78 2009-05-12 22:27:26Z ikk $ --> <Segment name="JIL" comment="To specify the service code or classification the expense will be charged to and provide the required expense data"> <Field name="ProductServiceIdQualifier" min="2" max="2" validation="T235" comment="Code identifying the type/source of the descriptive number used in Product/Service ID (234)"/> <Field name="ProductServiceId" min="1" max="48" comment="Identifying number for a product or service"/> <Field name="MonetaryAmount" type="double" required="y" min="1" max="18" comment="Monetary amount"/> <Field name="ReferenceIdentificationQualifier" required="y" min="2" max="3" validation="T128" comment="Code qualifying the Reference Identification"/> <Field name="ReferenceIdentification" required="y" min="1" max="50" comment="Reference information as defined for a particular Transaction Set or as specified by the Reference Identification Qualifier"/> <Field name="Date" required="y" min="8" max="8" comment="Date expressed as CCYYMMDD where CC represents the first two digits of the calendar year"/> <Field name="AmountQualifierCode" required="y" min="1" max="3" validation="T522" comment="Code to qualify amount"/> </Segment>
{ "content_hash": "7a9211dd6a79a7d79b2b1de57fa25ea9", "timestamp": "", "source": "github", "line_count": 34, "max_line_length": 205, "avg_line_length": 64.82352941176471, "alnum_prop": 0.7386569872958257, "repo_name": "SimonKaluza/x12", "id": "6f50b5c87d43652783ee722aa43b21d7695ca14f", "size": "2204", "binary": false, "copies": "6", "ref": "refs/heads/master", "path": "misc/JIL.xml", "mode": "33188", "license": "mit", "language": [ { "name": "Ruby", "bytes": "137790" } ], "symlink_target": "" }
namespace net { class IOBuffer; // Class with a push-based interface for uploading data. Buffers all data until // the request is completed. Not recommended for uploading large amounts of // seekable data, due to this buffering behavior. class NET_EXPORT ChunkedUploadDataStream : public UploadDataStream { public: explicit ChunkedUploadDataStream(int64_t identifier); ~ChunkedUploadDataStream() override; // Adds data to the stream. |is_done| should be true if this is the last // data to be appended. |data_len| must not be 0 unless |is_done| is true. // Once called with |is_done| being true, must never be called again. // TODO(mmenke): Consider using IOBuffers instead, to reduce data copies. void AppendData(const char* data, int data_len, bool is_done); private: // UploadDataStream implementation. int InitInternal() override; int ReadInternal(IOBuffer* buf, int buf_len) override; void ResetInternal() override; int ReadChunk(IOBuffer* buf, int buf_len); // Index and offset of next element of |upload_data_| to be read. size_t read_index_; size_t read_offset_; // True once all data has been appended to the stream. bool all_data_appended_; std::vector<scoped_ptr<std::vector<char>>> upload_data_; // Buffer to write the next read's data to. Only set when a call to // ReadInternal reads no data. scoped_refptr<IOBuffer> read_buffer_; int read_buffer_len_; DISALLOW_COPY_AND_ASSIGN(ChunkedUploadDataStream); }; } // namespace net #endif // NET_BASE_CHUNKED_UPLOAD_DATA_STREAM_H_
{ "content_hash": "2d4feb4018abd1d0e3c68a08043559f4", "timestamp": "", "source": "github", "line_count": 47, "max_line_length": 79, "avg_line_length": 33.04255319148936, "alnum_prop": 0.7308435286542176, "repo_name": "js0701/chromium-crosswalk", "id": "7b5e2dfecb618393d8a8bc50f05f4739cde5ea08", "size": "2053", "binary": false, "copies": "10", "ref": "refs/heads/master", "path": "net/base/chunked_upload_data_stream.h", "mode": "33188", "license": "bsd-3-clause", "language": [], "symlink_target": "" }
<!DOCTYPE html> <html lang="en"> <head> <meta charset="utf-8"> <meta name="viewport" content="width=device-width, initial-scale=1"> <title>mathcomp-character: 6 m 42 s 🏆</title> <link rel="shortcut icon" type="image/png" href="../../../../../favicon.png" /> <link href="../../../../../bootstrap.min.css" rel="stylesheet"> <link href="../../../../../bootstrap-custom.css" rel="stylesheet"> <link href="//maxcdn.bootstrapcdn.com/font-awesome/4.2.0/css/font-awesome.min.css" rel="stylesheet"> <script src="../../../../../moment.min.js"></script> <!-- HTML5 Shim and Respond.js IE8 support of HTML5 elements and media queries --> <!-- WARNING: Respond.js doesn't work if you view the page via file:// --> <!--[if lt IE 9]> <script src="https://oss.maxcdn.com/html5shiv/3.7.2/html5shiv.min.js"></script> <script src="https://oss.maxcdn.com/respond/1.4.2/respond.min.js"></script> <![endif]--> </head> <body> <div class="container"> <div class="navbar navbar-default" role="navigation"> <div class="container-fluid"> <div class="navbar-header"> <a class="navbar-brand" href="../../../../.."><i class="fa fa-lg fa-flag-checkered"></i> Coq bench</a> </div> <div id="navbar" class="collapse navbar-collapse"> <ul class="nav navbar-nav"> <li><a href="../..">clean / released</a></li> <li class="active"><a href="">8.14.1 / mathcomp-character - 1.13.0</a></li> </ul> </div> </div> </div> <div class="article"> <div class="row"> <div class="col-md-12"> <a href="../..">« Up</a> <h1> mathcomp-character <small> 1.13.0 <span class="label label-success">6 m 42 s 🏆</span> </small> </h1> <p>📅 <em><script>document.write(moment("2022-05-17 07:36:45 +0000", "YYYY-MM-DD HH:mm:ss Z").fromNow());</script> (2022-05-17 07:36:45 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.14.1 Formal proof management system dune 3.1.1 Fast, portable, and opinionated build system 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.3 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;Mathematical Components &lt;[email protected]&gt;&quot; homepage: &quot;https://math-comp.github.io/&quot; bug-reports: &quot;https://github.com/math-comp/math-comp/issues&quot; dev-repo: &quot;git+https://github.com/math-comp/math-comp.git&quot; license: &quot;CECILL-B&quot; build: [ make &quot;-C&quot; &quot;mathcomp/character&quot; &quot;-j&quot; &quot;%{jobs}%&quot; &quot;COQEXTRAFLAGS+=-native-compiler yes&quot; {coq-native:installed &amp; coq:version &lt; &quot;8.13~&quot; } ] install: [ make &quot;-C&quot; &quot;mathcomp/character&quot; &quot;install&quot; ] depends: [ &quot;coq-mathcomp-field&quot; { = version } ] tags: [ &quot;keyword:algebra&quot; &quot;keyword:character&quot; &quot;keyword:small scale reflection&quot; &quot;keyword:mathematical components&quot; &quot;keyword:odd order theorem&quot; &quot;logpath:mathcomp.character&quot; ] authors: [ &quot;Jeremy Avigad &lt;&gt;&quot; &quot;Andrea Asperti &lt;&gt;&quot; &quot;Stephane Le Roux &lt;&gt;&quot; &quot;Yves Bertot &lt;&gt;&quot; &quot;Laurence Rideau &lt;&gt;&quot; &quot;Enrico Tassi &lt;&gt;&quot; &quot;Ioana Pasca &lt;&gt;&quot; &quot;Georges Gonthier &lt;&gt;&quot; &quot;Sidi Ould Biha &lt;&gt;&quot; &quot;Cyril Cohen &lt;&gt;&quot; &quot;Francois Garillot &lt;&gt;&quot; &quot;Alexey Solovyev &lt;&gt;&quot; &quot;Russell O&#39;Connor &lt;&gt;&quot; &quot;Laurent Théry &lt;&gt;&quot; &quot;Assia Mahboubi &lt;&gt;&quot; ] synopsis: &quot;Mathematical Components Library on character theory&quot; description:&quot;&quot;&quot; This library contains definitions and theorems about group representations, characters and class functions. &quot;&quot;&quot; url { src: &quot;https://github.com/math-comp/math-comp/archive/mathcomp-1.13.0.tar.gz&quot; checksum: &quot;sha256=4334e915736f96032e1d4d502e70537047220af1a1c7a6740f770e45601bdab0&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-mathcomp-character.1.13.0 coq.8.14.1</code></dd> <dt>Return code</dt> <dd>0</dd> </dl> <p>Dry install without Coq/switch base, to test if the problem was incompatibility with the current Coq/OCaml version:</p> <dl class="dl-horizontal"> <dt>Command</dt> <dd><code>true</code></dd> <dt>Return code</dt> <dd>0</dd> </dl> <h2>Install dependencies</h2> <dl class="dl-horizontal"> <dt>Command</dt> <dd><code>opam list; echo; ulimit -Sv 4000000; timeout 4h opam install -y --deps-only coq-mathcomp-character.1.13.0 coq.8.14.1</code></dd> <dt>Return code</dt> <dd>0</dd> <dt>Duration</dt> <dd>25 m 17 s</dd> </dl> <h2>Install 🚀</h2> <dl class="dl-horizontal"> <dt>Command</dt> <dd><code>opam list; echo; ulimit -Sv 16000000; timeout 4h opam install -y -v coq-mathcomp-character.1.13.0 coq.8.14.1</code></dd> <dt>Return code</dt> <dd>0</dd> <dt>Duration</dt> <dd>6 m 42 s</dd> </dl> <h2>Installation size</h2> <p>Total: 14 M</p> <ul> <li>3 M <code>../ocaml-base-compiler.4.14.0/lib/coq/user-contrib/mathcomp/character/mxrepresentation.vo</code></li> <li>2 M <code>../ocaml-base-compiler.4.14.0/lib/coq/user-contrib/mathcomp/character/mxrepresentation.glob</code></li> <li>1 M <code>../ocaml-base-compiler.4.14.0/lib/coq/user-contrib/mathcomp/character/character.vo</code></li> <li>1 M <code>../ocaml-base-compiler.4.14.0/lib/coq/user-contrib/mathcomp/character/character.glob</code></li> <li>1 M <code>../ocaml-base-compiler.4.14.0/lib/coq/user-contrib/mathcomp/character/classfun.vo</code></li> <li>876 K <code>../ocaml-base-compiler.4.14.0/lib/coq/user-contrib/mathcomp/character/classfun.glob</code></li> <li>701 K <code>../ocaml-base-compiler.4.14.0/lib/coq/user-contrib/mathcomp/character/inertia.glob</code></li> <li>673 K <code>../ocaml-base-compiler.4.14.0/lib/coq/user-contrib/mathcomp/character/inertia.vo</code></li> <li>456 K <code>../ocaml-base-compiler.4.14.0/lib/coq/user-contrib/mathcomp/character/integral_char.vo</code></li> <li>400 K <code>../ocaml-base-compiler.4.14.0/lib/coq/user-contrib/mathcomp/character/mxabelem.vo</code></li> <li>391 K <code>../ocaml-base-compiler.4.14.0/lib/coq/user-contrib/mathcomp/character/vcharacter.glob</code></li> <li>378 K <code>../ocaml-base-compiler.4.14.0/lib/coq/user-contrib/mathcomp/character/vcharacter.vo</code></li> <li>350 K <code>../ocaml-base-compiler.4.14.0/lib/coq/user-contrib/mathcomp/character/mxabelem.glob</code></li> <li>329 K <code>../ocaml-base-compiler.4.14.0/lib/coq/user-contrib/mathcomp/character/integral_char.glob</code></li> <li>239 K <code>../ocaml-base-compiler.4.14.0/lib/coq/user-contrib/mathcomp/character/mxrepresentation.v</code></li> <li>113 K <code>../ocaml-base-compiler.4.14.0/lib/coq/user-contrib/mathcomp/character/character.v</code></li> <li>96 K <code>../ocaml-base-compiler.4.14.0/lib/coq/user-contrib/mathcomp/character/classfun.v</code></li> <li>69 K <code>../ocaml-base-compiler.4.14.0/lib/coq/user-contrib/mathcomp/character/inertia.v</code></li> <li>43 K <code>../ocaml-base-compiler.4.14.0/lib/coq/user-contrib/mathcomp/character/mxabelem.v</code></li> <li>38 K <code>../ocaml-base-compiler.4.14.0/lib/coq/user-contrib/mathcomp/character/vcharacter.v</code></li> <li>35 K <code>../ocaml-base-compiler.4.14.0/lib/coq/user-contrib/mathcomp/character/integral_char.v</code></li> <li>23 K <code>../ocaml-base-compiler.4.14.0/lib/coq/user-contrib/mathcomp/character/all_character.vo</code></li> <li>1 K <code>../ocaml-base-compiler.4.14.0/lib/coq/user-contrib/mathcomp/character/all_character.glob</code></li> <li>1 K <code>../ocaml-base-compiler.4.14.0/lib/coq/user-contrib/mathcomp/character/all_character.v</code></li> </ul> <h2>Uninstall 🧹</h2> <dl class="dl-horizontal"> <dt>Command</dt> <dd><code>opam remove -y coq-mathcomp-character.1.13.0</code></dd> <dt>Return code</dt> <dd>0</dd> <dt>Missing removes</dt> <dd> none </dd> <dt>Wrong removes</dt> <dd> none </dd> </dl> </div> </div> </div> <hr/> <div class="footer"> <p class="text-center"> Sources are on <a href="https://github.com/coq-bench">GitHub</a> © Guillaume Claret 🐣 </p> </div> </div> <script src="https://ajax.googleapis.com/ajax/libs/jquery/1.11.1/jquery.min.js"></script> <script src="../../../../../bootstrap.min.js"></script> </body> </html>
{ "content_hash": "3f91ac9c6f44339225054da7c84a1056", "timestamp": "", "source": "github", "line_count": 180, "max_line_length": 554, "avg_line_length": 59.16111111111111, "alnum_prop": 0.588412057470185, "repo_name": "coq-bench/coq-bench.github.io", "id": "8fcb94d6c5e8ba95bce925148f5409882f10287e", "size": "10675", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "clean/Linux-x86_64-4.14.0-2.0.10/released/8.14.1/mathcomp-character/1.13.0.html", "mode": "33188", "license": "mit", "language": [], "symlink_target": "" }
namespace chrome_browser_nearby_sharing_instantmessaging { class ReceiveMessagesExpressRequest; } // namespace chrome_browser_nearby_sharing_instantmessaging namespace network { class SharedURLLoaderFactory; class SimpleURLLoader; } // namespace network namespace signin { class IdentityManager; } // namespace signin // Receives streaming messages from Instant Messaging API over HTTP. Responsible // for parsing incoming bytes into valid ReceivesMessagesExpressResponse // messages. class ReceiveMessagesExpress : public sharing::mojom::ReceiveMessagesSession, public network::SimpleURLLoaderStreamConsumer { public: using SuccessCallback = base::OnceCallback<void(bool success)>; using StartReceivingMessagesCallback = sharing::mojom::WebRtcSignalingMessenger::StartReceivingMessagesCallback; static void StartReceiveSession( const std::string& self_id, sharing::mojom::LocationHintPtr location_hint, mojo::PendingRemote<sharing::mojom::IncomingMessagesListener> incoming_messages_listener, StartReceivingMessagesCallback callback, signin::IdentityManager* identity_manager, scoped_refptr<network::SharedURLLoaderFactory> url_loader_factory); ~ReceiveMessagesExpress() override; // sharing::mojom::ReceiveMessagesSession: void StopReceivingMessages() override; private: ReceiveMessagesExpress( mojo::PendingRemote<sharing::mojom::IncomingMessagesListener> incoming_messages_listener, signin::IdentityManager* identity_manager, scoped_refptr<network::SharedURLLoaderFactory> url_loader_factory); void StartReceivingMessages( const chrome_browser_nearby_sharing_instantmessaging:: ReceiveMessagesExpressRequest& request, StartReceivingMessagesCallback callback, mojo::PendingRemote<sharing::mojom::ReceiveMessagesSession> pending_remote_for_result); void DoStartReceivingMessages( const chrome_browser_nearby_sharing_instantmessaging:: ReceiveMessagesExpressRequest& request, const std::string& oauth_token); void OnFastPathReadyTimeout(); // network::SimpleURLLoaderStreamConsumer: void OnDataReceived(base::StringPiece string_piece, base::OnceClosure resume) override; void OnComplete(bool success) override; void OnRetry(base::OnceClosure start_retry) override; void DelegateMessage(const chrome_browser_nearby_sharing_instantmessaging:: ReceiveMessagesResponse& response); // StreamParser callbacks: void OnFastPathReady(); void OnMessageReceived(const std::string& message); // This method will cause the object to shut down its mojo pipe // and self destruct. After calling, this object may no longer be valid and // no further interactions should be done. void FailSessionAndDestruct(const std::string reason); StartReceivingMessagesCallback start_receiving_messages_callback_; mojo::PendingRemote<sharing::mojom::ReceiveMessagesSession> self_pending_remote_; mojo::Remote<sharing::mojom::IncomingMessagesListener> incoming_messages_listener_; TokenFetcher token_fetcher_; scoped_refptr<network::SharedURLLoaderFactory> url_loader_factory_; std::unique_ptr<network::SimpleURLLoader> url_loader_; StreamParser stream_parser_; base::OneShotTimer fast_path_ready_timeout_timer_; std::string request_id_; SEQUENCE_CHECKER(sequence_checker_); base::WeakPtrFactory<ReceiveMessagesExpress> weak_ptr_factory_{this}; }; #endif // CHROME_BROWSER_NEARBY_SHARING_INSTANTMESSAGING_RECEIVE_MESSAGES_EXPRESS_H_
{ "content_hash": "a427e412d3fc575c97ed4a643cf6112e", "timestamp": "", "source": "github", "line_count": 94, "max_line_length": 85, "avg_line_length": 38.57446808510638, "alnum_prop": 0.7603419746276889, "repo_name": "chromium/chromium", "id": "eba1a73a9dd6b696850a0ff796e235881cea30fb", "size": "4626", "binary": false, "copies": "5", "ref": "refs/heads/main", "path": "chrome/browser/nearby_sharing/instantmessaging/receive_messages_express.h", "mode": "33188", "license": "bsd-3-clause", "language": [], "symlink_target": "" }
PROTOBUF_NAMESPACE_OPEN class DurationDefaultTypeInternal { public: ::PROTOBUF_NAMESPACE_ID::internal::ExplicitlyConstructed<Duration> _instance; } _Duration_default_instance_; PROTOBUF_NAMESPACE_CLOSE static void InitDefaultsscc_info_Duration_google_2fprotobuf_2fduration_2eproto() { GOOGLE_PROTOBUF_VERIFY_VERSION; { void* ptr = &PROTOBUF_NAMESPACE_ID::_Duration_default_instance_; new (ptr) PROTOBUF_NAMESPACE_ID::Duration(); ::PROTOBUF_NAMESPACE_ID::internal::OnShutdownDestroyMessage(ptr); } } PROTOBUF_EXPORT ::PROTOBUF_NAMESPACE_ID::internal::SCCInfo<0> scc_info_Duration_google_2fprotobuf_2fduration_2eproto = {{ATOMIC_VAR_INIT(::PROTOBUF_NAMESPACE_ID::internal::SCCInfoBase::kUninitialized), 0, 0, InitDefaultsscc_info_Duration_google_2fprotobuf_2fduration_2eproto}, {}}; static ::PROTOBUF_NAMESPACE_ID::Metadata file_level_metadata_google_2fprotobuf_2fduration_2eproto[1]; static constexpr ::PROTOBUF_NAMESPACE_ID::EnumDescriptor const** file_level_enum_descriptors_google_2fprotobuf_2fduration_2eproto = nullptr; static constexpr ::PROTOBUF_NAMESPACE_ID::ServiceDescriptor const** file_level_service_descriptors_google_2fprotobuf_2fduration_2eproto = nullptr; const ::PROTOBUF_NAMESPACE_ID::uint32 TableStruct_google_2fprotobuf_2fduration_2eproto::offsets[] PROTOBUF_SECTION_VARIABLE(protodesc_cold) = { ~0u, // no _has_bits_ PROTOBUF_FIELD_OFFSET(PROTOBUF_NAMESPACE_ID::Duration, _internal_metadata_), ~0u, // no _extensions_ ~0u, // no _oneof_case_ ~0u, // no _weak_field_map_ PROTOBUF_FIELD_OFFSET(PROTOBUF_NAMESPACE_ID::Duration, seconds_), PROTOBUF_FIELD_OFFSET(PROTOBUF_NAMESPACE_ID::Duration, nanos_), }; static const ::PROTOBUF_NAMESPACE_ID::internal::MigrationSchema schemas[] PROTOBUF_SECTION_VARIABLE(protodesc_cold) = { { 0, -1, sizeof(PROTOBUF_NAMESPACE_ID::Duration)}, }; static ::PROTOBUF_NAMESPACE_ID::Message const * const file_default_instances[] = { reinterpret_cast<const ::PROTOBUF_NAMESPACE_ID::Message*>(&PROTOBUF_NAMESPACE_ID::_Duration_default_instance_), }; const char descriptor_table_protodef_google_2fprotobuf_2fduration_2eproto[] PROTOBUF_SECTION_VARIABLE(protodesc_cold) = "\n\036google/protobuf/duration.proto\022\017google" ".protobuf\"*\n\010Duration\022\017\n\007seconds\030\001 \001(\003\022\r" "\n\005nanos\030\002 \001(\005B\203\001\n\023com.google.protobufB\rD" "urationProtoP\001Z1google.golang.org/protob" "uf/types/known/durationpb\370\001\001\242\002\003GPB\252\002\036Goo" "gle.Protobuf.WellKnownTypesb\006proto3" ; static const ::PROTOBUF_NAMESPACE_ID::internal::DescriptorTable*const descriptor_table_google_2fprotobuf_2fduration_2eproto_deps[1] = { }; static ::PROTOBUF_NAMESPACE_ID::internal::SCCInfoBase*const descriptor_table_google_2fprotobuf_2fduration_2eproto_sccs[1] = { &scc_info_Duration_google_2fprotobuf_2fduration_2eproto.base, }; static ::PROTOBUF_NAMESPACE_ID::internal::once_flag descriptor_table_google_2fprotobuf_2fduration_2eproto_once; const ::PROTOBUF_NAMESPACE_ID::internal::DescriptorTable descriptor_table_google_2fprotobuf_2fduration_2eproto = { false, false, descriptor_table_protodef_google_2fprotobuf_2fduration_2eproto, "google/protobuf/duration.proto", 235, &descriptor_table_google_2fprotobuf_2fduration_2eproto_once, descriptor_table_google_2fprotobuf_2fduration_2eproto_sccs, descriptor_table_google_2fprotobuf_2fduration_2eproto_deps, 1, 0, schemas, file_default_instances, TableStruct_google_2fprotobuf_2fduration_2eproto::offsets, file_level_metadata_google_2fprotobuf_2fduration_2eproto, 1, file_level_enum_descriptors_google_2fprotobuf_2fduration_2eproto, file_level_service_descriptors_google_2fprotobuf_2fduration_2eproto, }; // Force running AddDescriptors() at dynamic initialization time. static bool dynamic_init_dummy_google_2fprotobuf_2fduration_2eproto = (static_cast<void>(::PROTOBUF_NAMESPACE_ID::internal::AddDescriptors(&descriptor_table_google_2fprotobuf_2fduration_2eproto)), true); PROTOBUF_NAMESPACE_OPEN // =================================================================== class Duration::_Internal { public: }; Duration::Duration(::PROTOBUF_NAMESPACE_ID::Arena* arena) : ::PROTOBUF_NAMESPACE_ID::Message(arena) { SharedCtor(); RegisterArenaDtor(arena); // @@protoc_insertion_point(arena_constructor:google.protobuf.Duration) } Duration::Duration(const Duration& from) : ::PROTOBUF_NAMESPACE_ID::Message() { _internal_metadata_.MergeFrom<::PROTOBUF_NAMESPACE_ID::UnknownFieldSet>(from._internal_metadata_); ::memcpy(&seconds_, &from.seconds_, static_cast<size_t>(reinterpret_cast<char*>(&nanos_) - reinterpret_cast<char*>(&seconds_)) + sizeof(nanos_)); // @@protoc_insertion_point(copy_constructor:google.protobuf.Duration) } void Duration::SharedCtor() { ::memset(reinterpret_cast<char*>(this) + static_cast<size_t>( reinterpret_cast<char*>(&seconds_) - reinterpret_cast<char*>(this)), 0, static_cast<size_t>(reinterpret_cast<char*>(&nanos_) - reinterpret_cast<char*>(&seconds_)) + sizeof(nanos_)); } Duration::~Duration() { // @@protoc_insertion_point(destructor:google.protobuf.Duration) SharedDtor(); _internal_metadata_.Delete<::PROTOBUF_NAMESPACE_ID::UnknownFieldSet>(); } void Duration::SharedDtor() { GOOGLE_DCHECK(GetArena() == nullptr); } void Duration::ArenaDtor(void* object) { Duration* _this = reinterpret_cast< Duration* >(object); (void)_this; } void Duration::RegisterArenaDtor(::PROTOBUF_NAMESPACE_ID::Arena*) { } void Duration::SetCachedSize(int size) const { _cached_size_.Set(size); } const Duration& Duration::default_instance() { ::PROTOBUF_NAMESPACE_ID::internal::InitSCC(&::scc_info_Duration_google_2fprotobuf_2fduration_2eproto.base); return *internal_default_instance(); } void Duration::Clear() { // @@protoc_insertion_point(message_clear_start:google.protobuf.Duration) ::PROTOBUF_NAMESPACE_ID::uint32 cached_has_bits = 0; // Prevent compiler warnings about cached_has_bits being unused (void) cached_has_bits; ::memset(&seconds_, 0, static_cast<size_t>( reinterpret_cast<char*>(&nanos_) - reinterpret_cast<char*>(&seconds_)) + sizeof(nanos_)); _internal_metadata_.Clear<::PROTOBUF_NAMESPACE_ID::UnknownFieldSet>(); } const char* Duration::_InternalParse(const char* ptr, ::PROTOBUF_NAMESPACE_ID::internal::ParseContext* ctx) { #define CHK_(x) if (PROTOBUF_PREDICT_FALSE(!(x))) goto failure while (!ctx->Done(&ptr)) { ::PROTOBUF_NAMESPACE_ID::uint32 tag; ptr = ::PROTOBUF_NAMESPACE_ID::internal::ReadTag(ptr, &tag); CHK_(ptr); switch (tag >> 3) { // int64 seconds = 1; case 1: if (PROTOBUF_PREDICT_TRUE(static_cast<::PROTOBUF_NAMESPACE_ID::uint8>(tag) == 8)) { seconds_ = ::PROTOBUF_NAMESPACE_ID::internal::ReadVarint64(&ptr); CHK_(ptr); } else goto handle_unusual; continue; // int32 nanos = 2; case 2: if (PROTOBUF_PREDICT_TRUE(static_cast<::PROTOBUF_NAMESPACE_ID::uint8>(tag) == 16)) { nanos_ = ::PROTOBUF_NAMESPACE_ID::internal::ReadVarint64(&ptr); CHK_(ptr); } else goto handle_unusual; continue; default: { handle_unusual: if ((tag & 7) == 4 || tag == 0) { ctx->SetLastTag(tag); goto success; } ptr = UnknownFieldParse(tag, _internal_metadata_.mutable_unknown_fields<::PROTOBUF_NAMESPACE_ID::UnknownFieldSet>(), ptr, ctx); CHK_(ptr != nullptr); continue; } } // switch } // while success: return ptr; failure: ptr = nullptr; goto success; #undef CHK_ } ::PROTOBUF_NAMESPACE_ID::uint8* Duration::_InternalSerialize( ::PROTOBUF_NAMESPACE_ID::uint8* target, ::PROTOBUF_NAMESPACE_ID::io::EpsCopyOutputStream* stream) const { // @@protoc_insertion_point(serialize_to_array_start:google.protobuf.Duration) ::PROTOBUF_NAMESPACE_ID::uint32 cached_has_bits = 0; (void) cached_has_bits; // int64 seconds = 1; if (this->seconds() != 0) { target = stream->EnsureSpace(target); target = ::PROTOBUF_NAMESPACE_ID::internal::WireFormatLite::WriteInt64ToArray(1, this->_internal_seconds(), target); } // int32 nanos = 2; if (this->nanos() != 0) { target = stream->EnsureSpace(target); target = ::PROTOBUF_NAMESPACE_ID::internal::WireFormatLite::WriteInt32ToArray(2, this->_internal_nanos(), target); } if (PROTOBUF_PREDICT_FALSE(_internal_metadata_.have_unknown_fields())) { target = ::PROTOBUF_NAMESPACE_ID::internal::WireFormat::InternalSerializeUnknownFieldsToArray( _internal_metadata_.unknown_fields<::PROTOBUF_NAMESPACE_ID::UnknownFieldSet>(::PROTOBUF_NAMESPACE_ID::UnknownFieldSet::default_instance), target, stream); } // @@protoc_insertion_point(serialize_to_array_end:google.protobuf.Duration) return target; } size_t Duration::ByteSizeLong() const { // @@protoc_insertion_point(message_byte_size_start:google.protobuf.Duration) size_t total_size = 0; ::PROTOBUF_NAMESPACE_ID::uint32 cached_has_bits = 0; // Prevent compiler warnings about cached_has_bits being unused (void) cached_has_bits; // int64 seconds = 1; if (this->seconds() != 0) { total_size += 1 + ::PROTOBUF_NAMESPACE_ID::internal::WireFormatLite::Int64Size( this->_internal_seconds()); } // int32 nanos = 2; if (this->nanos() != 0) { total_size += 1 + ::PROTOBUF_NAMESPACE_ID::internal::WireFormatLite::Int32Size( this->_internal_nanos()); } if (PROTOBUF_PREDICT_FALSE(_internal_metadata_.have_unknown_fields())) { return ::PROTOBUF_NAMESPACE_ID::internal::ComputeUnknownFieldsSize( _internal_metadata_, total_size, &_cached_size_); } int cached_size = ::PROTOBUF_NAMESPACE_ID::internal::ToCachedSize(total_size); SetCachedSize(cached_size); return total_size; } void Duration::MergeFrom(const ::PROTOBUF_NAMESPACE_ID::Message& from) { // @@protoc_insertion_point(generalized_merge_from_start:google.protobuf.Duration) GOOGLE_DCHECK_NE(&from, this); const Duration* source = ::PROTOBUF_NAMESPACE_ID::DynamicCastToGenerated<Duration>( &from); if (source == nullptr) { // @@protoc_insertion_point(generalized_merge_from_cast_fail:google.protobuf.Duration) ::PROTOBUF_NAMESPACE_ID::internal::ReflectionOps::Merge(from, this); } else { // @@protoc_insertion_point(generalized_merge_from_cast_success:google.protobuf.Duration) MergeFrom(*source); } } void Duration::MergeFrom(const Duration& from) { // @@protoc_insertion_point(class_specific_merge_from_start:google.protobuf.Duration) GOOGLE_DCHECK_NE(&from, this); _internal_metadata_.MergeFrom<::PROTOBUF_NAMESPACE_ID::UnknownFieldSet>(from._internal_metadata_); ::PROTOBUF_NAMESPACE_ID::uint32 cached_has_bits = 0; (void) cached_has_bits; if (from.seconds() != 0) { _internal_set_seconds(from._internal_seconds()); } if (from.nanos() != 0) { _internal_set_nanos(from._internal_nanos()); } } void Duration::CopyFrom(const ::PROTOBUF_NAMESPACE_ID::Message& from) { // @@protoc_insertion_point(generalized_copy_from_start:google.protobuf.Duration) if (&from == this) return; Clear(); MergeFrom(from); } void Duration::CopyFrom(const Duration& from) { // @@protoc_insertion_point(class_specific_copy_from_start:google.protobuf.Duration) if (&from == this) return; Clear(); MergeFrom(from); } bool Duration::IsInitialized() const { return true; } void Duration::InternalSwap(Duration* other) { using std::swap; _internal_metadata_.Swap<::PROTOBUF_NAMESPACE_ID::UnknownFieldSet>(&other->_internal_metadata_); ::PROTOBUF_NAMESPACE_ID::internal::memswap< PROTOBUF_FIELD_OFFSET(Duration, nanos_) + sizeof(Duration::nanos_) - PROTOBUF_FIELD_OFFSET(Duration, seconds_)>( reinterpret_cast<char*>(&seconds_), reinterpret_cast<char*>(&other->seconds_)); } ::PROTOBUF_NAMESPACE_ID::Metadata Duration::GetMetadata() const { return GetMetadataStatic(); } // @@protoc_insertion_point(namespace_scope) PROTOBUF_NAMESPACE_CLOSE PROTOBUF_NAMESPACE_OPEN template<> PROTOBUF_NOINLINE PROTOBUF_NAMESPACE_ID::Duration* Arena::CreateMaybeMessage< PROTOBUF_NAMESPACE_ID::Duration >(Arena* arena) { return Arena::CreateMessageInternal< PROTOBUF_NAMESPACE_ID::Duration >(arena); } PROTOBUF_NAMESPACE_CLOSE // @@protoc_insertion_point(global_scope) #include <google/protobuf/port_undef.inc>
{ "content_hash": "26ac74faf902627694f78a2bdb09fe31", "timestamp": "", "source": "github", "line_count": 304, "max_line_length": 203, "avg_line_length": 40.848684210526315, "alnum_prop": 0.7122725076501852, "repo_name": "ric2b/Vivaldi-browser", "id": "0214d08065037fc20d711ac1133efc3488e88af8", "size": "12980", "binary": false, "copies": "2", "ref": "refs/heads/master", "path": "chromium/third_party/protobuf/src/google/protobuf/duration.pb.cc", "mode": "33188", "license": "bsd-3-clause", "language": [], "symlink_target": "" }
""" Offset Codebook (OCB) mode. OCB is Authenticated Encryption with Associated Data (AEAD) cipher mode designed by Prof. Phillip Rogaway and specified in `RFC7253`_. The algorithm provides both authenticity and privacy, it is very efficient, it uses only one key and it can be used in online mode (so that encryption or decryption can start before the end of the message is available). This module implements the third and last variant of OCB (OCB3) and it only works in combination with a 128-bit block symmetric cipher, like AES. OCB is patented in US but `free licenses`_ exist for software implementations meant for non-military purposes. Example: >>> from Cryptodome.Cipher import AES >>> from Cryptodome.Random import get_random_bytes >>> >>> key = get_random_bytes(32) >>> cipher = AES.new(key, AES.MODE_OCB) >>> plaintext = b"Attack at dawn" >>> ciphertext, mac = cipher.encrypt_and_digest(plaintext) >>> # Deliver cipher.nonce, ciphertext and mac ... >>> cipher = AES.new(key, AES.MODE_OCB, nonce=nonce) >>> try: >>> plaintext = cipher.decrypt_and_verify(ciphertext, mac) >>> except ValueError: >>> print "Invalid message" >>> else: >>> print plaintext :undocumented: __package__ .. _RFC7253: http://www.rfc-editor.org/info/rfc7253 .. _free licenses: http://web.cs.ucdavis.edu/~rogaway/ocb/license.htm """ from Cryptodome.Util.py3compat import b, bord, bchr, unhexlify from Cryptodome.Util.number import long_to_bytes, bytes_to_long from Cryptodome.Util.strxor import strxor from Cryptodome.Hash import BLAKE2s from Cryptodome.Random import get_random_bytes from Cryptodome.Util._raw_api import (load_pycryptodome_raw_lib, VoidPointer, create_string_buffer, get_raw_buffer, SmartPointer, c_size_t, expect_byte_string, ) _raw_ocb_lib = load_pycryptodome_raw_lib("Cryptodome.Cipher._raw_ocb", """ int OCB_start_operation(void *cipher, const uint8_t *offset_0, size_t offset_0_len, void **pState); int OCB_encrypt(void *state, const uint8_t *in, uint8_t *out, size_t data_len); int OCB_decrypt(void *state, const uint8_t *in, uint8_t *out, size_t data_len); int OCB_update(void *state, const uint8_t *in, size_t data_len); int OCB_digest(void *state, uint8_t *tag, size_t tag_len); int OCB_stop_operation(void *state); """) class OcbMode(object): """Offset Codebook (OCB) mode. :undocumented: __init__ """ def __init__(self, factory, nonce, mac_len, cipher_params): if factory.block_size != 16: raise ValueError("OCB mode is only available for ciphers" " that operate on 128 bits blocks") self.block_size = 16 """The block size of the underlying cipher, in bytes.""" self.nonce = nonce """Nonce used for this session.""" if len(nonce) not in range(1, 16): raise ValueError("Nonce must be at most 15 bytes long") self._mac_len = mac_len if not 8 <= mac_len <= 16: raise ValueError("MAC tag must be between 8 and 16 bytes long") # Cache for MAC tag self._mac_tag = None # Cache for unaligned associated data self._cache_A = b("") # Cache for unaligned ciphertext/plaintext self._cache_P = b("") # Allowed transitions after initialization self._next = [self.update, self.encrypt, self.decrypt, self.digest, self.verify] # Compute Offset_0 params_without_key = dict(cipher_params) key = params_without_key.pop("key") nonce = (bchr(self._mac_len << 4 & 0xFF) + bchr(0) * (14 - len(self.nonce)) + bchr(1) + self.nonce) bottom = bord(nonce[15]) & 0x3F # 6 bits, 0..63 ktop = factory.new(key, factory.MODE_ECB, **params_without_key)\ .encrypt(nonce[:15] + bchr(bord(nonce[15]) & 0xC0)) stretch = ktop + strxor(ktop[:8], ktop[1:9]) # 192 bits offset_0 = long_to_bytes(bytes_to_long(stretch) >> (64 - bottom), 24)[8:] # Create low-level cipher instance raw_cipher = factory._create_base_cipher(cipher_params) if cipher_params: raise TypeError("Unknown keywords: " + str(cipher_params)) self._state = VoidPointer() result = _raw_ocb_lib.OCB_start_operation(raw_cipher.get(), offset_0, c_size_t(len(offset_0)), self._state.address_of()) if result: raise ValueError("Error %d while instantiating the OCB mode" % result) # Ensure that object disposal of this Python object will (eventually) # free the memory allocated by the raw library for the cipher mode self._state = SmartPointer(self._state.get(), _raw_ocb_lib.OCB_stop_operation) # Memory allocated for the underlying block cipher is now owed # by the cipher mode raw_cipher.release() def _update(self, assoc_data, assoc_data_len): expect_byte_string(assoc_data) result = _raw_ocb_lib.OCB_update(self._state.get(), assoc_data, c_size_t(assoc_data_len)) if result: raise ValueError("Error %d while MAC-ing in OCB mode" % result) def update(self, assoc_data): """Process the associated data. If there is any associated data, the caller has to invoke this method one or more times, before using ``decrypt`` or ``encrypt``. By *associated data* it is meant any data (e.g. packet headers) that will not be encrypted and will be transmitted in the clear. However, the receiver shall still able to detect modifications. If there is no associated data, this method must not be called. The caller may split associated data in segments of any size, and invoke this method multiple times, each time with the next segment. :Parameters: assoc_data : byte string A piece of associated data. """ if self.update not in self._next: raise TypeError("update() can only be called" " immediately after initialization") self._next = [self.encrypt, self.decrypt, self.digest, self.verify, self.update] if len(self._cache_A) > 0: filler = min(16 - len(self._cache_A), len(assoc_data)) self._cache_A += assoc_data[:filler] assoc_data = assoc_data[filler:] if len(self._cache_A) < 16: return self # Clear the cache, and proceeding with any other aligned data self._cache_A, seg = b(""), self._cache_A self.update(seg) update_len = len(assoc_data) // 16 * 16 self._cache_A = assoc_data[update_len:] self._update(assoc_data, update_len) return self def _transcrypt_aligned(self, in_data, in_data_len, trans_func, trans_desc): out_data = create_string_buffer(in_data_len) result = trans_func(self._state.get(), in_data, out_data, c_size_t(in_data_len)) if result: raise ValueError("Error %d while %sing in OCB mode" % (result, trans_desc)) return get_raw_buffer(out_data) def _transcrypt(self, in_data, trans_func, trans_desc): # Last piece to encrypt/decrypt if in_data is None: out_data = self._transcrypt_aligned(self._cache_P, len(self._cache_P), trans_func, trans_desc) self._cache_P = b("") return out_data # Try to fill up the cache, if it already contains something expect_byte_string(in_data) prefix = b("") if len(self._cache_P) > 0: filler = min(16 - len(self._cache_P), len(in_data)) self._cache_P += in_data[:filler] in_data = in_data[filler:] if len(self._cache_P) < 16: # We could not manage to fill the cache, so there is certainly # no output yet. return b("") # Clear the cache, and proceeding with any other aligned data prefix = self._transcrypt_aligned(self._cache_P, len(self._cache_P), trans_func, trans_desc) self._cache_P = b("") # Process data in multiples of the block size trans_len = len(in_data) // 16 * 16 result = self._transcrypt_aligned(in_data, trans_len, trans_func, trans_desc) if prefix: result = prefix + result # Left-over self._cache_P = in_data[trans_len:] return result def encrypt(self, plaintext=None): """Encrypt the next piece of plaintext. After the entire plaintext has been passed (but before `digest`), you **must** call this method one last time with no arguments to collect the final piece of ciphertext. If possible, use the method `encrypt_and_digest` instead. :Parameters: plaintext : byte string The next piece of data to encrypt or ``None`` to signify that encryption has finished and that any remaining ciphertext has to be produced. :Return: the ciphertext, as a byte string. Its length may not match the length of the *plaintext*. """ if self.encrypt not in self._next: raise TypeError("encrypt() can only be called after" " initialization or an update()") if plaintext is None: self._next = [self.digest] else: self._next = [self.encrypt] return self._transcrypt(plaintext, _raw_ocb_lib.OCB_encrypt, "encrypt") def decrypt(self, ciphertext=None): """Decrypt the next piece of ciphertext. After the entire ciphertext has been passed (but before `verify`), you **must** call this method one last time with no arguments to collect the remaining piece of plaintext. If possible, use the method `decrypt_and_verify` instead. :Parameters: ciphertext : byte string The next piece of data to decrypt or ``None`` to signify that decryption has finished and that any remaining plaintext has to be produced. :Return: the plaintext, as a byte string. Its length may not match the length of the *ciphertext*. """ if self.decrypt not in self._next: raise TypeError("decrypt() can only be called after" " initialization or an update()") if ciphertext is None: self._next = [self.verify] else: self._next = [self.decrypt] return self._transcrypt(ciphertext, _raw_ocb_lib.OCB_decrypt, "decrypt") def _compute_mac_tag(self): if self._mac_tag is not None: return if self._cache_A: self._update(self._cache_A, len(self._cache_A)) self._cache_A = b("") mac_tag = create_string_buffer(16) result = _raw_ocb_lib.OCB_digest(self._state.get(), mac_tag, c_size_t(len(mac_tag)) ) if result: raise ValueError("Error %d while computing digest in OCB mode" % result) self._mac_tag = get_raw_buffer(mac_tag)[:self._mac_len] def digest(self): """Compute the *binary* MAC tag. Call this method after the final `encrypt` (the one with no arguments) to obtain the MAC tag. The MAC tag is needed by the receiver to determine authenticity of the message. :Return: the MAC, as a byte string. """ if self.digest not in self._next: raise TypeError("digest() cannot be called now for this cipher") assert(len(self._cache_P) == 0) self._next = [self.digest] if self._mac_tag is None: self._compute_mac_tag() return self._mac_tag def hexdigest(self): """Compute the *printable* MAC tag. This method is like `digest`. :Return: the MAC, as a hexadecimal string. """ return "".join(["%02x" % bord(x) for x in self.digest()]) def verify(self, received_mac_tag): """Validate the *binary* MAC tag. Call this method after the final `decrypt` (the one with no arguments) to check if the message is authentic and valid. :Parameters: received_mac_tag : byte string This is the *binary* MAC, as received from the sender. :Raises ValueError: if the MAC does not match. The message has been tampered with or the key is incorrect. """ if self.verify not in self._next: raise TypeError("verify() cannot be called now for this cipher") assert(len(self._cache_P) == 0) self._next = [self.verify] if self._mac_tag is None: self._compute_mac_tag() secret = get_random_bytes(16) mac1 = BLAKE2s.new(digest_bits=160, key=secret, data=self._mac_tag) mac2 = BLAKE2s.new(digest_bits=160, key=secret, data=received_mac_tag) if mac1.digest() != mac2.digest(): raise ValueError("MAC check failed") def hexverify(self, hex_mac_tag): """Validate the *printable* MAC tag. This method is like `verify`. :Parameters: hex_mac_tag : string This is the *printable* MAC, as received from the sender. :Raises ValueError: if the MAC does not match. The message has been tampered with or the key is incorrect. """ self.verify(unhexlify(hex_mac_tag)) def encrypt_and_digest(self, plaintext): """Encrypt the message and create the MAC tag in one step. :Parameters: plaintext : byte string The entire message to encrypt. :Return: a tuple with two byte strings: - the encrypted data - the MAC """ return self.encrypt(plaintext) + self.encrypt(), self.digest() def decrypt_and_verify(self, ciphertext, received_mac_tag): """Decrypted the message and verify its authenticity in one step. :Parameters: ciphertext : byte string The entire message to decrypt. received_mac_tag : byte string This is the *binary* MAC, as received from the sender. :Return: the decrypted data (byte string). :Raises ValueError: if the MAC does not match. The message has been tampered with or the key is incorrect. """ plaintext = self.decrypt(ciphertext) + self.decrypt() self.verify(received_mac_tag) return plaintext def _create_ocb_cipher(factory, **kwargs): """Create a new block cipher, configured in OCB mode. :Parameters: factory : module A symmetric cipher module from `Cryptodome.Cipher` (like `Cryptodome.Cipher.AES`). :Keywords: nonce : byte string A value that must never be reused for any other encryption. Its length can vary from 1 to 15 bytes. If not specified, a random 15 bytes long nonce is generated. mac_len : integer Length of the MAC, in bytes. It must be in the range ``[8..16]``. The default is 16 (128 bits). Any other keyword will be passed to the underlying block cipher. See the relevant documentation for details (at least ``key`` will need to be present). """ try: nonce = kwargs.pop("nonce", None) if nonce is None: nonce = get_random_bytes(15) mac_len = kwargs.pop("mac_len", 16) except KeyError, e: raise TypeError("Keyword missing: " + str(e)) return OcbMode(factory, nonce, mac_len, kwargs)
{ "content_hash": "73bd4e0655e650cf25619ba93ece2238", "timestamp": "", "source": "github", "line_count": 486, "max_line_length": 80, "avg_line_length": 37.62139917695473, "alnum_prop": 0.5229162108947714, "repo_name": "chronicwaffle/PokemonGo-DesktopMap", "id": "f40871dbef3da83f15d951df73c6c25981303c8a", "size": "19825", "binary": false, "copies": "2", "ref": "refs/heads/master", "path": "app/pylibs/win32/Cryptodome/Cipher/_mode_ocb.py", "mode": "33261", "license": "mit", "language": [ { "name": "HTML", "bytes": "29260" }, { "name": "JavaScript", "bytes": "52980" }, { "name": "Python", "bytes": "11998498" }, { "name": "Shell", "bytes": "4097" } ], "symlink_target": "" }
package org.apache.predictionio.controller import org.apache.predictionio.core.BasePreparator import org.apache.spark.SparkContext /** Base class of a parallel preparator. * * A parallel preparator can be run in parallel on a cluster and produces a * prepared data that is distributed across a cluster. * * @tparam TD Training data class. * @tparam PD Prepared data class. * @group Preparator */ abstract class PPreparator[TD, PD] extends BasePreparator[TD, PD] { override def prepareBase(sc: SparkContext, td: TD): PD = { prepare(sc, td) } /** Implement this method to produce prepared data that is ready for model * training. * * @param sc An Apache Spark context. * @param trainingData Training data to be prepared. */ def prepare(sc: SparkContext, trainingData: TD): PD }
{ "content_hash": "970bb4dd60c1ae21cac769122d939dc4", "timestamp": "", "source": "github", "line_count": 32, "max_line_length": 76, "avg_line_length": 26.03125, "alnum_prop": 0.7118847539015606, "repo_name": "shimamoto/incubator-predictionio", "id": "cec959187c3cf671708b5cac07d82a4b07534a5f", "size": "1633", "binary": false, "copies": "4", "ref": "refs/heads/develop", "path": "core/src/main/scala/org/apache/predictionio/controller/PPreparator.scala", "mode": "33188", "license": "apache-2.0", "language": [ { "name": "HTML", "bytes": "8349" }, { "name": "Java", "bytes": "8118" }, { "name": "Python", "bytes": "44156" }, { "name": "Scala", "bytes": "999750" }, { "name": "Shell", "bytes": "128463" } ], "symlink_target": "" }
>>> project = Project(sample("projects", "resource-flags")) Operation defined with only `foo` flag: >>> project.run("flag") hello flag --foo 123 Operation defined with only `foo` resource: >>> project.run("resource") Resolving foo dependency hello resource Run files: >>> project.ls() ['foo.txt'] We can use the resource flag name to specify a different resoure source. >>> project.run("resource", flags={"foo": "bar.txt"}) Resolving foo dependency Using bar.txt for foo resource hello resource --foo bar.txt >>> project.ls() ['bar.txt'] Operation defined with both flag and resource named `foo`: >>> project.run("flag-and-resource") Resolving foo dependency guild: run failed because a dependency was not met: could not resolve 'file:foo.txt' in foo resource: .../resource-flags/123 does not exist <exit 1> Note that the flag default `123` took precedence over the resource default. We can set the flag howerver. >>> project.run("flag-and-resource", flags={"foo": "foo.txt"}) Resolving foo dependency Using foo.txt for foo resource hello flag-and-resource --foo foo.txt >>> project.ls() ['foo.txt'] Operation that requires a `flag` run: >>> project.run("requires-flag") Resolving flag dependency Using run ... for flag resource hello requires-flag `required-flag` operation requires the `flag` operation, which doesn't provide any files to resolve. When we resolve the dependency, we get a warning message. Note that the `flag` argument was not included. We can use the `flag` flag name to specify a different run. In this case we'll specify an invalid run ID. >>> project.run("requires-flag", flags={"flag": "invalid"}) WARNING: cannot find a suitable run for required resource 'flag' Resolving flag dependency guild: run failed because a dependency was not met: could not resolve 'operation:flag' in flag resource: no suitable run for flag <exit 1> The operation `requires-flag-2` defines a flag named `flag`, which is the same as the resource name. In this case, the flag assumes the role of the interface to the resource run ID. >>> project.run("requires-flag-2") Resolving flag dependency Using run ... for flag resource hello requires-flag-2 --flag ... Note in this case the flag is included in the args because it's defined as a flag. `requires-flag-3` is like `requires-flag` but redefined the flag name used for the resource. >>> project.run("requires-flag-3") Resolving foo dependency Using run ... for foo resource hello requires-flag-3 >>> project.run("requires-flag-3", flags={"foo": "invalid"}) WARNING: cannot find a suitable run for required resource 'foo' Resolving foo dependency guild: run failed because a dependency was not met: could not resolve 'operation:flag' in foo resource: no suitable run for flag <exit 1> Finally, `requires-flag-4` is like `requires-flag-3` but defines a flag with the same name as the resource name. It also includes an invalid default value for the required resource and a rename argument. >>> project.run("requires-flag-4") WARNING: cannot find a suitable run for required resource 'foo' Resolving foo dependency guild: run failed because a dependency was not met: could not resolve 'operation:flag' in foo resource: no suitable run for flag <exit 1> We can force a lookup by setting `foo` to an empty string. >>> project.run("requires-flag-4", {"foo": ""}) Resolving foo dependency Using run ... for foo resource hello requires-flag-4 --FOO ... Note that the argument `--FOO` is provided as specified by the `foo` flag def for the operation.
{ "content_hash": "154ca5a66ec65e9d060447923106fd14", "timestamp": "", "source": "github", "line_count": 119, "max_line_length": 73, "avg_line_length": 31.647058823529413, "alnum_prop": 0.6975570897503983, "repo_name": "guildai/guild", "id": "3723dbb3695324588541ea0ae6e411c012a2913f", "size": "3784", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "guild/tests/resource-flags.md", "mode": "33188", "license": "apache-2.0", "language": [ { "name": "HTML", "bytes": "416" }, { "name": "JavaScript", "bytes": "29682" }, { "name": "Makefile", "bytes": "2621" }, { "name": "Python", "bytes": "736181" }, { "name": "Shell", "bytes": "1074" }, { "name": "Vue", "bytes": "48469" } ], "symlink_target": "" }
package com.aspose.cells.cloud.examples.cells; import com.aspose.cells.cloud.examples.Utils; import java.io.IOException; import java.nio.file.Path; public class GetFirstCellWorksheet { public static void main(String... args) throws IOException { String input = "sample1.xlsx"; Path inputFile = Utils.getPath(GetFirstCellWorksheet.class, input); String sheetName = "Sheet1"; String cellOrMethodName = "firstcell"; Utils.getStorageSdk().PutCreate( input, null, Utils.STORAGE, inputFile.toFile() ); com.aspose.cells.model.CellResponse apiResponse = Utils.getCellsSdk().GetWorksheetCell( input, sheetName, cellOrMethodName, Utils.STORAGE, Utils.FOLDER ); com.aspose.cells.model.Cell cell = apiResponse.getCell(); System.out.println("Cell Name :: " + cell.getName()); System.out.println("Cell Value :: " + cell.getValue()); } }
{ "content_hash": "9e44122db5a554ceed879a17283cc985", "timestamp": "", "source": "github", "line_count": 35, "max_line_length": 75, "avg_line_length": 32.371428571428574, "alnum_prop": 0.5622241835834069, "repo_name": "farooqsheikhpk/Aspose.Cells-for-Cloud", "id": "9e58ea01942a3a891e3cbacd82e0b7cd3249a6c2", "size": "1133", "binary": false, "copies": "2", "ref": "refs/heads/master", "path": "Examples/Java/SDK/src/main/java/com/aspose/cells/cloud/examples/cells/GetFirstCellWorksheet.java", "mode": "33188", "license": "mit", "language": [ { "name": "Batchfile", "bytes": "203" }, { "name": "C#", "bytes": "897367" }, { "name": "HTML", "bytes": "110" }, { "name": "Java", "bytes": "993746" }, { "name": "JavaScript", "bytes": "664643" }, { "name": "Objective-C", "bytes": "1142444" }, { "name": "PHP", "bytes": "626745" }, { "name": "Perl", "bytes": "856316" }, { "name": "Python", "bytes": "833397" }, { "name": "Ruby", "bytes": "799033" } ], "symlink_target": "" }
"""Runtime type checking support. For internal use only; no backwards-compatibility guarantees. """ import collections import inspect import sys import types from apache_beam.pvalue import TaggedOutput from apache_beam.transforms.core import DoFn from apache_beam.transforms.window import WindowedValue from apache_beam.typehints.decorators import _check_instance_type from apache_beam.typehints.decorators import getcallargs_forhints from apache_beam.typehints.decorators import GeneratorWrapper from apache_beam.typehints.decorators import TypeCheckError from apache_beam.typehints.typehints import check_constraint from apache_beam.typehints.typehints import CompositeTypeHintError from apache_beam.typehints.typehints import SimpleTypeHintError class AbstractDoFnWrapper(DoFn): """An abstract class to create wrapper around DoFn""" def __init__(self, dofn): super(AbstractDoFnWrapper, self).__init__() self.dofn = dofn def _inspect_start_bundle(self): return self.dofn.get_function_arguments('start_bundle') def _inspect_process(self): return self.dofn.get_function_arguments('process') def _inspect_finish_bundle(self): return self.dofn.get_function_arguments('finish_bundle') def wrapper(self, method, args, kwargs): return method(*args, **kwargs) def start_bundle(self, *args, **kwargs): return self.wrapper(self.dofn.start_bundle, args, kwargs) def process(self, *args, **kwargs): return self.wrapper(self.dofn.process, args, kwargs) def finish_bundle(self, *args, **kwargs): return self.wrapper(self.dofn.finish_bundle, args, kwargs) def is_process_bounded(self): return self.dofn.is_process_bounded() class OutputCheckWrapperDoFn(AbstractDoFnWrapper): """A DoFn that verifies against common errors in the output type.""" def __init__(self, dofn, full_label): super(OutputCheckWrapperDoFn, self).__init__(dofn) self.full_label = full_label def wrapper(self, method, args, kwargs): try: result = method(*args, **kwargs) except TypeCheckError as e: error_msg = ('Runtime type violation detected within ParDo(%s): ' '%s' % (self.full_label, e)) raise TypeCheckError, error_msg, sys.exc_info()[2] else: return self._check_type(result) def _check_type(self, output): if output is None: return output elif isinstance(output, (dict, basestring)): object_type = type(output).__name__ raise TypeCheckError('Returning a %s from a ParDo or FlatMap is ' 'discouraged. Please use list("%s") if you really ' 'want this behavior.' % (object_type, output)) elif not isinstance(output, collections.Iterable): raise TypeCheckError('FlatMap and ParDo must return an ' 'iterable. %s was returned instead.' % type(output)) return output class TypeCheckWrapperDoFn(AbstractDoFnWrapper): """A wrapper around a DoFn which performs type-checking of input and output. """ def __init__(self, dofn, type_hints, label=None): super(TypeCheckWrapperDoFn, self).__init__(dofn) self.dofn = dofn self._process_fn = self.dofn._process_argspec_fn() if type_hints.input_types: input_args, input_kwargs = type_hints.input_types self._input_hints = getcallargs_forhints( self._process_fn, *input_args, **input_kwargs) else: self._input_hints = None # TODO(robertwb): Multi-output. self._output_type_hint = type_hints.simple_output_type(label) def wrapper(self, method, args, kwargs): result = method(*args, **kwargs) return self._type_check_result(result) def process(self, *args, **kwargs): if self._input_hints: actual_inputs = inspect.getcallargs(self._process_fn, *args, **kwargs) for var, hint in self._input_hints.items(): if hint is actual_inputs[var]: # self parameter continue _check_instance_type(hint, actual_inputs[var], var, True) return self._type_check_result(self.dofn.process(*args, **kwargs)) def _type_check_result(self, transform_results): if self._output_type_hint is None or transform_results is None: return transform_results def type_check_output(o): # TODO(robertwb): Multi-output. x = o.value if isinstance(o, (TaggedOutput, WindowedValue)) else o self._type_check(self._output_type_hint, x, is_input=False) # If the return type is a generator, then we will need to interleave our # type-checking with its normal iteration so we don't deplete the # generator initially just by type-checking its yielded contents. if isinstance(transform_results, types.GeneratorType): return GeneratorWrapper(transform_results, type_check_output) for o in transform_results: type_check_output(o) return transform_results def _type_check(self, type_constraint, datum, is_input): """Typecheck a PTransform related datum according to a type constraint. This function is used to optionally type-check either an input or an output to a PTransform. Args: type_constraint: An instance of a typehints.TypeContraint, one of the white-listed builtin Python types, or a custom user class. datum: An instance of a Python object. is_input: True if 'datum' is an input to a PTransform's DoFn. False otherwise. Raises: TypeError: If 'datum' fails to type-check according to 'type_constraint'. """ datum_type = 'input' if is_input else 'output' try: check_constraint(type_constraint, datum) except CompositeTypeHintError as e: raise TypeCheckError, e.message, sys.exc_info()[2] except SimpleTypeHintError: error_msg = ("According to type-hint expected %s should be of type %s. " "Instead, received '%s', an instance of type %s." % (datum_type, type_constraint, datum, type(datum))) raise TypeCheckError, error_msg, sys.exc_info()[2]
{ "content_hash": "9065e85b3c6bdcde370e4fe8a90b58b2", "timestamp": "", "source": "github", "line_count": 163, "max_line_length": 79, "avg_line_length": 37.34969325153374, "alnum_prop": 0.683311432325887, "repo_name": "yk5/beam", "id": "89a5f5c7e2cf2366d15e9bd8b86c31d0aa932395", "size": "6873", "binary": false, "copies": "9", "ref": "refs/heads/master", "path": "sdks/python/apache_beam/typehints/typecheck.py", "mode": "33188", "license": "apache-2.0", "language": [ { "name": "Groovy", "bytes": "50057" }, { "name": "Java", "bytes": "11703716" }, { "name": "Protocol Buffer", "bytes": "55082" }, { "name": "Python", "bytes": "2856021" }, { "name": "Shell", "bytes": "44966" } ], "symlink_target": "" }
#include "sdk_common.h" #if NRF_MODULE_ENABLED(APP_TIMER) #include "app_timer.h" #include <stdlib.h> #include "nrf.h" #include "nrf_soc.h" #include "app_error.h" #include "cmsis_os.h" #include "app_util_platform.h" #define RTC1_IRQ_PRI APP_IRQ_PRIORITY_LOWEST /**< Priority of the RTC1 interrupt. */ #define MAX_RTC_COUNTER_VAL 0x00FFFFFF /**< Maximum value of the RTC counter. */ /**@brief This structure keeps information about osTimer.*/ typedef struct { osTimerDef_t timerDef; uint32_t buffer[6]; osTimerId id; }app_timer_info_t; /**@brief Store an array of timers with configuration. */ typedef struct { uint8_t max_timers; /**< The maximum number of timers*/ uint32_t prescaler; app_timer_info_t * app_timers; /**< Pointer to table of timers*/ }app_timer_control_t; app_timer_control_t app_timer_control; /**@brief This structure is defined by RTX. It keeps information about created osTimers. It is used in app_timer_start(). */ typedef struct os_timer_cb_ { struct os_timer_cb_ * next; /**< Pointer to next active Timer */ uint8_t state; /**< Timer State */ uint8_t type; /**< Timer Type (Periodic/One-shot). */ uint16_t reserved; /**< Reserved. */ uint32_t tcnt; /**< Timer Delay Count. */ uint32_t icnt; /**< Timer Initial Count. */ void * arg; /**< Timer Function Argument. */ const osTimerDef_t * timer; /**< Pointer to Timer definition. */ } os_timer_cb; /**@brief This functions are defined by RTX.*/ //lint --save -e10 -e19 -e526 extern osStatus svcTimerStop(osTimerId timer_id); /**< Used in app_timer_stop(). */ extern osStatus svcTimerStart(osTimerId timer_id, uint32_t millisec); /**< Used in app_timer_start(). */ // lint --restore static void * rt_id2obj (void *id) /**< Used in app_timer_start(). This function gives information if osTimerID is valid */ { if ((uint32_t)id & 3U) { return NULL; } #ifdef OS_SECTIONS_LINK_INFO if ((os_section_id$$Base != 0U) && (os_section_id$$Limit != 0U)) { if (id < (void *)os_section_id$$Base) { return NULL; } if (id >= (void *)os_section_id$$Limit) { return NULL; } } #endif return id; } uint32_t app_timer_init(uint32_t prescaler, uint8_t op_queues_size, void * p_buffer, app_timer_evt_schedule_func_t evt_schedule_func) { if (p_buffer == NULL) { return NRF_ERROR_INVALID_PARAM; } app_timer_control.prescaler = prescaler; app_timer_control.app_timers = p_buffer; NVIC_SetPriority(RTC1_IRQn, RTC1_IRQ_PRI); return NRF_SUCCESS; } uint32_t app_timer_create(app_timer_id_t const * p_timer_id, app_timer_mode_t mode, app_timer_timeout_handler_t timeout_handler) { if ((timeout_handler == NULL) || (p_timer_id == NULL)) { return NRF_ERROR_INVALID_PARAM; } app_timer_info_t * p_timer_info = (app_timer_info_t *)*p_timer_id; p_timer_info->timerDef.timer = p_timer_info->buffer; p_timer_info->timerDef.ptimer = (os_ptimer)timeout_handler; p_timer_info->id = osTimerCreate(&(p_timer_info->timerDef), (os_timer_type)mode, NULL); if (p_timer_info->id) return NRF_SUCCESS; else { return NRF_ERROR_INVALID_PARAM; // This error is unspecified by rtx } } #define osTimerRunning 2 uint32_t app_timer_start(app_timer_id_t timer_id, uint32_t timeout_ticks, void * p_context) { if ((timeout_ticks < APP_TIMER_MIN_TIMEOUT_TICKS)) { return NRF_ERROR_INVALID_PARAM; } uint32_t timeout_ms = ((uint32_t)ROUNDED_DIV(timeout_ticks * 1000 * (app_timer_control.prescaler + 1), (uint32_t)APP_TIMER_CLOCK_FREQ)); app_timer_info_t * p_timer_info = (app_timer_info_t *)timer_id; if (rt_id2obj((void *)p_timer_info->id) == NULL) return NRF_ERROR_INVALID_PARAM; // Pass p_context to timer_timeout_handler ((os_timer_cb *)(p_timer_info->id))->arg = p_context; if (((os_timer_cb *)(p_timer_info->id))->state == osTimerRunning) { return NRF_SUCCESS; } // osTimerStart() returns osErrorISR if it is called in interrupt routine. switch (osTimerStart((osTimerId)p_timer_info->id, timeout_ms) ) { case osOK: return NRF_SUCCESS; case osErrorISR: break; case osErrorParameter: return NRF_ERROR_INVALID_PARAM; default: return NRF_ERROR_INVALID_PARAM; } // Start timer without svcCall switch (svcTimerStart((osTimerId)p_timer_info->id, timeout_ms)) { case osOK: return NRF_SUCCESS; case osErrorISR: return NRF_ERROR_INVALID_STATE; case osErrorParameter: return NRF_ERROR_INVALID_PARAM; default: return NRF_ERROR_INVALID_PARAM; } } uint32_t app_timer_stop(app_timer_id_t timer_id) { app_timer_info_t * p_timer_info = (app_timer_info_t *)timer_id; switch (osTimerStop((osTimerId)p_timer_info->id) ) { case osOK: return NRF_SUCCESS; case osErrorISR: break; case osErrorParameter: return NRF_ERROR_INVALID_PARAM; case osErrorResource: return NRF_SUCCESS; default: return NRF_ERROR_INVALID_PARAM; } // Stop timer without svcCall switch (svcTimerStop((osTimerId)p_timer_info->id)) { case osOK: return NRF_SUCCESS; case osErrorISR: return NRF_ERROR_INVALID_STATE; case osErrorParameter: return NRF_ERROR_INVALID_PARAM; case osErrorResource: return NRF_SUCCESS; default: return NRF_ERROR_INVALID_PARAM; } } uint32_t app_timer_stop_all(void) { for (int i = 0; i < app_timer_control.max_timers; i++) { if (app_timer_control.app_timers[i].id) { (void)app_timer_stop((app_timer_id_t)app_timer_control.app_timers[i].id); } } return 0; } extern uint32_t os_tick_val(void); uint32_t app_timer_cnt_get(void) { return os_tick_val(); } uint32_t app_timer_cnt_diff_compute(uint32_t ticks_to, uint32_t ticks_from, uint32_t * p_ticks_diff) { *p_ticks_diff = ((ticks_to - ticks_from) & MAX_RTC_COUNTER_VAL); return NRF_SUCCESS; } #endif //NRF_MODULE_ENABLED(APP_TIMER)
{ "content_hash": "16d3565db170cea769703b7b5e1a0c6a", "timestamp": "", "source": "github", "line_count": 246, "max_line_length": 132, "avg_line_length": 29.46747967479675, "alnum_prop": 0.5400744930335218, "repo_name": "ubi-naist/SenStick", "id": "0cb53cb36bace9ed1a43cc804eb5ca7478988bdf", "size": "7697", "binary": false, "copies": "3", "ref": "refs/heads/master", "path": "nRF5_SDK_12/components/libraries/timer/app_timer_rtx.c", "mode": "33261", "license": "mit", "language": [ { "name": "Assembly", "bytes": "5323578" }, { "name": "Batchfile", "bytes": "162" }, { "name": "C", "bytes": "40454481" }, { "name": "C++", "bytes": "298025" }, { "name": "Makefile", "bytes": "3097585" }, { "name": "Objective-C", "bytes": "182532" }, { "name": "Protocol Buffer", "bytes": "2850" }, { "name": "Ruby", "bytes": "6622" }, { "name": "Shell", "bytes": "9223" }, { "name": "Swift", "bytes": "491578" } ], "symlink_target": "" }
package org.springframework.boot.autoconfigure.info; import java.io.IOException; import java.nio.charset.Charset; import java.util.Properties; import org.springframework.boot.autoconfigure.EnableAutoConfiguration; import org.springframework.boot.autoconfigure.condition.ConditionMessage; import org.springframework.boot.autoconfigure.condition.ConditionOutcome; import org.springframework.boot.autoconfigure.condition.ConditionalOnMissingBean; import org.springframework.boot.autoconfigure.condition.ConditionalOnResource; import org.springframework.boot.autoconfigure.condition.SpringBootCondition; import org.springframework.boot.context.properties.EnableConfigurationProperties; import org.springframework.boot.info.BuildProperties; import org.springframework.boot.info.GitProperties; import org.springframework.context.annotation.Bean; import org.springframework.context.annotation.ConditionContext; import org.springframework.context.annotation.Conditional; import org.springframework.context.annotation.Configuration; import org.springframework.core.env.Environment; import org.springframework.core.io.DefaultResourceLoader; import org.springframework.core.io.Resource; import org.springframework.core.io.ResourceLoader; import org.springframework.core.io.support.EncodedResource; import org.springframework.core.io.support.PropertiesLoaderUtils; import org.springframework.core.type.AnnotatedTypeMetadata; /** * {@link EnableAutoConfiguration Auto-configuration} for various project information. * * @author Stephane Nicoll * @author Madhura Bhave * @since 1.4.0 */ @Configuration @EnableConfigurationProperties(ProjectInfoProperties.class) public class ProjectInfoAutoConfiguration { private final ProjectInfoProperties properties; public ProjectInfoAutoConfiguration(ProjectInfoProperties properties) { this.properties = properties; } @Conditional(GitResourceAvailableCondition.class) @ConditionalOnMissingBean @Bean public GitProperties gitProperties() throws Exception { return new GitProperties(loadFrom(this.properties.getGit().getLocation(), "git", this.properties.getGit().getEncoding())); } @ConditionalOnResource(resources = "${spring.info.build.location:classpath:META-INF/build-info.properties}") @ConditionalOnMissingBean @Bean public BuildProperties buildProperties() throws Exception { return new BuildProperties(loadFrom(this.properties.getBuild().getLocation(), "build", this.properties.getBuild().getEncoding())); } protected Properties loadFrom(Resource location, String prefix, Charset encoding) throws IOException { prefix = prefix.endsWith(".") ? prefix : prefix + "."; Properties source = loadSource(location, encoding); Properties target = new Properties(); for (String key : source.stringPropertyNames()) { if (key.startsWith(prefix)) { target.put(key.substring(prefix.length()), source.get(key)); } } return target; } private Properties loadSource(Resource location, Charset encoding) throws IOException { if (encoding != null) { return PropertiesLoaderUtils .loadProperties(new EncodedResource(location, encoding)); } return PropertiesLoaderUtils.loadProperties(location); } static class GitResourceAvailableCondition extends SpringBootCondition { private final ResourceLoader defaultResourceLoader = new DefaultResourceLoader(); @Override public ConditionOutcome getMatchOutcome(ConditionContext context, AnnotatedTypeMetadata metadata) { ResourceLoader loader = context.getResourceLoader(); loader = (loader != null) ? loader : this.defaultResourceLoader; Environment environment = context.getEnvironment(); String location = environment.getProperty("spring.info.git.location"); if (location == null) { location = "classpath:git.properties"; } ConditionMessage.Builder message = ConditionMessage .forCondition("GitResource"); if (loader.getResource(location).exists()) { return ConditionOutcome .match(message.found("git info at").items(location)); } return ConditionOutcome .noMatch(message.didNotFind("git info at").items(location)); } } }
{ "content_hash": "82fbbce3aa1b4fc2ffe2424474b6c7e5", "timestamp": "", "source": "github", "line_count": 111, "max_line_length": 109, "avg_line_length": 37.306306306306304, "alnum_prop": 0.7973919343153828, "repo_name": "hello2009chen/spring-boot", "id": "aaab2f084cc8b92ae2137896911507a4aa497db3", "size": "4761", "binary": false, "copies": "3", "ref": "refs/heads/master", "path": "spring-boot-project/spring-boot-autoconfigure/src/main/java/org/springframework/boot/autoconfigure/info/ProjectInfoAutoConfiguration.java", "mode": "33188", "license": "apache-2.0", "language": [ { "name": "Batchfile", "bytes": "1948" }, { "name": "CSS", "bytes": "5774" }, { "name": "Groovy", "bytes": "46492" }, { "name": "HTML", "bytes": "70389" }, { "name": "Java", "bytes": "7092425" }, { "name": "JavaScript", "bytes": "37789" }, { "name": "Ruby", "bytes": "1305" }, { "name": "SQLPL", "bytes": "20085" }, { "name": "Shell", "bytes": "8165" }, { "name": "Smarty", "bytes": "3276" }, { "name": "XSLT", "bytes": "33894" } ], "symlink_target": "" }
package org.beigesoft.uml.service.interactive; import org.beigesoft.graphic.model.ISettingsDraw; import org.beigesoft.graphic.service.UtilsGraphMath; import org.beigesoft.uml.assembly.ShapeFullVarious; import org.beigesoft.uml.factory.IFactoryEditorElementUml; import org.beigesoft.uml.pojo.PackageUml; @Deprecated public class SrvInteractivePackageVariousFull<SHF extends ShapeFullVarious<SH>, DRI, SD extends ISettingsDraw, DLI, SH extends PackageUml> extends SrvInteractiveShapeVariousFull<SHF, DRI, SD, DLI, SH> { public SrvInteractivePackageVariousFull(IFactoryEditorElementUml<SHF, DLI> factoryEditorShapeUmlFull, SrvInteractiveShapeUml<SH, DRI, SD> srvInteractiveShapeUml) { super(factoryEditorShapeUmlFull, srvInteractiveShapeUml); } @Override public boolean isContainsScreenPointForManipulate(SHF ge, int x, int y) { double realX = UtilsGraphMath.toRealX(getSrvInteractiveShapeUml().getSrvGraphicShape().getSettingsGraphic(), x); double realY = UtilsGraphMath.toRealY(getSrvInteractiveShapeUml().getSrvGraphicShape().getSettingsGraphic(), y); if(realX >= ge.getShape().getPointStart().getX() && realX <= ge.getShape().getPointStart().getX() + ge.getShape().getWidthHead() && realY >= ge.getShape().getPointStart().getY() && realY <= ge.getShape().getPointStart().getY() + ge.getShape().getHeightHead()) { return true; } if(UtilsGraphMath.isLineContainsPoint(getSrvInteractiveShapeUml().getSrvGraphicShape().getSettingsGraphic(), ge.getShape().getPointStart().getX(), ge.getShape().getPointStart().getY(), ge.getShape().getPointStart().getX() + ge.getShape().getWidth(), ge.getShape().getPointStart().getY(), realX, realY)) { return true; } if(UtilsGraphMath.isLineContainsPoint(getSrvInteractiveShapeUml().getSrvGraphicShape().getSettingsGraphic(), ge.getShape().getPointStart().getX(), ge.getShape().getPointStart().getY() + ge.getShape().getHeight(), ge.getShape().getPointStart().getX() + ge.getShape().getWidth(), ge.getShape().getPointStart().getY() + ge.getShape().getHeight(), realX, realY)) { return true; } if(UtilsGraphMath.isLineContainsPoint(getSrvInteractiveShapeUml().getSrvGraphicShape().getSettingsGraphic(), ge.getShape().getPointStart().getX(), ge.getShape().getPointStart().getY(), ge.getShape().getPointStart().getX(), ge.getShape().getPointStart().getY() + ge.getShape().getHeight(), realX, realY)) { return true; } if(UtilsGraphMath.isLineContainsPoint(getSrvInteractiveShapeUml().getSrvGraphicShape().getSettingsGraphic(), ge.getShape().getPointStart().getX() + ge.getShape().getWidth(), ge.getShape().getPointStart().getY(), ge.getShape().getPointStart().getX() + ge.getShape().getWidth(), ge.getShape().getPointStart().getY() + ge.getShape().getHeight(), realX, realY)) { return true; } return false; } }
{ "content_hash": "141b33b02554fe958bf78a9c106955b9", "timestamp": "", "source": "github", "line_count": 48, "max_line_length": 178, "avg_line_length": 61.104166666666664, "alnum_prop": 0.7265598363450392, "repo_name": "demidenko05/beige-uml", "id": "2e257191211eb0eecc8856c50b732c88f6c258a8", "size": "2933", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "beige-uml-base/src/main/java/org/beigesoft/uml/service/interactive/SrvInteractivePackageVariousFull.java", "mode": "33188", "license": "apache-2.0", "language": [ { "name": "Java", "bytes": "2328966" }, { "name": "Shell", "bytes": "723" } ], "symlink_target": "" }
namespace google { using protobuf_unittest::TestAllTypes; namespace protobuf { namespace { // Test operations on a small RepeatedField. TEST(RepeatedField, Small) { RepeatedField<int> field; EXPECT_TRUE(field.empty()); EXPECT_EQ(field.size(), 0); field.Add(5); EXPECT_FALSE(field.empty()); EXPECT_EQ(field.size(), 1); EXPECT_EQ(field.Get(0), 5); field.Add(42); EXPECT_FALSE(field.empty()); EXPECT_EQ(field.size(), 2); EXPECT_EQ(field.Get(0), 5); EXPECT_EQ(field.Get(1), 42); field.Set(1, 23); EXPECT_FALSE(field.empty()); EXPECT_EQ(field.size(), 2); EXPECT_EQ(field.Get(0), 5); EXPECT_EQ(field.Get(1), 23); field.RemoveLast(); EXPECT_FALSE(field.empty()); EXPECT_EQ(field.size(), 1); EXPECT_EQ(field.Get(0), 5); field.Clear(); EXPECT_TRUE(field.empty()); EXPECT_EQ(field.size(), 0); // Additional bytes are for 'struct Rep' header. int expected_usage = 4 * sizeof(int) + sizeof(Arena*); EXPECT_EQ(field.SpaceUsedExcludingSelf(), expected_usage); } // Test operations on a RepeatedField which is large enough to allocate a // separate array. TEST(RepeatedField, Large) { RepeatedField<int> field; for (int i = 0; i < 16; i++) { field.Add(i * i); } EXPECT_FALSE(field.empty()); EXPECT_EQ(field.size(), 16); for (int i = 0; i < 16; i++) { EXPECT_EQ(field.Get(i), i * i); } int expected_usage = 16 * sizeof(int); EXPECT_GE(field.SpaceUsedExcludingSelf(), expected_usage); } // Test swapping between various types of RepeatedFields. TEST(RepeatedField, SwapSmallSmall) { RepeatedField<int> field1; RepeatedField<int> field2; field1.Add(5); field1.Add(42); EXPECT_FALSE(field1.empty()); EXPECT_EQ(field1.size(), 2); EXPECT_EQ(field1.Get(0), 5); EXPECT_EQ(field1.Get(1), 42); EXPECT_TRUE(field2.empty()); EXPECT_EQ(field2.size(), 0); field1.Swap(&field2); EXPECT_TRUE(field1.empty()); EXPECT_EQ(field1.size(), 0); EXPECT_FALSE(field2.empty()); EXPECT_EQ(field2.size(), 2); EXPECT_EQ(field2.Get(0), 5); EXPECT_EQ(field2.Get(1), 42); } TEST(RepeatedField, SwapLargeSmall) { RepeatedField<int> field1; RepeatedField<int> field2; for (int i = 0; i < 16; i++) { field1.Add(i * i); } field2.Add(5); field2.Add(42); field1.Swap(&field2); EXPECT_EQ(field1.size(), 2); EXPECT_EQ(field1.Get(0), 5); EXPECT_EQ(field1.Get(1), 42); EXPECT_EQ(field2.size(), 16); for (int i = 0; i < 16; i++) { EXPECT_EQ(field2.Get(i), i * i); } } TEST(RepeatedField, SwapLargeLarge) { RepeatedField<int> field1; RepeatedField<int> field2; field1.Add(5); field1.Add(42); for (int i = 0; i < 16; i++) { field1.Add(i); field2.Add(i * i); } field2.Swap(&field1); EXPECT_EQ(field1.size(), 16); for (int i = 0; i < 16; i++) { EXPECT_EQ(field1.Get(i), i * i); } EXPECT_EQ(field2.size(), 18); EXPECT_EQ(field2.Get(0), 5); EXPECT_EQ(field2.Get(1), 42); for (int i = 2; i < 18; i++) { EXPECT_EQ(field2.Get(i), i - 2); } } // Determines how much space was reserved by the given field by adding elements // to it until it re-allocates its space. static int ReservedSpace(RepeatedField<int>* field) { const int* ptr = field->data(); do { field->Add(0); } while (field->data() == ptr); return field->size() - 1; } TEST(RepeatedField, ReserveMoreThanDouble) { // Reserve more than double the previous space in the field and expect the // field to reserve exactly the amount specified. RepeatedField<int> field; field.Reserve(20); EXPECT_EQ(20, ReservedSpace(&field)); } TEST(RepeatedField, ReserveLessThanDouble) { // Reserve less than double the previous space in the field and expect the // field to grow by double instead. RepeatedField<int> field; field.Reserve(20); field.Reserve(30); EXPECT_EQ(40, ReservedSpace(&field)); } TEST(RepeatedField, ReserveLessThanExisting) { // Reserve less than the previous space in the field and expect the // field to not re-allocate at all. RepeatedField<int> field; field.Reserve(20); const int* previous_ptr = field.data(); field.Reserve(10); EXPECT_EQ(previous_ptr, field.data()); EXPECT_EQ(20, ReservedSpace(&field)); } TEST(RepeatedField, Resize) { RepeatedField<int> field; field.Resize(2, 1); EXPECT_EQ(2, field.size()); field.Resize(5, 2); EXPECT_EQ(5, field.size()); field.Resize(4, 3); ASSERT_EQ(4, field.size()); EXPECT_EQ(1, field.Get(0)); EXPECT_EQ(1, field.Get(1)); EXPECT_EQ(2, field.Get(2)); EXPECT_EQ(2, field.Get(3)); field.Resize(0, 4); EXPECT_TRUE(field.empty()); } TEST(RepeatedField, MergeFrom) { RepeatedField<int> source, destination; source.Add(4); source.Add(5); destination.Add(1); destination.Add(2); destination.Add(3); destination.MergeFrom(source); ASSERT_EQ(5, destination.size()); EXPECT_EQ(1, destination.Get(0)); EXPECT_EQ(2, destination.Get(1)); EXPECT_EQ(3, destination.Get(2)); EXPECT_EQ(4, destination.Get(3)); EXPECT_EQ(5, destination.Get(4)); } #ifdef PROTOBUF_HAS_DEATH_TEST TEST(RepeatedField, MergeFromSelf) { RepeatedField<int> me; me.Add(3); EXPECT_DEATH(me.MergeFrom(me), ""); } #endif // PROTOBUF_HAS_DEATH_TEST TEST(RepeatedField, CopyFrom) { RepeatedField<int> source, destination; source.Add(4); source.Add(5); destination.Add(1); destination.Add(2); destination.Add(3); destination.CopyFrom(source); ASSERT_EQ(2, destination.size()); EXPECT_EQ(4, destination.Get(0)); EXPECT_EQ(5, destination.Get(1)); } TEST(RepeatedField, CopyFromSelf) { RepeatedField<int> me; me.Add(3); me.CopyFrom(me); ASSERT_EQ(1, me.size()); EXPECT_EQ(3, me.Get(0)); } TEST(RepeatedField, Erase) { RepeatedField<int> me; RepeatedField<int>::iterator it = me.erase(me.begin(), me.end()); EXPECT_TRUE(me.begin() == it); EXPECT_EQ(0, me.size()); me.Add(1); me.Add(2); me.Add(3); it = me.erase(me.begin(), me.end()); EXPECT_TRUE(me.begin() == it); EXPECT_EQ(0, me.size()); me.Add(4); me.Add(5); me.Add(6); it = me.erase(me.begin() + 2, me.end()); EXPECT_TRUE(me.begin() + 2 == it); EXPECT_EQ(2, me.size()); EXPECT_EQ(4, me.Get(0)); EXPECT_EQ(5, me.Get(1)); me.Add(6); me.Add(7); me.Add(8); it = me.erase(me.begin() + 1, me.begin() + 3); EXPECT_TRUE(me.begin() + 1 == it); EXPECT_EQ(3, me.size()); EXPECT_EQ(4, me.Get(0)); EXPECT_EQ(7, me.Get(1)); EXPECT_EQ(8, me.Get(2)); } TEST(RepeatedField, CopyConstruct) { RepeatedField<int> source; source.Add(1); source.Add(2); RepeatedField<int> destination(source); ASSERT_EQ(2, destination.size()); EXPECT_EQ(1, destination.Get(0)); EXPECT_EQ(2, destination.Get(1)); } TEST(RepeatedField, IteratorConstruct) { vector<int> values; values.push_back(1); values.push_back(2); RepeatedField<int> field(values.begin(), values.end()); ASSERT_EQ(values.size(), field.size()); EXPECT_EQ(values[0], field.Get(0)); EXPECT_EQ(values[1], field.Get(1)); RepeatedField<int> other(field.begin(), field.end()); ASSERT_EQ(values.size(), other.size()); EXPECT_EQ(values[0], other.Get(0)); EXPECT_EQ(values[1], other.Get(1)); } TEST(RepeatedField, CopyAssign) { RepeatedField<int> source, destination; source.Add(4); source.Add(5); destination.Add(1); destination.Add(2); destination.Add(3); destination = source; ASSERT_EQ(2, destination.size()); EXPECT_EQ(4, destination.Get(0)); EXPECT_EQ(5, destination.Get(1)); } TEST(RepeatedField, SelfAssign) { // Verify that assignment to self does not destroy data. RepeatedField<int> source, *p; p = &source; source.Add(7); source.Add(8); *p = source; ASSERT_EQ(2, source.size()); EXPECT_EQ(7, source.Get(0)); EXPECT_EQ(8, source.Get(1)); } TEST(RepeatedField, MutableDataIsMutable) { RepeatedField<int> field; field.Add(1); EXPECT_EQ(1, field.Get(0)); // The fact that this line compiles would be enough, but we'll check the // value anyway. *field.mutable_data() = 2; EXPECT_EQ(2, field.Get(0)); } TEST(RepeatedField, Truncate) { RepeatedField<int> field; field.Add(12); field.Add(34); field.Add(56); field.Add(78); EXPECT_EQ(4, field.size()); field.Truncate(3); EXPECT_EQ(3, field.size()); field.Add(90); EXPECT_EQ(4, field.size()); EXPECT_EQ(90, field.Get(3)); // Truncations that don't change the size are allowed, but growing is not // allowed. field.Truncate(field.size()); #ifdef PROTOBUF_HAS_DEATH_TEST EXPECT_DEBUG_DEATH(field.Truncate(field.size() + 1), "new_size"); #endif } TEST(RepeatedField, ExtractSubrange) { // Exhaustively test every subrange in arrays of all sizes from 0 through 9. for (int sz = 0; sz < 10; ++sz) { for (int num = 0; num <= sz; ++num) { for (int start = 0; start < sz - num; ++start) { // Create RepeatedField with sz elements having values 0 through sz-1. RepeatedField<int32> field; for (int i = 0; i < sz; ++i) field.Add(i); EXPECT_EQ(field.size(), sz); // Create a catcher array and call ExtractSubrange. int32 catcher[10]; for (int i = 0; i < 10; ++i) catcher[i] = -1; field.ExtractSubrange(start, num, catcher); // Does the resulting array have the right size? EXPECT_EQ(field.size(), sz - num); // Were the removed elements extracted into the catcher array? for (int i = 0; i < num; ++i) EXPECT_EQ(catcher[i], start + i); EXPECT_EQ(catcher[num], -1); // Does the resulting array contain the right values? for (int i = 0; i < start; ++i) EXPECT_EQ(field.Get(i), i); for (int i = start; i < field.size(); ++i) EXPECT_EQ(field.Get(i), i + num); } } } } // =================================================================== // RepeatedPtrField tests. These pretty much just mirror the RepeatedField // tests above. TEST(RepeatedPtrField, Small) { RepeatedPtrField<string> field; EXPECT_TRUE(field.empty()); EXPECT_EQ(field.size(), 0); field.Add()->assign("foo"); EXPECT_FALSE(field.empty()); EXPECT_EQ(field.size(), 1); EXPECT_EQ(field.Get(0), "foo"); field.Add()->assign("bar"); EXPECT_FALSE(field.empty()); EXPECT_EQ(field.size(), 2); EXPECT_EQ(field.Get(0), "foo"); EXPECT_EQ(field.Get(1), "bar"); field.Mutable(1)->assign("baz"); EXPECT_FALSE(field.empty()); EXPECT_EQ(field.size(), 2); EXPECT_EQ(field.Get(0), "foo"); EXPECT_EQ(field.Get(1), "baz"); field.RemoveLast(); EXPECT_FALSE(field.empty()); EXPECT_EQ(field.size(), 1); EXPECT_EQ(field.Get(0), "foo"); field.Clear(); EXPECT_TRUE(field.empty()); EXPECT_EQ(field.size(), 0); } TEST(RepeatedPtrField, Large) { RepeatedPtrField<string> field; for (int i = 0; i < 16; i++) { *field.Add() += 'a' + i; } EXPECT_EQ(field.size(), 16); for (int i = 0; i < 16; i++) { EXPECT_EQ(field.Get(i).size(), 1); EXPECT_EQ(field.Get(i)[0], 'a' + i); } int min_expected_usage = 16 * sizeof(string); EXPECT_GE(field.SpaceUsedExcludingSelf(), min_expected_usage); } TEST(RepeatedPtrField, SwapSmallSmall) { RepeatedPtrField<string> field1; RepeatedPtrField<string> field2; EXPECT_TRUE(field1.empty()); EXPECT_EQ(field1.size(), 0); EXPECT_TRUE(field2.empty()); EXPECT_EQ(field2.size(), 0); field1.Add()->assign("foo"); field1.Add()->assign("bar"); EXPECT_FALSE(field1.empty()); EXPECT_EQ(field1.size(), 2); EXPECT_EQ(field1.Get(0), "foo"); EXPECT_EQ(field1.Get(1), "bar"); EXPECT_TRUE(field2.empty()); EXPECT_EQ(field2.size(), 0); field1.Swap(&field2); EXPECT_TRUE(field1.empty()); EXPECT_EQ(field1.size(), 0); EXPECT_EQ(field2.size(), 2); EXPECT_EQ(field2.Get(0), "foo"); EXPECT_EQ(field2.Get(1), "bar"); } TEST(RepeatedPtrField, SwapLargeSmall) { RepeatedPtrField<string> field1; RepeatedPtrField<string> field2; field2.Add()->assign("foo"); field2.Add()->assign("bar"); for (int i = 0; i < 16; i++) { *field1.Add() += 'a' + i; } field1.Swap(&field2); EXPECT_EQ(field1.size(), 2); EXPECT_EQ(field1.Get(0), "foo"); EXPECT_EQ(field1.Get(1), "bar"); EXPECT_EQ(field2.size(), 16); for (int i = 0; i < 16; i++) { EXPECT_EQ(field2.Get(i).size(), 1); EXPECT_EQ(field2.Get(i)[0], 'a' + i); } } TEST(RepeatedPtrField, SwapLargeLarge) { RepeatedPtrField<string> field1; RepeatedPtrField<string> field2; field1.Add()->assign("foo"); field1.Add()->assign("bar"); for (int i = 0; i < 16; i++) { *field1.Add() += 'A' + i; *field2.Add() += 'a' + i; } field2.Swap(&field1); EXPECT_EQ(field1.size(), 16); for (int i = 0; i < 16; i++) { EXPECT_EQ(field1.Get(i).size(), 1); EXPECT_EQ(field1.Get(i)[0], 'a' + i); } EXPECT_EQ(field2.size(), 18); EXPECT_EQ(field2.Get(0), "foo"); EXPECT_EQ(field2.Get(1), "bar"); for (int i = 2; i < 18; i++) { EXPECT_EQ(field2.Get(i).size(), 1); EXPECT_EQ(field2.Get(i)[0], 'A' + i - 2); } } static int ReservedSpace(RepeatedPtrField<string>* field) { const string* const* ptr = field->data(); do { field->Add(); } while (field->data() == ptr); return field->size() - 1; } TEST(RepeatedPtrField, ReserveMoreThanDouble) { RepeatedPtrField<string> field; field.Reserve(20); EXPECT_EQ(20, ReservedSpace(&field)); } TEST(RepeatedPtrField, ReserveLessThanDouble) { RepeatedPtrField<string> field; field.Reserve(20); field.Reserve(30); EXPECT_EQ(40, ReservedSpace(&field)); } TEST(RepeatedPtrField, ReserveLessThanExisting) { RepeatedPtrField<string> field; field.Reserve(20); const string* const* previous_ptr = field.data(); field.Reserve(10); EXPECT_EQ(previous_ptr, field.data()); EXPECT_EQ(20, ReservedSpace(&field)); } TEST(RepeatedPtrField, ReserveDoesntLoseAllocated) { // Check that a bug is fixed: An earlier implementation of Reserve() // failed to copy pointers to allocated-but-cleared objects, possibly // leading to segfaults. RepeatedPtrField<string> field; string* first = field.Add(); field.RemoveLast(); field.Reserve(20); EXPECT_EQ(first, field.Add()); } // Clearing elements is tricky with RepeatedPtrFields since the memory for // the elements is retained and reused. TEST(RepeatedPtrField, ClearedElements) { RepeatedPtrField<string> field; string* original = field.Add(); *original = "foo"; EXPECT_EQ(field.ClearedCount(), 0); field.RemoveLast(); EXPECT_TRUE(original->empty()); EXPECT_EQ(field.ClearedCount(), 1); EXPECT_EQ(field.Add(), original); // Should return same string for reuse. EXPECT_EQ(field.ReleaseLast(), original); // We take ownership. EXPECT_EQ(field.ClearedCount(), 0); EXPECT_NE(field.Add(), original); // Should NOT return the same string. EXPECT_EQ(field.ClearedCount(), 0); field.AddAllocated(original); // Give ownership back. EXPECT_EQ(field.ClearedCount(), 0); EXPECT_EQ(field.Mutable(1), original); field.Clear(); EXPECT_EQ(field.ClearedCount(), 2); EXPECT_EQ(field.ReleaseCleared(), original); // Take ownership again. EXPECT_EQ(field.ClearedCount(), 1); EXPECT_NE(field.Add(), original); EXPECT_EQ(field.ClearedCount(), 0); EXPECT_NE(field.Add(), original); EXPECT_EQ(field.ClearedCount(), 0); field.AddCleared(original); // Give ownership back, but as a cleared object. EXPECT_EQ(field.ClearedCount(), 1); EXPECT_EQ(field.Add(), original); EXPECT_EQ(field.ClearedCount(), 0); } // Test all code paths in AddAllocated(). TEST(RepeatedPtrField, AddAlocated) { RepeatedPtrField<string> field; while (field.size() < field.Capacity()) { field.Add()->assign("filler"); } int index = field.size(); // First branch: Field is at capacity with no cleared objects. string* foo = new string("foo"); field.AddAllocated(foo); EXPECT_EQ(index + 1, field.size()); EXPECT_EQ(0, field.ClearedCount()); EXPECT_EQ(foo, &field.Get(index)); // Last branch: Field is not at capacity and there are no cleared objects. string* bar = new string("bar"); field.AddAllocated(bar); ++index; EXPECT_EQ(index + 1, field.size()); EXPECT_EQ(0, field.ClearedCount()); EXPECT_EQ(bar, &field.Get(index)); // Third branch: Field is not at capacity and there are no cleared objects. field.RemoveLast(); string* baz = new string("baz"); field.AddAllocated(baz); EXPECT_EQ(index + 1, field.size()); EXPECT_EQ(1, field.ClearedCount()); EXPECT_EQ(baz, &field.Get(index)); // Second branch: Field is at capacity but has some cleared objects. while (field.size() < field.Capacity()) { field.Add()->assign("filler2"); } field.RemoveLast(); index = field.size(); string* qux = new string("qux"); field.AddAllocated(qux); EXPECT_EQ(index + 1, field.size()); // We should have discarded the cleared object. EXPECT_EQ(0, field.ClearedCount()); EXPECT_EQ(qux, &field.Get(index)); } TEST(RepeatedPtrField, MergeFrom) { RepeatedPtrField<string> source, destination; source.Add()->assign("4"); source.Add()->assign("5"); destination.Add()->assign("1"); destination.Add()->assign("2"); destination.Add()->assign("3"); destination.MergeFrom(source); ASSERT_EQ(5, destination.size()); EXPECT_EQ("1", destination.Get(0)); EXPECT_EQ("2", destination.Get(1)); EXPECT_EQ("3", destination.Get(2)); EXPECT_EQ("4", destination.Get(3)); EXPECT_EQ("5", destination.Get(4)); } #ifdef PROTOBUF_HAS_DEATH_TEST TEST(RepeatedPtrField, MergeFromSelf) { RepeatedPtrField<string> me; me.Add()->assign("1"); EXPECT_DEATH(me.MergeFrom(me), ""); } #endif // PROTOBUF_HAS_DEATH_TEST TEST(RepeatedPtrField, CopyFrom) { RepeatedPtrField<string> source, destination; source.Add()->assign("4"); source.Add()->assign("5"); destination.Add()->assign("1"); destination.Add()->assign("2"); destination.Add()->assign("3"); destination.CopyFrom(source); ASSERT_EQ(2, destination.size()); EXPECT_EQ("4", destination.Get(0)); EXPECT_EQ("5", destination.Get(1)); } TEST(RepeatedPtrField, CopyFromSelf) { RepeatedPtrField<string> me; me.Add()->assign("1"); me.CopyFrom(me); ASSERT_EQ(1, me.size()); EXPECT_EQ("1", me.Get(0)); } TEST(RepeatedPtrField, Erase) { RepeatedPtrField<string> me; RepeatedPtrField<string>::iterator it = me.erase(me.begin(), me.end()); EXPECT_TRUE(me.begin() == it); EXPECT_EQ(0, me.size()); *me.Add() = "1"; *me.Add() = "2"; *me.Add() = "3"; it = me.erase(me.begin(), me.end()); EXPECT_TRUE(me.begin() == it); EXPECT_EQ(0, me.size()); *me.Add() = "4"; *me.Add() = "5"; *me.Add() = "6"; it = me.erase(me.begin() + 2, me.end()); EXPECT_TRUE(me.begin() + 2 == it); EXPECT_EQ(2, me.size()); EXPECT_EQ("4", me.Get(0)); EXPECT_EQ("5", me.Get(1)); *me.Add() = "6"; *me.Add() = "7"; *me.Add() = "8"; it = me.erase(me.begin() + 1, me.begin() + 3); EXPECT_TRUE(me.begin() + 1 == it); EXPECT_EQ(3, me.size()); EXPECT_EQ("4", me.Get(0)); EXPECT_EQ("7", me.Get(1)); EXPECT_EQ("8", me.Get(2)); } TEST(RepeatedPtrField, CopyConstruct) { RepeatedPtrField<string> source; source.Add()->assign("1"); source.Add()->assign("2"); RepeatedPtrField<string> destination(source); ASSERT_EQ(2, destination.size()); EXPECT_EQ("1", destination.Get(0)); EXPECT_EQ("2", destination.Get(1)); } TEST(RepeatedPtrField, IteratorConstruct_String) { vector<string> values; values.push_back("1"); values.push_back("2"); RepeatedPtrField<string> field(values.begin(), values.end()); ASSERT_EQ(values.size(), field.size()); EXPECT_EQ(values[0], field.Get(0)); EXPECT_EQ(values[1], field.Get(1)); RepeatedPtrField<string> other(field.begin(), field.end()); ASSERT_EQ(values.size(), other.size()); EXPECT_EQ(values[0], other.Get(0)); EXPECT_EQ(values[1], other.Get(1)); } TEST(RepeatedPtrField, IteratorConstruct_Proto) { typedef TestAllTypes::NestedMessage Nested; vector<Nested> values; values.push_back(Nested()); values.back().set_bb(1); values.push_back(Nested()); values.back().set_bb(2); RepeatedPtrField<Nested> field(values.begin(), values.end()); ASSERT_EQ(values.size(), field.size()); EXPECT_EQ(values[0].bb(), field.Get(0).bb()); EXPECT_EQ(values[1].bb(), field.Get(1).bb()); RepeatedPtrField<Nested> other(field.begin(), field.end()); ASSERT_EQ(values.size(), other.size()); EXPECT_EQ(values[0].bb(), other.Get(0).bb()); EXPECT_EQ(values[1].bb(), other.Get(1).bb()); } TEST(RepeatedPtrField, CopyAssign) { RepeatedPtrField<string> source, destination; source.Add()->assign("4"); source.Add()->assign("5"); destination.Add()->assign("1"); destination.Add()->assign("2"); destination.Add()->assign("3"); destination = source; ASSERT_EQ(2, destination.size()); EXPECT_EQ("4", destination.Get(0)); EXPECT_EQ("5", destination.Get(1)); } TEST(RepeatedPtrField, SelfAssign) { // Verify that assignment to self does not destroy data. RepeatedPtrField<string> source, *p; p = &source; source.Add()->assign("7"); source.Add()->assign("8"); *p = source; ASSERT_EQ(2, source.size()); EXPECT_EQ("7", source.Get(0)); EXPECT_EQ("8", source.Get(1)); } TEST(RepeatedPtrField, MutableDataIsMutable) { RepeatedPtrField<string> field; *field.Add() = "1"; EXPECT_EQ("1", field.Get(0)); // The fact that this line compiles would be enough, but we'll check the // value anyway. string** data = field.mutable_data(); **data = "2"; EXPECT_EQ("2", field.Get(0)); } TEST(RepeatedPtrField, ExtractSubrange) { // Exhaustively test every subrange in arrays of all sizes from 0 through 9 // with 0 through 3 cleared elements at the end. for (int sz = 0; sz < 10; ++sz) { for (int num = 0; num <= sz; ++num) { for (int start = 0; start < sz - num; ++start) { for (int extra = 0; extra < 4; ++extra) { vector<string*> subject; // Create an array with "sz" elements and "extra" cleared elements. RepeatedPtrField<string> field; for (int i = 0; i < sz + extra; ++i) { subject.push_back(new string()); field.AddAllocated(subject[i]); } EXPECT_EQ(field.size(), sz + extra); for (int i = 0; i < extra; ++i) field.RemoveLast(); EXPECT_EQ(field.size(), sz); EXPECT_EQ(field.ClearedCount(), extra); // Create a catcher array and call ExtractSubrange. string* catcher[10]; for (int i = 0; i < 10; ++i) catcher[i] = NULL; field.ExtractSubrange(start, num, catcher); // Does the resulting array have the right size? EXPECT_EQ(field.size(), sz - num); // Were the removed elements extracted into the catcher array? for (int i = 0; i < num; ++i) EXPECT_EQ(catcher[i], subject[start + i]); EXPECT_EQ(NULL, catcher[num]); // Does the resulting array contain the right values? for (int i = 0; i < start; ++i) EXPECT_EQ(field.Mutable(i), subject[i]); for (int i = start; i < field.size(); ++i) EXPECT_EQ(field.Mutable(i), subject[i + num]); // Reinstate the cleared elements. EXPECT_EQ(field.ClearedCount(), extra); for (int i = 0; i < extra; ++i) field.Add(); EXPECT_EQ(field.ClearedCount(), 0); EXPECT_EQ(field.size(), sz - num + extra); // Make sure the extra elements are all there (in some order). for (int i = sz; i < sz + extra; ++i) { int count = 0; for (int j = sz; j < sz + extra; ++j) { if (field.Mutable(j - num) == subject[i]) count += 1; } EXPECT_EQ(count, 1); } // Release the caught elements. for (int i = 0; i < num; ++i) delete catcher[i]; } } } } } TEST(RepeatedPtrField, DeleteSubrange) { // DeleteSubrange is a trivial extension of ExtendSubrange. } // =================================================================== // Iterator tests stolen from net/proto/proto-array_unittest. class RepeatedFieldIteratorTest : public testing::Test { protected: virtual void SetUp() { for (int i = 0; i < 3; ++i) { proto_array_.Add(i); } } RepeatedField<int> proto_array_; }; TEST_F(RepeatedFieldIteratorTest, Convertible) { RepeatedField<int>::iterator iter = proto_array_.begin(); RepeatedField<int>::const_iterator c_iter = iter; RepeatedField<int>::value_type value = *c_iter; EXPECT_EQ(0, value); } TEST_F(RepeatedFieldIteratorTest, MutableIteration) { RepeatedField<int>::iterator iter = proto_array_.begin(); EXPECT_EQ(0, *iter); ++iter; EXPECT_EQ(1, *iter++); EXPECT_EQ(2, *iter); ++iter; EXPECT_TRUE(proto_array_.end() == iter); EXPECT_EQ(2, *(proto_array_.end() - 1)); } TEST_F(RepeatedFieldIteratorTest, ConstIteration) { const RepeatedField<int>& const_proto_array = proto_array_; RepeatedField<int>::const_iterator iter = const_proto_array.begin(); EXPECT_EQ(0, *iter); ++iter; EXPECT_EQ(1, *iter++); EXPECT_EQ(2, *iter); ++iter; EXPECT_TRUE(proto_array_.end() == iter); EXPECT_EQ(2, *(proto_array_.end() - 1)); } TEST_F(RepeatedFieldIteratorTest, Mutation) { RepeatedField<int>::iterator iter = proto_array_.begin(); *iter = 7; EXPECT_EQ(7, proto_array_.Get(0)); } // ------------------------------------------------------------------- class RepeatedPtrFieldIteratorTest : public testing::Test { protected: virtual void SetUp() { proto_array_.Add()->assign("foo"); proto_array_.Add()->assign("bar"); proto_array_.Add()->assign("baz"); } RepeatedPtrField<string> proto_array_; }; TEST_F(RepeatedPtrFieldIteratorTest, Convertible) { RepeatedPtrField<string>::iterator iter = proto_array_.begin(); RepeatedPtrField<string>::const_iterator c_iter = iter; RepeatedPtrField<string>::value_type value = *c_iter; EXPECT_EQ("foo", value); } TEST_F(RepeatedPtrFieldIteratorTest, MutableIteration) { RepeatedPtrField<string>::iterator iter = proto_array_.begin(); EXPECT_EQ("foo", *iter); ++iter; EXPECT_EQ("bar", *(iter++)); EXPECT_EQ("baz", *iter); ++iter; EXPECT_TRUE(proto_array_.end() == iter); EXPECT_EQ("baz", *(--proto_array_.end())); } TEST_F(RepeatedPtrFieldIteratorTest, ConstIteration) { const RepeatedPtrField<string>& const_proto_array = proto_array_; RepeatedPtrField<string>::const_iterator iter = const_proto_array.begin(); EXPECT_EQ("foo", *iter); ++iter; EXPECT_EQ("bar", *(iter++)); EXPECT_EQ("baz", *iter); ++iter; EXPECT_TRUE(const_proto_array.end() == iter); EXPECT_EQ("baz", *(--const_proto_array.end())); } TEST_F(RepeatedPtrFieldIteratorTest, MutableReverseIteration) { RepeatedPtrField<string>::reverse_iterator iter = proto_array_.rbegin(); EXPECT_EQ("baz", *iter); ++iter; EXPECT_EQ("bar", *(iter++)); EXPECT_EQ("foo", *iter); ++iter; EXPECT_TRUE(proto_array_.rend() == iter); EXPECT_EQ("foo", *(--proto_array_.rend())); } TEST_F(RepeatedPtrFieldIteratorTest, ConstReverseIteration) { const RepeatedPtrField<string>& const_proto_array = proto_array_; RepeatedPtrField<string>::const_reverse_iterator iter = const_proto_array.rbegin(); EXPECT_EQ("baz", *iter); ++iter; EXPECT_EQ("bar", *(iter++)); EXPECT_EQ("foo", *iter); ++iter; EXPECT_TRUE(const_proto_array.rend() == iter); EXPECT_EQ("foo", *(--const_proto_array.rend())); } TEST_F(RepeatedPtrFieldIteratorTest, RandomAccess) { RepeatedPtrField<string>::iterator iter = proto_array_.begin(); RepeatedPtrField<string>::iterator iter2 = iter; ++iter2; ++iter2; EXPECT_TRUE(iter + 2 == iter2); EXPECT_TRUE(iter == iter2 - 2); EXPECT_EQ("baz", iter[2]); EXPECT_EQ("baz", *(iter + 2)); EXPECT_EQ(3, proto_array_.end() - proto_array_.begin()); } TEST_F(RepeatedPtrFieldIteratorTest, Comparable) { RepeatedPtrField<string>::const_iterator iter = proto_array_.begin(); RepeatedPtrField<string>::const_iterator iter2 = iter + 1; EXPECT_TRUE(iter == iter); EXPECT_TRUE(iter != iter2); EXPECT_TRUE(iter < iter2); EXPECT_TRUE(iter <= iter2); EXPECT_TRUE(iter <= iter); EXPECT_TRUE(iter2 > iter); EXPECT_TRUE(iter2 >= iter); EXPECT_TRUE(iter >= iter); } // Uninitialized iterator does not point to any of the RepeatedPtrField. TEST_F(RepeatedPtrFieldIteratorTest, UninitializedIterator) { RepeatedPtrField<string>::iterator iter; EXPECT_TRUE(iter != proto_array_.begin()); EXPECT_TRUE(iter != proto_array_.begin() + 1); EXPECT_TRUE(iter != proto_array_.begin() + 2); EXPECT_TRUE(iter != proto_array_.begin() + 3); EXPECT_TRUE(iter != proto_array_.end()); } TEST_F(RepeatedPtrFieldIteratorTest, STLAlgorithms_lower_bound) { proto_array_.Clear(); proto_array_.Add()->assign("a"); proto_array_.Add()->assign("c"); proto_array_.Add()->assign("d"); proto_array_.Add()->assign("n"); proto_array_.Add()->assign("p"); proto_array_.Add()->assign("x"); proto_array_.Add()->assign("y"); string v = "f"; RepeatedPtrField<string>::const_iterator it = lower_bound(proto_array_.begin(), proto_array_.end(), v); EXPECT_EQ(*it, "n"); EXPECT_TRUE(it == proto_array_.begin() + 3); } TEST_F(RepeatedPtrFieldIteratorTest, Mutation) { RepeatedPtrField<string>::iterator iter = proto_array_.begin(); *iter = "qux"; EXPECT_EQ("qux", proto_array_.Get(0)); } // ------------------------------------------------------------------- class RepeatedPtrFieldPtrsIteratorTest : public testing::Test { protected: virtual void SetUp() { proto_array_.Add()->assign("foo"); proto_array_.Add()->assign("bar"); proto_array_.Add()->assign("baz"); const_proto_array_ = &proto_array_; } RepeatedPtrField<string> proto_array_; const RepeatedPtrField<string>* const_proto_array_; }; TEST_F(RepeatedPtrFieldPtrsIteratorTest, ConvertiblePtr) { RepeatedPtrField<string>::pointer_iterator iter = proto_array_.pointer_begin(); static_cast<void>(iter); } TEST_F(RepeatedPtrFieldPtrsIteratorTest, ConvertibleConstPtr) { RepeatedPtrField<string>::const_pointer_iterator iter = const_proto_array_->pointer_begin(); static_cast<void>(iter); } TEST_F(RepeatedPtrFieldPtrsIteratorTest, MutablePtrIteration) { RepeatedPtrField<string>::pointer_iterator iter = proto_array_.pointer_begin(); EXPECT_EQ("foo", **iter); ++iter; EXPECT_EQ("bar", **(iter++)); EXPECT_EQ("baz", **iter); ++iter; EXPECT_TRUE(proto_array_.pointer_end() == iter); EXPECT_EQ("baz", **(--proto_array_.pointer_end())); } TEST_F(RepeatedPtrFieldPtrsIteratorTest, MutableConstPtrIteration) { RepeatedPtrField<string>::const_pointer_iterator iter = const_proto_array_->pointer_begin(); EXPECT_EQ("foo", **iter); ++iter; EXPECT_EQ("bar", **(iter++)); EXPECT_EQ("baz", **iter); ++iter; EXPECT_TRUE(const_proto_array_->pointer_end() == iter); EXPECT_EQ("baz", **(--const_proto_array_->pointer_end())); } TEST_F(RepeatedPtrFieldPtrsIteratorTest, RandomPtrAccess) { RepeatedPtrField<string>::pointer_iterator iter = proto_array_.pointer_begin(); RepeatedPtrField<string>::pointer_iterator iter2 = iter; ++iter2; ++iter2; EXPECT_TRUE(iter + 2 == iter2); EXPECT_TRUE(iter == iter2 - 2); EXPECT_EQ("baz", *iter[2]); EXPECT_EQ("baz", **(iter + 2)); EXPECT_EQ(3, proto_array_.end() - proto_array_.begin()); } TEST_F(RepeatedPtrFieldPtrsIteratorTest, RandomConstPtrAccess) { RepeatedPtrField<string>::const_pointer_iterator iter = const_proto_array_->pointer_begin(); RepeatedPtrField<string>::const_pointer_iterator iter2 = iter; ++iter2; ++iter2; EXPECT_TRUE(iter + 2 == iter2); EXPECT_TRUE(iter == iter2 - 2); EXPECT_EQ("baz", *iter[2]); EXPECT_EQ("baz", **(iter + 2)); EXPECT_EQ(3, const_proto_array_->end() - const_proto_array_->begin()); } TEST_F(RepeatedPtrFieldPtrsIteratorTest, ComparablePtr) { RepeatedPtrField<string>::pointer_iterator iter = proto_array_.pointer_begin(); RepeatedPtrField<string>::pointer_iterator iter2 = iter + 1; EXPECT_TRUE(iter == iter); EXPECT_TRUE(iter != iter2); EXPECT_TRUE(iter < iter2); EXPECT_TRUE(iter <= iter2); EXPECT_TRUE(iter <= iter); EXPECT_TRUE(iter2 > iter); EXPECT_TRUE(iter2 >= iter); EXPECT_TRUE(iter >= iter); } TEST_F(RepeatedPtrFieldPtrsIteratorTest, ComparableConstPtr) { RepeatedPtrField<string>::const_pointer_iterator iter = const_proto_array_->pointer_begin(); RepeatedPtrField<string>::const_pointer_iterator iter2 = iter + 1; EXPECT_TRUE(iter == iter); EXPECT_TRUE(iter != iter2); EXPECT_TRUE(iter < iter2); EXPECT_TRUE(iter <= iter2); EXPECT_TRUE(iter <= iter); EXPECT_TRUE(iter2 > iter); EXPECT_TRUE(iter2 >= iter); EXPECT_TRUE(iter >= iter); } // Uninitialized iterator does not point to any of the RepeatedPtrOverPtrs. // Dereferencing an uninitialized iterator crashes the process. TEST_F(RepeatedPtrFieldPtrsIteratorTest, UninitializedPtrIterator) { RepeatedPtrField<string>::pointer_iterator iter; EXPECT_TRUE(iter != proto_array_.pointer_begin()); EXPECT_TRUE(iter != proto_array_.pointer_begin() + 1); EXPECT_TRUE(iter != proto_array_.pointer_begin() + 2); EXPECT_TRUE(iter != proto_array_.pointer_begin() + 3); EXPECT_TRUE(iter != proto_array_.pointer_end()); } TEST_F(RepeatedPtrFieldPtrsIteratorTest, UninitializedConstPtrIterator) { RepeatedPtrField<string>::const_pointer_iterator iter; EXPECT_TRUE(iter != const_proto_array_->pointer_begin()); EXPECT_TRUE(iter != const_proto_array_->pointer_begin() + 1); EXPECT_TRUE(iter != const_proto_array_->pointer_begin() + 2); EXPECT_TRUE(iter != const_proto_array_->pointer_begin() + 3); EXPECT_TRUE(iter != const_proto_array_->pointer_end()); } // This comparison functor is required by the tests for RepeatedPtrOverPtrs. // They operate on strings and need to compare strings as strings in // any stl algorithm, even though the iterator returns a pointer to a string // - i.e. *iter has type string*. struct StringLessThan { bool operator()(const string* z, const string& y) { return *z < y; } bool operator()(const string* z, const string* y) const { return *z < *y; } }; TEST_F(RepeatedPtrFieldPtrsIteratorTest, PtrSTLAlgorithms_lower_bound) { proto_array_.Clear(); proto_array_.Add()->assign("a"); proto_array_.Add()->assign("c"); proto_array_.Add()->assign("d"); proto_array_.Add()->assign("n"); proto_array_.Add()->assign("p"); proto_array_.Add()->assign("x"); proto_array_.Add()->assign("y"); { string v = "f"; RepeatedPtrField<string>::pointer_iterator it = lower_bound(proto_array_.pointer_begin(), proto_array_.pointer_end(), &v, StringLessThan()); GOOGLE_CHECK(*it != NULL); EXPECT_EQ(**it, "n"); EXPECT_TRUE(it == proto_array_.pointer_begin() + 3); } { string v = "f"; RepeatedPtrField<string>::const_pointer_iterator it = lower_bound(const_proto_array_->pointer_begin(), const_proto_array_->pointer_end(), &v, StringLessThan()); GOOGLE_CHECK(*it != NULL); EXPECT_EQ(**it, "n"); EXPECT_TRUE(it == const_proto_array_->pointer_begin() + 3); } } TEST_F(RepeatedPtrFieldPtrsIteratorTest, PtrMutation) { RepeatedPtrField<string>::pointer_iterator iter = proto_array_.pointer_begin(); **iter = "qux"; EXPECT_EQ("qux", proto_array_.Get(0)); EXPECT_EQ("bar", proto_array_.Get(1)); EXPECT_EQ("baz", proto_array_.Get(2)); ++iter; delete *iter; *iter = new string("a"); ++iter; delete *iter; *iter = new string("b"); EXPECT_EQ("a", proto_array_.Get(1)); EXPECT_EQ("b", proto_array_.Get(2)); } TEST_F(RepeatedPtrFieldPtrsIteratorTest, Sort) { proto_array_.Add()->assign("c"); proto_array_.Add()->assign("d"); proto_array_.Add()->assign("n"); proto_array_.Add()->assign("p"); proto_array_.Add()->assign("a"); proto_array_.Add()->assign("y"); proto_array_.Add()->assign("x"); EXPECT_EQ("foo", proto_array_.Get(0)); EXPECT_EQ("n", proto_array_.Get(5)); EXPECT_EQ("x", proto_array_.Get(9)); sort(proto_array_.pointer_begin(), proto_array_.pointer_end(), StringLessThan()); EXPECT_EQ("a", proto_array_.Get(0)); EXPECT_EQ("baz", proto_array_.Get(2)); EXPECT_EQ("y", proto_array_.Get(9)); } // ----------------------------------------------------------------------------- // Unit-tests for the insert iterators // google::protobuf::RepeatedFieldBackInserter, // google::protobuf::AllocatedRepeatedPtrFieldBackInserter // Ported from util/gtl/proto-array-iterators_unittest. class RepeatedFieldInsertionIteratorsTest : public testing::Test { protected: std::list<double> halves; std::list<int> fibonacci; std::vector<string> words; typedef TestAllTypes::NestedMessage Nested; Nested nesteds[2]; std::vector<Nested*> nested_ptrs; TestAllTypes protobuffer; virtual void SetUp() { fibonacci.push_back(1); fibonacci.push_back(1); fibonacci.push_back(2); fibonacci.push_back(3); fibonacci.push_back(5); fibonacci.push_back(8); std::copy(fibonacci.begin(), fibonacci.end(), RepeatedFieldBackInserter(protobuffer.mutable_repeated_int32())); halves.push_back(1.0); halves.push_back(0.5); halves.push_back(0.25); halves.push_back(0.125); halves.push_back(0.0625); std::copy(halves.begin(), halves.end(), RepeatedFieldBackInserter(protobuffer.mutable_repeated_double())); words.push_back("Able"); words.push_back("was"); words.push_back("I"); words.push_back("ere"); words.push_back("I"); words.push_back("saw"); words.push_back("Elba"); std::copy(words.begin(), words.end(), RepeatedFieldBackInserter(protobuffer.mutable_repeated_string())); nesteds[0].set_bb(17); nesteds[1].set_bb(4711); std::copy(&nesteds[0], &nesteds[2], RepeatedFieldBackInserter( protobuffer.mutable_repeated_nested_message())); nested_ptrs.push_back(new Nested); nested_ptrs.back()->set_bb(170); nested_ptrs.push_back(new Nested); nested_ptrs.back()->set_bb(47110); std::copy(nested_ptrs.begin(), nested_ptrs.end(), RepeatedFieldBackInserter( protobuffer.mutable_repeated_nested_message())); } virtual void TearDown() { STLDeleteContainerPointers(nested_ptrs.begin(), nested_ptrs.end()); } }; TEST_F(RepeatedFieldInsertionIteratorsTest, Fibonacci) { EXPECT_TRUE(std::equal(fibonacci.begin(), fibonacci.end(), protobuffer.repeated_int32().begin())); EXPECT_TRUE(std::equal(protobuffer.repeated_int32().begin(), protobuffer.repeated_int32().end(), fibonacci.begin())); } TEST_F(RepeatedFieldInsertionIteratorsTest, Halves) { EXPECT_TRUE(std::equal(halves.begin(), halves.end(), protobuffer.repeated_double().begin())); EXPECT_TRUE(std::equal(protobuffer.repeated_double().begin(), protobuffer.repeated_double().end(), halves.begin())); } TEST_F(RepeatedFieldInsertionIteratorsTest, Words) { ASSERT_EQ(words.size(), protobuffer.repeated_string_size()); for (int i = 0; i < words.size(); ++i) EXPECT_EQ(words.at(i), protobuffer.repeated_string(i)); } TEST_F(RepeatedFieldInsertionIteratorsTest, Words2) { words.clear(); words.push_back("sing"); words.push_back("a"); words.push_back("song"); words.push_back("of"); words.push_back("six"); words.push_back("pence"); protobuffer.mutable_repeated_string()->Clear(); std::copy(words.begin(), words.end(), RepeatedPtrFieldBackInserter( protobuffer.mutable_repeated_string())); ASSERT_EQ(words.size(), protobuffer.repeated_string_size()); for (int i = 0; i < words.size(); ++i) EXPECT_EQ(words.at(i), protobuffer.repeated_string(i)); } TEST_F(RepeatedFieldInsertionIteratorsTest, Nesteds) { ASSERT_EQ(protobuffer.repeated_nested_message_size(), 4); EXPECT_EQ(protobuffer.repeated_nested_message(0).bb(), 17); EXPECT_EQ(protobuffer.repeated_nested_message(1).bb(), 4711); EXPECT_EQ(protobuffer.repeated_nested_message(2).bb(), 170); EXPECT_EQ(protobuffer.repeated_nested_message(3).bb(), 47110); } TEST_F(RepeatedFieldInsertionIteratorsTest, AllocatedRepeatedPtrFieldWithStringIntData) { vector<Nested*> data; TestAllTypes goldenproto; for (int i = 0; i < 10; ++i) { Nested* new_data = new Nested; new_data->set_bb(i); data.push_back(new_data); new_data = goldenproto.add_repeated_nested_message(); new_data->set_bb(i); } TestAllTypes testproto; copy(data.begin(), data.end(), AllocatedRepeatedPtrFieldBackInserter( testproto.mutable_repeated_nested_message())); EXPECT_EQ(testproto.DebugString(), goldenproto.DebugString()); } TEST_F(RepeatedFieldInsertionIteratorsTest, AllocatedRepeatedPtrFieldWithString) { vector<string*> data; TestAllTypes goldenproto; for (int i = 0; i < 10; ++i) { string* new_data = new string; *new_data = "name-" + SimpleItoa(i); data.push_back(new_data); new_data = goldenproto.add_repeated_string(); *new_data = "name-" + SimpleItoa(i); } TestAllTypes testproto; copy(data.begin(), data.end(), AllocatedRepeatedPtrFieldBackInserter( testproto.mutable_repeated_string())); EXPECT_EQ(testproto.DebugString(), goldenproto.DebugString()); } } // namespace } // namespace protobuf } // namespace google
{ "content_hash": "d5aaf4d230c4f2dfabb435f258b49be7", "timestamp": "", "source": "github", "line_count": 1458, "max_line_length": 80, "avg_line_length": 28.569272976680384, "alnum_prop": 0.6371296874249772, "repo_name": "brengarajalu/GrpcAPI", "id": "15c0c93ed8b1f34449a43587975618a6c9c08376", "size": "43922", "binary": false, "copies": "3", "ref": "refs/heads/master", "path": "protobuf/protobuf-3.0.0-alpha-2/src/google/protobuf/repeated_field_unittest.cc", "mode": "33188", "license": "bsd-3-clause", "language": [ { "name": "C", "bytes": "6157" }, { "name": "C++", "bytes": "8140475" }, { "name": "CMake", "bytes": "18920" }, { "name": "Emacs Lisp", "bytes": "7798" }, { "name": "Groff", "bytes": "611882" }, { "name": "Java", "bytes": "2662520" }, { "name": "Makefile", "bytes": "568366" }, { "name": "Protocol Buffer", "bytes": "484071" }, { "name": "Python", "bytes": "193477" }, { "name": "Shell", "bytes": "1516680" }, { "name": "VimL", "bytes": "3750" } ], "symlink_target": "" }
package org.microemu.tests; import javax.microedition.io.newjsr.NewJSRFacade; /** * @author vlads * To test if MIDlet can override javax.microedition package on the device. */ public class OverrideNewJSRClient { public String doJSRStuff(String data) { return NewJSRFacade.createWorker().doStuff(data); } }
{ "content_hash": "503c74e2d5b14e05856a7884bba9c4fd", "timestamp": "", "source": "github", "line_count": 16, "max_line_length": 76, "avg_line_length": 19.9375, "alnum_prop": 0.7554858934169278, "repo_name": "freeVM/freeVM", "id": "11485b038c916adb9f558eaf56e13acf00d40f02", "size": "1141", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "enhanced/microemulator/microemu-tests/microemu-test-midlet/src/main/java/org/microemu/tests/OverrideNewJSRClient.java", "mode": "33188", "license": "apache-2.0", "language": [ { "name": "Assembly", "bytes": "116828" }, { "name": "C", "bytes": "17860389" }, { "name": "C++", "bytes": "19007206" }, { "name": "CSS", "bytes": "217777" }, { "name": "Java", "bytes": "152108632" }, { "name": "Objective-C", "bytes": "106412" }, { "name": "Objective-J", "bytes": "11029421" }, { "name": "Perl", "bytes": "305690" }, { "name": "Scilab", "bytes": "34" }, { "name": "Shell", "bytes": "153821" }, { "name": "XSLT", "bytes": "152859" } ], "symlink_target": "" }
var portfolio_entry_url = null; reset_functionality = function() { $("#portfolio_images").sortable({ 'tolerance': 'pointer' , 'placeholder': 'placeholder' , 'cursor': 'drag' , 'items': 'li' }); $('#content #portfolio_images li:not(.empty)').each(function(index, li) { $(li).mouseover(function(e){ if ((image_actions = $(this).find('.image_actions')).length == 0) { image_actions = $("<div class='image_actions'></div>"); img_delete = $("<img src='/images/refinery/icons/delete.png' width='16' height='16' />"); img_delete.appendTo(image_actions); img_delete.click(function() { $(this).parents('li[id*=image_]').remove(); }); image_actions.appendTo($(li)); } image_actions.show(); }); $(li).mouseout(function(e) { $(this).find('.image_actions').hide(); }); }); } image_added = function(image) { last_portfolio_entry_image_id = ""; image_id = $(image).attr('id').replace('image_', ''); hidden_identifier = $('li.empty').find('input:hidden'); hidden_identifier.attr('id', '').val(image_id); $('li.empty').find('img').css('display', '').attr({'id': '', 'src': $(image).attr('src').replace('_dialog_thumb', '_grid'), 'title': $(image).attr('title'), 'alt': $(image).attr('alt')}); $('li.empty').attr('id', 'image_' + image_id).removeClass('empty'); new_list_item = $("<li class='empty'></li>"); $("<img id='current_portfolio_entry_image' src='' alt='' style='display:none;' />").appendTo(new_list_item); $("<input type='hidden' id='portfolio_entry_image_id' name='portfolio_entry[image_ids][]' />").appendTo(new_list_item); new_list_item.appendTo($('#portfolio_images')); reset_functionality(); } $(document).ready(function() { reset_functionality(); $("ul#portfolio_images li a.pale img").fadeTo(0, 0.3); $('#portfolio_entry_to_param').change(function() { window.location = portfolio_entry_url + this.value; }); var clicked_on = null; $("ul#portfolio_images li a").click(function(event) { if (!$(this).hasClass('selected')) { clicked_on = $(this); $.get($(this).attr('href'), function(data, textStatus) { if (textStatus == "success") { $('#portfolio_main_image').before(data).remove(); $('ul#portfolio_images li a.selected').removeClass('selected').addClass('pale'); clicked_on.removeClass('pale').addClass('selected'); clicked_on.find('img').fadeTo(0, 1); $("ul#portfolio_images li a.pale img").fadeTo(0, 0.3); } }); } return false; }); });
{ "content_hash": "9f511de0105d9dc1b76e572fe6a52f89", "timestamp": "", "source": "github", "line_count": 78, "max_line_length": 189, "avg_line_length": 33.47435897435897, "alnum_prop": 0.579088471849866, "repo_name": "ashrafuzzaman/stips", "id": "29aaada3b64d81fe3e9197101e71da8d2b6cb3ac", "size": "2611", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "vendor/plugins/portfolio/public/javascripts/portfolio.js", "mode": "33188", "license": "mit", "language": [ { "name": "JavaScript", "bytes": "236708" }, { "name": "Ruby", "bytes": "106342" } ], "symlink_target": "" }
export function initialize(application) { application.inject('service:app', 'app', 'application:main'); // inject the config into the app service to make this solution turnkey application.inject('controller', 'app', 'service:app'); application.inject('route', 'app', 'service:app'); application.inject('view', 'app', 'service:app'); application.inject('component', 'app', 'service:app'); application.inject('model', 'app', 'service:app'); application.inject('component', 'shortcuts', 'shortcuts:main'); } export default { name: 'app', initialize };
{ "content_hash": "c9e5d7fc9e141458cef0e1feb9330981", "timestamp": "", "source": "github", "line_count": 14, "max_line_length": 135, "avg_line_length": 41.5, "alnum_prop": 0.685025817555938, "repo_name": "westlywright/ui", "id": "017e309f23581b7ee831971da8ebf1021c17d03c", "size": "581", "binary": false, "copies": "4", "ref": "refs/heads/master", "path": "app/initializers/app.js", "mode": "33188", "license": "apache-2.0", "language": [ { "name": "CSS", "bytes": "178112" }, { "name": "Dockerfile", "bytes": "196" }, { "name": "HTML", "bytes": "1546760" }, { "name": "JavaScript", "bytes": "2540296" }, { "name": "Shell", "bytes": "10901" } ], "symlink_target": "" }
module Awspec::Generator module Doc module Type class Base def initialize Awspec::Stub.load type_name.underscore @type_name = type_name end def type_name self.class.to_s.split('::').last end def generate_doc @matchers += collect_matchers - @ignore_matchers @matchers.sort! do |a, b| ret = sort_num(a) <=> sort_num(b) next ret if ret != 0 a.casecmp(b) end @describes += @ret.members.select do |describe| next true unless @ret[describe].is_a?(Array) || @ret[describe].is_a?(Hash) || @ret[describe].is_a?(Struct) end if @ret.respond_to?(:members) its = @describes.map do |describe| 'its(:' + describe.to_s + ')' end @descriptions = {} merge_file = File.dirname(__FILE__) + '/../../../../../doc/_resource_types/' + type_name.underscore + '.md' if File.exist?(merge_file) matcher = nil File.foreach(merge_file) do |line| if /\A### (.+)\Z/ =~ line matcher = Regexp.last_match[1] next end @descriptions[matcher] = '' unless @descriptions[matcher] @descriptions[matcher] += line end end ERB.new(doc_template, nil, '-').result(binding) end def collect_matchers methods = @type.methods - Awspec::Helper::Finder.instance_methods - Object.methods methods.select! do |method| method.to_s.include?('?') end methods.map! do |method| next 'exist' if 'exists?' == method.to_s next 'have_' + Regexp.last_match[1] if /\Ahas_(.+)\?\z/ =~ method.to_s next 'be_' + Regexp.last_match[1] if /\A(.+)\?\z/ =~ method.to_s method.to_s end end def doc_template template = <<-'EOF' ## <a name="<%= @type_name.underscore %>"><%= @type_name.underscore %></a> <%= @type_name %> resource type. <%- if @descriptions.include?('first') -%><%= @descriptions['first'] %><%- end -%> <% @matchers.each do |matcher| %> ### <%= matcher %> <%- if @descriptions.include?(matcher) -%><%= @descriptions[matcher] %><%- end -%> <% end %> <%- unless its.empty? -%>#### <%= its.join(', ') %><%- end -%> <%- if @descriptions.include?('last') -%><%= @descriptions['last'] %><%- end -%> EOF template end def sort_num(str) case str when 'exist' 0 when /\Abe_/ 1 when /\Ahave_/ 2 else 3 end end end end end end
{ "content_hash": "9fd991b1be60df0a98df8425051f107a", "timestamp": "", "source": "github", "line_count": 89, "max_line_length": 118, "avg_line_length": 30.95505617977528, "alnum_prop": 0.4823956442831216, "repo_name": "hoshinotsuyoshi/awspec", "id": "f26657ba3076ad38a8dcff42971bb17241176299", "size": "2755", "binary": false, "copies": "2", "ref": "refs/heads/master", "path": "lib/awspec/generator/doc/type/base.rb", "mode": "33188", "license": "mit", "language": [ { "name": "Ruby", "bytes": "130436" } ], "symlink_target": "" }
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("SparkCLREventHub")] [assembly: AssemblyDescription("Example for processing EventHub events using DStream API in Mobius")] [assembly: AssemblyConfiguration("")] [assembly: AssemblyCompany("Microsoft Corporation")] [assembly: AssemblyProduct("Microsoft Mobius")] [assembly: AssemblyCopyright("Copyright © Microsoft Corporation 2015")] [assembly: AssemblyTrademark("")] [assembly: AssemblyCulture("")] // Setting ComVisible to false makes the types in this assembly not visible // to COM components. If you need to access a type in this assembly from // COM, set the ComVisible attribute to true on that type. [assembly: ComVisible(false)] // [assembly: CLSCompliant(true)] // Version information for an assembly consists of the following four values: // // Major Version // Minor Version // Build Number // Revision // [assembly: AssemblyVersion("1.0.0")] [assembly: AssemblyFileVersion("1.0.0")]
{ "content_hash": "4806f46327e01adac1a57fe76c611707", "timestamp": "", "source": "github", "line_count": 32, "max_line_length": 101, "avg_line_length": 38.75, "alnum_prop": 0.7620967741935484, "repo_name": "xiongrenyi/SparkCLR", "id": "32d5829f93c7c8200dc735dce5269daf8686649b", "size": "1243", "binary": false, "copies": "10", "ref": "refs/heads/master", "path": "examples/Streaming/EventHub/Properties/AssemblyInfo.cs", "mode": "33188", "license": "mit", "language": [ { "name": "Batchfile", "bytes": "22482" }, { "name": "C", "bytes": "2882" }, { "name": "C#", "bytes": "1576578" }, { "name": "C++", "bytes": "26482" }, { "name": "Java", "bytes": "1004" }, { "name": "PowerShell", "bytes": "36154" }, { "name": "Scala", "bytes": "206515" }, { "name": "Shell", "bytes": "10786" } ], "symlink_target": "" }
#ifndef OFPROTO_H #define OFPROTO_H 1 #include <sys/types.h> #include <netinet/in.h> #include <stdbool.h> #include <stddef.h> #include <stdint.h> #include "cfm.h" #include "classifier.h" #include "flow.h" #include "meta-flow.h" #include "netflow.h" #include "sset.h" #include "stp.h" #ifdef __cplusplus extern "C" { #endif struct bfd_cfg; struct cfm_settings; struct cls_rule; struct netdev; struct netdev_stats; struct ofport; struct ofproto; struct shash; struct simap; struct smap; struct ofproto_controller_info { bool is_connected; enum ofp12_controller_role role; struct { const char *keys[4]; const char *values[4]; size_t n; } pairs; }; struct ofproto_sflow_options { struct sset targets; uint32_t sampling_rate; uint32_t polling_interval; uint32_t header_len; uint32_t sub_id; char *agent_device; char *control_ip; }; struct ofproto_ipfix_bridge_exporter_options { struct sset targets; uint32_t sampling_rate; uint32_t obs_domain_id; /* Bridge-wide Observation Domain ID. */ uint32_t obs_point_id; /* Bridge-wide Observation Point ID. */ uint32_t cache_active_timeout; uint32_t cache_max_flows; }; struct ofproto_ipfix_flow_exporter_options { uint32_t collector_set_id; struct sset targets; uint32_t cache_active_timeout; uint32_t cache_max_flows; }; struct ofproto_stp_settings { stp_identifier system_id; uint16_t priority; uint16_t hello_time; uint16_t max_age; uint16_t fwd_delay; }; struct ofproto_stp_status { bool enabled; /* If false, ignore other members. */ stp_identifier bridge_id; stp_identifier designated_root; int root_path_cost; }; struct ofproto_port_stp_settings { bool enable; uint8_t port_num; /* In the range 1-255, inclusive. */ uint8_t priority; uint16_t path_cost; }; struct ofproto_port_stp_status { bool enabled; /* If false, ignore other members. */ int port_id; enum stp_state state; unsigned int sec_in_state; enum stp_role role; }; struct ofproto_port_stp_stats { bool enabled; /* If false, ignore other members. */ int tx_count; /* Number of BPDUs transmitted. */ int rx_count; /* Number of valid BPDUs received. */ int error_count; /* Number of bad BPDUs received. */ }; struct ofproto_port_queue { uint32_t queue; /* Queue ID. */ uint8_t dscp; /* DSCP bits (e.g. [0, 63]). */ }; /* How the switch should act if the controller cannot be contacted. */ enum ofproto_fail_mode { OFPROTO_FAIL_SECURE, /* Preserve flow table. */ OFPROTO_FAIL_STANDALONE /* Act as a standalone switch. */ }; enum ofproto_band { OFPROTO_IN_BAND, /* In-band connection to controller. */ OFPROTO_OUT_OF_BAND /* Out-of-band connection to controller. */ }; struct ofproto_controller { char *target; /* e.g. "tcp:127.0.0.1" */ int max_backoff; /* Maximum reconnection backoff, in seconds. */ int probe_interval; /* Max idle time before probing, in seconds. */ enum ofproto_band band; /* In-band or out-of-band? */ bool enable_async_msgs; /* Initially enable asynchronous messages? */ /* OpenFlow packet-in rate-limiting. */ int rate_limit; /* Max packet-in rate in packets per second. */ int burst_limit; /* Limit on accumulating packet credits. */ uint8_t dscp; /* DSCP value for controller connection. */ }; void ofproto_enumerate_types(struct sset *types); const char *ofproto_normalize_type(const char *); int ofproto_enumerate_names(const char *type, struct sset *names); void ofproto_parse_name(const char *name, char **dp_name, char **dp_type); /* An interface hint element, which is used by ofproto_init() to * describe the caller's understanding of the startup state. */ struct iface_hint { char *br_name; /* Name of owning bridge. */ char *br_type; /* Type of owning bridge. */ ofp_port_t ofp_port; /* OpenFlow port number. */ }; void ofproto_init(const struct shash *iface_hints); int ofproto_type_run(const char *datapath_type); void ofproto_type_wait(const char *datapath_type); int ofproto_create(const char *datapath, const char *datapath_type, struct ofproto **ofprotop); void ofproto_destroy(struct ofproto *); int ofproto_delete(const char *name, const char *type); int ofproto_run(struct ofproto *); void ofproto_wait(struct ofproto *); bool ofproto_is_alive(const struct ofproto *); void ofproto_get_memory_usage(const struct ofproto *, struct simap *); void ofproto_type_get_memory_usage(const char *datapath_type, struct simap *); /* A port within an OpenFlow switch. * * 'name' and 'type' are suitable for passing to netdev_open(). */ struct ofproto_port { char *name; /* Network device name, e.g. "eth0". */ char *type; /* Network device type, e.g. "system". */ ofp_port_t ofp_port; /* OpenFlow port number. */ }; void ofproto_port_clone(struct ofproto_port *, const struct ofproto_port *); void ofproto_port_destroy(struct ofproto_port *); struct ofproto_port_dump { const struct ofproto *ofproto; int error; void *state; }; void ofproto_port_dump_start(struct ofproto_port_dump *, const struct ofproto *); bool ofproto_port_dump_next(struct ofproto_port_dump *, struct ofproto_port *); int ofproto_port_dump_done(struct ofproto_port_dump *); /* Iterates through each OFPROTO_PORT in OFPROTO, using DUMP as state. * * Arguments all have pointer type. * * If you break out of the loop, then you need to free the dump structure by * hand using ofproto_port_dump_done(). */ #define OFPROTO_PORT_FOR_EACH(OFPROTO_PORT, DUMP, OFPROTO) \ for (ofproto_port_dump_start(DUMP, OFPROTO); \ (ofproto_port_dump_next(DUMP, OFPROTO_PORT) \ ? true \ : (ofproto_port_dump_done(DUMP), false)); \ ) #define OFPROTO_FLOW_LIMIT_DEFAULT 200000 #define OFPROTO_MAX_IDLE_DEFAULT 1500 const char *ofproto_port_open_type(const char *datapath_type, const char *port_type); int ofproto_port_add(struct ofproto *, struct netdev *, ofp_port_t *ofp_portp); int ofproto_port_del(struct ofproto *, ofp_port_t ofp_port); int ofproto_port_get_stats(const struct ofport *, struct netdev_stats *stats); int ofproto_port_query_by_name(const struct ofproto *, const char *devname, struct ofproto_port *); /* Top-level configuration. */ uint64_t ofproto_get_datapath_id(const struct ofproto *); void ofproto_set_datapath_id(struct ofproto *, uint64_t datapath_id); void ofproto_set_controllers(struct ofproto *, const struct ofproto_controller *, size_t n, uint32_t allowed_versions); void ofproto_set_fail_mode(struct ofproto *, enum ofproto_fail_mode fail_mode); void ofproto_reconnect_controllers(struct ofproto *); void ofproto_set_extra_in_band_remotes(struct ofproto *, const struct sockaddr_in *, size_t n); void ofproto_set_in_band_queue(struct ofproto *, int queue_id); void ofproto_set_flow_limit(unsigned limit); void ofproto_set_max_idle(unsigned max_idle); void ofproto_set_forward_bpdu(struct ofproto *, bool forward_bpdu); void ofproto_set_mac_table_config(struct ofproto *, unsigned idle_time, size_t max_entries); void ofproto_set_threads(int n_handlers, int n_revalidators); void ofproto_set_dp_desc(struct ofproto *, const char *dp_desc); int ofproto_set_snoops(struct ofproto *, const struct sset *snoops); int ofproto_set_netflow(struct ofproto *, const struct netflow_options *nf_options); int ofproto_set_sflow(struct ofproto *, const struct ofproto_sflow_options *); int ofproto_set_ipfix(struct ofproto *, const struct ofproto_ipfix_bridge_exporter_options *, const struct ofproto_ipfix_flow_exporter_options *, size_t); void ofproto_set_flow_restore_wait(bool flow_restore_wait_db); bool ofproto_get_flow_restore_wait(void); int ofproto_set_stp(struct ofproto *, const struct ofproto_stp_settings *); int ofproto_get_stp_status(struct ofproto *, struct ofproto_stp_status *); /* Configuration of ports. */ void ofproto_port_unregister(struct ofproto *, ofp_port_t ofp_port); void ofproto_port_clear_cfm(struct ofproto *, ofp_port_t ofp_port); void ofproto_port_set_cfm(struct ofproto *, ofp_port_t ofp_port, const struct cfm_settings *); void ofproto_port_set_bfd(struct ofproto *, ofp_port_t ofp_port, const struct smap *cfg); int ofproto_port_get_bfd_status(struct ofproto *, ofp_port_t ofp_port, bool force, struct smap *); int ofproto_port_is_lacp_current(struct ofproto *, ofp_port_t ofp_port); int ofproto_port_set_stp(struct ofproto *, ofp_port_t ofp_port, const struct ofproto_port_stp_settings *); int ofproto_port_get_stp_status(struct ofproto *, ofp_port_t ofp_port, struct ofproto_port_stp_status *); int ofproto_port_get_stp_stats(struct ofproto *, ofp_port_t ofp_port, struct ofproto_port_stp_stats *); int ofproto_port_set_queues(struct ofproto *, ofp_port_t ofp_port, const struct ofproto_port_queue *, size_t n_queues); /* The behaviour of the port regarding VLAN handling */ enum port_vlan_mode { /* This port is an access port. 'vlan' is the VLAN ID. 'trunks' is * ignored. */ PORT_VLAN_ACCESS, /* This port is a trunk. 'trunks' is the set of trunks. 'vlan' is * ignored. */ PORT_VLAN_TRUNK, /* Untagged incoming packets are part of 'vlan', as are incoming packets * tagged with 'vlan'. Outgoing packets tagged with 'vlan' stay tagged. * Other VLANs in 'trunks' are trunked. */ PORT_VLAN_NATIVE_TAGGED, /* Untagged incoming packets are part of 'vlan', as are incoming packets * tagged with 'vlan'. Outgoing packets tagged with 'vlan' are untagged. * Other VLANs in 'trunks' are trunked. */ PORT_VLAN_NATIVE_UNTAGGED }; /* Configuration of bundles. */ struct ofproto_bundle_settings { char *name; /* For use in log messages. */ ofp_port_t *slaves; /* OpenFlow port numbers for slaves. */ size_t n_slaves; enum port_vlan_mode vlan_mode; /* Selects mode for vlan and trunks */ int vlan; /* VLAN VID, except for PORT_VLAN_TRUNK. */ unsigned long *trunks; /* vlan_bitmap, except for PORT_VLAN_ACCESS. */ bool use_priority_tags; /* Use 802.1p tag for frames in VLAN 0? */ struct bond_settings *bond; /* Must be nonnull iff if n_slaves > 1. */ struct lacp_settings *lacp; /* Nonnull to enable LACP. */ struct lacp_slave_settings *lacp_slaves; /* Array of n_slaves elements. */ /* Linux VLAN device support (e.g. "eth0.10" for VLAN 10.) * * This is deprecated. It is only for compatibility with broken device * drivers in old versions of Linux that do not properly support VLANs when * VLAN devices are not used. When broken device drivers are no longer in * widespread use, we will delete these interfaces. */ ofp_port_t realdev_ofp_port;/* OpenFlow port number of real device. */ }; int ofproto_bundle_register(struct ofproto *, void *aux, const struct ofproto_bundle_settings *); int ofproto_bundle_unregister(struct ofproto *, void *aux); /* Configuration of mirrors. */ struct ofproto_mirror_settings { /* Name for log messages. */ char *name; /* Bundles that select packets for mirroring upon ingress. */ void **srcs; /* A set of registered ofbundle handles. */ size_t n_srcs; /* Bundles that select packets for mirroring upon egress. */ void **dsts; /* A set of registered ofbundle handles. */ size_t n_dsts; /* VLANs of packets to select for mirroring. */ unsigned long *src_vlans; /* vlan_bitmap, NULL selects all VLANs. */ /* Output (mutually exclusive). */ void *out_bundle; /* A registered ofbundle handle or NULL. */ uint16_t out_vlan; /* Output VLAN, only if out_bundle is NULL. */ }; int ofproto_mirror_register(struct ofproto *, void *aux, const struct ofproto_mirror_settings *); int ofproto_mirror_unregister(struct ofproto *, void *aux); int ofproto_mirror_get_stats(struct ofproto *, void *aux, uint64_t *packets, uint64_t *bytes); int ofproto_set_flood_vlans(struct ofproto *, unsigned long *flood_vlans); bool ofproto_is_mirror_output_bundle(const struct ofproto *, void *aux); /* Configuration of OpenFlow tables. */ struct ofproto_table_settings { char *name; /* Name exported via OpenFlow or NULL. */ unsigned int max_flows; /* Maximum number of flows or UINT_MAX. */ /* These members determine the handling of an attempt to add a flow that * would cause the table to have more than 'max_flows' flows. * * If 'groups' is NULL, overflows will be rejected with an error. * * If 'groups' is nonnull, an overflow will cause a flow to be removed. * The flow to be removed is chosen to give fairness among groups * distinguished by different values for the subfields within 'groups'. */ struct mf_subfield *groups; size_t n_groups; /* * Fields for which prefix trie lookup is maintained. */ unsigned int n_prefix_fields; enum mf_field_id prefix_fields[CLS_MAX_TRIES]; }; int ofproto_get_n_tables(const struct ofproto *); uint8_t ofproto_get_n_visible_tables(const struct ofproto *); void ofproto_configure_table(struct ofproto *, int table_id, const struct ofproto_table_settings *); /* Configuration querying. */ bool ofproto_has_snoops(const struct ofproto *); void ofproto_get_snoops(const struct ofproto *, struct sset *); void ofproto_get_all_flows(struct ofproto *p, struct ds *); void ofproto_get_netflow_ids(const struct ofproto *, uint8_t *engine_type, uint8_t *engine_id); void ofproto_get_ofproto_controller_info(const struct ofproto *, struct shash *); void ofproto_free_ofproto_controller_info(struct shash *); /* CFM status query. */ struct ofproto_cfm_status { /* 0 if not faulted, otherwise a combination of one or more reasons. */ enum cfm_fault_reason faults; /* 0 if the remote CFM endpoint is operationally down, * 1 if the remote CFM endpoint is operationally up, * -1 if we don't know because the remote CFM endpoint is not in extended * mode. */ int remote_opstate; uint64_t flap_count; /* Ordinarily a "health status" in the range 0...100 inclusive, with 0 * being worst and 100 being best, or -1 if the health status is not * well-defined. */ int health; /* MPIDs of remote maintenance points whose CCMs have been received. */ uint64_t *rmps; size_t n_rmps; }; int ofproto_port_get_cfm_status(const struct ofproto *, ofp_port_t ofp_port, bool force, struct ofproto_cfm_status *); /* Linux VLAN device support (e.g. "eth0.10" for VLAN 10.) * * This is deprecated. It is only for compatibility with broken device drivers * in old versions of Linux that do not properly support VLANs when VLAN * devices are not used. When broken device drivers are no longer in * widespread use, we will delete these interfaces. */ void ofproto_get_vlan_usage(struct ofproto *, unsigned long int *vlan_bitmap); bool ofproto_has_vlan_usage_changed(const struct ofproto *); int ofproto_port_set_realdev(struct ofproto *, ofp_port_t vlandev_ofp_port, ofp_port_t realdev_ofp_port, int vid); /* Table configuration */ enum ofproto_table_config { /* Send to controller. */ OFPROTO_TABLE_MISS_CONTROLLER = OFPTC11_TABLE_MISS_CONTROLLER, /* Continue to the next table in the pipeline (OpenFlow 1.0 behavior). */ OFPROTO_TABLE_MISS_CONTINUE = OFPTC11_TABLE_MISS_CONTINUE, /* Drop the packet. */ OFPROTO_TABLE_MISS_DROP = OFPTC11_TABLE_MISS_DROP, /* The default miss behaviour for the OpenFlow version of the controller a * packet_in message would be sent to.. For pre-OF1.3 controllers, send * packet_in to controller. For OF1.3+ controllers, drop. */ OFPROTO_TABLE_MISS_DEFAULT = 3, }; enum ofproto_table_config ofproto_table_get_config(const struct ofproto *, uint8_t table_id); #ifdef __cplusplus } #endif #endif /* ofproto.h */
{ "content_hash": "3987d80b9619eed637a3c81480f4a070", "timestamp": "", "source": "github", "line_count": 451, "max_line_length": 81, "avg_line_length": 38.04656319290466, "alnum_prop": 0.6459001107290635, "repo_name": "lctseng/NCTU-SDN-Project", "id": "9a06849d1fa6aa5f78d2c5d981c812dd145c5cb5", "size": "17789", "binary": false, "copies": "2", "ref": "refs/heads/master", "path": "openvswitch-2.3.0/ofproto/ofproto.h", "mode": "33188", "license": "apache-2.0", "language": [ { "name": "Batchfile", "bytes": "1398768" }, { "name": "C", "bytes": "8239717" }, { "name": "C++", "bytes": "18379" }, { "name": "CSS", "bytes": "181" }, { "name": "Groff", "bytes": "785052" }, { "name": "HTML", "bytes": "9779" }, { "name": "Java", "bytes": "4726268" }, { "name": "JavaScript", "bytes": "44598" }, { "name": "Makefile", "bytes": "94629" }, { "name": "Perl", "bytes": "17222" }, { "name": "Python", "bytes": "887219" }, { "name": "Shell", "bytes": "9365389" }, { "name": "Thrift", "bytes": "7114" } ], "symlink_target": "" }
function(map_capture map ) set(__map_capture_args ${ARGN}) list_extract_flag(__map_capture_args --reassign) ans(__reassign) list_extract_flag(__map_capture_args --notnull) ans(__not_null) foreach(__map_capture_arg ${__map_capture_args}) if(__reassign AND "${__map_capture_arg}" MATCHES "(.+)[:=](.+)") set(__map_capture_arg_key ${CMAKE_MATCH_1}) set(__map_capture_arg ${CMAKE_MATCH_2}) else() set(__map_capture_arg_key "${__map_capture_arg}") endif() # print_vars(__map_capture_arg __map_capture_arg_key) if(NOT __not_null OR NOT "${${__map_capture_arg}}_" STREQUAL "_") map_set(${map} "${__map_capture_arg_key}" "${${__map_capture_arg}}") endif() endforeach() endfunction()
{ "content_hash": "74b26ad339d1a5d8892dcfaa6f2eb58c", "timestamp": "", "source": "github", "line_count": 21, "max_line_length": 74, "avg_line_length": 35.333333333333336, "alnum_prop": 0.5943396226415094, "repo_name": "tempbottle/cmakepp", "id": "fe4374ce7bdc34f035784c1ecee2d587e4c6345e", "size": "786", "binary": false, "copies": "3", "ref": "refs/heads/master", "path": "cmake/map/helpers/map_capture.cmake", "mode": "33188", "license": "mit", "language": [ { "name": "CMake", "bytes": "1421202" }, { "name": "JavaScript", "bytes": "2280" }, { "name": "PowerShell", "bytes": "194" }, { "name": "Shell", "bytes": "149" } ], "symlink_target": "" }
FROM balenalib/kitra710-alpine:3.12-run ENV GO_VERSION 1.16.14 # set up nsswitch.conf for Go's "netgo" implementation # - https://github.com/golang/go/blob/go1.9.1/src/net/conf.go#L194-L275 # - docker run --rm debian:stretch grep '^hosts:' /etc/nsswitch.conf RUN [ ! -e /etc/nsswitch.conf ] && echo 'hosts: files dns' > /etc/nsswitch.conf # gcc for cgo RUN apk add --no-cache git gcc ca-certificates RUN fetchDeps='curl' \ && set -x \ && apk add --no-cache $fetchDeps \ && mkdir -p /usr/local/go \ && curl -SLO "http://resin-packages.s3.amazonaws.com/golang/v$GO_VERSION/go$GO_VERSION.linux-alpine-aarch64.tar.gz" \ && echo "0d9df5ed0288f32ed66f17af0be6b8d9c42506a8d8a7da0c1abf082b6637cf29 go$GO_VERSION.linux-alpine-aarch64.tar.gz" | sha256sum -c - \ && tar -xzf "go$GO_VERSION.linux-alpine-aarch64.tar.gz" -C /usr/local/go --strip-components=1 \ && rm -f go$GO_VERSION.linux-alpine-aarch64.tar.gz ENV GOROOT /usr/local/go ENV GOPATH /go ENV PATH $GOPATH/bin:/usr/local/go/bin:$PATH RUN mkdir -p "$GOPATH/src" "$GOPATH/bin" && chmod -R 777 "$GOPATH" WORKDIR $GOPATH CMD ["echo","'No CMD command was set in Dockerfile! Details about CMD command could be found in Dockerfile Guide section in our Docs. Here's the link: https://balena.io/docs"] RUN curl -SLO "https://raw.githubusercontent.com/balena-io-library/base-images/613d8e9ca8540f29a43fddf658db56a8d826fffe/scripts/assets/tests/[email protected]" \ && echo "Running test-stack@golang" \ && chmod +x [email protected] \ && bash [email protected] \ && rm -rf [email protected] RUN [ ! -d /.balena/messages ] && mkdir -p /.balena/messages; echo $'Here are a few details about this Docker image (For more information please visit https://www.balena.io/docs/reference/base-images/base-images/): \nArchitecture: ARM v8 \nOS: Alpine Linux 3.12 \nVariant: run variant \nDefault variable(s): UDEV=off \nThe following software stack is preinstalled: \nGo v1.16.14 \nExtra features: \n- Easy way to install packages with `install_packages <package-name>` command \n- Run anywhere with cross-build feature (for ARM only) \n- Keep the container idling with `balena-idle` command \n- Show base image details with `balena-info` command' > /.balena/messages/image-info RUN echo $'#!/bin/bash\nbalena-info\nbusybox ln -sf /bin/busybox /bin/sh\n/bin/sh "$@"' > /bin/sh-shim \ && chmod +x /bin/sh-shim \ && ln -f /bin/sh /bin/sh.real \ && ln -f /bin/sh-shim /bin/sh
{ "content_hash": "073db86577a89bbc3c7754e062366f01", "timestamp": "", "source": "github", "line_count": 42, "max_line_length": 678, "avg_line_length": 58.23809523809524, "alnum_prop": 0.7183156173344235, "repo_name": "resin-io-library/base-images", "id": "82f639c8bfa4a54d2b6019d8a8afed65b566a28a", "size": "2467", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "balena-base-images/golang/kitra710/alpine/3.12/1.16.14/run/Dockerfile", "mode": "33188", "license": "apache-2.0", "language": [ { "name": "Dockerfile", "bytes": "71234697" }, { "name": "JavaScript", "bytes": "13096" }, { "name": "Shell", "bytes": "12051936" }, { "name": "Smarty", "bytes": "59789" } ], "symlink_target": "" }
package com.umarbhutta.xlightcompanion.control.bean; import java.io.Serializable; import java.util.List; /** * Created by Administrator on 2017/3/24. */ public class Ruleconditions implements Serializable{ public List<Ruleconditions> data; public List<Activities> activities;//活动 public List<Voice> voice;//声音 public List<LeaveHome> leavehome;//离家 public List<GoHome> gohome;//回家 public List<Gas> gas;//气体 public List<Temperature> temperature;//温度 public List<Ruleconditions> getData() { return data; } public void setData(List<Ruleconditions> data) { this.data = data; } public List<Activities> getActivities() { return activities; } public void setActivities(List<Activities> activities) { this.activities = activities; } public List<Voice> getVoice() { return voice; } public void setVoice(List<Voice> voice) { this.voice = voice; } public List<LeaveHome> getLeavehome() { return leavehome; } public void setLeavehome(List<LeaveHome> leavehome) { this.leavehome = leavehome; } public List<GoHome> getGohome() { return gohome; } public void setGohome(List<GoHome> gohome) { this.gohome = gohome; } public List<Gas> getGas() { return gas; } public void setGas(List<Gas> gas) { this.gas = gas; } public List<Temperature> getTemperature() { return temperature; } public void setTemperature(List<Temperature> temperature) { this.temperature = temperature; } @Override public String toString() { return "Ruleconditions{" + "data=" + data + ", activities=" + activities + ", voice=" + voice + ", leavehome=" + leavehome + ", gohome=" + gohome + ", gas=" + gas + ", temperature=" + temperature + '}'; } }
{ "content_hash": "83946a9e38b614b247286a3b6c51b1b1", "timestamp": "", "source": "github", "line_count": 89, "max_line_length": 63, "avg_line_length": 22.719101123595507, "alnum_prop": 0.5845697329376854, "repo_name": "PeterIJia/android_xlight", "id": "b2c21d53c7677a97e085eac14454643907368441", "size": "2046", "binary": false, "copies": "2", "ref": "refs/heads/master", "path": "app/src/main/java/com/umarbhutta/xlightcompanion/control/bean/Ruleconditions.java", "mode": "33188", "license": "apache-2.0", "language": [ { "name": "Java", "bytes": "2248753" } ], "symlink_target": "" }
package com.zerowater.environment.data.remote; import android.content.Context; import com.zerowater.environment.injection.ApplicationContext; import com.google.gson.Gson; import com.zerowater.environment.BuildConfig; import okhttp3.OkHttpClient; import okhttp3.logging.HttpLoggingInterceptor; import retrofit2.Retrofit; import retrofit2.adapter.rxjava.RxJavaCallAdapterFactory; import retrofit2.converter.gson.GsonConverterFactory; /** * Created by YoungSoo Kim on 2016-06-23. * company Ltd * [email protected] * Retrofit 통신 환경 설정 */ public class NetworkServiceFactory { public static NetworkService makeNetworkService(@ApplicationContext Context context) { OkHttpClient okHttpClient = makeOkHttpClient(context); return makeNetworkService(okHttpClient); } private static NetworkService makeNetworkService(OkHttpClient okHttpClient) { Retrofit retrofit = new Retrofit.Builder() .baseUrl(BuildConfig.BASE_URL) .client(okHttpClient) .addCallAdapterFactory(RxJavaCallAdapterFactory.create()) .addConverterFactory(GsonConverterFactory.create(new Gson())) .build(); return retrofit.create(NetworkService.class); } private static OkHttpClient makeOkHttpClient(@ApplicationContext Context context) { HttpLoggingInterceptor logging = new HttpLoggingInterceptor(); logging.setLevel(BuildConfig.DEBUG ? HttpLoggingInterceptor.Level.BODY : HttpLoggingInterceptor.Level.NONE); return new OkHttpClient.Builder() .addInterceptor(logging) .addInterceptor(new HeaderInterceptor(context)) .addInterceptor(new ErrorInterceptor(context)) .build(); } }
{ "content_hash": "aa2023e6c84ab46dc97ba02618c04c66", "timestamp": "", "source": "github", "line_count": 52, "max_line_length": 90, "avg_line_length": 34.44230769230769, "alnum_prop": 0.718034617532105, "repo_name": "byzerowater/Environment", "id": "2713db779cb29f9da64c1c74a49e60a1cfb6e339", "size": "1803", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "app/src/main/java/com/zerowater/environment/data/remote/NetworkServiceFactory.java", "mode": "33188", "license": "mit", "language": [ { "name": "Java", "bytes": "67821" } ], "symlink_target": "" }
namespace PhotographicMosaic { partial class MainForm { /// <summary> /// Required designer variable. /// </summary> private System.ComponentModel.IContainer components = null; /// <summary> /// Clean up any resources being used. /// </summary> /// <param name="disposing">true if managed resources should be disposed; otherwise, false.</param> protected override void Dispose(bool disposing) { if (disposing && (components != null)) { components.Dispose(); } base.Dispose(disposing); } #region Windows Form Designer generated code /// <summary> /// Required method for Designer support - do not modify /// the contents of this method with the code editor. /// </summary> private void InitializeComponent() { this.components = new System.ComponentModel.Container(); System.ComponentModel.ComponentResourceManager resources = new System.ComponentModel.ComponentResourceManager(typeof(MainForm)); this._ToolTip = new System.Windows.Forms.ToolTip(this.components); this._SourceTextBox = new System.Windows.Forms.TextBox(); this._IconSizeTextBox = new System.Windows.Forms.TextBox(); this._IconsTextBox = new System.Windows.Forms.TextBox(); this._DestinationTextBox = new System.Windows.Forms.TextBox(); this._ImagesTextBox = new System.Windows.Forms.TextBox(); this._HeightTextBox = new System.Windows.Forms.TextBox(); this._WidthTextBox = new System.Windows.Forms.TextBox(); this._ScaleTextBox = new System.Windows.Forms.TextBox(); this._AlphaTextBox = new System.Windows.Forms.TextBox(); this._FlowLayoutPanel = new System.Windows.Forms.FlowLayoutPanel(); this._TableLayoutPanel1 = new System.Windows.Forms.TableLayoutPanel(); this._BrowseImagesButton = new System.Windows.Forms.Button(); this._ImagesLabel = new System.Windows.Forms.Label(); this._BrowseSourceButton = new System.Windows.Forms.Button(); this._SourceLabel = new System.Windows.Forms.Label(); this._MoreButton = new System.Windows.Forms.Button(); this._CreateButton = new System.Windows.Forms.Button(); this._TableLayoutPanel2 = new System.Windows.Forms.TableLayoutPanel(); this._AboutButton = new System.Windows.Forms.Button(); this._ResetButton = new System.Windows.Forms.Button(); this._BrowseDestinationButton = new System.Windows.Forms.Button(); this._DestinationLabel = new System.Windows.Forms.Label(); this._IconsLabel = new System.Windows.Forms.Label(); this._BrowseIconsButton = new System.Windows.Forms.Button(); this._IconSizeLabel = new System.Windows.Forms.Label(); this._AlphaLabel = new System.Windows.Forms.Label(); this._ScaleLabel = new System.Windows.Forms.Label(); this._HeightLabel = new System.Windows.Forms.Label(); this._WidthLabel = new System.Windows.Forms.Label(); this._ScaleRadioButton = new System.Windows.Forms.RadioButton(); this._SizeRadioButton = new System.Windows.Forms.RadioButton(); this._ErrorProvider = new System.Windows.Forms.ErrorProvider(this.components); this._BackgroundWorker = new System.ComponentModel.BackgroundWorker(); this._SourceOpenFileDialog = new System.Windows.Forms.OpenFileDialog(); this._DestinationSaveFileDialog = new System.Windows.Forms.SaveFileDialog(); this._ImagesFolderBrowserDialog = new System.Windows.Forms.FolderBrowserDialog(); this._IconsFolderBrowserDialog = new System.Windows.Forms.FolderBrowserDialog(); this._FlowLayoutPanel.SuspendLayout(); this._TableLayoutPanel1.SuspendLayout(); this._TableLayoutPanel2.SuspendLayout(); ((System.ComponentModel.ISupportInitialize)(this._ErrorProvider)).BeginInit(); this.SuspendLayout(); // // _ToolTip // this._ToolTip.IsBalloon = true; this._ToolTip.ShowAlways = true; // // _SourceTextBox // resources.ApplyResources(this._SourceTextBox, "_SourceTextBox"); this._ErrorProvider.SetError(this._SourceTextBox, resources.GetString("_SourceTextBox.Error")); this._ErrorProvider.SetIconAlignment(this._SourceTextBox, ((System.Windows.Forms.ErrorIconAlignment)(resources.GetObject("_SourceTextBox.IconAlignment")))); this._ErrorProvider.SetIconPadding(this._SourceTextBox, ((int)(resources.GetObject("_SourceTextBox.IconPadding")))); this._SourceTextBox.Name = "_SourceTextBox"; this._ToolTip.SetToolTip(this._SourceTextBox, resources.GetString("_SourceTextBox.ToolTip")); this._SourceTextBox.TextChanged += new System.EventHandler(this._SourceTextBox_TextChanged); this._SourceTextBox.Validating += new System.ComponentModel.CancelEventHandler(this._SourceTextBox_Validating); this._SourceTextBox.Validated += new System.EventHandler(this.TextBox_Validated); // // _IconSizeTextBox // resources.ApplyResources(this._IconSizeTextBox, "_IconSizeTextBox"); this._ErrorProvider.SetError(this._IconSizeTextBox, resources.GetString("_IconSizeTextBox.Error")); this._ErrorProvider.SetIconAlignment(this._IconSizeTextBox, ((System.Windows.Forms.ErrorIconAlignment)(resources.GetObject("_IconSizeTextBox.IconAlignment")))); this._ErrorProvider.SetIconPadding(this._IconSizeTextBox, ((int)(resources.GetObject("_IconSizeTextBox.IconPadding")))); this._IconSizeTextBox.Name = "_IconSizeTextBox"; this._ToolTip.SetToolTip(this._IconSizeTextBox, resources.GetString("_IconSizeTextBox.ToolTip")); this._IconSizeTextBox.Validating += new System.ComponentModel.CancelEventHandler(this.Positive_Validating); this._IconSizeTextBox.Validated += new System.EventHandler(this.TextBox_Validated); // // _IconsTextBox // resources.ApplyResources(this._IconsTextBox, "_IconsTextBox"); this._ErrorProvider.SetError(this._IconsTextBox, resources.GetString("_IconsTextBox.Error")); this._ErrorProvider.SetIconAlignment(this._IconsTextBox, ((System.Windows.Forms.ErrorIconAlignment)(resources.GetObject("_IconsTextBox.IconAlignment")))); this._ErrorProvider.SetIconPadding(this._IconsTextBox, ((int)(resources.GetObject("_IconsTextBox.IconPadding")))); this._IconsTextBox.Name = "_IconsTextBox"; this._ToolTip.SetToolTip(this._IconsTextBox, resources.GetString("_IconsTextBox.ToolTip")); this._IconsTextBox.Validating += new System.ComponentModel.CancelEventHandler(this._IconsTextBox_Validating); this._IconsTextBox.Validated += new System.EventHandler(this.TextBox_Validated); // // _DestinationTextBox // resources.ApplyResources(this._DestinationTextBox, "_DestinationTextBox"); this._ErrorProvider.SetError(this._DestinationTextBox, resources.GetString("_DestinationTextBox.Error")); this._ErrorProvider.SetIconAlignment(this._DestinationTextBox, ((System.Windows.Forms.ErrorIconAlignment)(resources.GetObject("_DestinationTextBox.IconAlignment")))); this._ErrorProvider.SetIconPadding(this._DestinationTextBox, ((int)(resources.GetObject("_DestinationTextBox.IconPadding")))); this._DestinationTextBox.Name = "_DestinationTextBox"; this._ToolTip.SetToolTip(this._DestinationTextBox, resources.GetString("_DestinationTextBox.ToolTip")); this._DestinationTextBox.Validating += new System.ComponentModel.CancelEventHandler(this._DestinationTextBox_Validating); this._DestinationTextBox.Validated += new System.EventHandler(this.TextBox_Validated); // // _ImagesTextBox // resources.ApplyResources(this._ImagesTextBox, "_ImagesTextBox"); this._ErrorProvider.SetError(this._ImagesTextBox, resources.GetString("_ImagesTextBox.Error")); this._ErrorProvider.SetIconAlignment(this._ImagesTextBox, ((System.Windows.Forms.ErrorIconAlignment)(resources.GetObject("_ImagesTextBox.IconAlignment")))); this._ErrorProvider.SetIconPadding(this._ImagesTextBox, ((int)(resources.GetObject("_ImagesTextBox.IconPadding")))); this._ImagesTextBox.Name = "_ImagesTextBox"; this._ToolTip.SetToolTip(this._ImagesTextBox, resources.GetString("_ImagesTextBox.ToolTip")); this._ImagesTextBox.Validating += new System.ComponentModel.CancelEventHandler(this._ImagesTextBox_Validating); this._ImagesTextBox.Validated += new System.EventHandler(this.TextBox_Validated); // // _HeightTextBox // resources.ApplyResources(this._HeightTextBox, "_HeightTextBox"); this._ErrorProvider.SetError(this._HeightTextBox, resources.GetString("_HeightTextBox.Error")); this._ErrorProvider.SetIconAlignment(this._HeightTextBox, ((System.Windows.Forms.ErrorIconAlignment)(resources.GetObject("_HeightTextBox.IconAlignment")))); this._ErrorProvider.SetIconPadding(this._HeightTextBox, ((int)(resources.GetObject("_HeightTextBox.IconPadding")))); this._HeightTextBox.Name = "_HeightTextBox"; this._HeightTextBox.ReadOnly = true; this._ToolTip.SetToolTip(this._HeightTextBox, resources.GetString("_HeightTextBox.ToolTip")); this._HeightTextBox.TextChanged += new System.EventHandler(this._HeightTextBox_TextChanged); this._HeightTextBox.Validating += new System.ComponentModel.CancelEventHandler(this.Positive_Validating); this._HeightTextBox.Validated += new System.EventHandler(this.TextBox_Validated); // // _WidthTextBox // resources.ApplyResources(this._WidthTextBox, "_WidthTextBox"); this._ErrorProvider.SetError(this._WidthTextBox, resources.GetString("_WidthTextBox.Error")); this._ErrorProvider.SetIconAlignment(this._WidthTextBox, ((System.Windows.Forms.ErrorIconAlignment)(resources.GetObject("_WidthTextBox.IconAlignment")))); this._ErrorProvider.SetIconPadding(this._WidthTextBox, ((int)(resources.GetObject("_WidthTextBox.IconPadding")))); this._WidthTextBox.Name = "_WidthTextBox"; this._WidthTextBox.ReadOnly = true; this._ToolTip.SetToolTip(this._WidthTextBox, resources.GetString("_WidthTextBox.ToolTip")); this._WidthTextBox.TextChanged += new System.EventHandler(this._WidthTextBox_TextChanged); this._WidthTextBox.Validating += new System.ComponentModel.CancelEventHandler(this.Positive_Validating); this._WidthTextBox.Validated += new System.EventHandler(this.TextBox_Validated); // // _ScaleTextBox // resources.ApplyResources(this._ScaleTextBox, "_ScaleTextBox"); this._ErrorProvider.SetError(this._ScaleTextBox, resources.GetString("_ScaleTextBox.Error")); this._ErrorProvider.SetIconAlignment(this._ScaleTextBox, ((System.Windows.Forms.ErrorIconAlignment)(resources.GetObject("_ScaleTextBox.IconAlignment")))); this._ErrorProvider.SetIconPadding(this._ScaleTextBox, ((int)(resources.GetObject("_ScaleTextBox.IconPadding")))); this._ScaleTextBox.Name = "_ScaleTextBox"; this._ToolTip.SetToolTip(this._ScaleTextBox, resources.GetString("_ScaleTextBox.ToolTip")); this._ScaleTextBox.TextChanged += new System.EventHandler(this._ScaleTextBox_TextChanged); this._ScaleTextBox.Validating += new System.ComponentModel.CancelEventHandler(this._ScaleTextBox_Validating); this._ScaleTextBox.Validated += new System.EventHandler(this.TextBox_Validated); // // _AlphaTextBox // resources.ApplyResources(this._AlphaTextBox, "_AlphaTextBox"); this._ErrorProvider.SetError(this._AlphaTextBox, resources.GetString("_AlphaTextBox.Error")); this._ErrorProvider.SetIconAlignment(this._AlphaTextBox, ((System.Windows.Forms.ErrorIconAlignment)(resources.GetObject("_AlphaTextBox.IconAlignment")))); this._ErrorProvider.SetIconPadding(this._AlphaTextBox, ((int)(resources.GetObject("_AlphaTextBox.IconPadding")))); this._AlphaTextBox.Name = "_AlphaTextBox"; this._ToolTip.SetToolTip(this._AlphaTextBox, resources.GetString("_AlphaTextBox.ToolTip")); this._AlphaTextBox.Validating += new System.ComponentModel.CancelEventHandler(this._AlphaTextBox_Validating); this._AlphaTextBox.Validated += new System.EventHandler(this.TextBox_Validated); // // _FlowLayoutPanel // resources.ApplyResources(this._FlowLayoutPanel, "_FlowLayoutPanel"); this._FlowLayoutPanel.Controls.Add(this._TableLayoutPanel1); this._FlowLayoutPanel.Controls.Add(this._TableLayoutPanel2); this._ErrorProvider.SetError(this._FlowLayoutPanel, resources.GetString("_FlowLayoutPanel.Error")); this._ErrorProvider.SetIconAlignment(this._FlowLayoutPanel, ((System.Windows.Forms.ErrorIconAlignment)(resources.GetObject("_FlowLayoutPanel.IconAlignment")))); this._ErrorProvider.SetIconPadding(this._FlowLayoutPanel, ((int)(resources.GetObject("_FlowLayoutPanel.IconPadding")))); this._FlowLayoutPanel.Name = "_FlowLayoutPanel"; this._ToolTip.SetToolTip(this._FlowLayoutPanel, resources.GetString("_FlowLayoutPanel.ToolTip")); // // _TableLayoutPanel1 // resources.ApplyResources(this._TableLayoutPanel1, "_TableLayoutPanel1"); this._TableLayoutPanel1.Controls.Add(this._BrowseImagesButton, 2, 1); this._TableLayoutPanel1.Controls.Add(this._ImagesTextBox, 1, 1); this._TableLayoutPanel1.Controls.Add(this._ImagesLabel, 0, 1); this._TableLayoutPanel1.Controls.Add(this._SourceTextBox, 1, 0); this._TableLayoutPanel1.Controls.Add(this._BrowseSourceButton, 2, 0); this._TableLayoutPanel1.Controls.Add(this._SourceLabel, 0, 0); this._TableLayoutPanel1.Controls.Add(this._MoreButton, 0, 2); this._TableLayoutPanel1.Controls.Add(this._CreateButton, 2, 2); this._ErrorProvider.SetError(this._TableLayoutPanel1, resources.GetString("_TableLayoutPanel1.Error")); this._ErrorProvider.SetIconAlignment(this._TableLayoutPanel1, ((System.Windows.Forms.ErrorIconAlignment)(resources.GetObject("_TableLayoutPanel1.IconAlignment")))); this._ErrorProvider.SetIconPadding(this._TableLayoutPanel1, ((int)(resources.GetObject("_TableLayoutPanel1.IconPadding")))); this._TableLayoutPanel1.Name = "_TableLayoutPanel1"; this._ToolTip.SetToolTip(this._TableLayoutPanel1, resources.GetString("_TableLayoutPanel1.ToolTip")); // // _BrowseImagesButton // resources.ApplyResources(this._BrowseImagesButton, "_BrowseImagesButton"); this._ErrorProvider.SetError(this._BrowseImagesButton, resources.GetString("_BrowseImagesButton.Error")); this._ErrorProvider.SetIconAlignment(this._BrowseImagesButton, ((System.Windows.Forms.ErrorIconAlignment)(resources.GetObject("_BrowseImagesButton.IconAlignment")))); this._ErrorProvider.SetIconPadding(this._BrowseImagesButton, ((int)(resources.GetObject("_BrowseImagesButton.IconPadding")))); this._BrowseImagesButton.Name = "_BrowseImagesButton"; this._ToolTip.SetToolTip(this._BrowseImagesButton, resources.GetString("_BrowseImagesButton.ToolTip")); this._BrowseImagesButton.UseVisualStyleBackColor = true; // // _ImagesLabel // resources.ApplyResources(this._ImagesLabel, "_ImagesLabel"); this._ErrorProvider.SetError(this._ImagesLabel, resources.GetString("_ImagesLabel.Error")); this._ErrorProvider.SetIconAlignment(this._ImagesLabel, ((System.Windows.Forms.ErrorIconAlignment)(resources.GetObject("_ImagesLabel.IconAlignment")))); this._ErrorProvider.SetIconPadding(this._ImagesLabel, ((int)(resources.GetObject("_ImagesLabel.IconPadding")))); this._ImagesLabel.Name = "_ImagesLabel"; this._ToolTip.SetToolTip(this._ImagesLabel, resources.GetString("_ImagesLabel.ToolTip")); // // _BrowseSourceButton // resources.ApplyResources(this._BrowseSourceButton, "_BrowseSourceButton"); this._ErrorProvider.SetError(this._BrowseSourceButton, resources.GetString("_BrowseSourceButton.Error")); this._ErrorProvider.SetIconAlignment(this._BrowseSourceButton, ((System.Windows.Forms.ErrorIconAlignment)(resources.GetObject("_BrowseSourceButton.IconAlignment")))); this._ErrorProvider.SetIconPadding(this._BrowseSourceButton, ((int)(resources.GetObject("_BrowseSourceButton.IconPadding")))); this._BrowseSourceButton.Name = "_BrowseSourceButton"; this._ToolTip.SetToolTip(this._BrowseSourceButton, resources.GetString("_BrowseSourceButton.ToolTip")); this._BrowseSourceButton.UseVisualStyleBackColor = true; // // _SourceLabel // resources.ApplyResources(this._SourceLabel, "_SourceLabel"); this._ErrorProvider.SetError(this._SourceLabel, resources.GetString("_SourceLabel.Error")); this._ErrorProvider.SetIconAlignment(this._SourceLabel, ((System.Windows.Forms.ErrorIconAlignment)(resources.GetObject("_SourceLabel.IconAlignment")))); this._ErrorProvider.SetIconPadding(this._SourceLabel, ((int)(resources.GetObject("_SourceLabel.IconPadding")))); this._SourceLabel.Name = "_SourceLabel"; this._ToolTip.SetToolTip(this._SourceLabel, resources.GetString("_SourceLabel.ToolTip")); // // _MoreButton // resources.ApplyResources(this._MoreButton, "_MoreButton"); this._ErrorProvider.SetError(this._MoreButton, resources.GetString("_MoreButton.Error")); this._ErrorProvider.SetIconAlignment(this._MoreButton, ((System.Windows.Forms.ErrorIconAlignment)(resources.GetObject("_MoreButton.IconAlignment")))); this._ErrorProvider.SetIconPadding(this._MoreButton, ((int)(resources.GetObject("_MoreButton.IconPadding")))); this._MoreButton.Name = "_MoreButton"; this._ToolTip.SetToolTip(this._MoreButton, resources.GetString("_MoreButton.ToolTip")); this._MoreButton.UseVisualStyleBackColor = true; this._MoreButton.Click += new System.EventHandler(this._MoreButton_Click); // // _CreateButton // resources.ApplyResources(this._CreateButton, "_CreateButton"); this._ErrorProvider.SetError(this._CreateButton, resources.GetString("_CreateButton.Error")); this._ErrorProvider.SetIconAlignment(this._CreateButton, ((System.Windows.Forms.ErrorIconAlignment)(resources.GetObject("_CreateButton.IconAlignment")))); this._ErrorProvider.SetIconPadding(this._CreateButton, ((int)(resources.GetObject("_CreateButton.IconPadding")))); this._CreateButton.Name = "_CreateButton"; this._ToolTip.SetToolTip(this._CreateButton, resources.GetString("_CreateButton.ToolTip")); this._CreateButton.UseVisualStyleBackColor = true; this._CreateButton.Click += new System.EventHandler(this._CreateButton_ClickAsync); // // _TableLayoutPanel2 // resources.ApplyResources(this._TableLayoutPanel2, "_TableLayoutPanel2"); this._TableLayoutPanel2.Controls.Add(this._AboutButton, 2, 7); this._TableLayoutPanel2.Controls.Add(this._ResetButton, 0, 7); this._TableLayoutPanel2.Controls.Add(this._BrowseDestinationButton, 2, 0); this._TableLayoutPanel2.Controls.Add(this._DestinationTextBox, 1, 0); this._TableLayoutPanel2.Controls.Add(this._DestinationLabel, 0, 0); this._TableLayoutPanel2.Controls.Add(this._IconsLabel, 0, 1); this._TableLayoutPanel2.Controls.Add(this._IconsTextBox, 1, 1); this._TableLayoutPanel2.Controls.Add(this._BrowseIconsButton, 3, 1); this._TableLayoutPanel2.Controls.Add(this._IconSizeLabel, 0, 2); this._TableLayoutPanel2.Controls.Add(this._AlphaLabel, 0, 3); this._TableLayoutPanel2.Controls.Add(this._ScaleLabel, 0, 4); this._TableLayoutPanel2.Controls.Add(this._HeightLabel, 0, 6); this._TableLayoutPanel2.Controls.Add(this._WidthLabel, 0, 5); this._TableLayoutPanel2.Controls.Add(this._HeightTextBox, 1, 6); this._TableLayoutPanel2.Controls.Add(this._WidthTextBox, 1, 5); this._TableLayoutPanel2.Controls.Add(this._ScaleTextBox, 1, 4); this._TableLayoutPanel2.Controls.Add(this._AlphaTextBox, 1, 3); this._TableLayoutPanel2.Controls.Add(this._IconSizeTextBox, 1, 2); this._TableLayoutPanel2.Controls.Add(this._ScaleRadioButton, 2, 4); this._TableLayoutPanel2.Controls.Add(this._SizeRadioButton, 2, 5); this._ErrorProvider.SetError(this._TableLayoutPanel2, resources.GetString("_TableLayoutPanel2.Error")); this._ErrorProvider.SetIconAlignment(this._TableLayoutPanel2, ((System.Windows.Forms.ErrorIconAlignment)(resources.GetObject("_TableLayoutPanel2.IconAlignment")))); this._ErrorProvider.SetIconPadding(this._TableLayoutPanel2, ((int)(resources.GetObject("_TableLayoutPanel2.IconPadding")))); this._TableLayoutPanel2.Name = "_TableLayoutPanel2"; this._ToolTip.SetToolTip(this._TableLayoutPanel2, resources.GetString("_TableLayoutPanel2.ToolTip")); // // _AboutButton // resources.ApplyResources(this._AboutButton, "_AboutButton"); this._ErrorProvider.SetError(this._AboutButton, resources.GetString("_AboutButton.Error")); this._ErrorProvider.SetIconAlignment(this._AboutButton, ((System.Windows.Forms.ErrorIconAlignment)(resources.GetObject("_AboutButton.IconAlignment")))); this._ErrorProvider.SetIconPadding(this._AboutButton, ((int)(resources.GetObject("_AboutButton.IconPadding")))); this._AboutButton.Name = "_AboutButton"; this._ToolTip.SetToolTip(this._AboutButton, resources.GetString("_AboutButton.ToolTip")); this._AboutButton.UseVisualStyleBackColor = true; this._AboutButton.Click += new System.EventHandler(this._AboutButton_Click); // // _ResetButton // resources.ApplyResources(this._ResetButton, "_ResetButton"); this._ErrorProvider.SetError(this._ResetButton, resources.GetString("_ResetButton.Error")); this._ErrorProvider.SetIconAlignment(this._ResetButton, ((System.Windows.Forms.ErrorIconAlignment)(resources.GetObject("_ResetButton.IconAlignment")))); this._ErrorProvider.SetIconPadding(this._ResetButton, ((int)(resources.GetObject("_ResetButton.IconPadding")))); this._ResetButton.Name = "_ResetButton"; this._ToolTip.SetToolTip(this._ResetButton, resources.GetString("_ResetButton.ToolTip")); this._ResetButton.UseVisualStyleBackColor = true; this._ResetButton.Click += new System.EventHandler(this._ResetButton_Click); // // _BrowseDestinationButton // resources.ApplyResources(this._BrowseDestinationButton, "_BrowseDestinationButton"); this._ErrorProvider.SetError(this._BrowseDestinationButton, resources.GetString("_BrowseDestinationButton.Error")); this._ErrorProvider.SetIconAlignment(this._BrowseDestinationButton, ((System.Windows.Forms.ErrorIconAlignment)(resources.GetObject("_BrowseDestinationButton.IconAlignment")))); this._ErrorProvider.SetIconPadding(this._BrowseDestinationButton, ((int)(resources.GetObject("_BrowseDestinationButton.IconPadding")))); this._BrowseDestinationButton.Name = "_BrowseDestinationButton"; this._ToolTip.SetToolTip(this._BrowseDestinationButton, resources.GetString("_BrowseDestinationButton.ToolTip")); this._BrowseDestinationButton.UseVisualStyleBackColor = true; // // _DestinationLabel // resources.ApplyResources(this._DestinationLabel, "_DestinationLabel"); this._ErrorProvider.SetError(this._DestinationLabel, resources.GetString("_DestinationLabel.Error")); this._ErrorProvider.SetIconAlignment(this._DestinationLabel, ((System.Windows.Forms.ErrorIconAlignment)(resources.GetObject("_DestinationLabel.IconAlignment")))); this._ErrorProvider.SetIconPadding(this._DestinationLabel, ((int)(resources.GetObject("_DestinationLabel.IconPadding")))); this._DestinationLabel.Name = "_DestinationLabel"; this._ToolTip.SetToolTip(this._DestinationLabel, resources.GetString("_DestinationLabel.ToolTip")); // // _IconsLabel // resources.ApplyResources(this._IconsLabel, "_IconsLabel"); this._ErrorProvider.SetError(this._IconsLabel, resources.GetString("_IconsLabel.Error")); this._ErrorProvider.SetIconAlignment(this._IconsLabel, ((System.Windows.Forms.ErrorIconAlignment)(resources.GetObject("_IconsLabel.IconAlignment")))); this._ErrorProvider.SetIconPadding(this._IconsLabel, ((int)(resources.GetObject("_IconsLabel.IconPadding")))); this._IconsLabel.Name = "_IconsLabel"; this._ToolTip.SetToolTip(this._IconsLabel, resources.GetString("_IconsLabel.ToolTip")); // // _BrowseIconsButton // resources.ApplyResources(this._BrowseIconsButton, "_BrowseIconsButton"); this._ErrorProvider.SetError(this._BrowseIconsButton, resources.GetString("_BrowseIconsButton.Error")); this._ErrorProvider.SetIconAlignment(this._BrowseIconsButton, ((System.Windows.Forms.ErrorIconAlignment)(resources.GetObject("_BrowseIconsButton.IconAlignment")))); this._ErrorProvider.SetIconPadding(this._BrowseIconsButton, ((int)(resources.GetObject("_BrowseIconsButton.IconPadding")))); this._BrowseIconsButton.Name = "_BrowseIconsButton"; this._ToolTip.SetToolTip(this._BrowseIconsButton, resources.GetString("_BrowseIconsButton.ToolTip")); this._BrowseIconsButton.UseVisualStyleBackColor = true; // // _IconSizeLabel // resources.ApplyResources(this._IconSizeLabel, "_IconSizeLabel"); this._ErrorProvider.SetError(this._IconSizeLabel, resources.GetString("_IconSizeLabel.Error")); this._ErrorProvider.SetIconAlignment(this._IconSizeLabel, ((System.Windows.Forms.ErrorIconAlignment)(resources.GetObject("_IconSizeLabel.IconAlignment")))); this._ErrorProvider.SetIconPadding(this._IconSizeLabel, ((int)(resources.GetObject("_IconSizeLabel.IconPadding")))); this._IconSizeLabel.Name = "_IconSizeLabel"; this._ToolTip.SetToolTip(this._IconSizeLabel, resources.GetString("_IconSizeLabel.ToolTip")); // // _AlphaLabel // resources.ApplyResources(this._AlphaLabel, "_AlphaLabel"); this._ErrorProvider.SetError(this._AlphaLabel, resources.GetString("_AlphaLabel.Error")); this._ErrorProvider.SetIconAlignment(this._AlphaLabel, ((System.Windows.Forms.ErrorIconAlignment)(resources.GetObject("_AlphaLabel.IconAlignment")))); this._ErrorProvider.SetIconPadding(this._AlphaLabel, ((int)(resources.GetObject("_AlphaLabel.IconPadding")))); this._AlphaLabel.Name = "_AlphaLabel"; this._ToolTip.SetToolTip(this._AlphaLabel, resources.GetString("_AlphaLabel.ToolTip")); // // _ScaleLabel // resources.ApplyResources(this._ScaleLabel, "_ScaleLabel"); this._ErrorProvider.SetError(this._ScaleLabel, resources.GetString("_ScaleLabel.Error")); this._ErrorProvider.SetIconAlignment(this._ScaleLabel, ((System.Windows.Forms.ErrorIconAlignment)(resources.GetObject("_ScaleLabel.IconAlignment")))); this._ErrorProvider.SetIconPadding(this._ScaleLabel, ((int)(resources.GetObject("_ScaleLabel.IconPadding")))); this._ScaleLabel.Name = "_ScaleLabel"; this._ToolTip.SetToolTip(this._ScaleLabel, resources.GetString("_ScaleLabel.ToolTip")); // // _HeightLabel // resources.ApplyResources(this._HeightLabel, "_HeightLabel"); this._ErrorProvider.SetError(this._HeightLabel, resources.GetString("_HeightLabel.Error")); this._ErrorProvider.SetIconAlignment(this._HeightLabel, ((System.Windows.Forms.ErrorIconAlignment)(resources.GetObject("_HeightLabel.IconAlignment")))); this._ErrorProvider.SetIconPadding(this._HeightLabel, ((int)(resources.GetObject("_HeightLabel.IconPadding")))); this._HeightLabel.Name = "_HeightLabel"; this._ToolTip.SetToolTip(this._HeightLabel, resources.GetString("_HeightLabel.ToolTip")); // // _WidthLabel // resources.ApplyResources(this._WidthLabel, "_WidthLabel"); this._ErrorProvider.SetError(this._WidthLabel, resources.GetString("_WidthLabel.Error")); this._ErrorProvider.SetIconAlignment(this._WidthLabel, ((System.Windows.Forms.ErrorIconAlignment)(resources.GetObject("_WidthLabel.IconAlignment")))); this._ErrorProvider.SetIconPadding(this._WidthLabel, ((int)(resources.GetObject("_WidthLabel.IconPadding")))); this._WidthLabel.Name = "_WidthLabel"; this._ToolTip.SetToolTip(this._WidthLabel, resources.GetString("_WidthLabel.ToolTip")); // // _ScaleRadioButton // resources.ApplyResources(this._ScaleRadioButton, "_ScaleRadioButton"); this._ScaleRadioButton.Checked = true; this._ErrorProvider.SetError(this._ScaleRadioButton, resources.GetString("_ScaleRadioButton.Error")); this._ErrorProvider.SetIconAlignment(this._ScaleRadioButton, ((System.Windows.Forms.ErrorIconAlignment)(resources.GetObject("_ScaleRadioButton.IconAlignment")))); this._ErrorProvider.SetIconPadding(this._ScaleRadioButton, ((int)(resources.GetObject("_ScaleRadioButton.IconPadding")))); this._ScaleRadioButton.Name = "_ScaleRadioButton"; this._ScaleRadioButton.TabStop = true; this._ToolTip.SetToolTip(this._ScaleRadioButton, resources.GetString("_ScaleRadioButton.ToolTip")); this._ScaleRadioButton.UseVisualStyleBackColor = true; this._ScaleRadioButton.CheckedChanged += new System.EventHandler(this._ScaleOrSizeRadioButton_CheckedChanged); // // _SizeRadioButton // resources.ApplyResources(this._SizeRadioButton, "_SizeRadioButton"); this._ErrorProvider.SetError(this._SizeRadioButton, resources.GetString("_SizeRadioButton.Error")); this._ErrorProvider.SetIconAlignment(this._SizeRadioButton, ((System.Windows.Forms.ErrorIconAlignment)(resources.GetObject("_SizeRadioButton.IconAlignment")))); this._ErrorProvider.SetIconPadding(this._SizeRadioButton, ((int)(resources.GetObject("_SizeRadioButton.IconPadding")))); this._SizeRadioButton.Name = "_SizeRadioButton"; this._ToolTip.SetToolTip(this._SizeRadioButton, resources.GetString("_SizeRadioButton.ToolTip")); this._SizeRadioButton.UseVisualStyleBackColor = true; // // _ErrorProvider // this._ErrorProvider.BlinkStyle = System.Windows.Forms.ErrorBlinkStyle.NeverBlink; this._ErrorProvider.ContainerControl = this; resources.ApplyResources(this._ErrorProvider, "_ErrorProvider"); // // _BackgroundWorker // this._BackgroundWorker.WorkerReportsProgress = true; this._BackgroundWorker.WorkerSupportsCancellation = true; // // _SourceOpenFileDialog // resources.ApplyResources(this._SourceOpenFileDialog, "_SourceOpenFileDialog"); this._SourceOpenFileDialog.FilterIndex = 2; // // _DestinationSaveFileDialog // resources.ApplyResources(this._DestinationSaveFileDialog, "_DestinationSaveFileDialog"); this._DestinationSaveFileDialog.FilterIndex = 2; // // _ImagesFolderBrowserDialog // resources.ApplyResources(this._ImagesFolderBrowserDialog, "_ImagesFolderBrowserDialog"); this._ImagesFolderBrowserDialog.ShowNewFolderButton = false; // // _IconsFolderBrowserDialog // resources.ApplyResources(this._IconsFolderBrowserDialog, "_IconsFolderBrowserDialog"); // // MainForm // resources.ApplyResources(this, "$this"); this.AutoScaleMode = System.Windows.Forms.AutoScaleMode.Font; this.AutoValidate = System.Windows.Forms.AutoValidate.Disable; this.Controls.Add(this._FlowLayoutPanel); this.FormBorderStyle = System.Windows.Forms.FormBorderStyle.FixedDialog; this.MaximizeBox = false; this.MinimizeBox = false; this.Name = "MainForm"; this.SizeGripStyle = System.Windows.Forms.SizeGripStyle.Hide; this._ToolTip.SetToolTip(this, resources.GetString("$this.ToolTip")); this._FlowLayoutPanel.ResumeLayout(false); this._FlowLayoutPanel.PerformLayout(); this._TableLayoutPanel1.ResumeLayout(false); this._TableLayoutPanel1.PerformLayout(); this._TableLayoutPanel2.ResumeLayout(false); this._TableLayoutPanel2.PerformLayout(); ((System.ComponentModel.ISupportInitialize)(this._ErrorProvider)).EndInit(); this.ResumeLayout(false); this.PerformLayout(); } #endregion private System.Windows.Forms.ToolTip _ToolTip; private System.Windows.Forms.ErrorProvider _ErrorProvider; private System.ComponentModel.BackgroundWorker _BackgroundWorker; private System.Windows.Forms.TableLayoutPanel _TableLayoutPanel1; private System.Windows.Forms.TextBox _SourceTextBox; private System.Windows.Forms.Button _BrowseSourceButton; private System.Windows.Forms.Label _SourceLabel; private System.Windows.Forms.Button _MoreButton; private System.Windows.Forms.Button _CreateButton; private System.Windows.Forms.Label _IconSizeLabel; private System.Windows.Forms.Label _AlphaLabel; private System.Windows.Forms.Label _ScaleLabel; private System.Windows.Forms.Label _HeightLabel; private System.Windows.Forms.Label _WidthLabel; private System.Windows.Forms.TextBox _HeightTextBox; private System.Windows.Forms.TextBox _WidthTextBox; private System.Windows.Forms.TextBox _ScaleTextBox; private System.Windows.Forms.TextBox _AlphaTextBox; private System.Windows.Forms.TextBox _IconSizeTextBox; private System.Windows.Forms.OpenFileDialog _SourceOpenFileDialog; private System.Windows.Forms.SaveFileDialog _DestinationSaveFileDialog; private System.Windows.Forms.FolderBrowserDialog _ImagesFolderBrowserDialog; private System.Windows.Forms.FolderBrowserDialog _IconsFolderBrowserDialog; private System.Windows.Forms.TableLayoutPanel _TableLayoutPanel2; private System.Windows.Forms.FlowLayoutPanel _FlowLayoutPanel; private System.Windows.Forms.Button _ResetButton; private System.Windows.Forms.Button _AboutButton; private System.Windows.Forms.Label _IconsLabel; private System.Windows.Forms.TextBox _IconsTextBox; private System.Windows.Forms.Button _BrowseIconsButton; private System.Windows.Forms.Button _BrowseDestinationButton; private System.Windows.Forms.TextBox _DestinationTextBox; private System.Windows.Forms.Label _DestinationLabel; private System.Windows.Forms.RadioButton _ScaleRadioButton; private System.Windows.Forms.RadioButton _SizeRadioButton; private System.Windows.Forms.Button _BrowseImagesButton; private System.Windows.Forms.TextBox _ImagesTextBox; private System.Windows.Forms.Label _ImagesLabel; } }
{ "content_hash": "a675c10644377ecd31c6b4b2edac47d9", "timestamp": "", "source": "github", "line_count": 528, "max_line_length": 188, "avg_line_length": 71.1875, "alnum_prop": 0.6754462979221539, "repo_name": "m1chal1s/PhotographicMosaic", "id": "6f89f243c17799ca0ff4c8aaa37780c09b82eae9", "size": "37589", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "Source/PhotographicMosaic/MainForm.Designer.cs", "mode": "33188", "license": "mit", "language": [ { "name": "C#", "bytes": "44690" }, { "name": "Smalltalk", "bytes": "8252" } ], "symlink_target": "" }
package com.hsqlu.coding.concurrent.cyclic; /** * Created: 2016/4/26. * Author: Qiannan Lu */ public class Results { private int[] data; public Results(int size) { data = new int[size]; } public void setData(int position, int value) { data[position] = value; } public int[] getData() { return data; } }
{ "content_hash": "cf272d71bfc811e20e6c99c95d659fb0", "timestamp": "", "source": "github", "line_count": 21, "max_line_length": 50, "avg_line_length": 17.238095238095237, "alnum_prop": 0.5828729281767956, "repo_name": "hsqlu/coding-lab", "id": "00c35a291b143348e5e520dfe90fa70a7b288a9f", "size": "362", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "java/coding-concurrent/src/main/java/com/hsqlu/coding/concurrent/cyclic/Results.java", "mode": "33188", "license": "mit", "language": [ { "name": "Groovy", "bytes": "99" }, { "name": "HTML", "bytes": "284" }, { "name": "Java", "bytes": "668588" }, { "name": "Scala", "bytes": "260" }, { "name": "Shell", "bytes": "984" } ], "symlink_target": "" }
using Fitbit.Api.Portable.OAuth2; using System.Threading.Tasks; namespace Fitbit.Api.Portable { public interface ITokenManager { Task<OAuth2AccessToken> RefreshTokenAsync(FitbitClient client); } }
{ "content_hash": "e2ce5ed2ea4baf2beed81f960eed516f", "timestamp": "", "source": "github", "line_count": 10, "max_line_length": 71, "avg_line_length": 21.8, "alnum_prop": 0.7477064220183486, "repo_name": "aarondcoleman/Fitbit.NET", "id": "43954dc2134395e4629efcd73b0f0e39178db960", "size": "220", "binary": false, "copies": "5", "ref": "refs/heads/master", "path": "Fitbit.Portable/OAuth2/ITokenManager.cs", "mode": "33188", "license": "mit", "language": [ { "name": "ASP.NET", "bytes": "330" }, { "name": "Batchfile", "bytes": "295" }, { "name": "C#", "bytes": "521903" }, { "name": "CSS", "bytes": "1383" }, { "name": "HTML", "bytes": "82214" }, { "name": "JavaScript", "bytes": "21428" } ], "symlink_target": "" }
ACCEPTED #### According to International Plant Names Index #### Published in null #### Original name null ### Remarks null
{ "content_hash": "ff1510d61b9f97774f3f7fb5357df6d1", "timestamp": "", "source": "github", "line_count": 13, "max_line_length": 31, "avg_line_length": 9.692307692307692, "alnum_prop": 0.7063492063492064, "repo_name": "mdoering/backbone", "id": "77a08720f8ae59750743ad8c5154672025d4d441", "size": "175", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "life/Plantae/Magnoliophyta/Magnoliopsida/Caryophyllales/Caryophyllaceae/Arenaria/Arenaria divaricata/README.md", "mode": "33188", "license": "apache-2.0", "language": [], "symlink_target": "" }
using namespace cv; using namespace std; class CodeBookBackGround { public: CodeBookBackGround(); ~CodeBookBackGround(); Mat process(Mat inputMat, Mat &foreMatl); CvBGCodeBookModel* model ; const int NCHANNELS = 3; bool ch[3];// = { true, true, true }; //bool ch[NCHANNELS] = { true, true, true }; IplImage* rawImage; IplImage *yuvImage; //yuvImage is for codebook method IplImage *ImaskCodeBook; IplImage*ImaskCodeBookCC ; int nframesToLearnBG; int nframes ; };
{ "content_hash": "158277ea43e0663c0f33503acefe9903", "timestamp": "", "source": "github", "line_count": 21, "max_line_length": 54, "avg_line_length": 22.80952380952381, "alnum_prop": 0.7265135699373695, "repo_name": "xiawei0000/indoorMonitorwithKinectV2", "id": "933a4900c72291351cf4c4cf3a4d119d088623a3", "size": "686", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "CodeBookBackGround.h", "mode": "33188", "license": "mit", "language": [ { "name": "C", "bytes": "9273" }, { "name": "C++", "bytes": "903740" } ], "symlink_target": "" }
require 'dragonfly' # Configure Dragonfly.app.configure do plugin :imagemagick secret Rails.application.secret_key_base url_format "/media/:job/:name" case Rails.env when 'development' verify_urls false datastore :file, root_path: Rails.root.join('public/system'), server_root: Rails.root.join('public') when 'test' datastore :memory else datastore :s3, bucket_name: ENV['S3_BUCKET'], access_key_id: ENV['S3_ACCESS_KEY_ID'], secret_access_key: ENV['S3_SECRET_ACCESS_KEY'], region: 'eu-west-1', fog_storage_options: {path_style: true} end end # Logger Dragonfly.logger = Rails.logger # Mount as middleware Rails.application.middleware.use Dragonfly::Middleware # Add model functionality if defined?(ActiveRecord::Base) ActiveRecord::Base.extend Dragonfly::Model ActiveRecord::Base.extend Dragonfly::Model::Validations end
{ "content_hash": "2749030339ce958045d14ff9c4634c64", "timestamp": "", "source": "github", "line_count": 39, "max_line_length": 57, "avg_line_length": 23.23076923076923, "alnum_prop": 0.7030905077262694, "repo_name": "dncrht/mical", "id": "59c7f78bbfd39030b3d61e1c1bd89db8ec20abf9", "size": "906", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "config/initializers/dragonfly.rb", "mode": "33188", "license": "mit", "language": [ { "name": "Gherkin", "bytes": "1327" }, { "name": "HTML", "bytes": "5062" }, { "name": "Haml", "bytes": "13045" }, { "name": "JavaScript", "bytes": "3311" }, { "name": "Procfile", "bytes": "61" }, { "name": "Ruby", "bytes": "65060" }, { "name": "SCSS", "bytes": "545" }, { "name": "Sass", "bytes": "6655" }, { "name": "Shell", "bytes": "152" } ], "symlink_target": "" }
<?php namespace RequestStream\Stream\Socket\Formatter; /** * Formatter interface for console output. * * @author Konstantin Kudryashov <[email protected]> * * @api */ interface OutputFormatterInterface { /** * Sets the decorated flag. * * @param Boolean $decorated Whether to decorate the messages or not * * @api */ public function setDecorated($decorated); /** * Gets the decorated flag. * * @return Boolean true if the output will decorate messages, false otherwise * * @api */ public function isDecorated(); /** * Sets a new style. * * @param string $name The style name * @param OutputFormatterStyleInterface $style The style instance * * @api */ public function setStyle($name, OutputFormatterStyleInterface $style); /** * Checks if output formatter has style with specified name. * * @param string $name * * @return Boolean * * @api */ public function hasStyle($name); /** * Gets style options from style with specified name. * * @param string $name * * @return OutputFormatterStyleInterface * * @api */ public function getStyle($name); /** * Formats a message according to the given styles. * * @param string $message The message to style * * @return string The styled message * * @api */ public function format($message); }
{ "content_hash": "b45a78f3e6069dc734680ab1ad18c3c8", "timestamp": "", "source": "github", "line_count": 76, "max_line_length": 81, "avg_line_length": 20.210526315789473, "alnum_prop": 0.5833333333333334, "repo_name": "foobert/request-stream", "id": "89b883f2b2988cac5ac2558f06101a2eab47a35f", "size": "1766", "binary": false, "copies": "4", "ref": "refs/heads/master", "path": "src/RequestStream/Stream/Socket/Formatter/OutputFormatterInterface.php", "mode": "33188", "license": "mit", "language": [ { "name": "PHP", "bytes": "174935" } ], "symlink_target": "" }
__doc__=""" Jumps to next instance shown in the preview field of the current Edit tab. """ import GlyphsApp Doc = Glyphs.currentDocument numberOfInstances = len( Glyphs.font.instances ) try: currentInstanceNumber = Doc.windowController().activeEditViewController().selectedInstance() if currentInstanceNumber > 1: Doc.windowController().activeEditViewController().setSelectedInstance_( currentInstanceNumber - 1 ) else: Doc.windowController().activeEditViewController().setSelectedInstance_( numberOfInstances ) except Exception, e: print "Error:", e
{ "content_hash": "89fe8d56ef4fa320c649d724008889ef", "timestamp": "", "source": "github", "line_count": 20, "max_line_length": 101, "avg_line_length": 28.4, "alnum_prop": 0.778169014084507, "repo_name": "weiweihuanghuang/Glyphs-Scripts", "id": "a8e9a22dd7e4490086352a77b12c21d5241d82b6", "size": "627", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "Masters/Show previous instance.py", "mode": "33188", "license": "apache-2.0", "language": [ { "name": "Python", "bytes": "316614" } ], "symlink_target": "" }
<!doctype html> <html lang="en"> <head> <meta charset="utf-8"> <title>parent demo</title> <script src="../build/ux-query.js"></script> <style type="text/css"> * { font-family: Arial, sans; } </style> </head> <body> <div><p>Hello</p></div> <div class="selected"><p>Hello Again</p></div> <script>$("p").parent(".selected").css("background", "yellow");</script> </body> </html>
{ "content_hash": "59fd42cdc4f8f5576a6967d7dbe75c5a", "timestamp": "", "source": "github", "line_count": 20, "max_line_length": 72, "avg_line_length": 21.2, "alnum_prop": 0.5542452830188679, "repo_name": "webux/ux-query", "id": "1d551143cfde4f1cbf2c0d3660192017220bb39d", "size": "424", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "samples/parent_a.html", "mode": "33188", "license": "mit", "language": [ { "name": "JavaScript", "bytes": "37718" } ], "symlink_target": "" }
import {Inject, Injectable} from '@angular/core'; import {Observable, of, throwError} from 'rxjs'; import {NotificationService} from '../notification.service'; import {WithdrawalFactory} from '../../model/withdrawal.factory'; import {User} from '../../model/user'; import {Withdrawal} from '../../model/withdrawal'; import {BottleNoting} from '../../components/bottle-noting/bottle-noting.component'; import * as schema from './firebase-schema'; import * as tools from '../../utils/index'; import {logInfo} from '../../utils/index'; import {AngularFireDatabase, SnapshotAction} from 'angularfire2/database'; import {filter, map, take, tap, throttleTime} from 'rxjs/operators'; import Reference = firebase.database.Reference; import * as firebase from 'firebase/app'; import {SharedQuery} from '../../app/state/shared.state'; import {ApplicationState} from '../../app/state/app.state'; import {Store} from '@ngrx/store'; /** * Services related to the withdrawals in the cellar. */ @Injectable() export class FirebaseWithdrawalsService { private USER_ROOT: string; private WITHDRAW_ROOT: string; private withdrawRootRef: Reference; constructor(private withdrawalFactory: WithdrawalFactory, private angularFirebase: AngularFireDatabase, private notificationService: NotificationService, @Inject('GLOBAL_CONFIG') private config, private store: Store<ApplicationState>) { store.select(SharedQuery.getLoginUser).pipe( filter(user => user != null), take(1) ).subscribe( (user: User) => this.initialize(user) ); } initialize(user: User) { let userRoot = user.user; this.WITHDRAW_ROOT = schema.USERS_FOLDER + '/' + userRoot + '/' + schema.WITHDRAW_FOLDER; this.withdrawRootRef = this.angularFirebase.database.ref(this.WITHDRAW_ROOT); } cleanup() { this.USER_ROOT = undefined; this.WITHDRAW_ROOT = undefined; } // chargement fetchAllWithdrawals(nb: number = 10): Observable<Withdrawal[]> { return this.angularFirebase .list<Withdrawal>(this.WITHDRAW_ROOT).snapshotChanges().pipe( throttleTime(this.config.throttleTime), map((changes: SnapshotAction<Withdrawal>[]) => { let ret = changes.map( // ATTENTION l'ordre de ...c.payload.val() et id est important. Dans l'autre sens l'id est écrasé ! c => this.withdrawalFactory.create({ ...c.payload.val(), id: c.payload.key }) ); return ret; } ), map((withdrawals: Withdrawal[]) => { let ret = withdrawals.sort((w1, w2) => { return w2.lastUpdated - w1.lastUpdated; }).slice(0, nb); return ret; } ), tap(withdrawals => { logInfo('[firebase] ===> réception des retraits ' + withdrawals.length); }) ); } // sauvegarde d'un retrait saveWithdrawal(withdrawal: Withdrawal): Observable<Withdrawal> { logInfo('[firebase] ===> sauvegarde d\'un retrait'); this.withdrawRootRef.push(tools.sanitizeBeforeSave(withdrawal), ( err => { if (err !== null) { throwError(err); } else { this.notificationService.debugAlert('Withdrawal created ' + withdrawal.id); } } )); return of(withdrawal); } saveNotation(withdrawal: Withdrawal, notes: BottleNoting) { logInfo('[firebase] ===> sauvegarde d\'une notation'); this.withdrawRootRef.child(withdrawal.id).update( {notation: notes}, err => { if (err) { this.notificationService.error('Echec de mise mise à jour de la notation: ' + err); } } ); } }
{ "content_hash": "0de1f75abcf773c9382b6ff406e25396", "timestamp": "", "source": "github", "line_count": 108, "max_line_length": 115, "avg_line_length": 35.333333333333336, "alnum_prop": 0.6153039832285115, "repo_name": "loicsalou/ma-cave", "id": "50c127902dd6bb914d033723e29f0620e784f288", "size": "3820", "binary": false, "copies": "1", "ref": "refs/heads/develop", "path": "src/service/firebase/firebase-withdrawals.service.ts", "mode": "33188", "license": "mit", "language": [ { "name": "CSS", "bytes": "43506" }, { "name": "HTML", "bytes": "76176" }, { "name": "JavaScript", "bytes": "4733" }, { "name": "Shell", "bytes": "526" }, { "name": "TypeScript", "bytes": "350228" } ], "symlink_target": "" }
import styled from 'styled-components'; import withGesture from '/imports/ui/hocs/withGesture'; export const Wrapper = styled.div` position: relative; display: block; width: 100%; margin: 0; padding: 0; overflow-x: hidden; `; const SliderTracker = styled.div` touch-action: none; transform: ${props => props.transform} `; export const EnhancedSliderTracker = withGesture(SliderTracker);
{ "content_hash": "51d99aa2da08fb1d89dd84eb1249312d", "timestamp": "", "source": "github", "line_count": 18, "max_line_length": 64, "avg_line_length": 22.555555555555557, "alnum_prop": 0.729064039408867, "repo_name": "ShinyLeee/meteor-album-app", "id": "54aee3a97904c5b0ea9c76a50ff6186e00de6eae", "size": "406", "binary": false, "copies": "1", "ref": "refs/heads/develop", "path": "imports/ui/components/Slider/Slider.style.js", "mode": "33188", "license": "mit", "language": [ { "name": "CSS", "bytes": "15463" }, { "name": "HTML", "bytes": "4810" }, { "name": "JavaScript", "bytes": "547700" } ], "symlink_target": "" }
ACCEPTED #### According to Euro+Med Plantbase #### Published in null #### Original name null ### Remarks null
{ "content_hash": "c4f8e8454d5ac5c3bee1c5b2cbab52b9", "timestamp": "", "source": "github", "line_count": 13, "max_line_length": 18, "avg_line_length": 8.692307692307692, "alnum_prop": 0.6814159292035398, "repo_name": "mdoering/backbone", "id": "5fa44e64dd94c9ca0b29959b467debc7fb66f727", "size": "170", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "life/Plantae/Magnoliophyta/Magnoliopsida/Asterales/Asteraceae/Saussurea/Saussurea turgaiensis/README.md", "mode": "33188", "license": "apache-2.0", "language": [], "symlink_target": "" }
package org.gdg.frisbee.android.app; import android.app.backup.BackupAgentHelper; import android.app.backup.BackupDataInput; import android.app.backup.BackupDataOutput; import android.app.backup.SharedPreferencesBackupHelper; import android.os.ParcelFileDescriptor; import com.google.android.gms.analytics.HitBuilders; import org.gdg.frisbee.android.utils.PrefUtils; import java.io.IOException; import timber.log.Timber; public class BackupAgent extends BackupAgentHelper { private static final String PREFS_BACKUP_KEY = "gdg_prefs"; @Override public void onCreate() { SharedPreferencesBackupHelper helper = new SharedPreferencesBackupHelper(this, PrefUtils.PREF_NAME); addHelper(PREFS_BACKUP_KEY, helper); } @Override public void onRestore(BackupDataInput data, int appVersionCode, ParcelFileDescriptor newState) throws IOException { super.onRestore(data, appVersionCode, newState); Timber.d("Restoring from backup (was saved using version %d)", appVersionCode); App.from(this).getTracker().send(new HitBuilders.EventBuilder() .setCategory("backup") .setAction("restore") .setLabel("" + appVersionCode) .build()); } @Override public void onBackup(ParcelFileDescriptor oldState, BackupDataOutput data, ParcelFileDescriptor newState) throws IOException { super.onBackup(oldState, data, newState); App.from(this).getTracker().send(new HitBuilders.EventBuilder() .setCategory("backup") .setAction("backup") .setLabel("") .build()); } }
{ "content_hash": "928540dbfd104f87db033fba95a18b59", "timestamp": "", "source": "github", "line_count": 54, "max_line_length": 119, "avg_line_length": 31.5, "alnum_prop": 0.6831275720164609, "repo_name": "gdg-x/frisbee", "id": "35a558b2e2c58382c069b17c5afc43328605a5ff", "size": "2309", "binary": false, "copies": "2", "ref": "refs/heads/develop", "path": "app/src/main/java/org/gdg/frisbee/android/app/BackupAgent.java", "mode": "33188", "license": "apache-2.0", "language": [ { "name": "HTML", "bytes": "10738" }, { "name": "Java", "bytes": "525632" }, { "name": "Shell", "bytes": "4057" } ], "symlink_target": "" }
<!DOCTYPE html> <html lang="en"> <head> <meta charset="UTF-8"> <title>ShowMe</title> <script type="text/javascript" src="/static/jQuery/jquery-2.2.4.js"></script> <link rel="stylesheet" type="text/css" href="/static/bootstrap/css/bootstrap.min.css"/> <script type="text/javascript" src="/static/bootstrap/js/bootstrap.min.js"></script> <link rel="stylesheet" href="/static/font-awesome/css/font-awesome.min.css"> <link rel="stylesheet" type="text/css" href="/static/custom/css/styles.css"/> </head> <body> <div class="col-lg-10 col-md-10 col-sm-10 col-xs-12 col-lg-offset-1 col-md-offset-1 col-sm-offset-1 menu-container"> {% include 'top.html' %} <div class="row"> <div class="col-md-6 col-md-offset-3"> <div class="panel panel-danger del_panel"> <div class="panel-heading"> <h3 class="panel-title">Are you sure?</h3> </div> <div class="panel-body"> {% if response == '' %} <form class="form-outline" method="post" action=""> <input name="del_s" class="btn btn-default delete-button" type="submit" value="Delete"/> <a class="btn btn-default delete-button custom-margin" href="/">Cancel</a> </form> {% elif response == True %} <div class="alert alert-success"><i class="fa fa-check"></i> Item is successfully deleted.</div> <script>setTimeout(function(){window.location.href="/"},1500);</script> {% elif response == False %} <div class="alert alert-danger"><i class="fa fa-exclamation"></i> There has been an error.</div> <script>setTimeout(function(){window.location.href="/"},1500);</script> {% endif %} </div> </div> </div> </div> </div> </body> </html>
{ "content_hash": "8a662c123eead9c04803be9193629b1c", "timestamp": "", "source": "github", "line_count": 40, "max_line_length": 122, "avg_line_length": 50, "alnum_prop": 0.535, "repo_name": "Ardjan-Aalberts/showMe", "id": "97c42ddda2b80e7619b7c1b9da15e567522a11b0", "size": "2000", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "showMe/views/del_service.html", "mode": "33188", "license": "mit", "language": [ { "name": "Batchfile", "bytes": "4126" }, { "name": "C++", "bytes": "637" }, { "name": "CSS", "bytes": "161479" }, { "name": "HTML", "bytes": "75545" }, { "name": "Makefile", "bytes": "4630" }, { "name": "Python", "bytes": "80196" }, { "name": "TeX", "bytes": "3106" } ], "symlink_target": "" }
"use strict"; Object.defineProperty(exports, "__esModule", { value: true }); exports["default"] = void 0; var _default = function _default(req, res, next) { res.header('Access-Control-Allow-Origin', '*'); next(); }; exports["default"] = _default;
{ "content_hash": "360a3f48fe152d646a4e83d61eae73a3", "timestamp": "", "source": "github", "line_count": 13, "max_line_length": 50, "avg_line_length": 19.615384615384617, "alnum_prop": 0.6470588235294118, "repo_name": "angrytoro/fetool", "id": "9c4d2384b86c88acdb3b50030ac1c9fd9bff6fe4", "size": "255", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "lib/server/middlewares/cors.js", "mode": "33188", "license": "apache-2.0", "language": [ { "name": "JavaScript", "bytes": "198879" } ], "symlink_target": "" }
// ==ClosureCompiler== // @compilation_level ADVANCED_OPTIMIZATIONS // @externs_url http://closure-compiler.googlecode.com/svn/trunk/contrib/externs/maps/google_maps_api_v3.js // ==/ClosureCompiler== /** * @name CSS3 InfoBubble with tabs for Google Maps API V3 * @version 0.8 * @author Luke Mahe * @fileoverview * This library is a CSS Infobubble with tabs. It uses css3 rounded corners and * drop shadows and animations. It also allows tabs */ /* * 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. */ /** * A CSS3 InfoBubble v0.8 * @param {Object.<string, *>=} opt_options Optional properties to set. * @extends {google.maps.OverlayView} * @constructor */ function InfoBubble(opt_options) { this.extend(InfoBubble, google.maps.OverlayView); this.tabs_ = []; this.activeTab_ = null; this.baseZIndex_ = 100; this.isOpen_ = false; var options = opt_options || {}; if (options['backgroundColor'] == undefined) { options['backgroundColor'] = this.BACKGROUND_COLOR_; } if (options['borderColor'] == undefined) { options['borderColor'] = this.BORDER_COLOR_; } if (options['borderRadius'] == undefined) { options['borderRadius'] = this.BORDER_RADIUS_; } if (options['borderWidth'] == undefined) { options['borderWidth'] = this.BORDER_WIDTH_; } if (options['padding'] == undefined) { options['padding'] = this.PADDING_; } if (options['arrowPosition'] == undefined) { options['arrowPosition'] = this.ARROW_POSITION_; } if (options['disableAutoPan'] == undefined) { options['disableAutoPan'] = false; } if (options['disableAnimation'] == undefined) { options['disableAnimation'] = false; } if (options['minWidth'] == undefined) { options['minWidth'] = this.MIN_WIDTH_; } if (options['shadowStyle'] == undefined) { options['shadowStyle'] = this.SHADOW_STYLE_; } if (options['arrowSize'] == undefined) { options['arrowSize'] = this.ARROW_SIZE_; } if (options['arrowStyle'] == undefined) { options['arrowStyle'] = this.ARROW_STYLE_; } this.buildDom_(); this.setValues(options); } window['InfoBubble'] = InfoBubble; /** * Default arrow size * @const * @private */ InfoBubble.prototype.ARROW_SIZE_ = 15; /** * Default arrow style * @const * @private */ InfoBubble.prototype.ARROW_STYLE_ = 0; /** * Default shadow style * @const * @private */ InfoBubble.prototype.SHADOW_STYLE_ = 1; /** * Default min width * @const * @private */ InfoBubble.prototype.MIN_WIDTH_ = 50; /** * Default arrow position * @const * @private */ InfoBubble.prototype.ARROW_POSITION_ = 50; /** * Default padding * @const * @private */ InfoBubble.prototype.PADDING_ = 10; /** * Default border width * @const * @private */ InfoBubble.prototype.BORDER_WIDTH_ = 1; /** * Default border color * @const * @private */ InfoBubble.prototype.BORDER_COLOR_ = '#ccc'; /** * Default border radius * @const * @private */ InfoBubble.prototype.BORDER_RADIUS_ = 10; /** * Default background color * @const * @private */ InfoBubble.prototype.BACKGROUND_COLOR_ = '#fff'; /** * Extends a objects prototype by anothers. * * @param {Object} obj1 The object to be extended. * @param {Object} obj2 The object to extend with. * @return {Object} The new extended object. * @ignore */ InfoBubble.prototype.extend = function(obj1, obj2) { return (function(object) { for (var property in object.prototype) { this.prototype[property] = object.prototype[property]; } return this; }).apply(obj1, [obj2]); }; /** * Builds the InfoBubble dom * @private */ InfoBubble.prototype.buildDom_ = function() { var bubble = this.bubble_ = document.createElement('DIV'); bubble.style['position'] = 'absolute'; bubble.style['zIndex'] = this.baseZIndex_; var tabsContainer = this.tabsContainer_ = document.createElement('DIV'); tabsContainer.style['position'] = 'relative'; // Close button var close = this.close_ = document.createElement('IMG'); close.style['position'] = 'absolute'; close.style['width'] = this.px(12); close.style['height'] = this.px(12); close.style['border'] = 0; close.style['zIndex'] = this.baseZIndex_ + 1; close.style['cursor'] = 'pointer'; close.src = 'http://maps.gstatic.com/intl/en_us/mapfiles/iw_close.gif'; var that = this; google.maps.event.addDomListener(close, 'click', function() { that.close(); google.maps.event.trigger(that, 'closeclick'); }); // Content area var contentContainer = this.contentContainer_ = document.createElement('DIV'); contentContainer.style['overflowX'] = 'auto'; contentContainer.style['overflowY'] = 'auto'; contentContainer.style['cursor'] = 'default'; contentContainer.style['clear'] = 'both'; contentContainer.style['position'] = 'relative'; var content = this.content_ = document.createElement('DIV'); contentContainer.appendChild(content); // Arrow var arrow = this.arrow_ = document.createElement('DIV'); arrow.style['position'] = 'relative'; var arrowOuter = this.arrowOuter_ = document.createElement('DIV'); var arrowInner = this.arrowInner_ = document.createElement('DIV'); var arrowSize = this.getArrowSize_(); arrowOuter.style['position'] = arrowInner.style['position'] = 'absolute'; arrowOuter.style['left'] = arrowInner.style['left'] = '50%'; arrowOuter.style['height'] = arrowInner.style['height'] = '0'; arrowOuter.style['width'] = arrowInner.style['width'] = '0'; arrowOuter.style['marginLeft'] = this.px(-arrowSize); arrowOuter.style['borderWidth'] = this.px(arrowSize); arrowOuter.style['borderBottomWidth'] = 0; // Shadow var bubbleShadow = this.bubbleShadow_ = document.createElement('DIV'); bubbleShadow.style['position'] = 'absolute'; // Hide the InfoBubble by default bubble.style['display'] = bubbleShadow.style['display'] = 'none'; bubble.appendChild(this.tabsContainer_); bubble.appendChild(close); bubble.appendChild(contentContainer); arrow.appendChild(arrowOuter); arrow.appendChild(arrowInner); bubble.appendChild(arrow); var stylesheet = document.createElement('style'); stylesheet.setAttribute('type', 'text/css'); /** * The animation for the infobubble * @type {string} */ this.animationName_ = '_ibani_' + Math.round(Math.random() * 10000); var css = '.' + this.animationName_ + '{-webkit-animation-name:' + this.animationName_ + ';-webkit-animation-duration:0.5s;' + '-webkit-animation-iteration-count:1;}' + '@-webkit-keyframes ' + this.animationName_ + ' {from {' + '-webkit-transform: scale(0)}50% {-webkit-transform: scale(1.2)}90% ' + '{-webkit-transform: scale(0.95)}to {-webkit-transform: scale(1)}}'; stylesheet.textContent = css; document.getElementsByTagName('head')[0].appendChild(stylesheet); }; /** * Sets the background class name * * @param {string} className The class name to set. */ InfoBubble.prototype.setBackgroundClassName = function(className) { this.set('backgroundClassName', className); }; InfoBubble.prototype['setBackgroundClassName'] = InfoBubble.prototype.setBackgroundClassName; /** * changed MVC callback */ InfoBubble.prototype.backgroundClassName_changed = function() { this.content_.className = this.get('backgroundClassName'); }; InfoBubble.prototype['backgroundClassName_changed'] = InfoBubble.prototype.backgroundClassName_changed; /** * Sets the class of the tab * * @param {string} className the class name to set. */ InfoBubble.prototype.setTabClassName = function(className) { this.set('tabClassName', className); }; InfoBubble.prototype['setTabClassName'] = InfoBubble.prototype.setTabClassName; /** * tabClassName changed MVC callback */ InfoBubble.prototype.tabClassName_changed = function() { this.updateTabStyles_(); }; InfoBubble.prototype['tabClassName_changed'] = InfoBubble.prototype.tabClassName_changed; /** * Gets the style of the arrow * * @private * @return {number} The style of the arrow. */ InfoBubble.prototype.getArrowStyle_ = function() { return parseInt(this.get('arrowStyle'), 10) || 0; }; /** * Sets the style of the arrow * * @param {number} style The style of the arrow. */ InfoBubble.prototype.setArrowStyle = function(style) { this.set('arrowStyle', style); }; InfoBubble.prototype['setArrowStyle'] = InfoBubble.prototype.setArrowStyle; /** * Arrow style changed MVC callback */ InfoBubble.prototype.arrowStyle_changed = function() { this.arrowSize_changed(); }; InfoBubble.prototype['arrowStyle_changed'] = InfoBubble.prototype.arrowStyle_changed; /** * Gets the size of the arrow * * @private * @return {number} The size of the arrow. */ InfoBubble.prototype.getArrowSize_ = function() { return parseInt(this.get('arrowSize'), 10) || 0; }; /** * Sets the size of the arrow * * @param {number} size The size of the arrow. */ InfoBubble.prototype.setArrowSize = function(size) { this.set('arrowSize', size); }; InfoBubble.prototype['setArrowSize'] = InfoBubble.prototype.setArrowSize; /** * Arrow size changed MVC callback */ InfoBubble.prototype.arrowSize_changed = function() { this.borderWidth_changed(); }; InfoBubble.prototype['arrowSize_changed'] = InfoBubble.prototype.arrowSize_changed; /** * Set the position of the InfoBubble arrow * * @param {number} pos The position to set. */ InfoBubble.prototype.setArrowPosition = function(pos) { this.set('arrowPosition', pos); }; InfoBubble.prototype['setArrowPosition'] = InfoBubble.prototype.setArrowPosition; /** * Get the position of the InfoBubble arrow * * @private * @return {number} The position.. */ InfoBubble.prototype.getArrowPosition_ = function() { return parseInt(this.get('arrowPosition'), 10) || 0; }; /** * arrowPosition changed MVC callback */ InfoBubble.prototype.arrowPosition_changed = function() { var pos = this.getArrowPosition_(); this.arrowOuter_.style['left'] = this.arrowInner_.style['left'] = pos + '%'; this.redraw_(); }; InfoBubble.prototype['arrowPosition_changed'] = InfoBubble.prototype.arrowPosition_changed; /** * Set the zIndex of the InfoBubble * * @param {number} zIndex The zIndex to set. */ InfoBubble.prototype.setZIndex = function(zIndex) { this.set('zIndex', zIndex); }; InfoBubble.prototype['setZIndex'] = InfoBubble.prototype.setZIndex; /** * Get the zIndex of the InfoBubble * * @return {number} The zIndex to set. */ InfoBubble.prototype.getZIndex = function() { return parseInt(this.get('zIndex'), 10) || this.baseZIndex_; }; /** * zIndex changed MVC callback */ InfoBubble.prototype.zIndex_changed = function() { var zIndex = this.getZIndex(); this.bubble_.style['zIndex'] = this.baseZIndex_ = zIndex; this.close_.style['zIndex'] = zIndex + 1; }; InfoBubble.prototype['zIndex_changed'] = InfoBubble.prototype.zIndex_changed; /** * Set the style of the shadow * * @param {number} shadowStyle The style of the shadow. */ InfoBubble.prototype.setShadowStyle = function(shadowStyle) { this.set('shadowStyle', shadowStyle); }; InfoBubble.prototype['setShadowStyle'] = InfoBubble.prototype.setShadowStyle; /** * Get the style of the shadow * * @private * @return {number} The style of the shadow. */ InfoBubble.prototype.getShadowStyle_ = function() { return parseInt(this.get('shadowStyle'), 10) || 0; }; /** * shadowStyle changed MVC callback */ InfoBubble.prototype.shadowStyle_changed = function() { var shadowStyle = this.getShadowStyle_(); var display = ''; var shadow = ''; var backgroundColor = ''; switch (shadowStyle) { case 0: display = 'none'; break; case 1: shadow = '40px 15px 10px rgba(33,33,33,0.3)'; backgroundColor = 'transparent'; break; case 2: shadow = '0 0 2px rgba(33,33,33,0.3)'; backgroundColor = 'rgba(33,33,33,0.35)'; break; } this.bubbleShadow_.style['boxShadow'] = this.bubbleShadow_.style['webkitBoxShadow'] = this.bubbleShadow_.style['MozBoxShadow'] = shadow; this.bubbleShadow_.style['backgroundColor'] = backgroundColor; if (this.isOpen_) { this.bubbleShadow_.style['display'] = display; this.draw(); } }; InfoBubble.prototype['shadowStyle_changed'] = InfoBubble.prototype.shadowStyle_changed; /** * Show the close button */ InfoBubble.prototype.showCloseButton = function() { this.set('hideCloseButton', false); }; InfoBubble.prototype['showCloseButton'] = InfoBubble.prototype.showCloseButton; /** * Hide the close button */ InfoBubble.prototype.hideCloseButton = function() { this.set('hideCloseButton', true); }; InfoBubble.prototype['hideCloseButton'] = InfoBubble.prototype.hideCloseButton; /** * hideCloseButton changed MVC callback */ InfoBubble.prototype.hideCloseButton_changed = function() { this.close_.style['display'] = this.get('hideCloseButton') ? 'none' : ''; }; InfoBubble.prototype['hideCloseButton_changed'] = InfoBubble.prototype.hideCloseButton_changed; /** * Set the background color * * @param {string} color The color to set. */ InfoBubble.prototype.setBackgroundColor = function(color) { if (color) { this.set('backgroundColor', color); } }; InfoBubble.prototype['setBackgroundColor'] = InfoBubble.prototype.setBackgroundColor; /** * backgroundColor changed MVC callback */ InfoBubble.prototype.backgroundColor_changed = function() { var backgroundColor = this.get('backgroundColor'); this.contentContainer_.style['backgroundColor'] = backgroundColor; this.arrowInner_.style['borderColor'] = backgroundColor + ' transparent transparent'; this.updateTabStyles_(); }; InfoBubble.prototype['backgroundColor_changed'] = InfoBubble.prototype.backgroundColor_changed; /** * Set the border color * * @param {string} color The border color. */ InfoBubble.prototype.setBorderColor = function(color) { if (color) { this.set('borderColor', color); } }; InfoBubble.prototype['setBorderColor'] = InfoBubble.prototype.setBorderColor; /** * borderColor changed MVC callback */ InfoBubble.prototype.borderColor_changed = function() { var borderColor = this.get('borderColor'); var contentContainer = this.contentContainer_; var arrowOuter = this.arrowOuter_; contentContainer.style['borderColor'] = borderColor; arrowOuter.style['borderColor'] = borderColor + ' transparent transparent'; contentContainer.style['borderStyle'] = arrowOuter.style['borderStyle'] = this.arrowInner_.style['borderStyle'] = 'solid'; this.updateTabStyles_(); }; InfoBubble.prototype['borderColor_changed'] = InfoBubble.prototype.borderColor_changed; /** * Set the radius of the border * * @param {number} radius The radius of the border. */ InfoBubble.prototype.setBorderRadius = function(radius) { this.set('borderRadius', radius); }; InfoBubble.prototype['setBorderRadius'] = InfoBubble.prototype.setBorderRadius; /** * Get the radius of the border * * @private * @return {number} The radius of the border. */ InfoBubble.prototype.getBorderRadius_ = function() { return parseInt(this.get('borderRadius'), 10) || 0; }; /** * borderRadius changed MVC callback */ InfoBubble.prototype.borderRadius_changed = function() { var borderRadius = this.getBorderRadius_(); var borderWidth = this.getBorderWidth_(); this.contentContainer_.style['borderRadius'] = this.contentContainer_.style['MozBorderRadius'] = this.contentContainer_.style['webkitBorderRadius'] = this.bubbleShadow_.style['borderRadius'] = this.bubbleShadow_.style['MozBorderRadius'] = this.bubbleShadow_.style['webkitBorderRadius'] = this.px(borderRadius); this.tabsContainer_.style['paddingLeft'] = this.tabsContainer_.style['paddingRight'] = this.px(borderRadius + borderWidth); this.redraw_(); }; InfoBubble.prototype['borderRadius_changed'] = InfoBubble.prototype.borderRadius_changed; /** * Get the width of the border * * @private * @return {number} width The width of the border. */ InfoBubble.prototype.getBorderWidth_ = function() { return parseInt(this.get('borderWidth'), 10) || 0; }; /** * Set the width of the border * * @param {number} width The width of the border. */ InfoBubble.prototype.setBorderWidth = function(width) { this.set('borderWidth', width); }; InfoBubble.prototype['setBorderWidth'] = InfoBubble.prototype.setBorderWidth; /** * borderWidth change MVC callback */ InfoBubble.prototype.borderWidth_changed = function() { var borderWidth = this.getBorderWidth_(); this.contentContainer_.style['borderWidth'] = this.px(borderWidth); this.tabsContainer_.style['top'] = this.px(borderWidth); this.updateArrowStyle_(); this.updateTabStyles_(); this.borderRadius_changed(); this.redraw_(); }; InfoBubble.prototype['borderWidth_changed'] = InfoBubble.prototype.borderWidth_changed; /** * Update the arrow style * @private */ InfoBubble.prototype.updateArrowStyle_ = function() { var borderWidth = this.getBorderWidth_(); var arrowSize = this.getArrowSize_(); var arrowStyle = this.getArrowStyle_(); var arrowOuterSizePx = this.px(arrowSize); var arrowInnerSizePx = this.px(Math.max(0, arrowSize - borderWidth)); var outer = this.arrowOuter_; var inner = this.arrowInner_; this.arrow_.style['marginTop'] = this.px(-borderWidth); outer.style['borderTopWidth'] = arrowOuterSizePx; inner.style['borderTopWidth'] = arrowInnerSizePx; // Full arrow or arrow pointing to the left if (arrowStyle == 0 || arrowStyle == 1) { outer.style['borderLeftWidth'] = arrowOuterSizePx; inner.style['borderLeftWidth'] = arrowInnerSizePx; } else { outer.style['borderLeftWidth'] = inner.style['borderLeftWidth'] = 0; } // Full arrow or arrow pointing to the right if (arrowStyle == 0 || arrowStyle == 2) { outer.style['borderRightWidth'] = arrowOuterSizePx; inner.style['borderRightWidth'] = arrowInnerSizePx; } else { outer.style['borderRightWidth'] = inner.style['borderRightWidth'] = 0; } if (arrowStyle < 2) { outer.style['marginLeft'] = this.px(-(arrowSize)); inner.style['marginLeft'] = this.px(-(arrowSize - borderWidth)); } else { outer.style['marginLeft'] = inner.style['marginLeft'] = 0; } // If there is no border then don't show thw outer arrow if (borderWidth == 0) { outer.style['display'] = 'none'; } else { outer.style['display'] = ''; } }; /** * Set the padding of the InfoBubble * * @param {number} padding The padding to apply. */ InfoBubble.prototype.setPadding = function(padding) { this.set('padding', padding); }; InfoBubble.prototype['setPadding'] = InfoBubble.prototype.setPadding; /** * Set the padding of the InfoBubble * * @private * @return {number} padding The padding to apply. */ InfoBubble.prototype.getPadding_ = function() { return parseInt(this.get('padding'), 10) || 0; }; /** * padding changed MVC callback */ InfoBubble.prototype.padding_changed = function() { var padding = this.getPadding_(); this.contentContainer_.style['padding'] = this.px(padding); this.updateTabStyles_(); this.redraw_(); }; InfoBubble.prototype['padding_changed'] = InfoBubble.prototype.padding_changed; /** * Add px extention to the number * * @param {number} num The number to wrap. * @return {string|number} A wrapped number. */ InfoBubble.prototype.px = function(num) { if (num) { // 0 doesn't need to be wrapped return num + 'px'; } return num; }; /** * Add events to stop propagation * @private */ InfoBubble.prototype.addEvents_ = function() { // We want to cancel all the events so they do not go to the map var events = ['mousedown', 'mousemove', 'mouseover', 'mouseout', 'mouseup', 'mousewheel', 'DOMMouseScroll', 'touchstart', 'touchend', 'touchmove', 'dblclick', 'contextmenu', 'click']; var bubble = this.bubble_; this.listeners_ = []; for (var i = 0, event; event = events[i]; i++) { this.listeners_.push( google.maps.event.addDomListener(bubble, event, function(e) { e.cancelBubble = true; if (e.stopPropagation) { e.stopPropagation(); } }) ); } }; /** * On Adding the InfoBubble to a map * Implementing the OverlayView interface */ InfoBubble.prototype.onAdd = function() { if (!this.bubble_) { this.buildDom_(); } this.addEvents_(); var panes = this.getPanes(); if (panes) { panes.floatPane.appendChild(this.bubble_); panes.floatShadow.appendChild(this.bubbleShadow_); } }; InfoBubble.prototype['onAdd'] = InfoBubble.prototype.onAdd; /** * Draw the InfoBubble * Implementing the OverlayView interface */ InfoBubble.prototype.draw = function() { var projection = this.getProjection(); if (!projection) { // The map projection is not ready yet so do nothing return; } var latLng = /** @type {google.maps.LatLng} */ (this.get('position')); if (!latLng) { this.close(); return; } var tabHeight = 0; if (this.activeTab_) { tabHeight = this.activeTab_.offsetHeight; } var anchorHeight = this.getAnchorHeight_(); var arrowSize = this.getArrowSize_(); var arrowPosition = this.getArrowPosition_(); arrowPosition = arrowPosition / 100; var pos = projection.fromLatLngToDivPixel(latLng); var width = this.contentContainer_.offsetWidth; var height = this.bubble_.offsetHeight; if (!width) { return; } // Adjust for the height of the info bubble var top = pos.y - (height/4); if (anchorHeight) { // If there is an anchor then include the height top -= anchorHeight; } var left = pos.x + (width/20); this.bubble_.style['top'] = this.px(top); this.bubble_.style['left'] = this.px(left); var shadowStyle = parseInt(this.get('shadowStyle'), 10); switch (shadowStyle) { case 1: // Shadow is behind this.bubbleShadow_.style['top'] = this.px(top + tabHeight - 1); this.bubbleShadow_.style['left'] = this.px(left); this.bubbleShadow_.style['width'] = this.px(width); this.bubbleShadow_.style['height'] = this.px(this.contentContainer_.offsetHeight - arrowSize); break; case 2: // Shadow is below width = width * 0.8; if (anchorHeight) { this.bubbleShadow_.style['top'] = this.px(pos.y); } else { this.bubbleShadow_.style['top'] = this.px(pos.y + arrowSize); } this.bubbleShadow_.style['left'] = this.px(pos.x - width * arrowPosition); this.bubbleShadow_.style['width'] = this.px(width); this.bubbleShadow_.style['height'] = this.px(2); break; } }; InfoBubble.prototype['draw'] = InfoBubble.prototype.draw; /** * Removing the InfoBubble from a map */ InfoBubble.prototype.onRemove = function() { if (this.bubble_ && this.bubble_.parentNode) { this.bubble_.parentNode.removeChild(this.bubble_); } if (this.bubbleShadow_ && this.bubbleShadow_.parentNode) { this.bubbleShadow_.parentNode.removeChild(this.bubbleShadow_); } for (var i = 0, listener; listener = this.listeners_[i]; i++) { google.maps.event.removeListener(listener); } }; InfoBubble.prototype['onRemove'] = InfoBubble.prototype.onRemove; /** * Is the InfoBubble open * * @return {boolean} If the InfoBubble is open. */ InfoBubble.prototype.isOpen = function() { return this.isOpen_; }; InfoBubble.prototype['isOpen'] = InfoBubble.prototype.isOpen; /** * Close the InfoBubble */ InfoBubble.prototype.close = function() { if (this.bubble_) { this.bubble_.style['display'] = 'none'; // Remove the animation so we next time it opens it will animate again this.bubble_.className = this.bubble_.className.replace(this.animationName_, ''); } if (this.bubbleShadow_) { this.bubbleShadow_.style['display'] = 'none'; this.bubbleShadow_.className = this.bubbleShadow_.className.replace(this.animationName_, ''); } this.isOpen_ = false; }; InfoBubble.prototype['close'] = InfoBubble.prototype.close; /** * Open the InfoBubble (asynchronous). * * @param {google.maps.Map=} opt_map Optional map to open on. * @param {google.maps.MVCObject=} opt_anchor Optional anchor to position at. */ InfoBubble.prototype.open = function(opt_map, opt_anchor) { var that = this; window.setTimeout(function() { that.open_(opt_map, opt_anchor); }, 0); }; /** * Open the InfoBubble * @private * @param {google.maps.Map=} opt_map Optional map to open on. * @param {google.maps.MVCObject=} opt_anchor Optional anchor to position at. */ InfoBubble.prototype.open_ = function(opt_map, opt_anchor) { this.updateContent_(); if (opt_map) { this.setMap(opt_map); } if (opt_anchor) { this.set('anchor', opt_anchor); this.bindTo('anchorPoint', opt_anchor); this.bindTo('position', opt_anchor); } // Show the bubble and the show this.bubble_.style['display'] = this.bubbleShadow_.style['display'] = ''; var animation = !this.get('disableAnimation'); if (animation) { // Add the animation this.bubble_.className += ' ' + this.animationName_; this.bubbleShadow_.className += ' ' + this.animationName_; } this.redraw_(); this.isOpen_ = true; var pan = !this.get('disableAutoPan'); if (pan) { var that = this; window.setTimeout(function() { // Pan into view, done in a time out to make it feel nicer :) that.panToView(); }, 200); } }; InfoBubble.prototype['open'] = InfoBubble.prototype.open; /** * Set the position of the InfoBubble * * @param {google.maps.LatLng} position The position to set. */ InfoBubble.prototype.setPosition = function(position) { if (position) { this.set('position', position); } }; InfoBubble.prototype['setPosition'] = InfoBubble.prototype.setPosition; /** * Returns the position of the InfoBubble * * @return {google.maps.LatLng} the position. */ InfoBubble.prototype.getPosition = function() { return /** @type {google.maps.LatLng} */ (this.get('position')); }; InfoBubble.prototype['getPosition'] = InfoBubble.prototype.getPosition; /** * position changed MVC callback */ InfoBubble.prototype.position_changed = function() { this.draw(); }; InfoBubble.prototype['position_changed'] = InfoBubble.prototype.position_changed; /** * Pan the InfoBubble into view */ InfoBubble.prototype.panToView = function() { var projection = this.getProjection(); if (!projection) { // The map projection is not ready yet so do nothing return; } if (!this.bubble_) { // No Bubble yet so do nothing return; } var anchorHeight = this.getAnchorHeight_(); var height = this.bubble_.offsetHeight + anchorHeight; var map = this.get('map'); var mapDiv = map.getDiv(); var mapHeight = mapDiv.offsetHeight; var latLng = this.getPosition(); var centerPos = projection.fromLatLngToContainerPixel(map.getCenter()); var pos = projection.fromLatLngToContainerPixel(latLng); // Find out how much space at the top is free var spaceTop = centerPos.y - height; // Fine out how much space at the bottom is free var spaceBottom = mapHeight - centerPos.y; var needsTop = spaceTop < 0; var deltaY = 0; if (needsTop) { spaceTop *= -1; deltaY = (spaceTop + spaceBottom) / 2; } pos.y -= deltaY; latLng = projection.fromContainerPixelToLatLng(pos); if (map.getCenter() != latLng) { map.panTo(latLng); } }; InfoBubble.prototype['panToView'] = InfoBubble.prototype.panToView; /** * Converts a HTML string to a document fragment. * * @param {string} htmlString The HTML string to convert. * @return {Node} A HTML document fragment. * @private */ InfoBubble.prototype.htmlToDocumentFragment_ = function(htmlString) { htmlString = htmlString.replace(/^\s*([\S\s]*)\b\s*$/, '$1'); var tempDiv = document.createElement('DIV'); tempDiv.innerHTML = htmlString; if (tempDiv.childNodes.length == 1) { return /** @type {!Node} */ (tempDiv.removeChild(tempDiv.firstChild)); } else { var fragment = document.createDocumentFragment(); while (tempDiv.firstChild) { fragment.appendChild(tempDiv.firstChild); } return fragment; } }; /** * Removes all children from the node. * * @param {Node} node The node to remove all children from. * @private */ InfoBubble.prototype.removeChildren_ = function(node) { if (!node) { return; } var child; while (child = node.firstChild) { node.removeChild(child); } }; /** * Sets the content of the infobubble. * * @param {string|Node} content The content to set. */ InfoBubble.prototype.setContent = function(content) { this.set('content', content); }; InfoBubble.prototype['setContent'] = InfoBubble.prototype.setContent; /** * Get the content of the infobubble. * * @return {string|Node} The marker content. */ InfoBubble.prototype.getContent = function() { return /** @type {Node|string} */ (this.get('content')); }; InfoBubble.prototype['getContent'] = InfoBubble.prototype.getContent; /** * Sets the marker content and adds loading events to images */ InfoBubble.prototype.updateContent_ = function() { if (!this.content_) { // The Content area doesnt exist. return; } this.removeChildren_(this.content_); var content = this.getContent(); if (content) { if (typeof content == 'string') { content = this.htmlToDocumentFragment_(content); } this.content_.appendChild(content); var that = this; var images = this.content_.getElementsByTagName('IMG'); for (var i = 0, image; image = images[i]; i++) { // Because we don't know the size of an image till it loads, add a // listener to the image load so the marker can resize and reposition // itself to be the correct height. google.maps.event.addDomListener(image, 'load', function() { that.imageLoaded_(); }); } google.maps.event.trigger(this, 'domready'); } this.redraw_(); }; /** * Image loaded * @private */ InfoBubble.prototype.imageLoaded_ = function() { var pan = !this.get('disableAutoPan'); this.redraw_(); if (pan && (this.tabs_.length == 0 || this.activeTab_.index == 0)) { this.panToView(); } }; /** * Updates the styles of the tabs * @private */ InfoBubble.prototype.updateTabStyles_ = function() { if (this.tabs_ && this.tabs_.length) { for (var i = 0, tab; tab = this.tabs_[i]; i++) { this.setTabStyle_(tab.tab); } this.activeTab_.style['zIndex'] = this.baseZIndex_; var borderWidth = this.getBorderWidth_(); var padding = this.getPadding_() / 2; this.activeTab_.style['borderBottomWidth'] = 0; this.activeTab_.style['paddingBottom'] = this.px(padding + borderWidth); } }; /** * Sets the style of a tab * @private * @param {Element} tab The tab to style. */ InfoBubble.prototype.setTabStyle_ = function(tab) { var backgroundColor = this.get('backgroundColor'); var borderColor = this.get('borderColor'); var borderRadius = this.getBorderRadius_(); var borderWidth = this.getBorderWidth_(); var padding = this.getPadding_(); var marginRight = this.px(-(Math.max(padding, borderRadius))); var borderRadiusPx = this.px(borderRadius); var index = this.baseZIndex_; if (tab.index) { index -= tab.index; } // The styles for the tab var styles = { 'cssFloat': 'left', 'position': 'relative', 'cursor': 'pointer', 'backgroundColor': backgroundColor, 'border': this.px(borderWidth) + ' solid ' + borderColor, 'padding': this.px(padding / 2) + ' ' + this.px(padding), 'marginRight': marginRight, 'whiteSpace': 'nowrap', 'borderRadiusTopLeft': borderRadiusPx, 'MozBorderRadiusTopleft': borderRadiusPx, 'webkitBorderTopLeftRadius': borderRadiusPx, 'borderRadiusTopRight': borderRadiusPx, 'MozBorderRadiusTopright': borderRadiusPx, 'webkitBorderTopRightRadius': borderRadiusPx, 'zIndex': index, 'display': 'inline' }; for (var style in styles) { tab.style[style] = styles[style]; } var className = this.get('tabClassName'); if (className != undefined) { tab.className += ' ' + className; } }; /** * Add user actions to a tab * @private * @param {Object} tab The tab to add the actions to. */ InfoBubble.prototype.addTabActions_ = function(tab) { var that = this; tab.listener_ = google.maps.event.addDomListener(tab, 'click', function() { that.setTabActive_(this); }); }; /** * Set a tab at a index to be active * * @param {number} index The index of the tab. */ InfoBubble.prototype.setTabActive = function(index) { var tab = this.tabs_[index - 1]; if (tab) { this.setTabActive_(tab.tab); } }; InfoBubble.prototype['setTabActive'] = InfoBubble.prototype.setTabActive; /** * Set a tab to be active * @private * @param {Object} tab The tab to set active. */ InfoBubble.prototype.setTabActive_ = function(tab) { if (!tab) { this.setContent(''); this.updateContent_(); return; } var padding = this.getPadding_() / 2; var borderWidth = this.getBorderWidth_(); if (this.activeTab_) { var activeTab = this.activeTab_; activeTab.style['zIndex'] = this.baseZIndex_ - activeTab.index; activeTab.style['paddingBottom'] = this.px(padding); activeTab.style['borderBottomWidth'] = this.px(borderWidth); } tab.style['zIndex'] = this.baseZIndex_; tab.style['borderBottomWidth'] = 0; tab.style['marginBottomWidth'] = '-10px'; tab.style['paddingBottom'] = this.px(padding + borderWidth); this.setContent(this.tabs_[tab.index].content); this.updateContent_(); this.activeTab_ = tab; this.redraw_(); }; /** * Set the max width of the InfoBubble * * @param {number} width The max width. */ InfoBubble.prototype.setMaxWidth = function(width) { this.set('maxWidth', width); }; InfoBubble.prototype['setMaxWidth'] = InfoBubble.prototype.setMaxWidth; /** * maxWidth changed MVC callback */ InfoBubble.prototype.maxWidth_changed = function() { this.redraw_(); }; InfoBubble.prototype['maxWidth_changed'] = InfoBubble.prototype.maxWidth_changed; /** * Set the max height of the InfoBubble * * @param {number} height The max height. */ InfoBubble.prototype.setMaxHeight = function(height) { this.set('maxHeight', height); }; InfoBubble.prototype['setMaxHeight'] = InfoBubble.prototype.setMaxHeight; /** * maxHeight changed MVC callback */ InfoBubble.prototype.maxHeight_changed = function() { this.redraw_(); }; InfoBubble.prototype['maxHeight_changed'] = InfoBubble.prototype.maxHeight_changed; /** * Set the min width of the InfoBubble * * @param {number} width The min width. */ InfoBubble.prototype.setMinWidth = function(width) { this.set('minWidth', width); }; InfoBubble.prototype['setMinWidth'] = InfoBubble.prototype.setMinWidth; /** * minWidth changed MVC callback */ InfoBubble.prototype.minWidth_changed = function() { this.redraw_(); }; InfoBubble.prototype['minWidth_changed'] = InfoBubble.prototype.minWidth_changed; /** * Set the min height of the InfoBubble * * @param {number} height The min height. */ InfoBubble.prototype.setMinHeight = function(height) { this.set('minHeight', height); }; InfoBubble.prototype['setMinHeight'] = InfoBubble.prototype.setMinHeight; /** * minHeight changed MVC callback */ InfoBubble.prototype.minHeight_changed = function() { this.redraw_(); }; InfoBubble.prototype['minHeight_changed'] = InfoBubble.prototype.minHeight_changed; /** * Add a tab * * @param {string} label The label of the tab. * @param {string|Element} content The content of the tab. */ InfoBubble.prototype.addTab = function(label, content) { var tab = document.createElement('DIV'); tab.innerHTML = label; this.setTabStyle_(tab); this.addTabActions_(tab); this.tabsContainer_.appendChild(tab); this.tabs_.push({ label: label, content: content, tab: tab }); tab.index = this.tabs_.length - 1; tab.style['zIndex'] = this.baseZIndex_ - tab.index; if (!this.activeTab_) { this.setTabActive_(tab); } tab.className = tab.className + ' ' + this.animationName_; this.redraw_(); }; InfoBubble.prototype['addTab'] = InfoBubble.prototype.addTab; /** * Update a tab at a speicifc index * * @param {number} index The index of the tab. * @param {?string} opt_label The label to change to. * @param {?string} opt_content The content to update to. */ InfoBubble.prototype.updateTab = function(index, opt_label, opt_content) { if (!this.tabs_.length || index < 0 || index >= this.tabs_.length) { return; } var tab = this.tabs_[index]; if (opt_label != undefined) { tab.tab.innerHTML = tab.label = opt_label; } if (opt_content != undefined) { tab.content = opt_content; } if (this.activeTab_ == tab.tab) { this.setContent(tab.content); this.updateContent_(); } this.redraw_(); }; InfoBubble.prototype['updateTab'] = InfoBubble.prototype.updateTab; /** * Remove a tab at a specific index * * @param {number} index The index of the tab to remove. */ InfoBubble.prototype.removeTab = function(index) { if (!this.tabs_.length || index < 0 || index >= this.tabs_.length) { return; } var tab = this.tabs_[index]; tab.tab.parentNode.removeChild(tab.tab); google.maps.event.removeListener(tab.tab.listener_); this.tabs_.splice(index, 1); delete tab; for (var i = 0, t; t = this.tabs_[i]; i++) { t.tab.index = i; } if (tab.tab == this.activeTab_) { // Removing the current active tab if (this.tabs_[index]) { // Show the tab to the right this.activeTab_ = this.tabs_[index].tab; } else if (this.tabs_[index - 1]) { // Show a tab to the left this.activeTab_ = this.tabs_[index - 1].tab; } else { // No tabs left to sho this.activeTab_ = undefined; } this.setTabActive_(this.activeTab_); } this.redraw_(); }; InfoBubble.prototype['removeTab'] = InfoBubble.prototype.removeTab; /** * Get the size of an element * @private * @param {Node|string} element The element to size. * @param {number=} opt_maxWidth Optional max width of the element. * @param {number=} opt_maxHeight Optional max height of the element. * @return {google.maps.Size} The size of the element. */ InfoBubble.prototype.getElementSize_ = function(element, opt_maxWidth, opt_maxHeight) { var sizer = document.createElement('DIV'); sizer.style['display'] = 'inline'; sizer.style['position'] = 'absolute'; sizer.style['visibility'] = 'hidden'; if (typeof element == 'string') { sizer.innerHTML = element; } else { sizer.appendChild(element.cloneNode(true)); } document.body.appendChild(sizer); var size = new google.maps.Size(sizer.offsetWidth, sizer.offsetHeight); // If the width is bigger than the max width then set the width and size again if (opt_maxWidth && size.width > opt_maxWidth) { sizer.style['width'] = this.px(opt_maxWidth); size = new google.maps.Size(sizer.offsetWidth, sizer.offsetHeight); } // If the height is bigger than the max height then set the height and size // again if (opt_maxHeight && size.height > opt_maxHeight) { sizer.style['height'] = this.px(opt_maxHeight); size = new google.maps.Size(sizer.offsetWidth, sizer.offsetHeight); } document.body.removeChild(sizer); delete sizer; return size; }; /** * Redraw the InfoBubble * @private */ InfoBubble.prototype.redraw_ = function() { this.figureOutSize_(); this.positionCloseButton_(); this.draw(); }; /** * Figure out the optimum size of the InfoBubble * @private */ InfoBubble.prototype.figureOutSize_ = function() { var map = this.get('map'); if (!map) { return; } var padding = this.getPadding_(); var borderWidth = this.getBorderWidth_(); var borderRadius = this.getBorderRadius_(); var arrowSize = this.getArrowSize_(); var mapDiv = map.getDiv(); var gutter = arrowSize * 2; var mapWidth = mapDiv.offsetWidth - gutter; var mapHeight = mapDiv.offsetHeight - gutter - this.getAnchorHeight_(); var tabHeight = 0; var width = /** @type {number} */ (this.get('minWidth') || 0); var height = /** @type {number} */ (this.get('minHeight') || 0); var maxWidth = /** @type {number} */ (this.get('maxWidth') || 0); var maxHeight = /** @type {number} */ (this.get('maxHeight') || 0); maxWidth = Math.min(mapWidth, maxWidth); maxHeight = Math.min(mapHeight, maxHeight); var tabWidth = 0; if (this.tabs_.length) { // If there are tabs then you need to check the size of each tab's content for (var i = 0, tab; tab = this.tabs_[i]; i++) { var tabSize = this.getElementSize_(tab.tab, maxWidth, maxHeight); var contentSize = this.getElementSize_(tab.content, maxWidth, maxHeight); if (width < tabSize.width) { width = tabSize.width; } // Add up all the tab widths because they might end up being wider than // the content tabWidth += tabSize.width; if (height < tabSize.height) { height = tabSize.height; } if (tabSize.height > tabHeight) { tabHeight = tabSize.height; } if (width < contentSize.width) { width = contentSize.width; } if (height < contentSize.height) { height = contentSize.height; } } } else { var content = /** @type {string|Node} */ (this.get('content')); if (typeof content == 'string') { content = this.htmlToDocumentFragment_(content); } if (content) { var contentSize = this.getElementSize_(content, maxWidth, maxHeight); if (width < contentSize.width) { width = contentSize.width; } if (height < contentSize.height) { height = contentSize.height; } } } if (maxWidth) { width = Math.min(width, maxWidth); } if (maxHeight) { height = Math.min(height, maxHeight); } width = Math.max(width, tabWidth); if (width == tabWidth) { width = width + 2 * padding; } arrowSize = arrowSize * 2; width = Math.max(width, arrowSize); // Maybe add this as a option so they can go bigger than the map if the user // wants if (width > mapWidth) { width = mapWidth; } if (height > mapHeight) { height = mapHeight - tabHeight; } if (this.tabsContainer_) { this.tabHeight_ = tabHeight; this.tabsContainer_.style['width'] = this.px(tabWidth); } this.contentContainer_.style['width'] = this.px(width); this.contentContainer_.style['height'] = this.px(height); }; /** * Get the height of the anchor * * This function is a hack for now and doesn't really work that good, need to * wait for pixelBounds to be correctly exposed. * @private * @return {number} The height of the anchor. */ InfoBubble.prototype.getAnchorHeight_ = function() { var anchor = this.get('anchor'); if (anchor) { var anchorPoint = /** @type google.maps.Point */(this.get('anchorPoint')); if (anchorPoint) { return -1 * anchorPoint.y; } } return 0; }; InfoBubble.prototype.anchorPoint_changed = function() { this.draw(); }; InfoBubble.prototype['anchorPoint_changed'] = InfoBubble.prototype.anchorPoint_changed; /** * Position the close button in the right spot. * @private */ InfoBubble.prototype.positionCloseButton_ = function() { var br = this.getBorderRadius_(); var bw = this.getBorderWidth_(); var right = 2; var top = 2; if (this.tabs_.length && this.tabHeight_) { top += this.tabHeight_; } top += bw; right += bw; var c = this.contentContainer_; if (c && c.clientHeight < c.scrollHeight) { // If there are scrollbars then move the cross in so it is not over // scrollbar right += 15; } this.close_.style['right'] = this.px(right); this.close_.style['top'] = this.px(top); };
{ "content_hash": "93d13201f5cfe88d7341556cab3bcbe7", "timestamp": "", "source": "github", "line_count": 1775, "max_line_length": 107, "avg_line_length": 25.020281690140845, "alnum_prop": 0.6699691517867195, "repo_name": "edean11/social-circle-v2", "id": "32814635f4f183a024744ddc730d70688044e8dd", "size": "44411", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "vendor/assets/javascripts/infobubble.js", "mode": "33188", "license": "mit", "language": [ { "name": "CSS", "bytes": "22403" }, { "name": "HTML", "bytes": "36138" }, { "name": "JavaScript", "bytes": "2744" }, { "name": "Ruby", "bytes": "90408" } ], "symlink_target": "" }
const mongoose = require('mongoose'); // set up a mongoose model and pass it using module.exports const userSchema = new mongoose.Schema({ email: { type: String, unique: true, index: true }, name: String, password: String }); module.exports = mongoose.model('User', userSchema);
{ "content_hash": "8c183a6b45f44f5073d7f227d7195b02", "timestamp": "", "source": "github", "line_count": 10, "max_line_length": 59, "avg_line_length": 29.3, "alnum_prop": 0.6962457337883959, "repo_name": "ashley-jelks-truss/DoDidDone", "id": "b042ec9276b6c851679fa4251dfb091cb1a9d378", "size": "344", "binary": false, "copies": "3", "ref": "refs/heads/master", "path": "models/user.js", "mode": "33188", "license": "mit", "language": [ { "name": "CSS", "bytes": "2708" }, { "name": "HTML", "bytes": "755" }, { "name": "JavaScript", "bytes": "49305" } ], "symlink_target": "" }
package org.apache.drill.exec.store.parquet.columnreaders; import org.apache.drill.test.BaseTestQuery; import org.junit.Test; public class TestDateReader extends BaseTestQuery { /** * check if DateReader works well with dictionary encoding. */ @Test public void testDictionary() throws Exception { // the file 'date_dictionary.parquet' contains two DATE columns, one optional and one required // and uses the PLAIN_DICTIONARY encoding // query parquet file. We shouldn't get any exception testNoResult("SELECT * FROM cp.`parquet/date_dictionary.parquet`"); } /** * check if DateReader works well with plain encoding. */ @Test public void testNoDictionary() throws Exception { // the file 'date_dictionary.parquet' contains two DATE columns, one optional and one required // and uses the PLAIN encoding // query parquet file. We shouldn't get any exception testNoResult("SELECT * FROM cp.`parquet/date_nodictionary.parquet`"); } }
{ "content_hash": "99365efa4fc811c33d7c9122911c1dde", "timestamp": "", "source": "github", "line_count": 32, "max_line_length": 98, "avg_line_length": 31.15625, "alnum_prop": 0.7251755265797393, "repo_name": "parthchandra/drill", "id": "34c10da581f59e861dd8846425470e2e982f22ba", "size": "1798", "binary": false, "copies": "7", "ref": "refs/heads/master", "path": "exec/java-exec/src/test/java/org/apache/drill/exec/store/parquet/columnreaders/TestDateReader.java", "mode": "33188", "license": "apache-2.0", "language": [ { "name": "Batchfile", "bytes": "7200" }, { "name": "C", "bytes": "31425" }, { "name": "C++", "bytes": "581383" }, { "name": "CMake", "bytes": "24670" }, { "name": "CSS", "bytes": "14536" }, { "name": "FreeMarker", "bytes": "133129" }, { "name": "GAP", "bytes": "16502" }, { "name": "Java", "bytes": "21789812" }, { "name": "JavaScript", "bytes": "74920" }, { "name": "PLSQL", "bytes": "6665" }, { "name": "Python", "bytes": "5388" }, { "name": "Shell", "bytes": "99566" } ], "symlink_target": "" }
package me.wheezygold.mcr.core.account; import me.wheezygold.mcr.core.common.Rank; import org.bukkit.entity.Player; public class ClientCore { private String playerName; private Player player; private Rank rank; public ClientCore(Player player) { this.player = player; } public ClientCore(String playerName) { this.playerName = playerName; } public String GetPlayerName() { return this.playerName; } public Player GetPlayer() { return this.player; } public void SetPlayer(Player player) { this.player = player; } public void Delete() { this.playerName = null; this.player = null; } public Rank GetRank() { return this.rank; } public void SetRank(Rank rank) { this.rank = rank; } }
{ "content_hash": "0d68647438c338c87aea84bfcd52e550", "timestamp": "", "source": "github", "line_count": 52, "max_line_length": 42, "avg_line_length": 16.634615384615383, "alnum_prop": 0.5988439306358382, "repo_name": "MPlexCore/MCR-Core", "id": "812753d75a3ad25c1b69d8c91476fb18bc9d5434", "size": "865", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "src/me/wheezygold/mcr/core/account/ClientCore.java", "mode": "33188", "license": "apache-2.0", "language": [ { "name": "Java", "bytes": "12385" } ], "symlink_target": "" }
<?php /** * CEmailValidator validates that the attribute value is a valid email address. * * @author Qiang Xue <[email protected]> * @version $Id: CEmailValidator.php 2799 2011-01-01 19:31:13Z qiang.xue $ * @package system.validators * @since 1.0 */ class CEmailValidator extends CValidator { /** * @var string the regular expression used to validate the attribute value. * @see http://www.regular-expressions.info/email.html */ public $pattern='/^[a-zA-Z0-9!#$%&\'*+\\/=?^_`{|}~-]+(?:\.[a-zA-Z0-9!#$%&\'*+\\/=?^_`{|}~-]+)*@(?:[a-zA-Z0-9](?:[a-zA-Z0-9-]*[a-zA-Z0-9])?\.)+[a-zA-Z0-9](?:[a-zA-Z0-9-]*[a-zA-Z0-9])?$/'; /** * @var string the regular expression used to validate email addresses with the name part. * This property is used only when {@link allowName} is true. * @since 1.0.5 * @see allowName */ public $fullPattern='/^[^@]*<[a-zA-Z0-9!#$%&\'*+\\/=?^_`{|}~-]+(?:\.[a-zA-Z0-9!#$%&\'*+\\/=?^_`{|}~-]+)*@(?:[a-zA-Z0-9](?:[a-zA-Z0-9-]*[a-zA-Z0-9])?\.)+[a-zA-Z0-9](?:[a-zA-Z0-9-]*[a-zA-Z0-9])?>$/'; /** * @var boolean whether to allow name in the email address (e.g. "Qiang Xue <[email protected]>"). Defaults to false. * @since 1.0.5 * @see fullPattern */ public $allowName=false; /** * @var boolean whether to check the MX record for the email address. * Defaults to false. To enable it, you need to make sure the PHP function 'checkdnsrr' * exists in your PHP installation. */ public $checkMX=false; /** * @var boolean whether to check port 25 for the email address. * Defaults to false. * @since 1.0.4 */ public $checkPort=false; /** * @var boolean whether the attribute value can be null or empty. Defaults to true, * meaning that if the attribute is empty, it is considered valid. */ public $allowEmpty=true; /** * Validates the attribute of the object. * If there is any error, the error message is added to the object. * @param CModel $object the object being validated * @param string $attribute the attribute being validated */ protected function validateAttribute($object,$attribute) { $value=$object->$attribute; if($this->allowEmpty && $this->isEmpty($value)) return; if(!$this->validateValue($value)) { $message=$this->message!==null?$this->message:Yii::t('yii','{attribute} is not a valid email address.'); $this->addError($object,$attribute,$message); } } /** * Validates a static value to see if it is a valid email. * Note that this method does not respect {@link allowEmpty} property. * This method is provided so that you can call it directly without going through the model validation rule mechanism. * @param mixed $value the value to be validated * @return boolean whether the value is a valid email * @since 1.1.1 */ public function validateValue($value) { $valid=is_string($value) && (preg_match($this->pattern,$value) || $this->allowName && preg_match($this->fullPattern,$value)); if($valid) $domain=rtrim(substr($value,strpos($value,'@')+1),'>'); if($valid && $this->checkMX && function_exists('checkdnsrr')) $valid=checkdnsrr($domain,'MX'); if($valid && $this->checkPort && function_exists('fsockopen')) $valid=fsockopen($domain,25)!==false; return $valid; } }
{ "content_hash": "eb86f7ea9475c96a472eae7955a766fd", "timestamp": "", "source": "github", "line_count": 87, "max_line_length": 198, "avg_line_length": 37.206896551724135, "alnum_prop": 0.6450417052826691, "repo_name": "ata/latumentent", "id": "441f007eb4df2425fc905cdeef1fd85451158234", "size": "3466", "binary": false, "copies": "3", "ref": "refs/heads/master", "path": "framework/validators/CEmailValidator.php", "mode": "33188", "license": "mit", "language": [ { "name": "JavaScript", "bytes": "453640" }, { "name": "PHP", "bytes": "9628431" }, { "name": "Shell", "bytes": "6149" } ], "symlink_target": "" }
int main(int argc, char * argv[]) { @autoreleasepool { return UIApplicationMain(argc, argv, nil, NSStringFromClass([AppDelegate class])); } }
{ "content_hash": "fdbffdf4cbf0b87628f8ea81054eabeb", "timestamp": "", "source": "github", "line_count": 5, "max_line_length": 90, "avg_line_length": 31.6, "alnum_prop": 0.6582278481012658, "repo_name": "WenKaiLiu/WY1", "id": "7152c39958595f2b416e12a105c853bd04b2f02f", "size": "334", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "WY1/WY1/main.m", "mode": "33188", "license": "mit", "language": [ { "name": "Objective-C", "bytes": "5494" } ], "symlink_target": "" }
AirbnbClone::Application.config.session_store :cookie_store, key: '_AirbnbClone_session' # Use the database for sessions instead of the cookie-based default, # which shouldn't be used to store highly confidential information # (create the session table with "rails generate session_migration") # AirbnbClone::Application.config.session_store :active_record_store
{ "content_hash": "e3c227304ee3c6599cb2aed759061aa1", "timestamp": "", "source": "github", "line_count": 6, "max_line_length": 88, "avg_line_length": 60.666666666666664, "alnum_prop": 0.804945054945055, "repo_name": "kclarkedesign/gathsyh", "id": "deebf29856144962ff27e05dfed38b9ad8350c60", "size": "425", "binary": false, "copies": "2", "ref": "refs/heads/master", "path": "config/initializers/session_store.rb", "mode": "33188", "license": "mit", "language": [ { "name": "CSS", "bytes": "18325" }, { "name": "JavaScript", "bytes": "2982" }, { "name": "Ruby", "bytes": "54092" } ], "symlink_target": "" }
package activedir import ( "encoding/json" "flag" "fmt" "runtime" "github.com/StackExchange/dnscontrol/providers" ) var flagFakePowerShell = flag.Bool("fakeps", false, "ACTIVEDIR: Do not run PowerShell. Open adzonedump.*.json files for input, and write to -psout any PS1 commands that make changes.") var flagPsFuture = flag.String("psout", "dns_update_commands.ps1", "ACTIVEDIR: Where to write PS1 commands for future execution.") var flagPsLog = flag.String("pslog", "powershell.log", "ACTIVEDIR: filename of PS1 command log.") // This is the struct that matches either (or both) of the Registrar and/or DNSProvider interfaces: type adProvider struct { adServer string } // Register with the dnscontrol system. // This establishes the name (all caps), and the function to call to initialize it. func init() { providers.RegisterDomainServiceProviderType("ACTIVEDIRECTORY_PS", newDNS) } func newDNS(config map[string]string, metadata json.RawMessage) (providers.DNSServiceProvider, error) { if runtime.GOOS == "windows" || *flagFakePowerShell { srv := config["ADServer"] if srv == "" { return nil, fmt.Errorf("ADServer required for Active Directory provider") } return &adProvider{adServer: srv}, nil } fmt.Printf("WARNING: PowerShell not available. ActiveDirectory will not be updated.\n") return providers.None{}, nil }
{ "content_hash": "a5beb05ee5213616f6b0d5d6a3f89b72", "timestamp": "", "source": "github", "line_count": 37, "max_line_length": 184, "avg_line_length": 36.54054054054054, "alnum_prop": 0.746301775147929, "repo_name": "mathieuherbert/dnscontrol", "id": "3561e3724fd5cf33db76f1114be3c3fe44a53a1a", "size": "1352", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "providers/activedir/activedirProvider.go", "mode": "33188", "license": "mit", "language": [ { "name": "Go", "bytes": "200613" }, { "name": "JavaScript", "bytes": "9367" }, { "name": "PowerShell", "bytes": "913" } ], "symlink_target": "" }
@interface BMEUserTask : NSObject typedef NS_ENUM(NSUInteger, BMEUserTaskType) { BMEUserTaskTypeShareOnTwitter = 0, BMEUserTaskTypeShareOnFacebook = 1, BMEUserTaskTypeWatchVideo = 2, BMEUserTaskTypeUnknown, }; @property (assign, nonatomic) BMEUserTaskType type; @property (assign, nonatomic) BOOL completed; @property (assign, nonatomic) NSUInteger points; - (NSString *)localizableKeyForType; + (NSString *)serverKeyForType:(BMEUserTaskType)type; + (BMEUserTaskType)taskTypeForServerKey:(NSString *)key; @end
{ "content_hash": "8d6153fddd1ca19a88a3f7d26e3b7f2e", "timestamp": "", "source": "github", "line_count": 19, "max_line_length": 56, "avg_line_length": 27.894736842105264, "alnum_prop": 0.779245283018868, "repo_name": "simonbs/bemyeyes-ios", "id": "04f92cb7ec5d4e73257e97648ab20d72b44d5542", "size": "700", "binary": false, "copies": "1", "ref": "refs/heads/development", "path": "BeMyEyes/Source/Models/BMEUserTask.h", "mode": "33188", "license": "mit", "language": [ { "name": "CSS", "bytes": "9480" }, { "name": "Objective-C", "bytes": "682839" }, { "name": "Ruby", "bytes": "5632" }, { "name": "Swift", "bytes": "42109" } ], "symlink_target": "" }
/* se setea variable global log_bin_trust_function_creators */ /* sino tira el error: */ /* */ /* This function has none of DETERMINISTIC, NO SQL, or READS SQL DATA */ /* in its declaration and binary logging is enabled */ /* (you *might* want to use the less safe */ /* log_bin_trust_function_creators variable) */ /* SET GLOBAL log_bin_trust_function_creators=1; */ DROP PROCEDURE IF EXISTS ri_generar_listado_fechas; DELIMITER $$ CREATE DEFINER = CURRENT_USER PROCEDURE ri_generar_listado_fechas( IN desde DATE, IN hasta DATE) BEGIN DECLARE fin INT DEFAULT 0; DECLARE dia DATE; SET dia = ADDDATE(desde,-1); DROP TEMPORARY TABLE IF EXISTS listado_fechas_tmp; CREATE TEMPORARY TABLE listado_fechas_tmp(fecha DATE); ciclo1: REPEAT SET dia = ADDDATE(dia, INTERVAL 1 DAY); SET fin = fin + 1; INSERT INTO listado_fechas_tmp VALUES (dia); UNTIL dia = hasta END REPEAT ciclo1; END $$ DELIMITER ; DROP FUNCTION IF EXISTS ri_str_limpiar_espacios; DELIMITER $$ CREATE DEFINER=CURRENT_USER FUNCTION ri_str_limpiar_espacios (texto VARCHAR(255)) RETURNS VARCHAR(255) NO SQL DETERMINISTIC COMMENT 'Elimina espacios extras de un string' BEGIN WHILE INSTR(texto, ' ') > 0 DO SET texto = REPLACE(texto, ' ', ' '); END WHILE; RETURN TRIM(texto); END$$ DELIMITER ;
{ "content_hash": "805e48389b587cce44d71541f2b9b591", "timestamp": "", "source": "github", "line_count": 71, "max_line_length": 72, "avg_line_length": 19.732394366197184, "alnum_prop": 0.6595289079229122, "repo_name": "sebasberra/ri", "id": "dcd99d38360ca60b9c2202dc05c7beb6a7bc2d17", "size": "1401", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "scripts/tembures/rutinas/RItembures_rutinas_ri_5_1.sql", "mode": "33188", "license": "mit", "language": [ { "name": "CSS", "bytes": "555656" }, { "name": "HTML", "bytes": "678042" }, { "name": "JavaScript", "bytes": "2053575" }, { "name": "PHP", "bytes": "2055330" }, { "name": "PLSQL", "bytes": "509317" }, { "name": "PLpgSQL", "bytes": "153481" }, { "name": "SQLPL", "bytes": "687435" } ], "symlink_target": "" }
/* * Do not modify this file. This file is generated from the workspaces-2015-04-08.normal.json service model. */ using System; using System.Collections.Generic; using System.Globalization; using System.IO; using System.Text; using System.Xml.Serialization; using Amazon.WorkSpaces.Model; using Amazon.Runtime; using Amazon.Runtime.Internal; using Amazon.Runtime.Internal.Transform; using Amazon.Runtime.Internal.Util; using ThirdParty.Json.LitJson; namespace Amazon.WorkSpaces.Model.Internal.MarshallTransformations { /// <summary> /// RebuildRequest Marshaller /// </summary> public class RebuildRequestMarshaller : IRequestMarshaller<RebuildRequest, JsonMarshallerContext> { /// <summary> /// Unmarshaller the response from the service to the response class. /// </summary> /// <param name="requestObject"></param> /// <param name="context"></param> /// <returns></returns> public void Marshall(RebuildRequest requestObject, JsonMarshallerContext context) { if(requestObject.IsSetWorkspaceId()) { context.Writer.WritePropertyName("WorkspaceId"); context.Writer.Write(requestObject.WorkspaceId); } } /// <summary> /// Singleton Marshaller. /// </summary> public readonly static RebuildRequestMarshaller Instance = new RebuildRequestMarshaller(); } }
{ "content_hash": "218448e8e830861ab3c0a95433b50e67", "timestamp": "", "source": "github", "line_count": 49, "max_line_length": 108, "avg_line_length": 29.959183673469386, "alnum_prop": 0.6689373297002725, "repo_name": "rafd123/aws-sdk-net", "id": "28fd7936b2e18d9c6cd3b6854eeb2806b67b8532", "size": "2055", "binary": false, "copies": "2", "ref": "refs/heads/master", "path": "sdk/src/Services/WorkSpaces/Generated/Model/Internal/MarshallTransformations/RebuildRequestMarshaller.cs", "mode": "33188", "license": "apache-2.0", "language": [ { "name": "C#", "bytes": "85386370" }, { "name": "CSS", "bytes": "18119" }, { "name": "HTML", "bytes": "24352" }, { "name": "JavaScript", "bytes": "6576" }, { "name": "PowerShell", "bytes": "12753" }, { "name": "XSLT", "bytes": "7010" } ], "symlink_target": "" }