text
stringlengths
2
1.04M
meta
dict
#ifndef RNAVIER_TICGBTEST_H #define RNAVIER_TICGBTEST_H #include <memory> #include "TBjRegulator.h" #include "TIC3D.h" #include "TStep3D.h" #include "THModel3D.h" class THydro3DBj ; class TRNavier3DBj ; //! Simple test intial conditions for invicid Gubser evoluation //! in 2+1 dimensions. //! class TICGbTest : public TIC3D { private: THModel3D *fModel ; std::unique_ptr<TBjRegulator> fRegulator ; //! The initial time. double fTau0 ; //! Initial energy density of background Gubser flow. double fS0 ; //! Initial number density double fNOverS ; //! Conformal parameter double fQTau0 ; //! H0=eta/e^(3/4) double fH0 ; double fTqtau ; double fTfact ; bool fIsIdealFluid ; void read(std::istream &in) ; void write(std::ostream &out) ; public: explicit TICGbTest(TRNavier3DBj *rn) ; virtual ~TICGbTest() override {; } virtual void nextEvent(const double &bgen) override {;} virtual void IC(const TICPoint3D &pnt, const TNDArray1D &auxi) override ; double getCutoffC1() {return fRegulator->getCutoffC1();} } ; std::unique_ptr<TIC3D> make_ic_icgbtest(THydro3DBj *hy, const std::string &icname) ; #endif
{ "content_hash": "4ff9e76ba51c7d3ba3104c48b9dff030", "timestamp": "", "source": "github", "line_count": 52, "max_line_length": 84, "avg_line_length": 24.096153846153847, "alnum_prop": 0.6512370311252993, "repo_name": "rnavier/rnavier", "id": "0ca66d0812e91a71d3e9dbb31421ed32edc9145d", "size": "1550", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "src/gubseric/TICGbTest.h", "mode": "33188", "license": "mit", "language": [ { "name": "C", "bytes": "878" }, { "name": "C++", "bytes": "668082" }, { "name": "CMake", "bytes": "35631" }, { "name": "Objective-C", "bytes": "596" }, { "name": "PHP", "bytes": "1019" }, { "name": "Python", "bytes": "4221" }, { "name": "Shell", "bytes": "2193" }, { "name": "SourcePawn", "bytes": "4251" } ], "symlink_target": "" }
<!DOCTYPE html> <html > <head> <meta charset="UTF-8"> <title>NIWA-irc</title> <script type="text/javascript" defer="defer" src="rest/dependencyManager/index.js"></script> <link rel="stylesheet" href="css/index.less"> </head> <body> <div id="globalActions"> <button data-action="downloads" accesskey="d">&#11015;</button> <!--button data-action="jump" accesskey="j">&#8605;</button--> <button data-action="config" accesskey="c">&#128295;</button> <button data-action="help" accesskey="h"><span>&#10067;</span></button> </div> </body> </html>
{ "content_hash": "4f9496d8710f3edee31d3b2117b2c317", "timestamp": "", "source": "github", "line_count": 18, "max_line_length": 93, "avg_line_length": 30.833333333333332, "alnum_prop": 0.6684684684684684, "repo_name": "Morgas01/NIWA-irc", "id": "b65738ae5bf8268e0a6d9ab1e64d38c2ab70d5d3", "size": "555", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "index.html", "mode": "33188", "license": "mit", "language": [ { "name": "CSS", "bytes": "3899" }, { "name": "HTML", "bytes": "555" }, { "name": "JavaScript", "bytes": "46350" } ], "symlink_target": "" }
package validator import ( "os" "testing" "github.com/stretchr/testify/assert" "github.com/stretchr/testify/require" "github.com/authelia/authelia/v4/internal/configuration/schema" ) const unexistingFilePath = "/tmp/unexisting_file" func TestShouldSetDefaultServerValues(t *testing.T) { validator := schema.NewStructValidator() config := &schema.Configuration{} ValidateServer(config, validator) assert.Len(t, validator.Errors(), 0) assert.Len(t, validator.Warnings(), 0) assert.Equal(t, schema.DefaultServerConfiguration.Host, config.Server.Host) assert.Equal(t, schema.DefaultServerConfiguration.Port, config.Server.Port) assert.Equal(t, schema.DefaultServerConfiguration.ReadBufferSize, config.Server.ReadBufferSize) assert.Equal(t, schema.DefaultServerConfiguration.WriteBufferSize, config.Server.WriteBufferSize) assert.Equal(t, schema.DefaultServerConfiguration.TLS.Key, config.Server.TLS.Key) assert.Equal(t, schema.DefaultServerConfiguration.TLS.Certificate, config.Server.TLS.Certificate) assert.Equal(t, schema.DefaultServerConfiguration.Path, config.Server.Path) assert.Equal(t, schema.DefaultServerConfiguration.EnableExpvars, config.Server.EnableExpvars) assert.Equal(t, schema.DefaultServerConfiguration.EnablePprof, config.Server.EnablePprof) } func TestShouldSetDefaultConfig(t *testing.T) { validator := schema.NewStructValidator() config := &schema.Configuration{} ValidateServer(config, validator) assert.Len(t, validator.Errors(), 0) assert.Len(t, validator.Warnings(), 0) assert.Equal(t, schema.DefaultServerConfiguration.ReadBufferSize, config.Server.ReadBufferSize) assert.Equal(t, schema.DefaultServerConfiguration.WriteBufferSize, config.Server.WriteBufferSize) } func TestShouldParsePathCorrectly(t *testing.T) { validator := schema.NewStructValidator() config := &schema.Configuration{ Server: schema.ServerConfiguration{ Path: "apple", }, } ValidateServer(config, validator) assert.Len(t, validator.Errors(), 0) assert.Len(t, validator.Warnings(), 0) assert.Equal(t, "/apple", config.Server.Path) } func TestShouldRaiseOnNegativeValues(t *testing.T) { validator := schema.NewStructValidator() config := &schema.Configuration{ Server: schema.ServerConfiguration{ ReadBufferSize: -1, WriteBufferSize: -1, }, } ValidateServer(config, validator) require.Len(t, validator.Errors(), 2) assert.EqualError(t, validator.Errors()[0], "server: option 'read_buffer_size' must be above 0 but it is configured as '-1'") assert.EqualError(t, validator.Errors()[1], "server: option 'write_buffer_size' must be above 0 but it is configured as '-1'") } func TestShouldRaiseOnNonAlphanumericCharsInPath(t *testing.T) { validator := schema.NewStructValidator() config := &schema.Configuration{ Server: schema.ServerConfiguration{ Path: "app le", }, } ValidateServer(config, validator) require.Len(t, validator.Errors(), 1) assert.Error(t, validator.Errors()[0], "server path must only be alpha numeric characters") } func TestShouldRaiseOnForwardSlashInPath(t *testing.T) { validator := schema.NewStructValidator() config := &schema.Configuration{ Server: schema.ServerConfiguration{ Path: "app/le", }, } ValidateServer(config, validator) assert.Len(t, validator.Errors(), 1) assert.Error(t, validator.Errors()[0], "server path must not contain any forward slashes") } func TestShouldValidateAndUpdateHost(t *testing.T) { validator := schema.NewStructValidator() config := newDefaultConfig() config.Server.Host = "" ValidateServer(&config, validator) require.Len(t, validator.Errors(), 0) assert.Equal(t, "0.0.0.0", config.Server.Host) } func TestShouldRaiseErrorWhenTLSCertWithoutKeyIsProvided(t *testing.T) { validator := schema.NewStructValidator() config := newDefaultConfig() file, err := os.CreateTemp("", "cert") require.NoError(t, err) defer os.Remove(file.Name()) config.Server.TLS.Certificate = file.Name() ValidateServer(&config, validator) require.Len(t, validator.Errors(), 1) assert.EqualError(t, validator.Errors()[0], "server: tls: option 'certificate' must also be accompanied by option 'key'") } func TestShouldRaiseErrorWhenTLSCertDoesNotExist(t *testing.T) { validator := schema.NewStructValidator() config := newDefaultConfig() file, err := os.CreateTemp("", "key") require.NoError(t, err) defer os.Remove(file.Name()) config.Server.TLS.Certificate = unexistingFilePath config.Server.TLS.Key = file.Name() ValidateServer(&config, validator) require.Len(t, validator.Errors(), 1) assert.EqualError(t, validator.Errors()[0], "server: tls: file path /tmp/unexisting_file provided in 'certificate' does not exist") } func TestShouldRaiseErrorWhenTLSKeyWithoutCertIsProvided(t *testing.T) { validator := schema.NewStructValidator() config := newDefaultConfig() file, err := os.CreateTemp("", "key") require.NoError(t, err) defer os.Remove(file.Name()) config.Server.TLS.Key = file.Name() ValidateServer(&config, validator) require.Len(t, validator.Errors(), 1) assert.EqualError(t, validator.Errors()[0], "server: tls: option 'key' must also be accompanied by option 'certificate'") } func TestShouldRaiseErrorWhenTLSKeyDoesNotExist(t *testing.T) { validator := schema.NewStructValidator() config := newDefaultConfig() file, err := os.CreateTemp("", "key") require.NoError(t, err) defer os.Remove(file.Name()) config.Server.TLS.Key = unexistingFilePath config.Server.TLS.Certificate = file.Name() ValidateServer(&config, validator) require.Len(t, validator.Errors(), 1) assert.EqualError(t, validator.Errors()[0], "server: tls: file path /tmp/unexisting_file provided in 'key' does not exist") } func TestShouldNotRaiseErrorWhenBothTLSCertificateAndKeyAreProvided(t *testing.T) { validator := schema.NewStructValidator() config := newDefaultConfig() certFile, err := os.CreateTemp("", "cert") require.NoError(t, err) defer os.Remove(certFile.Name()) keyFile, err := os.CreateTemp("", "key") require.NoError(t, err) defer os.Remove(keyFile.Name()) config.Server.TLS.Certificate = certFile.Name() config.Server.TLS.Key = keyFile.Name() ValidateServer(&config, validator) require.Len(t, validator.Errors(), 0) } func TestShouldRaiseErrorWhenTLSClientCertificateDoesNotExist(t *testing.T) { validator := schema.NewStructValidator() config := newDefaultConfig() certFile, err := os.CreateTemp("", "cert") require.NoError(t, err) defer os.Remove(certFile.Name()) keyFile, err := os.CreateTemp("", "key") require.NoError(t, err) defer os.Remove(keyFile.Name()) config.Server.TLS.Certificate = certFile.Name() config.Server.TLS.Key = keyFile.Name() config.Server.TLS.ClientCertificates = []string{"/tmp/unexisting"} ValidateServer(&config, validator) require.Len(t, validator.Errors(), 1) assert.EqualError(t, validator.Errors()[0], "server: tls: client_certificates: certificates: file path /tmp/unexisting does not exist") } func TestShouldRaiseErrorWhenTLSClientAuthIsDefinedButNotServerCertificate(t *testing.T) { validator := schema.NewStructValidator() config := newDefaultConfig() certFile, err := os.CreateTemp("", "cert") require.NoError(t, err) defer os.Remove(certFile.Name()) config.Server.TLS.ClientCertificates = []string{certFile.Name()} ValidateServer(&config, validator) require.Len(t, validator.Errors(), 1) assert.EqualError(t, validator.Errors()[0], "server: tls: client authentication cannot be configured if no server certificate and key are provided") } func TestShouldNotUpdateConfig(t *testing.T) { validator := schema.NewStructValidator() config := newDefaultConfig() ValidateServer(&config, validator) require.Len(t, validator.Errors(), 0) assert.Equal(t, 9090, config.Server.Port) assert.Equal(t, loopback, config.Server.Host) } func TestShouldValidateAndUpdatePort(t *testing.T) { validator := schema.NewStructValidator() config := newDefaultConfig() config.Server.Port = 0 ValidateServer(&config, validator) require.Len(t, validator.Errors(), 0) assert.Equal(t, 9091, config.Server.Port) }
{ "content_hash": "8a98b65693430119d2bb21198b547a3e", "timestamp": "", "source": "github", "line_count": 268, "max_line_length": 149, "avg_line_length": 30.175373134328357, "alnum_prop": 0.7534314331643378, "repo_name": "clems4ever/two-factor-auth-server", "id": "7349465cd90f5f4b4ad0e99402877c698eadeb79", "size": "8087", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "internal/configuration/validator/server_test.go", "mode": "33188", "license": "mit", "language": [ { "name": "CSS", "bytes": "5810" }, { "name": "HTML", "bytes": "1245" }, { "name": "JavaScript", "bytes": "25546" }, { "name": "Nginx", "bytes": "2098" } ], "symlink_target": "" }
// -------------------------------------------------------------------------------------------------------------------- // <copyright file="CloneExtension.cs" company="Freiwillige Feuerwehr Krems/Donau"> // Freiwillige Feuerwehr Krems/Donau // Austraße 33 // A-3500 Krems/Donau // Austria // // Tel.: +43 (0)2732 85522 // Fax.: +43 (0)2732 85522 40 // E-mail: [email protected] // // This software is furnished under a license and may be // used and copied only in accordance with the terms of // such license and with the inclusion of the above // copyright notice. This software or any other copies // thereof may not be provided or otherwise made // available to any other person. No title to and // ownership of the software is hereby transferred. // // The information in this software is subject to change // without notice and should not be construed as a // commitment by Freiwillige Feuerwehr Krems/Donau. // // </copyright> // -------------------------------------------------------------------------------------------------------------------- namespace At.FF.Krems.Utils.Extensions { using System; using System.IO; using System.Runtime.Serialization; using System.Runtime.Serialization.Formatters.Binary; /// <summary> /// Reference Article <see cref="http://www.codeproject.com/KB/tips/SerializedObjectCloner.aspx"/> /// Provides a method for performing a deep copy of an object. /// Binary Serialization is used to perform the copy. /// </summary> public static class CloneExtension { /// <summary>Perform a deep Copy of the object.</summary> /// <typeparam name="T">The type of object being copied.</typeparam> /// <param name="source">The object instance to copy.</param> /// <returns>The copied object.</returns> public static T Clone<T>(this T source) { if (!typeof(T).IsSerializable) { throw new ArgumentException("The type must be serializable.", nameof(source)); } // Don't serialize a null object, simply return the default for that object if (ReferenceEquals(source, null)) { return default(T); } IFormatter formatter = new BinaryFormatter(); Stream stream = new MemoryStream(); using (stream) { formatter.Serialize(stream, source); stream.Seek(0, SeekOrigin.Begin); return (T)formatter.Deserialize(stream); } } } }
{ "content_hash": "d1b6bcb6aad87e8dcb8d3ad32aa09336", "timestamp": "", "source": "github", "line_count": 67, "max_line_length": 120, "avg_line_length": 40.02985074626866, "alnum_prop": 0.5566741237882178, "repo_name": "Grisu-NOE/FullscreenBrowser", "id": "dbc5bbfd7a3796b9bf673c06ef183daa24e1ff08", "size": "2685", "binary": false, "copies": "2", "ref": "refs/heads/main", "path": "src/Shared/Utils/Extensions/CloneExtension.cs", "mode": "33188", "license": "mit", "language": [ { "name": "Batchfile", "bytes": "207" }, { "name": "C#", "bytes": "560537" }, { "name": "PowerShell", "bytes": "2953" }, { "name": "Shell", "bytes": "2275" } ], "symlink_target": "" }
/* * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package io.trino.plugin.hive.metastore; import com.google.common.collect.ImmutableMultimap; import com.google.common.collect.ImmutableSetMultimap; import com.google.common.collect.Multimap; import com.google.common.collect.SetMultimap; import java.util.Set; import static com.google.common.collect.ImmutableListMultimap.toImmutableListMultimap; import static io.trino.spi.security.PrincipalType.ROLE; import static io.trino.spi.security.PrincipalType.USER; import static java.util.Objects.requireNonNull; import static java.util.function.Function.identity; public class PrincipalPrivileges { public static final PrincipalPrivileges NO_PRIVILEGES = new PrincipalPrivileges(ImmutableMultimap.of(), ImmutableMultimap.of()); private final SetMultimap<String, HivePrivilegeInfo> userPrivileges; private final SetMultimap<String, HivePrivilegeInfo> rolePrivileges; public PrincipalPrivileges( Multimap<String, HivePrivilegeInfo> userPrivileges, Multimap<String, HivePrivilegeInfo> rolePrivileges) { this.userPrivileges = ImmutableSetMultimap.copyOf(requireNonNull(userPrivileges, "userPrivileges is null")); this.rolePrivileges = ImmutableSetMultimap.copyOf(requireNonNull(rolePrivileges, "rolePrivileges is null")); } public static PrincipalPrivileges fromHivePrivilegeInfos(Set<HivePrivilegeInfo> hivePrivileges) { Multimap<String, HivePrivilegeInfo> userPrivileges = hivePrivileges .stream() .filter(privilege -> privilege.getGrantee().getType() == USER) .collect(toImmutableListMultimap(privilege -> privilege.getGrantee().getName(), identity())); Multimap<String, HivePrivilegeInfo> rolePrivileges = hivePrivileges .stream() .filter(privilege -> privilege.getGrantee().getType() == ROLE) .collect(toImmutableListMultimap(privilege -> privilege.getGrantee().getName(), identity())); return new PrincipalPrivileges(userPrivileges, rolePrivileges); } public SetMultimap<String, HivePrivilegeInfo> getUserPrivileges() { return userPrivileges; } public SetMultimap<String, HivePrivilegeInfo> getRolePrivileges() { return rolePrivileges; } }
{ "content_hash": "0f177a63510bd0a2dc6c5c67110a00d2", "timestamp": "", "source": "github", "line_count": 67, "max_line_length": 132, "avg_line_length": 42.43283582089552, "alnum_prop": 0.742525501231094, "repo_name": "ebyhr/presto", "id": "d620dd54ec853dc183a7fdb8d4209f171598c520", "size": "2843", "binary": false, "copies": "2", "ref": "refs/heads/master", "path": "plugin/trino-hive/src/main/java/io/trino/plugin/hive/metastore/PrincipalPrivileges.java", "mode": "33188", "license": "apache-2.0", "language": [ { "name": "ANTLR", "bytes": "26917" }, { "name": "CSS", "bytes": "12957" }, { "name": "HTML", "bytes": "28832" }, { "name": "Java", "bytes": "31247929" }, { "name": "JavaScript", "bytes": "211244" }, { "name": "Makefile", "bytes": "6830" }, { "name": "PLSQL", "bytes": "2797" }, { "name": "PLpgSQL", "bytes": "11504" }, { "name": "Python", "bytes": "7811" }, { "name": "SQLPL", "bytes": "926" }, { "name": "Shell", "bytes": "29857" }, { "name": "Thrift", "bytes": "12631" } ], "symlink_target": "" }
package org.linqs.psl.utils.dataloading.graph; import java.util.ArrayList; import java.util.HashMap; import java.util.HashSet; import java.util.Iterator; import java.util.LinkedList; import java.util.List; import java.util.Map; import java.util.Queue; import java.util.Set; import com.google.common.collect.Iterables; import com.google.common.collect.Iterators; public class Graph<ET extends EntityType, RT extends RelationType> { private final Map<ET,Map<Integer,Entity<ET,RT>>> entities; public Graph() { entities = new HashMap<ET,Map<Integer,Entity<ET,RT>>>(); } public int getNoEntities(ET type) { if (!entities.containsKey(type)) return 0; else return entities.get(type).size(); } public Iterator<Entity<ET,RT>> getEntities(ET type) { if (!entities.containsKey(type)) { return new ArrayList<Entity<ET, RT>>().iterator(); } final Iterator<Entity<ET,RT>> iter = entities.get(type).values().iterator(); return new Iterator<Entity<ET,RT>>() { Entity<ET,RT> current = null; @Override public boolean hasNext() { return iter.hasNext(); } @Override public Entity<ET, RT> next() { current= iter.next(); return current; } @Override public void remove() { if (current.getDegree()>0) throw new IllegalArgumentException("Cannot delete connected entity!"); else iter.remove(); } }; } public Entity<ET,RT> getEntity(int id, ET type) { Map<Integer,Entity<ET,RT>> map = entities.get(type); if (map==null) return null; Entity<ET,RT> e = map.get(id); if (e!=null && !e.hasType(type)) throw new AssertionError("Entity does not have the expected type!"); return e; } public boolean deleteEntity(Entity<ET,RT> e) { if (e.getDegree()>0) throw new IllegalArgumentException("Cannot delete connected entity!"); Map<Integer,Entity<ET,RT>> map = entities.get(e.getType()); if (map==null) return false; if (!map.containsKey(e.getId())) return false; map.remove(e.getId()); return true; } public Entity<ET,RT> getorCreateEntity(int id, ET type) { Entity<ET,RT> e = getEntity(id,type); if (e==null) { e = createEntity(id,type); } return e; } public Entity<ET,RT> createEntity(int id, ET type) { Map<Integer,Entity<ET,RT>> map = entities.get(type); if (map==null) { map = new HashMap<Integer,Entity<ET,RT>>(); entities.put(type, map); } if (map.containsKey(id)) throw new AssertionError("Entity already exists!"); Entity<ET,RT> e = new Entity<ET,RT>(id,type); map.put(id, e); return e; } public void loadEntityAttributes(String file, final ET type, final String[] attNames, final boolean createEntity) { loadEntityAttributes(file,type,attNames,DelimitedObjectConstructor.NoFilter,createEntity); } public void loadEntityAttributes(String file, final ET type, final String[] attNames, final DelimitedObjectConstructor.Filter filter, final boolean createEntity) { DelimitedObjectConstructor<Object> loader = new DelimitedObjectConstructor<Object>() { @Override public Object create(String[] data) { if (!filter.include(data)) return null; int id = Integer.parseInt(data[0]); Entity<ET,RT> e = getEntity(id,type); if (e==null) { if (createEntity) e = createEntity(id,type); else return null; } //Load attributes for (int a=0;a<attNames.length;a++) { if (attNames[a]!=null) { e.setAttribute(attNames[a], data[a+1]); } } return null; } @Override public int length() {return attNames.length+1;} }; LoadDelimitedData.loadTabData(file, loader); } public void loadRelationship(String file, final RT relType, final ET[] types, final boolean[] createEntity) { loadRelationship(file,new String[0],relType,types,createEntity); } public void loadRelationship(String file, final String[] attNames, final RT relType, final ET[] types, final boolean[] createEntity) { loadRelationship(file,attNames,relType,types,DelimitedObjectConstructor.NoFilter,createEntity); } public void loadRelationship(String file, final String[] attNames, final RT relType, final ET[] types, final DelimitedObjectConstructor.Filter filter, final boolean[] createEntity) { DelimitedObjectConstructor<Object> loader = new DelimitedObjectConstructor<Object>() { @Override public Object create(String[] data) { if (!filter.include(data)) return null; List<Entity<ET,RT>> entities = new ArrayList<Entity<ET,RT>>(types.length); for (int i=0;i<types.length;i++) { ET type = types[i]; if (type!=null) { int id = Integer.parseInt(data[i]); Entity<ET,RT> e = getEntity(id,type); if (e==null) { if (createEntity[i]) e = createEntity(id,type); else return null; } entities.add(e); } } if (entities.size()!=2) throw new AssertionError("Currently, only binary relations are supported!"); Relation<ET,RT> rel = new BinaryRelation<ET,RT>(relType,entities.get(0),entities.get(1)); //Load attributes for (int a=0;a<attNames.length;a++) { if (attNames[a]!=null) { rel.setAttribute(attNames[a], data[a+types.length]); } } //Add relation for (Entity<ET,RT> e : entities) { e.addRelation(rel); } return null; } @Override public int length() { return types.length+attNames.length; } }; LoadDelimitedData.loadTabData(file, loader); } public List<Subgraph<ET,RT>> splitGraphRandom(int numsplits, ET splitType) { List<Subgraph<ET,RT>> splits = new ArrayList<Subgraph<ET,RT>>(numsplits); List<Set<Entity<ET,RT>>> starts = new ArrayList<Set<Entity<ET,RT>>>(numsplits); for (int i=0;i<numsplits;i++) { starts.add(new HashSet<Entity<ET,RT>>()); } if (!entities.containsKey(splitType)) throw new IllegalArgumentException("There are no entities of given type!"); for (Entity<ET,RT> e : entities.get(splitType).values()) { int cont = (int)Math.floor(Math.random()*numsplits); starts.get(cont).add(e); } //Grow splits for (int i=0;i<numsplits;i++) { Set<Entity<ET,RT>> excluded = new HashSet<Entity<ET,RT>>(); for (int j=0;j<numsplits;j++) { if (j!=i) { excluded.addAll(starts.get(j)); } } splits.add(growSplit(starts.get(i),excluded, new KeepGrowing(),1.0)); } return splits; } public List<Subgraph<ET,RT>> splitGraphSnowball(int numsplits, ET splitType, int splitSize, double exploreProbability) { List<Subgraph<ET,RT>> splits = new ArrayList<Subgraph<ET,RT>>(numsplits); Set<Entity<ET,RT>> remaining = new HashSet<Entity<ET,RT>>(); Set<Entity<ET,RT>> excluded = new HashSet<Entity<ET,RT>>(); if (!entities.containsKey(splitType)) throw new IllegalArgumentException("There are no entities of given type!"); remaining.addAll(entities.get(splitType).values()); //Grow splits for (int i=0;i<numsplits;i++) { Set<Entity<ET,RT>> seed = new HashSet<Entity<ET,RT>>(); GrowCondition gc = new SizeLimit(splitType,splitSize); Subgraph<ET,RT> sample; do { int pos = (int)Math.floor(Math.random()*remaining.size()); seed.add(Iterables.get(remaining, pos)); sample = growSplit(seed,excluded,new SizeLimit(splitType,splitSize),exploreProbability); } while (gc.continueGrowing(sample)); //Update sets remaining.removeAll(sample.getEntities(splitType)); excluded.addAll(sample.getEntities(splitType)); splits.add(sample); } return splits; } private Subgraph<ET,RT> growSplit(Set<Entity<ET,RT>> start, Set<Entity<ET,RT>> excluded, GrowCondition growcondition, double exploreProbability) { Subgraph<ET,RT> subgraph = new Subgraph<ET,RT>(); Queue<Entity<ET,RT>> queue = new LinkedList<Entity<ET,RT>>(); //Initialize queue.addAll(start); while (!queue.isEmpty() && growcondition.continueGrowing(subgraph)) { Entity<ET,RT> entity = queue.poll(); if (subgraph.containsEntity(entity)) continue; //We have already visited this entity subgraph.addEntity(entity); for (Relation<ET,RT> relation : entity.getAllRelations()) { boolean hasNewEntity = false; boolean isExcluded = false; for (int i=0;i<relation.getArity();i++) { Entity<ET,RT> ngh = relation.get(i); if (ngh.equals(entity)) continue; if (excluded.contains(ngh)) { isExcluded = true; break; } if (!subgraph.containsEntity(ngh)) hasNewEntity = true; } if (!isExcluded && !hasNewEntity) subgraph.addRelation(relation); else if (!isExcluded && hasNewEntity) { for (int i=0;i<relation.getArity();i++) { Entity<ET,RT> ngh = relation.get(i); if (!ngh.equals(entity) && !subgraph.containsEntity(ngh)) { if (Math.random()<exploreProbability) queue.add(ngh); } } } } } return subgraph; } private abstract class GrowCondition { abstract boolean continueGrowing(Subgraph<ET,RT> subgraph); } private class KeepGrowing extends GrowCondition { @Override boolean continueGrowing(Subgraph<ET, RT> subgraph) { return true; } } private class SizeLimit extends GrowCondition { private final ET type; private final int size; public SizeLimit(ET t, int s) { type = t; size = s;} @Override boolean continueGrowing(Subgraph<ET, RT> subgraph) { return subgraph.getEntities(type).size()<size; } } }
{ "content_hash": "91912a6afb56e46fef315cf5a752ca6a", "timestamp": "", "source": "github", "line_count": 291, "max_line_length": 183, "avg_line_length": 31.90721649484536, "alnum_prop": 0.6788368336025848, "repo_name": "linqs/psl-utils", "id": "7860468507ea8add9578b016094209efb5cc4d4c", "size": "10000", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "psl-dataloading/src/main/java/org/linqs/psl/utils/dataloading/graph/Graph.java", "mode": "33188", "license": "apache-2.0", "language": [ { "name": "Java", "bytes": "135693" }, { "name": "Shell", "bytes": "824" } ], "symlink_target": "" }
"""Application configuration.""" import os class Config(object): """Base configuration.""" SECRET_KEY = os.environ.get('FLASKAPP_SECRET', 'secret-key') # TODO: Change me APP_DIR = os.path.abspath(os.path.dirname(__file__)) # This directory PROJECT_ROOT = os.path.abspath(os.path.join(APP_DIR, os.pardir)) BCRYPT_LOG_ROUNDS = 13 ASSETS_DEBUG = False DEBUG_TB_ENABLED = False # Disable Debug toolbar DEBUG_TB_INTERCEPT_REDIRECTS = False CACHE_TYPE = 'simple' # Can be "memcached", "redis", etc. SQLALCHEMY_TRACK_MODIFICATIONS = False class ProdConfig(Config): """Production configuration.""" ENV = 'prod' DEBUG = False SQLALCHEMY_DATABASE_URI = 'mysql+mysqldb://root:root@localhost:3306/text2?charset=utf8' # TODO: Change me DEBUG_TB_ENABLED = False # Disable Debug toolbar class DevConfig(Config): """Development configuration.""" ENV = 'dev' DEBUG = True # DB_NAME = 'dev.db' # # Put the db file in project root # DB_PATH = os.path.join(Config.PROJECT_ROOT, DB_NAME) # SQLALCHEMY_DATABASE_URI = 'sqlite:///{0}'.format(DB_PATH) SQLALCHEMY_DATABASE_URI = 'mysql+mysqldb://root:root@localhost:3306/text2?charset=utf8' DEBUG_TB_ENABLED = True ASSETS_DEBUG = True # Don't bundle/minify static assets CACHE_TYPE = 'simple' # Can be "memcached", "redis", etc. class TestConfig(Config): """Test configuration.""" TESTING = True DEBUG = True SQLALCHEMY_DATABASE_URI = 'sqlite://' BCRYPT_LOG_ROUNDS = 4 # For faster tests; needs at least 4 to avoid "ValueError: Invalid rounds" WTF_CSRF_ENABLED = False # Allows form testing
{ "content_hash": "60138a52f0ce3eb2678ccce4d318b764", "timestamp": "", "source": "github", "line_count": 50, "max_line_length": 110, "avg_line_length": 33.3, "alnum_prop": 0.6648648648648648, "repo_name": "xuxian94/flaskapp", "id": "a959a438838e82c2ab65816b8baa004a18ff1f14", "size": "1689", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "flaskapp/settings.py", "mode": "33188", "license": "bsd-3-clause", "language": [ { "name": "CSS", "bytes": "7650" }, { "name": "HTML", "bytes": "44049" }, { "name": "JavaScript", "bytes": "203811" }, { "name": "Python", "bytes": "33398" } ], "symlink_target": "" }
sf1-internetofthings ==================== Source code of my talk *SF1 and the Internet of Things*
{ "content_hash": "146738cae40b6235e5c046108dd5e5ca", "timestamp": "", "source": "github", "line_count": 4, "max_line_length": 56, "avg_line_length": 25, "alnum_prop": 0.62, "repo_name": "bfagundez/sf1-internetofthings", "id": "98fc658db747d46224c27f074a371b04114b119d", "size": "100", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "README.md", "mode": "33188", "license": "mit", "language": [ { "name": "JavaScript", "bytes": "4712" } ], "symlink_target": "" }
package org.elasticsearch.index.engine; import org.apache.lucene.index.LeafReader; import org.apache.lucene.index.NumericDocValues; import org.elasticsearch.index.mapper.SeqNoFieldMapper; import org.elasticsearch.index.mapper.SourceFieldMapper; import org.elasticsearch.index.mapper.VersionFieldMapper; import java.io.IOException; import java.util.Objects; final class CombinedDocValues { private final NumericDocValues versionDV; private final NumericDocValues seqNoDV; private final NumericDocValues primaryTermDV; private final NumericDocValues tombstoneDV; private final NumericDocValues recoverySource; CombinedDocValues(LeafReader leafReader) throws IOException { this.versionDV = Objects.requireNonNull(leafReader.getNumericDocValues(VersionFieldMapper.NAME), "VersionDV is missing"); this.seqNoDV = Objects.requireNonNull(leafReader.getNumericDocValues(SeqNoFieldMapper.NAME), "SeqNoDV is missing"); this.primaryTermDV = Objects.requireNonNull( leafReader.getNumericDocValues(SeqNoFieldMapper.PRIMARY_TERM_NAME), "PrimaryTermDV is missing"); this.tombstoneDV = leafReader.getNumericDocValues(SeqNoFieldMapper.TOMBSTONE_NAME); this.recoverySource = leafReader.getNumericDocValues(SourceFieldMapper.RECOVERY_SOURCE_NAME); } long docVersion(int segmentDocId) throws IOException { assert versionDV.docID() < segmentDocId; if (versionDV.advanceExact(segmentDocId) == false) { assert false : "DocValues for field [" + VersionFieldMapper.NAME + "] is not found"; throw new IllegalStateException("DocValues for field [" + VersionFieldMapper.NAME + "] is not found"); } return versionDV.longValue(); } long docSeqNo(int segmentDocId) throws IOException { assert seqNoDV.docID() < segmentDocId; if (seqNoDV.advanceExact(segmentDocId) == false) { assert false : "DocValues for field [" + SeqNoFieldMapper.NAME + "] is not found"; throw new IllegalStateException("DocValues for field [" + SeqNoFieldMapper.NAME + "] is not found"); } return seqNoDV.longValue(); } long docPrimaryTerm(int segmentDocId) throws IOException { // We exclude non-root nested documents when querying changes, every returned document must have primary term. assert primaryTermDV.docID() < segmentDocId; if (primaryTermDV.advanceExact(segmentDocId) == false) { assert false : "DocValues for field [" + SeqNoFieldMapper.PRIMARY_TERM_NAME + "] is not found"; throw new IllegalStateException("DocValues for field [" + SeqNoFieldMapper.PRIMARY_TERM_NAME + "] is not found"); } return primaryTermDV.longValue(); } boolean isTombstone(int segmentDocId) throws IOException { if (tombstoneDV == null) { return false; } assert tombstoneDV.docID() < segmentDocId; return tombstoneDV.advanceExact(segmentDocId) && tombstoneDV.longValue() > 0; } boolean hasRecoverySource(int segmentDocId) throws IOException { if (recoverySource == null) { return false; } assert recoverySource.docID() < segmentDocId; return recoverySource.advanceExact(segmentDocId); } }
{ "content_hash": "906d8e5243717a0d6daec1110a001b4a", "timestamp": "", "source": "github", "line_count": 73, "max_line_length": 129, "avg_line_length": 45.35616438356164, "alnum_prop": 0.7097553609181516, "repo_name": "nknize/elasticsearch", "id": "3be58ecb8817048f1a0c616bbd8090f49263ca87", "size": "4099", "binary": false, "copies": "9", "ref": "refs/heads/master", "path": "server/src/main/java/org/elasticsearch/index/engine/CombinedDocValues.java", "mode": "33188", "license": "apache-2.0", "language": [ { "name": "ANTLR", "bytes": "12298" }, { "name": "Batchfile", "bytes": "16353" }, { "name": "Emacs Lisp", "bytes": "3341" }, { "name": "FreeMarker", "bytes": "45" }, { "name": "Groovy", "bytes": "251795" }, { "name": "HTML", "bytes": "5348" }, { "name": "Java", "bytes": "36849935" }, { "name": "Perl", "bytes": "7116" }, { "name": "Python", "bytes": "76127" }, { "name": "Shell", "bytes": "102829" } ], "symlink_target": "" }
@class VCRURLSessionRecord; NS_ASSUME_NONNULL_BEGIN @protocol VCRURLSessionPlayerDelegate <NSObject> @required - (VCRURLSessionRecord *_Nullable)recordForRequest:(NSURLRequest *)request; @end NS_ASSUME_NONNULL_END #endif
{ "content_hash": "04b809f6a8ffbb9c4578a4ee6ecaeb95", "timestamp": "", "source": "github", "line_count": 14, "max_line_length": 75, "avg_line_length": 16.214285714285715, "alnum_prop": 0.8061674008810573, "repo_name": "plu/VCRURLSession", "id": "75b24a3550fe6e2bd1213274b62db464d6babb84", "size": "442", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "VCRURLSession/VCRURLSessionPlayerDelegate.h", "mode": "33188", "license": "mit", "language": [ { "name": "Objective-C", "bytes": "51798" }, { "name": "Ruby", "bytes": "1258" }, { "name": "Swift", "bytes": "31465" } ], "symlink_target": "" }
// Copyright 2020 The Bazel Authors. All rights reserved. // // Licensed under the Apache License, Version 2.0 (the "License"); // you may not use this file except in compliance with the License. // You may obtain a copy of the License at // // http://www.apache.org/licenses/LICENSE-2.0 // // Unless required by applicable law or agreed to in writing, software // distributed under the License is distributed on an "AS IS" BASIS, // WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. // See the License for the specific language governing permissions and // limitations under the License. package com.google.devtools.build.lib.analysis; import static com.google.common.truth.Truth.assertThat; import static com.google.common.truth.Truth.assertWithMessage; import static com.google.devtools.build.lib.actions.util.ActionsTestUtil.NULL_ACTION_OWNER; import com.google.common.collect.ImmutableMap; import com.google.devtools.build.lib.actions.Artifact; import com.google.devtools.build.lib.actions.Artifact.SpecialArtifact; import com.google.devtools.build.lib.actions.Artifact.SpecialArtifactType; import com.google.devtools.build.lib.actions.ArtifactRoot; import com.google.devtools.build.lib.actions.ArtifactRoot.RootType; import com.google.devtools.build.lib.actions.util.ActionsTestUtil; import com.google.devtools.build.lib.analysis.SourceManifestAction.ManifestType; import com.google.devtools.build.lib.analysis.util.BuildViewTestCase; import com.google.devtools.build.lib.collect.nestedset.NestedSet; import com.google.devtools.build.lib.util.Fingerprint; import com.google.devtools.build.lib.vfs.Path; import com.google.devtools.build.lib.vfs.PathFragment; import com.google.devtools.build.lib.vfs.Root; import java.io.IOException; import java.io.Writer; import java.util.ArrayList; import java.util.LinkedHashMap; import java.util.List; import java.util.Map; import java.util.stream.Collectors; import javax.annotation.Nullable; import org.junit.Before; import org.junit.Test; import org.junit.runner.RunWith; import org.junit.runners.JUnit4; /** * Tests for {@link SourceManifestAction}. */ @RunWith(JUnit4.class) public final class SourceManifestActionTest extends BuildViewTestCase { private Map<PathFragment, Artifact> fakeManifest; private Path pythonSourcePath; private Artifact pythonSourceFile; private Path buildFilePath; private Artifact buildFile; private Artifact relativeSymlink; private Artifact absoluteSymlink; private Path manifestOutputPath; private Artifact manifestOutputFile; @Before public final void createFiles() throws Exception { analysisMock.pySupport().setup(mockToolsConfig); // Test with a raw manifest Action. fakeManifest = new LinkedHashMap<>(); ArtifactRoot trivialRoot = ArtifactRoot.asSourceRoot(Root.fromPath(rootDirectory.getRelative("trivial"))); buildFilePath = scratch.file("trivial/BUILD", "py_binary(name='trivial', srcs =['trivial.py'])"); buildFile = ActionsTestUtil.createArtifact(trivialRoot, buildFilePath); pythonSourcePath = scratch.file("trivial/trivial.py", "#!/usr/bin/python \n print 'Hello World'"); pythonSourceFile = ActionsTestUtil.createArtifact(trivialRoot, pythonSourcePath); fakeManifest.put(buildFilePath.relativeTo(rootDirectory), buildFile); fakeManifest.put(pythonSourcePath.relativeTo(rootDirectory), pythonSourceFile); ArtifactRoot outputDir = ArtifactRoot.asDerivedRoot(rootDirectory, RootType.Output, "blaze-output"); outputDir.getRoot().asPath().createDirectoryAndParents(); manifestOutputPath = rootDirectory.getRelative("blaze-output/trivial.runfiles_manifest"); manifestOutputFile = ActionsTestUtil.createArtifact(outputDir, manifestOutputPath); Path relativeSymlinkPath = outputDir.getRoot().asPath().getChild("relative_symlink"); relativeSymlinkPath.createSymbolicLink(PathFragment.create("../some/relative/path")); relativeSymlink = SpecialArtifact.create( outputDir, outputDir.getExecPath().getChild("relative_symlink"), ActionsTestUtil.NULL_ARTIFACT_OWNER, SpecialArtifactType.UNRESOLVED_SYMLINK); Path absoluteSymlinkPath = outputDir.getRoot().asPath().getChild("absolute_symlink"); absoluteSymlinkPath.createSymbolicLink(PathFragment.create("/absolute/path")); absoluteSymlink = SpecialArtifact.create( outputDir, outputDir.getExecPath().getChild("absolute_symlink"), ActionsTestUtil.NULL_ARTIFACT_OWNER, SpecialArtifactType.UNRESOLVED_SYMLINK); } private SourceManifestAction createSymlinkAction() { return createAction(ManifestType.SOURCE_SYMLINKS, true); } private SourceManifestAction createSourceOnlyAction() { return createAction(ManifestType.SOURCES_ONLY, true); } private SourceManifestAction createAction(ManifestType type, boolean addInitPy) { Runfiles.Builder builder = new Runfiles.Builder("TESTING", false); builder.addSymlinks(fakeManifest); if (addInitPy) { builder.setEmptyFilesSupplier( analysisMock.pySupport().getPythonSemantics().getEmptyRunfilesSupplier()); } return new SourceManifestAction(type, NULL_ACTION_OWNER, manifestOutputFile, builder.build()); } /** * Manifest writer that validates an expected call sequence. */ private class MockManifestWriter implements SourceManifestAction.ManifestWriter { private List<Map.Entry<PathFragment, Artifact>> expectedSequence = new ArrayList<>(); public MockManifestWriter() { expectedSequence.addAll(fakeManifest.entrySet()); } @Override public void writeEntry(Writer manifestWriter, PathFragment rootRelativePath, @Nullable Artifact symlink) throws IOException { assertWithMessage("Expected manifest input to be exhausted").that(expectedSequence) .isNotEmpty(); Map.Entry<PathFragment, Artifact> expectedEntry = expectedSequence.remove(0); assertThat(rootRelativePath) .isEqualTo(PathFragment.create("TESTING").getRelative(expectedEntry.getKey())); assertThat(symlink).isEqualTo(expectedEntry.getValue()); } public int unconsumedInputs() { return expectedSequence.size(); } @Override public String getMnemonic() { return null; } @Override public String getRawProgressMessage() { return null; } @Override public boolean isRemotable() { return false; } } /** * Tests that SourceManifestAction calls its manifest writer with the expected call sequence. */ @Test public void testManifestWriterIntegration() throws Exception { MockManifestWriter mockWriter = new MockManifestWriter(); new SourceManifestAction( mockWriter, NULL_ACTION_OWNER, manifestOutputFile, new Runfiles.Builder("TESTING", false).addSymlinks(fakeManifest).build()) .getFileContentsAsString(reporter); assertThat(mockWriter.unconsumedInputs()).isEqualTo(0); } @Test public void testSimpleFileWriting() throws Exception { String manifestContents = createSymlinkAction().getFileContentsAsString(reporter); assertThat(manifestContents) .isEqualTo( "TESTING/trivial/BUILD /workspace/trivial/BUILD\n" + "TESTING/trivial/__init__.py \n" + "TESTING/trivial/trivial.py /workspace/trivial/trivial.py\n"); } /** * Tests that the source-only formatting strategy includes relative paths only * (i.e. not symlinks). */ @Test public void testSourceOnlyFormatting() throws Exception { String manifestContents = createSourceOnlyAction().getFileContentsAsString(reporter); assertThat(manifestContents) .isEqualTo( "TESTING/trivial/BUILD\n" + "TESTING/trivial/__init__.py\n" + "TESTING/trivial/trivial.py\n"); } /** * Test that a directory which has only a .so file in the manifest triggers * the inclusion of a __init__.py file for that directory. */ @Test public void testSwigLibrariesTriggerInitDotPyInclusion() throws Exception { ArtifactRoot swiggedLibPath = ArtifactRoot.asSourceRoot(Root.fromPath(rootDirectory.getRelative("swig"))); Path swiggedFile = scratch.file("swig/fakeLib.so"); Artifact swigDotSO = ActionsTestUtil.createArtifact(swiggedLibPath, swiggedFile); fakeManifest.put(swiggedFile.relativeTo(rootDirectory), swigDotSO); String manifestContents = createSymlinkAction().getFileContentsAsString(reporter); assertThat(manifestContents).containsMatch(".*TESTING/swig/__init__.py .*"); assertThat(manifestContents).containsMatch("fakeLib.so"); } @Test public void testNoPythonOrSwigLibrariesDoNotTriggerInitDotPyInclusion() throws Exception { ArtifactRoot nonPythonPath = ArtifactRoot.asSourceRoot(Root.fromPath(rootDirectory.getRelative("not_python"))); Path nonPythonFile = scratch.file("not_python/blob_of_data"); Artifact nonPython = ActionsTestUtil.createArtifact(nonPythonPath, nonPythonFile); fakeManifest.put(nonPythonFile.relativeTo(rootDirectory), nonPython); String manifestContents = createSymlinkAction().getFileContentsAsString(reporter); assertThat(manifestContents).doesNotContain("not_python/__init__.py \n"); assertThat(manifestContents).containsMatch("blob_of_data"); } @Test public void testGetMnemonic() throws Exception { assertThat(createSymlinkAction().getMnemonic()).isEqualTo("SourceSymlinkManifest"); assertThat(createAction(ManifestType.SOURCE_SYMLINKS, false).getMnemonic()) .isEqualTo("SourceSymlinkManifest"); assertThat(createSourceOnlyAction().getMnemonic()).isEqualTo("PackagingSourcesManifest"); } @Test public void testSymlinkProgressMessage() throws Exception { String progress = createSymlinkAction().getProgressMessage(); assertWithMessage("null action not found in " + progress) .that(progress.contains("//null/action:owner")) .isTrue(); } @Test public void testSymlinkProgressMessageNoPyInitFiles() throws Exception { String progress = createAction(ManifestType.SOURCE_SYMLINKS, false).getProgressMessage(); assertWithMessage("null action not found in " + progress) .that(progress.contains("//null/action:owner")) .isTrue(); } @Test public void testSourceOnlyProgressMessage() throws Exception { SourceManifestAction action = new SourceManifestAction( ManifestType.SOURCES_ONLY, NULL_ACTION_OWNER, getBinArtifactWithNoOwner("trivial.runfiles_manifest"), Runfiles.EMPTY); String progress = action.getProgressMessage(); assertWithMessage("null action not found in " + progress) .that(progress.contains("//null/action:owner")) .isTrue(); } @Test public void testRootSymlinksAffectKey() throws Exception { Artifact manifest1 = getBinArtifactWithNoOwner("manifest1"); Artifact manifest2 = getBinArtifactWithNoOwner("manifest2"); SourceManifestAction action1 = new SourceManifestAction( ManifestType.SOURCE_SYMLINKS, NULL_ACTION_OWNER, manifest1, new Runfiles.Builder("TESTING", false) .addRootSymlinks(ImmutableMap.of(PathFragment.create("a"), buildFile)) .build()); SourceManifestAction action2 = new SourceManifestAction( ManifestType.SOURCE_SYMLINKS, NULL_ACTION_OWNER, manifest2, new Runfiles.Builder("TESTING", false) .addRootSymlinks(ImmutableMap.of(PathFragment.create("b"), buildFile)) .build()); assertThat(computeKey(action2)).isNotEqualTo(computeKey(action1)); } // Regression test for b/116254698. @Test public void testEmptyFilesAffectKey() throws Exception { Artifact manifest1 = getBinArtifactWithNoOwner("manifest1"); Artifact manifest2 = getBinArtifactWithNoOwner("manifest2"); SourceManifestAction action1 = new SourceManifestAction( ManifestType.SOURCE_SYMLINKS, NULL_ACTION_OWNER, manifest1, new Runfiles.Builder("TESTING", false) .addSymlink(PathFragment.create("a"), buildFile) .setEmptyFilesSupplier( paths -> paths.stream() .map(p -> p.replaceName(p.getBaseName() + "~")) .collect(Collectors.toSet())) .build()); SourceManifestAction action2 = new SourceManifestAction( ManifestType.SOURCE_SYMLINKS, NULL_ACTION_OWNER, manifest2, new Runfiles.Builder("TESTING", false) .addSymlink(PathFragment.create("a"), buildFile) .setEmptyFilesSupplier( paths -> paths.stream() .map(p -> p.replaceName(p.getBaseName() + "~~")) .collect(Collectors.toSet())) .build()); assertThat(computeKey(action2)).isNotEqualTo(computeKey(action1)); } @Test public void testUnresolvedSymlink() throws Exception { Artifact manifest = getBinArtifactWithNoOwner("manifest1"); SourceManifestAction action = new SourceManifestAction( ManifestType.SOURCE_SYMLINKS, NULL_ACTION_OWNER, manifest, new Runfiles.Builder("TESTING", false) .addArtifact(absoluteSymlink) .addArtifact(buildFile) .addArtifact(relativeSymlink) .build()); NestedSet<Artifact> inputs = action.getInputs(); assertThat(inputs.toList()).containsExactly(absoluteSymlink, relativeSymlink); // Verify that the return value of getInputs is cached. assertThat(inputs).isEqualTo(action.getInputs()); assertThat(inputs.toList()).isEqualTo(action.getInputs().toList()); assertThat(action.getFileContentsAsString(reporter)) .isEqualTo( "TESTING/BUILD /workspace/trivial/BUILD\n" + "TESTING/absolute_symlink /absolute/path\n" + "TESTING/relative_symlink ../some/relative/path\n"); } private String computeKey(SourceManifestAction action) { Fingerprint fp = new Fingerprint(); action.computeKey(actionKeyContext, /*artifactExpander=*/ null, fp); return fp.hexDigestAndReset(); } }
{ "content_hash": "3395fb2de4dadd7d0036e3b490a61e98", "timestamp": "", "source": "github", "line_count": 359, "max_line_length": 98, "avg_line_length": 40.682451253481894, "alnum_prop": 0.7044162957891134, "repo_name": "bazelbuild/bazel", "id": "4da17e6cd08377d15adeb15b15632f29fc86c539", "size": "14605", "binary": false, "copies": "3", "ref": "refs/heads/master", "path": "src/test/java/com/google/devtools/build/lib/analysis/SourceManifestActionTest.java", "mode": "33188", "license": "apache-2.0", "language": [ { "name": "Batchfile", "bytes": "2997" }, { "name": "C", "bytes": "32332" }, { "name": "C++", "bytes": "1725260" }, { "name": "CSS", "bytes": "3169" }, { "name": "HTML", "bytes": "25884" }, { "name": "Java", "bytes": "42435254" }, { "name": "Makefile", "bytes": "248" }, { "name": "Objective-C", "bytes": "10817" }, { "name": "Objective-C++", "bytes": "1043" }, { "name": "PowerShell", "bytes": "15431" }, { "name": "Python", "bytes": "3709618" }, { "name": "Shell", "bytes": "2777737" }, { "name": "Smarty", "bytes": "30462" }, { "name": "Starlark", "bytes": "22605" } ], "symlink_target": "" }
<h4>{% include inner_template with node=node %}</h4>
{ "content_hash": "71ff0518af77ccd6895a9e40af8030b7", "timestamp": "", "source": "github", "line_count": 1, "max_line_length": 52, "avg_line_length": 52, "alnum_prop": 0.6923076923076923, "repo_name": "11craft/immercv", "id": "c408d7859e5244549eb7e3e18004b6ffbcc59779", "size": "52", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "immercv/templates/cvgraph/cv/h4/container.html", "mode": "33188", "license": "bsd-3-clause", "language": [ { "name": "CSS", "bytes": "2605" }, { "name": "HTML", "bytes": "57029" }, { "name": "JavaScript", "bytes": "1371" }, { "name": "Python", "bytes": "77774" }, { "name": "Shell", "bytes": "5283" } ], "symlink_target": "" }
package com.guillaumedelente.android.contacts.common.list; import android.content.Context; import android.database.Cursor; import android.view.View; import android.view.ViewGroup; import android.widget.BaseAdapter; import java.util.ArrayList; /** * A general purpose adapter that is composed of multiple cursors. It just * appends them in the order they are added. */ public abstract class CompositeCursorAdapter extends BaseAdapter { private static final int INITIAL_CAPACITY = 2; public static class Partition { boolean showIfEmpty; boolean hasHeader; Cursor cursor; int idColumnIndex; int count; public Partition(boolean showIfEmpty, boolean hasHeader) { this.showIfEmpty = showIfEmpty; this.hasHeader = hasHeader; } /** * True if the directory should be shown even if no contacts are found. */ public boolean getShowIfEmpty() { return showIfEmpty; } public boolean getHasHeader() { return hasHeader; } public boolean isEmpty() { return count == 0; } } private final Context mContext; private ArrayList<Partition> mPartitions; private int mCount = 0; private boolean mCacheValid = true; private boolean mNotificationsEnabled = true; private boolean mNotificationNeeded; public CompositeCursorAdapter(Context context) { this(context, INITIAL_CAPACITY); } public CompositeCursorAdapter(Context context, int initialCapacity) { mContext = context; mPartitions = new ArrayList<Partition>(); } public Context getContext() { return mContext; } /** * Registers a partition. The cursor for that partition can be set later. * Partitions should be added in the order they are supposed to appear in the * list. */ public void addPartition(boolean showIfEmpty, boolean hasHeader) { addPartition(new Partition(showIfEmpty, hasHeader)); } public void addPartition(Partition partition) { mPartitions.add(partition); invalidate(); notifyDataSetChanged(); } public void addPartition(int location, Partition partition) { mPartitions.add(location, partition); invalidate(); notifyDataSetChanged(); } public void removePartition(int partitionIndex) { Cursor cursor = mPartitions.get(partitionIndex).cursor; if (cursor != null && !cursor.isClosed()) { cursor.close(); } mPartitions.remove(partitionIndex); invalidate(); notifyDataSetChanged(); } /** * Removes cursors for all partitions. */ // TODO: Is this really what this is supposed to do? Just remove the cursors? Not close them? // Not remove the partitions themselves? Isn't this leaking? public void clearPartitions() { for (Partition partition : mPartitions) { partition.cursor = null; } invalidate(); notifyDataSetChanged(); } /** * Closes all cursors and removes all partitions. */ public void close() { for (Partition partition : mPartitions) { Cursor cursor = partition.cursor; if (cursor != null && !cursor.isClosed()) { cursor.close(); } } mPartitions.clear(); invalidate(); notifyDataSetChanged(); } public void setHasHeader(int partitionIndex, boolean flag) { mPartitions.get(partitionIndex).hasHeader = flag; invalidate(); } public void setShowIfEmpty(int partitionIndex, boolean flag) { mPartitions.get(partitionIndex).showIfEmpty = flag; invalidate(); } public Partition getPartition(int partitionIndex) { return mPartitions.get(partitionIndex); } protected void invalidate() { mCacheValid = false; } public int getPartitionCount() { return mPartitions.size(); } protected void ensureCacheValid() { if (mCacheValid) { return; } mCount = 0; for (Partition partition : mPartitions) { Cursor cursor = partition.cursor; int count = cursor != null ? cursor.getCount() : 0; if (partition.hasHeader) { if (count != 0 || partition.showIfEmpty) { count++; } } partition.count = count; mCount += count; } mCacheValid = true; } /** * Returns true if the specified partition was configured to have a header. */ public boolean hasHeader(int partition) { return mPartitions.get(partition).hasHeader; } /** * Returns the total number of list items in all partitions. */ public int getCount() { ensureCacheValid(); return mCount; } /** * Returns the cursor for the given partition */ public Cursor getCursor(int partition) { return mPartitions.get(partition).cursor; } /** * Changes the cursor for an individual partition. */ public void changeCursor(int partition, Cursor cursor) { Cursor prevCursor = mPartitions.get(partition).cursor; if (prevCursor != cursor) { if (prevCursor != null && !prevCursor.isClosed()) { prevCursor.close(); } mPartitions.get(partition).cursor = cursor; if (cursor != null) { mPartitions.get(partition).idColumnIndex = cursor.getColumnIndex("_id"); } invalidate(); notifyDataSetChanged(); } } /** * Returns true if the specified partition has no cursor or an empty cursor. */ public boolean isPartitionEmpty(int partition) { Cursor cursor = mPartitions.get(partition).cursor; return cursor == null || cursor.getCount() == 0; } /** * Given a list position, returns the index of the corresponding partition. */ public int getPartitionForPosition(int position) { ensureCacheValid(); int start = 0; for (int i = 0, n = mPartitions.size(); i < n; i++) { int end = start + mPartitions.get(i).count; if (position >= start && position < end) { return i; } start = end; } return -1; } /** * Given a list position, return the offset of the corresponding item in its * partition. The header, if any, will have offset -1. */ public int getOffsetInPartition(int position) { ensureCacheValid(); int start = 0; for (Partition partition : mPartitions) { int end = start + partition.count; if (position >= start && position < end) { int offset = position - start; if (partition.hasHeader) { offset--; } return offset; } start = end; } return -1; } /** * Returns the first list position for the specified partition. */ public int getPositionForPartition(int partition) { ensureCacheValid(); int position = 0; for (int i = 0; i < partition; i++) { position += mPartitions.get(i).count; } return position; } @Override public int getViewTypeCount() { return getItemViewTypeCount() + 1; } /** * Returns the overall number of item view types across all partitions. An * implementation of this method needs to ensure that the returned count is * consistent with the values returned by {@link #getItemViewType(int,int)}. */ public int getItemViewTypeCount() { return 1; } /** * Returns the view type for the list item at the specified position in the * specified partition. */ protected int getItemViewType(int partition, int position) { return 1; } @Override public int getItemViewType(int position) { ensureCacheValid(); int start = 0; for (int i = 0, n = mPartitions.size(); i < n; i++) { int end = start + mPartitions.get(i).count; if (position >= start && position < end) { int offset = position - start; if (mPartitions.get(i).hasHeader) { offset--; } if (offset == -1) { return IGNORE_ITEM_VIEW_TYPE; } else { return getItemViewType(i, offset); } } start = end; } throw new ArrayIndexOutOfBoundsException(position); } public View getView(int position, View convertView, ViewGroup parent) { ensureCacheValid(); int start = 0; for (int i = 0, n = mPartitions.size(); i < n; i++) { int end = start + mPartitions.get(i).count; if (position >= start && position < end) { int offset = position - start; if (mPartitions.get(i).hasHeader) { offset--; } View view; if (offset == -1) { view = getHeaderView(i, mPartitions.get(i).cursor, convertView, parent); } else { if (!mPartitions.get(i).cursor.moveToPosition(offset)) { throw new IllegalStateException("Couldn't move cursor to position " + offset); } view = getView(i, mPartitions.get(i).cursor, offset, convertView, parent); } if (view == null) { throw new NullPointerException("View should not be null, partition: " + i + " position: " + offset); } return view; } start = end; } throw new ArrayIndexOutOfBoundsException(position); } /** * Returns the header view for the specified partition, creating one if needed. */ protected View getHeaderView(int partition, Cursor cursor, View convertView, ViewGroup parent) { View view = convertView != null ? convertView : newHeaderView(mContext, partition, cursor, parent); bindHeaderView(view, partition, cursor); return view; } /** * Creates the header view for the specified partition. */ protected View newHeaderView(Context context, int partition, Cursor cursor, ViewGroup parent) { return null; } /** * Binds the header view for the specified partition. */ protected void bindHeaderView(View view, int partition, Cursor cursor) { } /** * Returns an item view for the specified partition, creating one if needed. */ protected View getView(int partition, Cursor cursor, int position, View convertView, ViewGroup parent) { View view; if (convertView != null) { view = convertView; } else { view = newView(mContext, partition, cursor, position, parent); } bindView(view, partition, cursor, position); return view; } /** * Creates an item view for the specified partition and position. Position * corresponds directly to the current cursor position. */ protected abstract View newView(Context context, int partition, Cursor cursor, int position, ViewGroup parent); /** * Binds an item view for the specified partition and position. Position * corresponds directly to the current cursor position. */ protected abstract void bindView(View v, int partition, Cursor cursor, int position); /** * Returns a pre-positioned cursor for the specified list position. */ public Object getItem(int position) { ensureCacheValid(); int start = 0; for (Partition mPartition : mPartitions) { int end = start + mPartition.count; if (position >= start && position < end) { int offset = position - start; if (mPartition.hasHeader) { offset--; } if (offset == -1) { return null; } Cursor cursor = mPartition.cursor; cursor.moveToPosition(offset); return cursor; } start = end; } return null; } /** * Returns the item ID for the specified list position. */ public long getItemId(int position) { ensureCacheValid(); int start = 0; for (Partition mPartition : mPartitions) { int end = start + mPartition.count; if (position >= start && position < end) { int offset = position - start; if (mPartition.hasHeader) { offset--; } if (offset == -1) { return 0; } if (mPartition.idColumnIndex == -1) { return 0; } Cursor cursor = mPartition.cursor; if (cursor == null || cursor.isClosed() || !cursor.moveToPosition(offset)) { return 0; } return cursor.getLong(mPartition.idColumnIndex); } start = end; } return 0; } /** * Returns false if any partition has a header. */ @Override public boolean areAllItemsEnabled() { for (Partition mPartition : mPartitions) { if (mPartition.hasHeader) { return false; } } return true; } /** * Returns true for all items except headers. */ @Override public boolean isEnabled(int position) { ensureCacheValid(); int start = 0; for (int i = 0, n = mPartitions.size(); i < n; i++) { int end = start + mPartitions.get(i).count; if (position >= start && position < end) { int offset = position - start; if (mPartitions.get(i).hasHeader && offset == 0) { return false; } else { return isEnabled(i, offset); } } start = end; } return false; } /** * Returns true if the item at the specified offset of the specified * partition is selectable and clickable. */ protected boolean isEnabled(int partition, int position) { return true; } /** * Enable or disable data change notifications. It may be a good idea to * disable notifications before making changes to several partitions at once. */ public void setNotificationsEnabled(boolean flag) { mNotificationsEnabled = flag; if (flag && mNotificationNeeded) { notifyDataSetChanged(); } } @Override public void notifyDataSetChanged() { if (mNotificationsEnabled) { mNotificationNeeded = false; super.notifyDataSetChanged(); } else { mNotificationNeeded = true; } } }
{ "content_hash": "f816fe50c63d07f1353fc907d82b500d", "timestamp": "", "source": "github", "line_count": 523, "max_line_length": 97, "avg_line_length": 29.965583173996176, "alnum_prop": 0.5498340990301174, "repo_name": "GuillaumeDelente/contact-picker", "id": "f185244119fe86540044f200618f97a8bdda1fb6", "size": "16291", "binary": false, "copies": "1", "ref": "refs/heads/develop", "path": "library/src/main/java/com/guillaumedelente/android/contacts/common/list/CompositeCursorAdapter.java", "mode": "33188", "license": "apache-2.0", "language": [ { "name": "Java", "bytes": "1216699" } ], "symlink_target": "" }
<?xml version="1.0" encoding="utf-8"?> <resources> <string name="app_name">platformer</string> </resources>
{ "content_hash": "a3d2dcf34810f6f2035c1b6deace3469", "timestamp": "", "source": "github", "line_count": 6, "max_line_length": 47, "avg_line_length": 19, "alnum_prop": 0.6578947368421053, "repo_name": "AgostonSzepessy/platformer", "id": "082c1e7ef9a4b6d8fcffeefb23dd9b77bef5d08b", "size": "114", "binary": false, "copies": "2", "ref": "refs/heads/master", "path": "android/res/values/strings.xml", "mode": "33188", "license": "apache-2.0", "language": [ { "name": "Java", "bytes": "20757" } ], "symlink_target": "" }
#ifndef __CONFIGS_TEENSY_SRC_TEENSY_INTERNAL_H #define __CONFIGS_TEENSY_SRC_TEENSY_INTERNAL_H /**************************************************************************** * Included Files ****************************************************************************/ #include <nuttx/config.h> /**************************************************************************** * Pre-Processor Definitions ****************************************************************************/ /* Configuration ************************************************************/ /**************************************************************************** * Public Types ****************************************************************************/ #ifndef __ASSEMBLY__ /**************************************************************************** * Inline Functions ****************************************************************************/ /**************************************************************************** * Public Function Prototypes ****************************************************************************/ #ifdef __cplusplus #define EXTERN extern "C" extern "C" { #else #define EXTERN extern #endif /************************************************************************************ * Name: at90usb_spiinitialize * * Description: * Called to configure SPI chip select GPIO pins for the Teensy++ 2.0 board. * ************************************************************************************/ #ifdef CONFIG_AVR_SPI EXTERN void weak_function at90usb_spiinitialize(void); #endif /************************************************************************************ * Name: at90usb_ledinit * * Description: * Configure on-board LEDs if LED support has been selected. * ************************************************************************************/ #ifdef CONFIG_ARCH_LEDS EXTERN void at90usb_ledinit(void); #endif #undef EXTERN #ifdef __cplusplus } #endif #endif /* __ASSEMBLY__ */ #endif /* __CONFIGS_TEENSY_SRC_TEENSY_INTERNAL_H */
{ "content_hash": "a82267eec93065abb967216e8d72ab88", "timestamp": "", "source": "github", "line_count": 68, "max_line_length": 86, "avg_line_length": 30.66176470588235, "alnum_prop": 0.3069544364508393, "repo_name": "Paregov/hexadiv", "id": "f253b590f86c7e4abf883620d3d676047794ef96", "size": "3896", "binary": false, "copies": "15", "ref": "refs/heads/master", "path": "edno/software/nuttx/configs/teensy/src/teensy_internal.h", "mode": "33188", "license": "mit", "language": [ { "name": "Assembly", "bytes": "975534" }, { "name": "C", "bytes": "57806490" }, { "name": "C++", "bytes": "1024028" }, { "name": "CSS", "bytes": "1959" }, { "name": "Makefile", "bytes": "1095758" }, { "name": "Objective-C", "bytes": "1556450" }, { "name": "PHP", "bytes": "469" }, { "name": "Pascal", "bytes": "132" }, { "name": "Perl", "bytes": "4037" }, { "name": "Python", "bytes": "6080" }, { "name": "Shell", "bytes": "983571" }, { "name": "Visual Basic", "bytes": "8382" } ], "symlink_target": "" }
using System.Reflection; using System.Runtime.InteropServices; [assembly: AssemblyTitle("TraceSpyTest")] [assembly: AssemblyDescription("Provides tests for sending traces.")] #if DEBUG [assembly: AssemblyConfiguration("Debug")] #else [assembly: AssemblyConfiguration("Release")] #endif [assembly: AssemblyCompany("Simon Mourier")] [assembly: AssemblyProduct("Trace Spy")] [assembly: AssemblyCopyright("Copyright © 2011-2019 Simon Mourier. All rights reserved.")] [assembly: AssemblyTrademark("")] [assembly: AssemblyCulture("")] [assembly: ComVisible(false)] [assembly: Guid("2ec50340-22ed-4b23-bee8-2f867369e648")] [assembly: AssemblyVersion("2.4.0.0")] [assembly: AssemblyFileVersion("2.4.0.0")] [assembly: AssemblyInformationalVersion("2.4.0.0")]
{ "content_hash": "b1a03b7c12a2d54893d6d9dd10f0f31f", "timestamp": "", "source": "github", "line_count": 20, "max_line_length": 90, "avg_line_length": 37.6, "alnum_prop": 0.7699468085106383, "repo_name": "smourier/TraceSpy", "id": "ec23e112cee84998f917c54a950a214f06714a4b", "size": "755", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "TraceSpyTest/Properties/AssemblyInfo.cs", "mode": "33188", "license": "mit", "language": [ { "name": "C#", "bytes": "472214" }, { "name": "CSS", "bytes": "879" }, { "name": "HTML", "bytes": "3632" }, { "name": "JavaScript", "bytes": "5394" }, { "name": "VBA", "bytes": "12036" } ], "symlink_target": "" }
// Original code copyright 2014 Foxit Software Inc. http://www.foxitsoftware.com #include "../include/fpdfppo.h" #include "../include/fsdk_define.h" class CPDF_PageOrganizer { public: CPDF_PageOrganizer(); ~CPDF_PageOrganizer(); public: FX_BOOL PDFDocInit(CPDF_Document *pDestPDFDoc, CPDF_Document *pSrcPDFDoc); FX_BOOL ExportPage(CPDF_Document *pSrcPDFDoc, CFX_WordArray* nPageNum, CPDF_Document *pDestPDFDoc, int nIndex); CPDF_Object* PageDictGetInheritableTag(CPDF_Dictionary *pDict, CFX_ByteString nSrctag); FX_BOOL UpdateReference(CPDF_Object *pObj, CPDF_Document *pDoc, CFX_MapPtrToPtr* pMapPtrToPtr); int GetNewObjId(CPDF_Document *pDoc, CFX_MapPtrToPtr* pMapPtrToPtr, CPDF_Reference *pRef); }; CPDF_PageOrganizer::CPDF_PageOrganizer() { } CPDF_PageOrganizer::~CPDF_PageOrganizer() { } FX_BOOL CPDF_PageOrganizer::PDFDocInit(CPDF_Document *pDestPDFDoc, CPDF_Document *pSrcPDFDoc) { if(!pDestPDFDoc || !pSrcPDFDoc) return false; CPDF_Dictionary* pNewRoot = pDestPDFDoc->GetRoot(); if(!pNewRoot) return FALSE; //Set the document information//////////////////////////////////////////// CPDF_Dictionary* DInfoDict = pDestPDFDoc->GetInfo(); if(!DInfoDict) return FALSE; CFX_ByteString producerstr; #ifdef FOXIT_CHROME_BUILD producerstr.Format("Google"); #else producerstr.Format("Foxit PDF SDK %s - Foxit Corporation", "2.0"); #endif DInfoDict->SetAt("Producer", new CPDF_String(producerstr)); //Set type//////////////////////////////////////////////////////////////// CFX_ByteString cbRootType = pNewRoot->GetString("Type",""); if( cbRootType.Equal("") ) { pNewRoot->SetAt("Type", new CPDF_Name("Catalog")); } CPDF_Dictionary* pNewPages = (CPDF_Dictionary*)pNewRoot->GetElement("Pages")->GetDirect(); if(!pNewPages) { pNewPages = new CPDF_Dictionary; FX_DWORD NewPagesON = pDestPDFDoc->AddIndirectObject(pNewPages); pNewRoot->SetAt("Pages", new CPDF_Reference(pDestPDFDoc, NewPagesON)); } CFX_ByteString cbPageType = pNewPages->GetString("Type",""); if(cbPageType.Equal("")) { pNewPages->SetAt("Type", new CPDF_Name("Pages")); } CPDF_Array* pKeysArray = pNewPages->GetArray("Kids"); if(pKeysArray == NULL) { CPDF_Array* pNewKids = new CPDF_Array; FX_DWORD Kidsobjnum = -1; Kidsobjnum = pDestPDFDoc->AddIndirectObject(pNewKids);//, Kidsobjnum, Kidsgennum); pNewPages->SetAt("Kids", new CPDF_Reference(pDestPDFDoc, Kidsobjnum));//, Kidsgennum)); pNewPages->SetAt("Count", new CPDF_Number(0)); } return true; } FX_BOOL CPDF_PageOrganizer::ExportPage(CPDF_Document *pSrcPDFDoc, CFX_WordArray* nPageNum, CPDF_Document *pDestPDFDoc,int nIndex) { int curpage =nIndex; CFX_MapPtrToPtr* pMapPtrToPtr = new CFX_MapPtrToPtr; pMapPtrToPtr->InitHashTable(1001); for(int i=0; i<nPageNum->GetSize(); i++) { CPDF_Dictionary* pCurPageDict = pDestPDFDoc->CreateNewPage(curpage); CPDF_Dictionary* pSrcPageDict = pSrcPDFDoc->GetPage(nPageNum->GetAt(i)-1); if(!pSrcPageDict || !pCurPageDict) { delete pMapPtrToPtr; return FALSE; } // Clone the page dictionary/////////// FX_POSITION SrcPos = pSrcPageDict->GetStartPos(); while (SrcPos) { CFX_ByteString cbSrcKeyStr; CPDF_Object* pObj = pSrcPageDict->GetNextElement(SrcPos, cbSrcKeyStr); if(cbSrcKeyStr.Compare(("Type")) && cbSrcKeyStr.Compare(("Parent"))) { if(pCurPageDict->KeyExist(cbSrcKeyStr)) pCurPageDict->RemoveAt(cbSrcKeyStr); pCurPageDict->SetAt(cbSrcKeyStr, pObj->Clone()); } } //inheritable item/////////////////////// CPDF_Object* pInheritable = NULL; //1 MediaBox //required if(!pCurPageDict->KeyExist("MediaBox")) { pInheritable = PageDictGetInheritableTag(pSrcPageDict, "MediaBox"); if(!pInheritable) { //Search the "CropBox" from source page dictionary, if not exists,we take the letter size. pInheritable = PageDictGetInheritableTag(pSrcPageDict, "CropBox"); if(pInheritable) pCurPageDict->SetAt("MediaBox", pInheritable->Clone()); else { //Make the default size to be letter size (8.5'x11') CPDF_Array* pArray = new CPDF_Array; pArray->AddNumber(0); pArray->AddNumber(0); pArray->AddNumber(612); pArray->AddNumber(792); pCurPageDict->SetAt("MediaBox", pArray); } } else pCurPageDict->SetAt("MediaBox", pInheritable->Clone()); } //2 Resources //required if(!pCurPageDict->KeyExist("Resources")) { pInheritable = PageDictGetInheritableTag(pSrcPageDict, "Resources"); if(!pInheritable) { delete pMapPtrToPtr; return FALSE; } pCurPageDict->SetAt("Resources", pInheritable->Clone()); } //3 CropBox //Optional if(!pCurPageDict->KeyExist("CropBox")) { pInheritable = PageDictGetInheritableTag(pSrcPageDict, "CropBox"); if(pInheritable) pCurPageDict->SetAt("CropBox", pInheritable->Clone()); } //4 Rotate //Optional if(!pCurPageDict->KeyExist("Rotate")) { pInheritable = PageDictGetInheritableTag(pSrcPageDict, "Rotate"); if(pInheritable) pCurPageDict->SetAt("Rotate", pInheritable->Clone()); } ///////////////////////////////////////////// //Update the reference FX_DWORD dwOldPageObj = pSrcPageDict->GetObjNum(); FX_DWORD dwNewPageObj = pCurPageDict->GetObjNum(); pMapPtrToPtr->SetAt((FX_LPVOID)(FX_UINTPTR)dwOldPageObj, (FX_LPVOID)(FX_UINTPTR)dwNewPageObj); this->UpdateReference(pCurPageDict, pDestPDFDoc, pMapPtrToPtr); curpage++; } delete pMapPtrToPtr; return TRUE; } CPDF_Object* CPDF_PageOrganizer::PageDictGetInheritableTag(CPDF_Dictionary *pDict, CFX_ByteString nSrctag) { if(!pDict || !pDict->KeyExist("Type") || nSrctag.IsEmpty()) return NULL; CPDF_Object* pType = pDict->GetElement("Type")->GetDirect(); if(!pType || pType->GetType() != PDFOBJ_NAME) return NULL; if(pType->GetString().Compare("Page")) return NULL; if(!pDict->KeyExist("Parent")) return NULL; CPDF_Object* pParent = pDict->GetElement("Parent")->GetDirect(); if(!pParent || pParent->GetType() != PDFOBJ_DICTIONARY) return NULL; CPDF_Dictionary* pp = (CPDF_Dictionary*)pParent; if(pDict->KeyExist((const char*)nSrctag)) return pDict->GetElement((const char*)nSrctag); while (pp) { if(pp->KeyExist((const char*)nSrctag)) return pp->GetElement((const char*)nSrctag); else if(pp->KeyExist("Parent")) pp = (CPDF_Dictionary*)pp->GetElement("Parent")->GetDirect(); else break; } return NULL; } FX_BOOL CPDF_PageOrganizer::UpdateReference(CPDF_Object *pObj, CPDF_Document *pDoc, CFX_MapPtrToPtr* pMapPtrToPtr) { switch (pObj->GetType()) { case PDFOBJ_REFERENCE: { CPDF_Reference* pReference = (CPDF_Reference*)pObj; int newobjnum = GetNewObjId(pDoc, pMapPtrToPtr, pReference); if (newobjnum == 0) return FALSE; pReference->SetRef(pDoc, newobjnum);//, 0); break; } case PDFOBJ_DICTIONARY: { CPDF_Dictionary* pDict = (CPDF_Dictionary*)pObj; FX_POSITION pos = pDict->GetStartPos(); while(pos) { CFX_ByteString key(""); CPDF_Object* pNextObj = pDict->GetNextElement(pos, key); if (!FXSYS_strcmp(key, "Parent") || !FXSYS_strcmp(key, "Prev") || !FXSYS_strcmp(key, "First")) continue; if(pNextObj) { if(!UpdateReference(pNextObj, pDoc, pMapPtrToPtr)) pDict->RemoveAt(key); } else return FALSE; } break; } case PDFOBJ_ARRAY: { CPDF_Array* pArray = (CPDF_Array*)pObj; FX_DWORD count = pArray->GetCount(); for(FX_DWORD i = 0; i < count; i ++) { CPDF_Object* pNextObj = pArray->GetElement(i); if(pNextObj) { if(!UpdateReference(pNextObj, pDoc, pMapPtrToPtr)) return FALSE; } else return FALSE; } break; } case PDFOBJ_STREAM: { CPDF_Stream* pStream = (CPDF_Stream*)pObj; CPDF_Dictionary* pDict = pStream->GetDict(); if(pDict) { if(!UpdateReference(pDict, pDoc, pMapPtrToPtr)) return FALSE; } else return FALSE; break; } default: break; } return TRUE; } int CPDF_PageOrganizer::GetNewObjId(CPDF_Document *pDoc, CFX_MapPtrToPtr* pMapPtrToPtr, CPDF_Reference *pRef) { size_t dwObjnum = 0; if(!pRef) return 0; dwObjnum = pRef->GetRefObjNum(); size_t dwNewObjNum = 0; pMapPtrToPtr->Lookup((FX_LPVOID)dwObjnum, (FX_LPVOID&)dwNewObjNum); if(dwNewObjNum) { return (int)dwNewObjNum; } else { CPDF_Object* pClone = pRef->GetDirect()->Clone(); if(!pClone) return 0; if(pClone->GetType() == PDFOBJ_DICTIONARY) { CPDF_Dictionary* pDictClone = (CPDF_Dictionary*)pClone; if(pDictClone->KeyExist("Type")) { CFX_ByteString strType = pDictClone->GetString("Type"); if(!FXSYS_stricmp(strType, "Pages")) { pDictClone->Release(); return 4; } else if(!FXSYS_stricmp(strType, "Page")) { pDictClone->Release(); return 0; } } } dwNewObjNum = pDoc->AddIndirectObject(pClone);//, onum, gnum); pMapPtrToPtr->SetAt((FX_LPVOID)dwObjnum, (FX_LPVOID)dwNewObjNum); if(!UpdateReference(pClone, pDoc, pMapPtrToPtr)) { pClone->Release(); return 0; } return (int)dwNewObjNum; } return 0; } FPDF_BOOL ParserPageRangeString(CFX_ByteString rangstring, CFX_WordArray* pageArray,int nCount) { if(rangstring.GetLength() != 0) { rangstring.Remove(' '); int nLength = rangstring.GetLength(); CFX_ByteString cbCompareString("0123456789-,"); for(int i=0; i<nLength; i++) { if(cbCompareString.Find(rangstring[i]) == -1) return FALSE; } CFX_ByteString cbMidRange; int nStringFrom = 0; int nStringTo=0; while(nStringTo < nLength) { nStringTo = rangstring.Find(',',nStringFrom); if(nStringTo == -1) { nStringTo = nLength; } cbMidRange = rangstring.Mid(nStringFrom,nStringTo-nStringFrom); int nMid = cbMidRange.Find('-'); if(nMid == -1) { long lPageNum = atol(cbMidRange); if(lPageNum <= 0 || lPageNum > nCount) return FALSE; pageArray->Add((FX_WORD)lPageNum); } else { int nStartPageNum = atol(cbMidRange.Mid(0,nMid)); if (nStartPageNum ==0) { return FALSE; } nMid = nMid+1; int nEnd = cbMidRange.GetLength()-nMid; if(nEnd ==0)return FALSE; // int nEndPageNum = (nEnd == 0)?nCount:atol(cbMidRange.Mid(nMid,nEnd)); int nEndPageNum = atol(cbMidRange.Mid(nMid,nEnd)); if(nStartPageNum < 0 ||nStartPageNum >nEndPageNum|| nEndPageNum > nCount) { return FALSE; } else { for(int nIndex=nStartPageNum; nIndex <= nEndPageNum; nIndex ++) pageArray->Add(nIndex); } } nStringFrom = nStringTo +1; } } return TRUE; } DLLEXPORT FPDF_BOOL STDCALL FPDF_ImportPages(FPDF_DOCUMENT dest_doc,FPDF_DOCUMENT src_doc, FPDF_BYTESTRING pagerange, int index) { if(dest_doc == NULL || src_doc == NULL ) return FALSE; CFX_WordArray pageArray; CPDF_Document* pSrcDoc = (CPDF_Document*)src_doc; int nCount = pSrcDoc->GetPageCount(); if(pagerange) { if(ParserPageRangeString(pagerange,&pageArray,nCount) == FALSE) return FALSE; } else { for(int i=1; i<=nCount; i++) { pageArray.Add(i); } } CPDF_Document* pDestDoc = (CPDF_Document*)dest_doc; CPDF_PageOrganizer pageOrg; pageOrg.PDFDocInit(pDestDoc,pSrcDoc); if(pageOrg.ExportPage(pSrcDoc,&pageArray,pDestDoc,index)) return TRUE; return FALSE; } DLLEXPORT FPDF_BOOL STDCALL FPDF_CopyViewerPreferences(FPDF_DOCUMENT dest_doc, FPDF_DOCUMENT src_doc) { if(src_doc == NULL || dest_doc == NULL) return false; CPDF_Document* pSrcDoc = (CPDF_Document*)src_doc; CPDF_Dictionary* pSrcDict = pSrcDoc->GetRoot(); pSrcDict = pSrcDict->GetDict(FX_BSTRC("ViewerPreferences"));; if(!pSrcDict) return FALSE; CPDF_Document* pDstDoc = (CPDF_Document*)dest_doc; CPDF_Dictionary* pDstDict = pDstDoc->GetRoot(); if(!pDstDict) return FALSE; pDstDict->SetAt(FX_BSTRC("ViewerPreferences"), pSrcDict->Clone(TRUE)); return TRUE; }
{ "content_hash": "a9808e80ea8627d11524254857a982f3", "timestamp": "", "source": "github", "line_count": 457, "max_line_length": 115, "avg_line_length": 27.067833698030636, "alnum_prop": 0.6421180274858529, "repo_name": "eugenehp/pdfium", "id": "e605484cb373ddb537d6a32809cc7d68bcb2b8c3", "size": "12532", "binary": false, "copies": "3", "ref": "refs/heads/master", "path": "fpdfsdk/src/fpdfppo.cpp", "mode": "33188", "license": "bsd-3-clause", "language": [ { "name": "C", "bytes": "15512249" }, { "name": "C++", "bytes": "10764752" }, { "name": "Objective-C", "bytes": "200814" }, { "name": "Python", "bytes": "36823" } ], "symlink_target": "" }
/** * Package for calculate task. * * @author Ramazan Zakariev (mailto:[email protected]) * @version $Id$ * @since 0.1 */ package ru.job4j;
{ "content_hash": "083328a9038d22c4f039b263b40db6f3", "timestamp": "", "source": "github", "line_count": 8, "max_line_length": 57, "avg_line_length": 17.875, "alnum_prop": 0.6853146853146853, "repo_name": "maarulav/rzakariev", "id": "b86eb9d86fa1088cc47d7fe57f38a9a560b4c2fe", "size": "143", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "chapter_001/src/main/java/ru/job4j/package-info.java", "mode": "33188", "license": "apache-2.0", "language": [ { "name": "Java", "bytes": "1237" } ], "symlink_target": "" }
package io.clickhandler.web.reactRouterGwt.client; import elemental.client.Browser; import io.clickhandler.web.reactGwt.client.react.ReactElement; import io.clickhandler.web.reactGwt.client.Func; import io.clickhandler.web.reactGwt.client.dom.ReactDOM; import javax.inject.Inject; import javax.inject.Provider; /** * */ public abstract class RootModule extends ModuleLoader { private final RouteComponent root; @Inject RootRoute rootRoute; @Inject Provider<RouteGatekeeper> routeGatekeeper; private Route appRoute; public RootModule(RouteComponent root) { super("/"); this.root = root; } protected History history() { return ReactRouter.getHashHistory(); } @Override protected void loadRouteBuilder(Func.Run1<RoutesBuilder> run1) { run1.run(null); } protected Route appRoute() { if (appRoute != null) { return appRoute; } return appRoute = new Route() .path("/") .component(root) .getChildRoutes( (location, callback) -> handle(location.getPathname(), location, callback)) .onEnter( (nextState, replaceState) -> routeGatekeeper.get().onEnter(rootRoute, nextState, replaceState)) .onLeave( () -> routeGatekeeper.get().onLeave(rootRoute)); } public void start(String elementId) { // Create Router. final ReactElement router = ReactRouter.create(new RouterProps() .history(history()) .routes(appRoute())); // Try.run(beforeRender); // Render. ReactDOM.render(router, Browser.getDocument().getElementById(elementId)); } }
{ "content_hash": "c67e4b7e24138b20fb1bba8c97086c25", "timestamp": "", "source": "github", "line_count": 67, "max_line_length": 111, "avg_line_length": 26.28358208955224, "alnum_prop": 0.6246450880181715, "repo_name": "ClickHandlerIO/clickhandler-web", "id": "79f61b49703e6820f446f52eac7d72e47742e222", "size": "1761", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "src/main/java/io/clickhandler/web/reactRouterGwt/client/RootModule.java", "mode": "33188", "license": "mit", "language": [ { "name": "CSS", "bytes": "12487" }, { "name": "HTML", "bytes": "3339" }, { "name": "Java", "bytes": "792639" }, { "name": "JavaScript", "bytes": "1913575" }, { "name": "Shell", "bytes": "3263" } ], "symlink_target": "" }
<?php $this->breadcrumbs=array( 'Actions'=>array('index'), $model->id, ); $this->menu=array( array('label'=>'List Action','url'=>array('index')), array('label'=>'Create Action','url'=>array('create')), array('label'=>'Update Action','url'=>array('update','id'=>$model->id)), array('label'=>'Delete Action','url'=>'#','linkOptions'=>array('submit'=>array('delete','id'=>$model->id),'confirm'=>'Are you sure you want to delete this item?')), array('label'=>'Manage Action','url'=>array('admin')), ); ?> <h1>View Action #<?php echo $model->id; ?></h1> <?php $this->widget('bootstrap.widgets.TbDetailView',array( 'data'=>$model, 'attributes'=>array( 'id', 'droplet_id', 'snapshot_id', 'action', 'status', 'stage', 'end_stage', 'last_checked', 'created_at', 'modified_at', ), )); ?>
{ "content_hash": "d3ca9ffd22e8733c4a7515bb3a3d2ecd", "timestamp": "", "source": "github", "line_count": 32, "max_line_length": 165, "avg_line_length": 25.34375, "alnum_prop": 0.6041923551171393, "repo_name": "newscloud/ocean", "id": "098ffc4a279e400687266dd3189acc55d0af6dcc", "size": "811", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "app/protected/views/action/view.php", "mode": "33188", "license": "bsd-3-clause", "language": [ { "name": "CSS", "bytes": "2337305" }, { "name": "JavaScript", "bytes": "8414108" }, { "name": "PHP", "bytes": "19147145" }, { "name": "Perl", "bytes": "155088" }, { "name": "R", "bytes": "141" }, { "name": "Ruby", "bytes": "1384" }, { "name": "Shell", "bytes": "2680" } ], "symlink_target": "" }
layout: page title: Escobar - Kennedy Wedding date: 2016-05-24 author: Nicholas Figueroa tags: weekly links, java status: published summary: Proin rutrum nibh magna, vitae. banner: images/banner/meeting-01.jpg booking: startDate: 02/25/2017 endDate: 03/01/2017 ctyhocn: SATCSHX groupCode: EKW published: true --- Fusce risus orci, egestas sit amet odio vitae, fringilla mollis lacus. Mauris sodales dui justo. Quisque interdum arcu in enim viverra, tempus elementum massa sollicitudin. Fusce molestie, ligula a pulvinar volutpat, justo dolor consectetur neque, a mollis ipsum nisi eu nunc. Cras quis enim sed sem tincidunt volutpat. Mauris pellentesque sollicitudin massa. Aliquam auctor felis at ex tincidunt, ut lacinia sapien finibus. Curabitur in velit leo. Nulla vel quam ante. Ut euismod vehicula condimentum. Donec at dui id magna auctor congue. In at elit vitae tellus ornare commodo. Nullam dapibus nunc eget tellus facilisis commodo. Quisque aliquet ipsum et nisi egestas tristique. * Aliquam finibus justo sit amet sagittis efficitur * Proin vitae sapien at tortor elementum cursus * Aenean eget nisl et risus rutrum tempus * Ut a eros sed arcu gravida vestibulum. Aenean id tortor ac arcu mollis porttitor in ut elit. Mauris pellentesque consectetur ligula et viverra. Pellentesque mi felis, tempor ac odio id, bibendum laoreet felis. Praesent vitae elit venenatis arcu maximus feugiat. Sed facilisis nunc vitae commodo tristique. Interdum et malesuada fames ac ante ipsum primis in faucibus. Sed bibendum congue nulla, a scelerisque nibh dictum et. Duis congue vulputate elit non rutrum. Vivamus egestas a risus sed pulvinar. Ut sed malesuada magna, sed efficitur orci. Nullam sit amet sem ac eros pharetra eleifend ac quis elit. Nullam et varius orci. Ut ac leo eros. Donec fermentum ipsum sem, eu egestas mauris placerat sit amet. Phasellus posuere dapibus ullamcorper. Donec imperdiet ut ipsum non rutrum. Integer a sapien nisl. Quisque condimentum eget augue a gravida. Pellentesque blandit lectus eleifend, faucibus ipsum vitae, tristique eros. In at porttitor nisl. Sed feugiat ligula lacinia nisi hendrerit volutpat. Aenean nibh velit, imperdiet sed pretium sagittis, malesuada in libero.
{ "content_hash": "5ac2958551d25e5550b3ebeb22e54dd8", "timestamp": "", "source": "github", "line_count": 24, "max_line_length": 679, "avg_line_length": 92.45833333333333, "alnum_prop": 0.80802163136548, "repo_name": "KlishGroup/prose-pogs", "id": "c1045c819f07b8a1aed79d2ac82ebcac1d399568", "size": "2223", "binary": false, "copies": "1", "ref": "refs/heads/gh-pages", "path": "pogs/S/SATCSHX/EKW/index.md", "mode": "33188", "license": "mit", "language": [], "symlink_target": "" }
<?xml version="1.0" encoding="utf-8"?> <manifest xmlns:android="http://schemas.android.com/apk/res/android" package="com.spotweather.android"> <uses-permission android:name="android.permission.INTERNET" /> <application android:name="org.litepal.LitePalApplication" android:allowBackup="true" android:icon="@mipmap/logo" android:label="@string/app_name" android:roundIcon="@mipmap/ic_launcher_round" android:supportsRtl="true" android:theme="@style/AppTheme"> <activity android:name=".MainActivity"> <intent-filter> <action android:name="android.intent.action.MAIN" /> <category android:name="android.intent.category.LAUNCHER" /> </intent-filter> </activity> <activity android:name=".WeatherActivity" /> <service android:name=".service.AutoUpdateService" android:enabled="true" android:exported="true"> </service> </application> </manifest>
{ "content_hash": "a172d1c9bf3857a33572a383fbdc6b90", "timestamp": "", "source": "github", "line_count": 31, "max_line_length": 76, "avg_line_length": 33.806451612903224, "alnum_prop": 0.6183206106870229, "repo_name": "holdyourdream/spotweather", "id": "db7377381a71830ce781e272b8ee19d0ecb013ce", "size": "1048", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "app/src/main/AndroidManifest.xml", "mode": "33188", "license": "apache-2.0", "language": [ { "name": "Java", "bytes": "33267" } ], "symlink_target": "" }
.class Landroid/support/v4/view/cv; .super Ljava/lang/Object; # direct methods .method public static a(Landroid/view/View;)I .locals 1 invoke-virtual {p0}, Landroid/view/View;->getOverScrollMode()I move-result v0 return v0 .end method
{ "content_hash": "6f5452caf0294c4d2d24925ee344a8b8", "timestamp": "", "source": "github", "line_count": 14, "max_line_length": 66, "avg_line_length": 18.285714285714285, "alnum_prop": 0.7109375, "repo_name": "Pittvandewitt/v4a_material_reformatted_src", "id": "7fae8b43d6845beea16c96f31d51d8194e7c1a32", "size": "256", "binary": false, "copies": "2", "ref": "refs/heads/master", "path": "smali/android/support/v4/view/cv.smali", "mode": "33188", "license": "apache-2.0", "language": [ { "name": "Shell", "bytes": "807" }, { "name": "Smali", "bytes": "10020608" } ], "symlink_target": "" }
var TiraTime = (function(){ var numberOfTeams, numberOfPlayers, playersNames = [], playersInputObjects = [], currentPlayer = 0, teams = [] _this = this; function TiraTime() { addEventListeners(); }; function addEventListeners() { $("#first-step-submit").on("click", onFirstStepSubmit); $("#second-step-submit").on("click", onSecondStepSubmit); $("#final-step").on("click", "input", onReSortTeams); }; function onFirstStepSubmit(e) { e.preventDefault(); if(validateFirstStep()) callSecondStep(); }; function validateFirstStep() { var teamsInput = $("#number-of-teams"), playersInput = $("#number-of-players"), valid = false; teamsInput.removeClass("invalid"); playersInput.removeClass("invalid"); if(!teamsInput.val()) { teamsInput.addClass("invalid"); }; if(!playersInput.val()) { playersInput.addClass("invalid"); }; if(playersInput.val() && teamsInput.val()) { numberOfTeams = teamsInput.val(); numberOfPlayers = playersInput.val(); valid = true; }; return valid; }; function callSecondStep() { $("#first-step").hide(); trackProgress(); buildPlayersInputs(); setPlayerInput(); $("#second-step").show(); $("#second-step .fields input").focus(); }; function onSecondStepSubmit(e) { e.preventDefault(); if(validateSecondStep()) secondStepSubmit(); }; function validateSecondStep() { $input = $("#second-step .fields input"); var valid = false; $input.removeClass("invalid"); if(!$input.val()) { $input.addClass("invalid"); } else { playersNames.push($input.val()); currentPlayer++; valid = true; }; return valid; }; function secondStepSubmit() { if((currentPlayer + 1) > numberOfPlayers) { sortTeams(); showTeams(); } else { if((currentPlayer + 1) == numberOfPlayers) { $("#second-step-submit").val("Tirar os times"); }; trackProgress(); setPlayerInput(); $("#second-step .fields input").focus(); } }; function trackProgress() { $("#current-player").text(currentPlayer + 1); $("#total-players").text(numberOfPlayers); }; function buildPlayersInputs() { for(var i = 0; i < numberOfPlayers; i++) { playersInputObjects.push({ name: "player["+(i+1)+"]", placeholder: "Jogador " + (i+1) }); } }; function setPlayerInput(index) { var player = playersInputObjects[currentPlayer]; var playerInput = "<input type='text' name='"+player.name+ "' placeholder='"+player.placeholder+"'/>"; $("#second-step .fields").html(playerInput); }; function sortTeams() { teams = []; var namesArray = playersNames.slice(0); while(namesArray.length > 0) { for(var i = 0; i < numberOfTeams; i++) { teams[i] = { team_number: i+1, players: []}; for(var j = 0; j < (numberOfPlayers/numberOfTeams); j++) { shuffle(namesArray); teams[i].players.push({ name: namesArray.pop()}); } } }; }; function showTeams() { console.log(teams); $("#second-step").hide(); var source = "{{#each teams}}<div class='team'><header><h1>Time {{team_number}}</h1></header><ul>{{#each players}}<li>{{name}}<li>{{/each}}</ul></div>{{/each}} <input type='submit' value='Tirar Novamente' class='button' id='re-sort-teams' />"; var template = Handlebars.compile(source); var compiledTemplate = template({ teams: teams }); $("#final-step").html(compiledTemplate).show(); }; function onReSortTeams() { sortTeams(); showTeams(); }; return TiraTime; }()); new TiraTime(); MBP.hideUrlBarOnLoad(); MBP.startupImage();
{ "content_hash": "2040df97c8fb889dbf19b793d28f6045", "timestamp": "", "source": "github", "line_count": 143, "max_line_length": 247, "avg_line_length": 26.181818181818183, "alnum_prop": 0.5950854700854701, "repo_name": "matheusbras/tiratime", "id": "1312ce901e74e648929a710b798f7bcaa1d10b2d", "size": "3744", "binary": false, "copies": "1", "ref": "refs/heads/gh-pages", "path": "js/main.js", "mode": "33261", "license": "mit", "language": [ { "name": "CSS", "bytes": "12288" }, { "name": "JavaScript", "bytes": "19052" } ], "symlink_target": "" }
<?xml version='1.0' encoding='UTF-8'?> <Document> <Header> <SchemaName>Location</SchemaName> <Identifier>location_geonames_2752945</Identifier> <DocumentState>public</DocumentState> <TimeStamp>1390753462911</TimeStamp> <SummaryFields> <Title>NL &gt; North Brabant &gt; Kerkegors</Title> </SummaryFields> </Header> <Body> <Location> <GeopoliticalHierarchy>NL,North Brabant,Kerkegors</GeopoliticalHierarchy> <LocationName> <Appelation>Kerkegors</Appelation> <LocationNameType>locality</LocationNameType> <Comments></Comments> </LocationName> <Coordinates> <Longitude>4.363519999999999</Longitude> <Latitude>51.59032</Latitude> </Coordinates> <GeonamesURI>http://www.geonames.org/2752945</GeonamesURI> <WikipediaLink/> <DbpediaLink/> </Location> </Body> </Document>
{ "content_hash": "f38b451f9f87c2385b22934dcb888382", "timestamp": "", "source": "github", "line_count": 29, "max_line_length": 79, "avg_line_length": 30.93103448275862, "alnum_prop": 0.6655518394648829, "repo_name": "delving/oscr-data", "id": "8af9255eda1c31e971ba5cedb8e032b69f970bf8", "size": "897", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "shared/Location/location_geonames_2752945.xml", "mode": "33188", "license": "apache-2.0", "language": [], "symlink_target": "" }
// Copyright 2015 The Bazel Authors. All rights reserved. // // Licensed under the Apache License, Version 2.0 (the "License"); // you may not use this file except in compliance with the License. // You may obtain a copy of the License at // // http://www.apache.org/licenses/LICENSE-2.0 // // Unless required by applicable law or agreed to in writing, software // distributed under the License is distributed on an "AS IS" BASIS, // WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. // See the License for the specific language governing permissions and // limitations under the License. package com.google.devtools.build.android; import java.nio.file.Path; /** * Represents the AndroidData before processing, after merging. * * <p>The life cycle of AndroidData goes: * * <pre> * UnvalidatedAndroidData -> MergedAndroidData -> DensityFilteredAndroidData * -> DependencyAndroidData * </pre> */ class MergedAndroidData implements ManifestContainer { private Path resourceDir; private Path assetDir; private Path manifest; public MergedAndroidData(Path resources, Path assets, Path manifest) { this.resourceDir = resources; this.assetDir = assets; this.manifest = manifest; } public Path getResourceDir() { return resourceDir; } public Path getAssetDir() { return assetDir; } @Override public Path getManifest() { return manifest; } public DensityFilteredAndroidData filter( DensitySpecificResourceFilter resourceFilter, DensitySpecificManifestProcessor manifestProcessor) throws ManifestProcessingException { return new DensityFilteredAndroidData(resourceFilter.filter(resourceDir), assetDir, manifestProcessor.process(manifest)); } }
{ "content_hash": "1e5cc7bd12280bd3333b6f4a3ddf3f35", "timestamp": "", "source": "github", "line_count": 60, "max_line_length": 77, "avg_line_length": 29.466666666666665, "alnum_prop": 0.7403846153846154, "repo_name": "spxtr/bazel", "id": "431d205e12b667df7f712cb5de6ecfe2e9433151", "size": "1768", "binary": false, "copies": "3", "ref": "refs/heads/master", "path": "src/tools/android/java/com/google/devtools/build/android/MergedAndroidData.java", "mode": "33188", "license": "apache-2.0", "language": [ { "name": "C", "bytes": "14332" }, { "name": "C++", "bytes": "985839" }, { "name": "HTML", "bytes": "20974" }, { "name": "Java", "bytes": "25691487" }, { "name": "JavaScript", "bytes": "9186" }, { "name": "Makefile", "bytes": "248" }, { "name": "PowerShell", "bytes": "5473" }, { "name": "Protocol Buffer", "bytes": "114160" }, { "name": "Python", "bytes": "574080" }, { "name": "Roff", "bytes": "481" }, { "name": "Shell", "bytes": "909294" } ], "symlink_target": "" }
<!DOCTYPE HTML PUBLIC "-//W3C//DTD HTML 4.01 Transitional//EN" "http://www.w3.org/TR/html4/loose.dtd"> <!-- Licensed to the Apache Software Foundation (ASF) under one or more contributor license agreements. See the NOTICE file distributed with this work for additional information regarding copyright ownership. The ASF licenses this file to You under the Apache License, Version 2.0 (the "License"); you may not use this file except in compliance with the License. You may obtain a copy of the License at http://www.apache.org/licenses/LICENSE-2.0 Unless required by applicable law or agreed to in writing, software distributed under the License is distributed on an "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the License for the specific language governing permissions and limitations under the License. --> <!-- start the processing --> <html> <head> <link rel="stylesheet" type="text/css" href="../../docs/css/style.css"/> <meta http-equiv="Content-Type" content="text/html; charset=utf-8"/> <title>Apache JMeter - User's Manual: Glossary</title> <style> .code { font-weight: bold; } </style> </head> <body bgcolor="#ffffff" text="#000000" link="#525D76"> <table border="0" cellspacing="0"> <tr> <td align="left"> <a href="http://www.apache.org"><img style="margin: 0px 30px 0px 0px" title="Apache Software Foundation" width="261" height="106" src="../../docs/images/asf-logo.png" border="0"/></a> </td> <td align="right"> <a href="http://jmeter.apache.org/"><img width="259" height="88" src="../../docs/images/jmeter.png" alt="Apache JMeter" title="Apache JMeter" border="0"/></a> </td> </tr> </table> <table border="0" cellspacing="4"> <tr><td> <hr noshade size="1"/> </td></tr> <tr> <td align="left" valign="top"> <table> <tr> <td bgcolor="#525D76"> <div align="right"><a href="index.html"><font size=-1 color="#ffffff" face="arial,helvetica,sanserif">Index</font></a></div> </td> <td bgcolor="#525D76"> <div align="right"><a href="hints_and_tips.html"><font size=-1 color="#ffffff" face="arial,helvetica,sanserif">Prev</font></a></div> </td> </tr> </table> <br> <table border="0" cellspacing="0" cellpadding="2" width="100%"> <tr><td bgcolor="#525D76"> <font color="#ffffff" face="arial,helvetica,sanserif"> <a name="glossary"><strong>24. Glossary</strong></a></font> </td></tr> <tr><td> <blockquote> <p> <a name="Elapsed"> <b> Elapsed time </b> </a> . JMeter measures the elapsed time from just before sending the request to just after the last response has been received. JMeter does not include the time needed to render the response, nor does JMeter process any client code, for example Javascript. </p> <p> <a name="Latency"> <b> Latency </b> </a> . JMeter measures the latency from just before sending the request to just after the first response has been received. Thus the time includes all the processing needed to assemble the request as well as assembling the first part of the response, which in general will be longer than one byte. Protocol analysers (such as Wireshark) measure the time when bytes are actually sent/received over the interface. The JMeter time should be closer to that which is experienced by a browser or other application client. </p> <p> <a name="Connect"> <b> Connect Time </b> </a> . JMeter measures the time it took to establish the connection, including SSL handshake. Note that connect time is not automatically subtracted from <a href="#Latency"> latency </a> . In case of connection error, the metric will be equal to the time it took to face the error, for example in case of Timeout, it should be equal to connection timeout. <p> <table border="1" bgcolor="#bbbb00" width="50%" cellspacing="0" cellpadding="2"> <tr><td>As of JMeter 3.0, this metric is only computed to TCP Sampler and HTTP Request. </td></tr> </table> </p> </p> <p> <a name="Median"> <b> Median </b> </a> is a number which divides the samples into two equal halves. Half of the samples are smaller than the median, and half are larger. [Some samples may equal the median.] This is a standard statistical measure. See, for example: <a href="http://en.wikipedia.org/wiki/Median"> Median </a> entry at Wikipedia. The Median is the same as the 50 <sup> th </sup> Percentile </p> <p> <a name="Percentile"> <b> 90% Line (90 <sup> th </sup> Percentile) </b> </a> is the value below which 90% of the samples fall. The remaining samples too at least as long as the value. This is a standard statistical measure. See, for example: <a href="http://en.wikipedia.org/wiki/Percentile"> Percentile </a> entry at Wikipedia. </p> <p> <a name="StandardDeviation"> <b> Standard Deviation </b> </a> is a measure of the variability of a data set. This is a standard statistical measure. See, for example: <a href="http://en.wikipedia.org/wiki/Standard_deviation"> Standard Deviation </a> entry at Wikipedia. JMeter calculates the population standard deviation (e.g. STDEVP function in spreadsheets), not the sample standard deviation (e.g. STDEV). </p> <p> <a name="ThreadName"> The <b> Thread Name </b> </a> as it appears in Listeners and logfiles is derived from the Thread Group name and the thread within the group. <br> The name has the format <tt class="code">groupName + &quot; &quot; + groupIndex + &quot;-&quot; + threadIndex</tt> where: <ul> <li> groupName - name of the Thread Group element </li> <li> groupIndex - number of the Thread Group in the Test Plan, starting from 1 </li> <li> threadIndex - number of the thread within the Thread Group, starting from 1 </li> </ul> A test plan with two Thread Groups each with two threads would use the names: <pre> Thread Group 1-1 Thread Group 1-2 Thread Group 2-1 Thread Group 2-2 </pre> </p> <p> <a name="Throughput"> <b> Throughput </b> </a> is calculated as requests/unit of time. The time is calculated from the start of the first sample to the end of the last sample. This includes any intervals between samples, as it is supposed to represent the load on the server. <br> The formula is: Throughput = (number of requests) / (total time). </p> </blockquote> </p> </td></tr> <tr><td><br></td></tr> </table> <br> <table> <tr> <td bgcolor="#525D76"> <div align="right"><a href="index.html"><font size=-1 color="#ffffff" face="arial,helvetica,sanserif">Index</font></a></div> </td> <td bgcolor="#525D76"> <div align="right"><a href="hints_and_tips.html"><font size=-1 color="#ffffff" face="arial,helvetica,sanserif">Prev</font></a></div> </td> </tr> </table> </td> </tr> <tr><td> <hr noshade size="1"/> </td></tr> <tr> <td> <table width=100%> <tr> <td> <font color="#525D76" size="-1"><em> Copyright &copy; 1999-2016, Apache Software Foundation </em></font> </td> <td align="right"> <font color="#525D76" size="-1"><em> $Id: glossary.xml 1736324 2016-03-23 14:17:05Z pmouawad $ </em></font> </td> </tr> <tr><td colspan="2"> <div align="center"><font color="#525D76" size="-1"> Apache, Apache JMeter, JMeter, the Apache feather, and the Apache JMeter logo are trademarks of the Apache Software Foundation. </font> </div> </td></tr> </table> </td> </tr> </table> </body> </html> <!-- end the processing -->
{ "content_hash": "692debb0487f95f8096a72949ab6be56", "timestamp": "", "source": "github", "line_count": 346, "max_line_length": 183, "avg_line_length": 21.99421965317919, "alnum_prop": 0.6632063074901445, "repo_name": "kangli914/JmeterAutomation", "id": "56513b4d28244dfd932cce2e665c8beabc250628", "size": "7610", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "printable_docs/usermanual/glossary.html", "mode": "33261", "license": "apache-2.0", "language": [ { "name": "Batchfile", "bytes": "55121" }, { "name": "CSS", "bytes": "59549" }, { "name": "HTML", "bytes": "51660646" }, { "name": "Java", "bytes": "2362" }, { "name": "JavaScript", "bytes": "100693" }, { "name": "Shell", "bytes": "38950" }, { "name": "XSLT", "bytes": "54758" } ], "symlink_target": "" }
// ---------------------------------------------------------------------------------- // // Copyright Microsoft Corporation // Licensed under the Apache License, Version 2.0 (the "License"); // you may not use this file except in compliance with the License. // You may obtain a copy of the License at // http://www.apache.org/licenses/LICENSE-2.0 // Unless required by applicable law or agreed to in writing, software // distributed under the License is distributed on an "AS IS" BASIS, // WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. // See the License for the specific language governing permissions and // limitations under the License. // ---------------------------------------------------------------------------------- using System; using System.Linq; using System.Management.Automation; using Microsoft.Azure.Commands.Network.Models; using MNM = Microsoft.Azure.Management.Network.Models; namespace Microsoft.Azure.Commands.Network { [Cmdlet(VerbsCommon.Add, "AzureRmLoadBalancerInboundNatPoolConfig"), OutputType(typeof(PSLoadBalancer))] public class AddAzureLoadBalancerInboundNatPoolConfigCommand : AzureLoadBalancerInboundNatPoolConfigBase { [Parameter( Mandatory = true, HelpMessage = "The name of the Inbound NAT pool")] [ValidateNotNullOrEmpty] public override string Name { get; set; } [Parameter( Mandatory = true, ValueFromPipeline = true, HelpMessage = "The load balancer")] public PSLoadBalancer LoadBalancer { get; set; } protected override void ProcessRecord() { base.ProcessRecord(); var existingInboundNatPool = this.LoadBalancer.InboundNatPools.SingleOrDefault(resource => string.Equals(resource.Name, this.Name, System.StringComparison.CurrentCultureIgnoreCase)); if (existingInboundNatPool != null) { throw new ArgumentException("InboundNatPool with the specified name already exists"); } var inboundNatPool = new PSInboundNatPool(); inboundNatPool.Name = this.Name; inboundNatPool.Protocol = this.Protocol; inboundNatPool.FrontendPortRangeStart = this.FrontendPortRangeStart; inboundNatPool.FrontendPortRangeEnd = this.FrontendPortRangeEnd; inboundNatPool.BackendPort = this.BackendPort; if (!string.IsNullOrEmpty(this.FrontendIpConfigurationId)) { inboundNatPool.FrontendIPConfiguration = new PSResourceId() { Id = this.FrontendIpConfigurationId }; } inboundNatPool.Id = ChildResourceHelper.GetResourceId( this.NetworkClient.NetworkResourceProviderClient.Credentials.SubscriptionId, this.LoadBalancer.ResourceGroupName, this.LoadBalancer.Name, Microsoft.Azure.Commands.Network.Properties.Resources.LoadBalancerInboundNatPoolsName, this.Name); this.LoadBalancer.InboundNatPools.Add(inboundNatPool); WriteObject(this.LoadBalancer); } } }
{ "content_hash": "1ed8d3809ed89b9924eabf67ad902e64", "timestamp": "", "source": "github", "line_count": 74, "max_line_length": 194, "avg_line_length": 43.37837837837838, "alnum_prop": 0.6423676012461059, "repo_name": "jasper-schneider/azure-powershell", "id": "fc85d8e5b6a0ba69bddf07ce54805a1ee3a69c11", "size": "3212", "binary": false, "copies": "4", "ref": "refs/heads/master", "path": "src/ResourceManager/Network/Commands.Network/LoadBalancer/InboundNatPool/AddAzureLoadBalancerInboundNatPoolConfigCommand.cs", "mode": "33188", "license": "apache-2.0", "language": [ { "name": "Batchfile", "bytes": "15822" }, { "name": "C#", "bytes": "25419671" }, { "name": "HTML", "bytes": "209" }, { "name": "JavaScript", "bytes": "4979" }, { "name": "PHP", "bytes": "41" }, { "name": "PowerShell", "bytes": "2159055" }, { "name": "Shell", "bytes": "50" } ], "symlink_target": "" }
@implementation WGSettlementResultResponse - (BOOL)emptyShopCart { return self.code == 4; } @end
{ "content_hash": "4bcef60e53c5aad9b90ed64ace041719", "timestamp": "", "source": "github", "line_count": 7, "max_line_length": 42, "avg_line_length": 14.714285714285714, "alnum_prop": 0.7281553398058253, "repo_name": "mumabinggan/WeygoIPhone", "id": "0345917b5bc99c694a659e30766b279a449f5d70", "size": "293", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "WeygoIPhone/Order/CommitOrder/Model/Response/WGSettlementResultResponse.m", "mode": "33188", "license": "apache-2.0", "language": [ { "name": "Objective-C", "bytes": "1749875" }, { "name": "Shell", "bytes": "2569" } ], "symlink_target": "" }
import {Component, OnInit} from '@angular/core'; import { FoodService } from '../food/food.service'; import { Food } from '../food/food'; import { JournalEntry } from './journalEntry'; import { JournalEntriesService } from './journalEntries.service'; import { DateChooserService } from '../shared/date-chooser.service'; import { User } from '../login/user'; import { LoginService } from '../login/login.service'; import { UserAccountService } from '../user-account/user-account.service'; @Component({ selector: 'app-search', templateUrl: './nubaSearch.component.html', }) export class SearchComponent implements OnInit { public foodList: Array<Food>; public selectedFood: Food = null; public selectedQuantity = 0; public searchFilterString = ''; public foodShortlist: Array<number> = []; public foodListActive = false; public foodListCanIncrease = true; public foodListActiveRow = 0; public foodListActiveItemFoodObj: Food = null; public user: User; public searchFilter: any; constructor( private foodService: FoodService, public journalEntriesService: JournalEntriesService, public loginService: LoginService, private dateChooserService: DateChooserService, public userAccountService: UserAccountService ) { } ngOnInit() { this.foodService.getFoodListAsObservable().subscribe((data: Array<Food>) => { this.foodList = data; }); // most used Foods this.loginService.getUserAsObservable().subscribe((data: User) => { if ( data.foodShortlist ) { this.foodShortlist = data.foodShortlist; } this.user = data; }); } // List-Navigation with Keyboard keyDown (searchFilterString: string, event: any) { if ( this.searchFilterString !== searchFilterString ) { this.searchFilterString = searchFilterString; if ( this.selectedFood ) { this.clearForm(); this.resetSearchResults(); } } if ( event.key === 'ArrowUp' ) { this.listSelect(-1); } else if ( event.key === 'ArrowDown' ) { this.listSelect(1); } else if ( event.key === 'Enter' ) { if ( this.foodListActiveItemFoodObj !== null && this.foodListActiveItemFoodObj !== undefined ) { this.addToForm(this.foodListActiveItemFoodObj.$key); } } else { // reset listSelect this.foodListActiveRow = 0; } } // helper function for arrow navigation private listSelect(incdec: number) { if ( incdec === -1 && this.foodListActiveRow >= 1 || incdec === 1 && this.foodListCanIncrease ) { this.foodListActiveRow = this.foodListActiveRow + incdec; } } // helper function for ngFor List isSelectedItem(active: boolean, last: boolean, index: number, item: Food) { if (active) { // set active item to selected item this.foodListActiveItemFoodObj = item; // cant increase if it's last item this.foodListCanIncrease = !last; } return active; } // add food by id to Add-Form addToForm(id: number) { this.foodService.getFood(id).subscribe(food => { this.selectedFood = food; if ( this.selectedFood !== null ) { this.selectedQuantity = this.selectedFood.matrix_amount; } if (document.getElementById('quantity')) { document.getElementById('quantity').focus(); } this.resetSearchResults(); }); } // Add selected Food to NubaJournal addToJournal() { let newEntry = new JournalEntry(); newEntry.name = this.selectedFood.name; newEntry.foodID = this.selectedFood.$key; newEntry.quantity = this.selectedQuantity; newEntry.unit = this.selectedFood.matrix_unit; newEntry.editable = false; newEntry.userId = this.user.uid; let selectedDate = this.dateChooserService.getChosenDate(); let yet = new Date(); selectedDate.setHours(yet.getHours()); selectedDate.setMinutes(yet.getMinutes()); newEntry.date = selectedDate; this.journalEntriesService.addEntry(newEntry); this.userAccountService.addMostUsedFoods(this.selectedFood.$key); this.resetSearchResults(); this.clearForm(); } // Show / Hide Food list above search Form activateFoodlist() { this.foodListActive = true; } deactivateFoodlist() { this.foodListActive = false; } // UI Reset Methods resetSearchResults() { this.searchFilterString = ''; this.selectListItemReset(); }; clearForm() { this.selectedFood = null; this.selectedQuantity = 0; this.selectListItemReset(); }; // selected Food Reset selectListItemReset() { this.foodListActiveRow = 0; this.foodListActiveItemFoodObj = null; this.foodListCanIncrease = true; } }
{ "content_hash": "2bbbf6ce3fc781f73c7f6b7ac9ade588", "timestamp": "", "source": "github", "line_count": 188, "max_line_length": 102, "avg_line_length": 25.170212765957448, "alnum_prop": 0.665469146238377, "repo_name": "stefanamport/nuba", "id": "5b8b4b425b1d610783abb6b64896b8ca92b7c26b", "size": "4732", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "src/app/journal/nubaSearch.component.ts", "mode": "33188", "license": "mit", "language": [ { "name": "CSS", "bytes": "39228" }, { "name": "HTML", "bytes": "26177" }, { "name": "JavaScript", "bytes": "2229" }, { "name": "TypeScript", "bytes": "2111956" } ], "symlink_target": "" }
<!DOCTYPE HTML PUBLIC "-//W3C//DTD HTML 4.01 Transitional//EN" "http://www.w3.org/TR/html4/loose.dtd"> <html lang="en"> <head> <title>Source code</title> <link rel="stylesheet" type="text/css" href="../../../../stylesheet.css" title="Style"> </head> <body> <div class="sourceContainer"> <pre><span class="sourceLineNo">001</span><a name="line.1"></a> <span class="sourceLineNo">002</span><a name="line.4"></a> <span class="sourceLineNo">005</span><a name="line.5"></a> <span class="sourceLineNo">006</span>package org.jsimpledb.core;<a name="line.6"></a> <span class="sourceLineNo">007</span><a name="line.7"></a> <span class="sourceLineNo">008</span>import org.jsimpledb.kv.KVStore;<a name="line.8"></a> <span class="sourceLineNo">009</span><a name="line.9"></a> <span class="sourceLineNo">010</span>/**<a name="line.10"></a> <span class="sourceLineNo">011</span> * A "snapshot" {@link Transaction} that persists indefinitely.<a name="line.11"></a> <span class="sourceLineNo">012</span> *<a name="line.12"></a> <span class="sourceLineNo">013</span> * &lt;p&gt;<a name="line.13"></a> <span class="sourceLineNo">014</span> * {@link SnapshotTransaction}s hold a "snapshot" of some portion of the state of a {@link Transaction}<a name="line.14"></a> <span class="sourceLineNo">015</span> * for later use. Each {@link SnapshotTransaction} contains its own set of "snapshot" objects.<a name="line.15"></a> <span class="sourceLineNo">016</span> *<a name="line.16"></a> <span class="sourceLineNo">017</span> * &lt;p&gt;<a name="line.17"></a> <span class="sourceLineNo">018</span> * {@link SnapshotTransaction}s can never be closed (i.e., committed or rolled-back); they persist in memory until<a name="line.18"></a> <span class="sourceLineNo">019</span> * no longer referenced. {@link Transaction.Callback}s may be registered but they will never be invoked.<a name="line.19"></a> <span class="sourceLineNo">020</span> *<a name="line.20"></a> <span class="sourceLineNo">021</span> * &lt;p&gt;<a name="line.21"></a> <span class="sourceLineNo">022</span> * {@link SnapshotTransaction}s can be based on an arbitrary {@link KVStore};<a name="line.22"></a> <span class="sourceLineNo">023</span> * see {@link Database#createSnapshotTransaction Database.createSnapshotTransaction()}.<a name="line.23"></a> <span class="sourceLineNo">024</span> *<a name="line.24"></a> <span class="sourceLineNo">025</span> * @see Transaction#createSnapshotTransaction Transaction.createSnapshotTransaction()<a name="line.25"></a> <span class="sourceLineNo">026</span> * @see Database#createSnapshotTransaction Database.createSnapshotTransaction()<a name="line.26"></a> <span class="sourceLineNo">027</span> * @see org.jsimpledb.SnapshotJTransaction<a name="line.27"></a> <span class="sourceLineNo">028</span> */<a name="line.28"></a> <span class="sourceLineNo">029</span>public class SnapshotTransaction extends Transaction {<a name="line.29"></a> <span class="sourceLineNo">030</span><a name="line.30"></a> <span class="sourceLineNo">031</span>// Constructors<a name="line.31"></a> <span class="sourceLineNo">032</span><a name="line.32"></a> <span class="sourceLineNo">033</span> SnapshotTransaction(Database db, KVStore kvstore, Schemas schemas) {<a name="line.33"></a> <span class="sourceLineNo">034</span> super(db, new SnapshotKVTransaction(kvstore), schemas);<a name="line.34"></a> <span class="sourceLineNo">035</span> }<a name="line.35"></a> <span class="sourceLineNo">036</span><a name="line.36"></a> <span class="sourceLineNo">037</span> SnapshotTransaction(Database db, KVStore kvstore, Schemas schemas, int versionNumber) {<a name="line.37"></a> <span class="sourceLineNo">038</span> super(db, new SnapshotKVTransaction(kvstore), schemas, versionNumber);<a name="line.38"></a> <span class="sourceLineNo">039</span> }<a name="line.39"></a> <span class="sourceLineNo">040</span><a name="line.40"></a> <span class="sourceLineNo">041</span> SnapshotTransaction(Database db, KVStore kvstore, Schemas schemas, Schema schema) {<a name="line.41"></a> <span class="sourceLineNo">042</span> super(db, new SnapshotKVTransaction(kvstore), schemas, schema);<a name="line.42"></a> <span class="sourceLineNo">043</span> }<a name="line.43"></a> <span class="sourceLineNo">044</span><a name="line.44"></a> <span class="sourceLineNo">045</span>// Methods<a name="line.45"></a> <span class="sourceLineNo">046</span><a name="line.46"></a> <span class="sourceLineNo">047</span> /**<a name="line.47"></a> <span class="sourceLineNo">048</span> * Delete all objects contained in this snapshot transaction.<a name="line.48"></a> <span class="sourceLineNo">049</span> *<a name="line.49"></a> <span class="sourceLineNo">050</span> * &lt;p&gt;<a name="line.50"></a> <span class="sourceLineNo">051</span> * It will contain schema meta-data but no objects.<a name="line.51"></a> <span class="sourceLineNo">052</span> * &lt;/p&gt;<a name="line.52"></a> <span class="sourceLineNo">053</span> */<a name="line.53"></a> <span class="sourceLineNo">054</span> public void reset() {<a name="line.54"></a> <span class="sourceLineNo">055</span><a name="line.55"></a> <span class="sourceLineNo">056</span> // Sanity check<a name="line.56"></a> <span class="sourceLineNo">057</span> if (this.stale)<a name="line.57"></a> <span class="sourceLineNo">058</span> throw new StaleTransactionException(this);<a name="line.58"></a> <span class="sourceLineNo">059</span><a name="line.59"></a> <span class="sourceLineNo">060</span> // Delete all object and index keys<a name="line.60"></a> <span class="sourceLineNo">061</span> this.db.reset(this);<a name="line.61"></a> <span class="sourceLineNo">062</span> }<a name="line.62"></a> <span class="sourceLineNo">063</span><a name="line.63"></a> <span class="sourceLineNo">064</span> /**<a name="line.64"></a> <span class="sourceLineNo">065</span> * Commit this transaction.<a name="line.65"></a> <span class="sourceLineNo">066</span> *<a name="line.66"></a> <span class="sourceLineNo">067</span> * &lt;p&gt;<a name="line.67"></a> <span class="sourceLineNo">068</span> * {@link SnapshotTransaction}s do not support this method and will always throw {@link UnsupportedOperationException}.<a name="line.68"></a> <span class="sourceLineNo">069</span> * &lt;/p&gt;<a name="line.69"></a> <span class="sourceLineNo">070</span> *<a name="line.70"></a> <span class="sourceLineNo">071</span> * @throws UnsupportedOperationException always<a name="line.71"></a> <span class="sourceLineNo">072</span> */<a name="line.72"></a> <span class="sourceLineNo">073</span> @Override<a name="line.73"></a> <span class="sourceLineNo">074</span> public void commit() {<a name="line.74"></a> <span class="sourceLineNo">075</span> throw new UnsupportedOperationException("snapshot transaction");<a name="line.75"></a> <span class="sourceLineNo">076</span> }<a name="line.76"></a> <span class="sourceLineNo">077</span><a name="line.77"></a> <span class="sourceLineNo">078</span> /**<a name="line.78"></a> <span class="sourceLineNo">079</span> * Roll back this transaction.<a name="line.79"></a> <span class="sourceLineNo">080</span> *<a name="line.80"></a> <span class="sourceLineNo">081</span> * &lt;p&gt;<a name="line.81"></a> <span class="sourceLineNo">082</span> * {@link SnapshotTransaction}s do not support this method and will always throw {@link UnsupportedOperationException}.<a name="line.82"></a> <span class="sourceLineNo">083</span> * &lt;/p&gt;<a name="line.83"></a> <span class="sourceLineNo">084</span> *<a name="line.84"></a> <span class="sourceLineNo">085</span> * @throws UnsupportedOperationException always<a name="line.85"></a> <span class="sourceLineNo">086</span> */<a name="line.86"></a> <span class="sourceLineNo">087</span> @Override<a name="line.87"></a> <span class="sourceLineNo">088</span> public void rollback() {<a name="line.88"></a> <span class="sourceLineNo">089</span> throw new UnsupportedOperationException("snapshot transaction");<a name="line.89"></a> <span class="sourceLineNo">090</span> }<a name="line.90"></a> <span class="sourceLineNo">091</span><a name="line.91"></a> <span class="sourceLineNo">092</span> /**<a name="line.92"></a> <span class="sourceLineNo">093</span> * Register a transaction callback to be invoked when this transaction completes.<a name="line.93"></a> <span class="sourceLineNo">094</span> *<a name="line.94"></a> <span class="sourceLineNo">095</span> * &lt;p&gt;<a name="line.95"></a> <span class="sourceLineNo">096</span> * {@link Transaction.Callback}s registered with a {@link SnapshotTransaction} will by definition never be invoked.<a name="line.96"></a> <span class="sourceLineNo">097</span> * Therefore, this method simply discards {@code callback}.<a name="line.97"></a> <span class="sourceLineNo">098</span> * &lt;/p&gt;<a name="line.98"></a> <span class="sourceLineNo">099</span> */<a name="line.99"></a> <span class="sourceLineNo">100</span> @Override<a name="line.100"></a> <span class="sourceLineNo">101</span> public void addCallback(Callback callback) {<a name="line.101"></a> <span class="sourceLineNo">102</span> }<a name="line.102"></a> <span class="sourceLineNo">103</span><a name="line.103"></a> <span class="sourceLineNo">104</span> /**<a name="line.104"></a> <span class="sourceLineNo">105</span> * Determine whether this transaction is still valid.<a name="line.105"></a> <span class="sourceLineNo">106</span> *<a name="line.106"></a> <span class="sourceLineNo">107</span> * &lt;p&gt;<a name="line.107"></a> <span class="sourceLineNo">108</span> * {@link SnapshotTransaction}s are always valid.<a name="line.108"></a> <span class="sourceLineNo">109</span> * &lt;/p&gt;<a name="line.109"></a> <span class="sourceLineNo">110</span> *<a name="line.110"></a> <span class="sourceLineNo">111</span> * @return true always<a name="line.111"></a> <span class="sourceLineNo">112</span> */<a name="line.112"></a> <span class="sourceLineNo">113</span> @Override<a name="line.113"></a> <span class="sourceLineNo">114</span> public boolean isValid() {<a name="line.114"></a> <span class="sourceLineNo">115</span> return super.isValid();<a name="line.115"></a> <span class="sourceLineNo">116</span> }<a name="line.116"></a> <span class="sourceLineNo">117</span>}<a name="line.117"></a> <span class="sourceLineNo">118</span><a name="line.118"></a> </pre> </div> </body> </html>
{ "content_hash": "4c79f74ae5a0028bc67dbfb6080aaa86", "timestamp": "", "source": "github", "line_count": 188, "max_line_length": 182, "avg_line_length": 56.73936170212766, "alnum_prop": 0.6703853004593606, "repo_name": "tempbottle/jsimpledb", "id": "2dde81b4bdf3d9f3ca7dfc3464a7e88685038a97", "size": "10849", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "publish/reports/javadoc/src-html/org/jsimpledb/core/SnapshotTransaction.html", "mode": "33188", "license": "apache-2.0", "language": [ { "name": "CSS", "bytes": "11303" }, { "name": "HTML", "bytes": "29770969" }, { "name": "Java", "bytes": "3695737" }, { "name": "JavaScript", "bytes": "25330" }, { "name": "XSLT", "bytes": "26413" } ], "symlink_target": "" }
IndexImageView [![Build Status](https://travis-ci.org/avenwu/IndexImageView.svg?branch=master)](https://travis-ci.org/avenwu/IndexImageView) ============== A kind of circular image widget for Android OS. [![Get it on Google Play](http://www.android.com/images/brand/get_it_on_play_logo_small.png)](https://play.google.com/store/apps/details?id=com.github.avenwu.imageview.demo.app) #clone git clone https://github.com/avenwu/IndexImageView.git ![Screenshot](https://github.com/avenwu/IndexImageView/raw/master/device-2014-10-21-164818.png) ## Features The main feature can be seen from the snapshot above; - Set Text index above the image view; - Add configured border; - Inner gradient available; ## Usage Import the library into Android Studio or add dependency in build.gradle compile 'com.github.avenwu:IndexImageView:1.0.1' Most attributes of IndexImageView can be configured through xml; <com.github.avenwu.imageview.IndexImageView android:layout_width="100dp" android:layout_height="100dp" android:src="@drawable/image1" android:scaleType="centerCrop" app:indexText="100" app:indexFontSize="20sp" app:indexBackground="#ff5722" app:gradientEnable="false" app:circleBackground="#cddc39" app:strokeColor="#259b24" /> However you can also make new instance dynamically; IndexImageView imageView = new IndexImageView(this); imageView.setImageResource(R.drawable.image1); imageView.setIndexEnable(true); imageView.setText("121"); For more detail please look into the sample app; ##Contributions Any improvemet on this project will be appreaciated, so you can fork it and make changes freely and pull requests. * Email: <[email protected]> * Wiki: <https://github.com/avenwu/IndexImageView/wiki> * Bug Report: <https://github.com/avenwu/IndexImageView/issues> ## License The MIT License (MIT) Copyright (c) 2014 Chaobin Wu Permission is hereby granted, free of charge, to any person obtaining a copy of this software and associated documentation files (the "Software"), to deal in the Software without restriction, including without limitation the rights to use, copy, modify, merge, publish, distribute, sublicense, and/or sell copies of the Software, and to permit persons to whom the Software is furnished to do so, subject to the following conditions: The above copyright notice and this permission notice shall be included in all copies or substantial portions of the Software. THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE SOFTWARE.
{ "content_hash": "980b52fd7c3c388c546cbc59ac4e57dc", "timestamp": "", "source": "github", "line_count": 77, "max_line_length": 177, "avg_line_length": 38.8051948051948, "alnum_prop": 0.7556894243641231, "repo_name": "avenwu/IndexImageView", "id": "2ed675e28ac52bff41ae9607a1cc3f6bf493e76d", "size": "2988", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "README.md", "mode": "33261", "license": "mit", "language": [ { "name": "Groovy", "bytes": "5995" }, { "name": "Java", "bytes": "9032" } ], "symlink_target": "" }
<cms-time-ago cms-time="::auditData.createDate"></cms-time-ago> <div ng-if="::auditData.creator"> by <cms-user-link cms-user="::auditData.creator"></cms-user-link> </div>
{ "content_hash": "1f3ef1288a742a92bc9c9c8fde1f3c96", "timestamp": "", "source": "github", "line_count": 4, "max_line_length": 69, "avg_line_length": 44, "alnum_prop": 0.6761363636363636, "repo_name": "cofoundry-cms/cofoundry", "id": "56e37a51ec23817f9265979270af683a9e42f0c2", "size": "178", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "src/Cofoundry.Web.Admin/Admin/Modules/Shared/Js/UIComponents/Table/TableCellCreatedAuditData.html", "mode": "33188", "license": "mit", "language": [ { "name": "C#", "bytes": "4940398" }, { "name": "CSS", "bytes": "185312" }, { "name": "HTML", "bytes": "348286" }, { "name": "JavaScript", "bytes": "869157" }, { "name": "PowerShell", "bytes": "8549" }, { "name": "SCSS", "bytes": "245339" }, { "name": "TSQL", "bytes": "160288" } ], "symlink_target": "" }
package edu.northwestern.bioinformatics.studycalendar.xml.writers; import edu.northwestern.bioinformatics.studycalendar.domain.ScheduledActivityMode; import edu.northwestern.bioinformatics.studycalendar.domain.ScheduledActivityState; import edu.northwestern.bioinformatics.studycalendar.xml.AbstractStudyCalendarXmlSerializer; import static edu.northwestern.bioinformatics.studycalendar.xml.XsdAttribute.*; import edu.northwestern.bioinformatics.studycalendar.xml.XsdElement; import org.dom4j.Element; /** * @author John Dzak */ public abstract class AbstractScheduledActivityStateXmlSerializer extends AbstractStudyCalendarXmlSerializer<ScheduledActivityState> { protected static final String MISSED = "missed"; protected static final String SCHEDULED = "scheduled"; protected static final String OCCURRED = "occurred"; public static final String CANCELED = "canceled"; public static final String CONDITIONAL = "conditional"; public static final String NOT_APPLICABLE = "not-applicable"; @Override public Element createElement(ScheduledActivityState state) { Element elt = element().create(); SCHEDULED_ACTIVITY_STATE_REASON.addTo(elt, state.getReason()); SCHEDULED_ACTIVITY_STATE_DATE.addTo(elt, state.getDate()); if (ScheduledActivityMode.SCHEDULED.equals(state.getMode())) { SCHEDULED_ACTIVITY_STATE_STATE.addTo(elt, SCHEDULED); } else if (ScheduledActivityMode.OCCURRED.equals(state.getMode())) { SCHEDULED_ACTIVITY_STATE_STATE.addTo(elt, OCCURRED); } else if (ScheduledActivityMode.CANCELED.equals(state.getMode())) { SCHEDULED_ACTIVITY_STATE_STATE.addTo(elt, CANCELED); } else if (ScheduledActivityMode.CONDITIONAL.equals(state.getMode())) { SCHEDULED_ACTIVITY_STATE_STATE.addTo(elt, CONDITIONAL); } else if (ScheduledActivityMode.NOT_APPLICABLE.equals(state.getMode())) { SCHEDULED_ACTIVITY_STATE_STATE.addTo(elt, NOT_APPLICABLE); } else if (ScheduledActivityMode.MISSED.equals(state.getMode())) { SCHEDULED_ACTIVITY_STATE_STATE.addTo(elt, MISSED); } return elt; } @Override public ScheduledActivityState readElement(Element element) { throw new UnsupportedOperationException("Functionality to read a scheduled activity state element does not exist"); } protected abstract XsdElement element(); }
{ "content_hash": "7db3a67943d37bf8e9fd1b9419bcf7ac", "timestamp": "", "source": "github", "line_count": 50, "max_line_length": 134, "avg_line_length": 48.68, "alnum_prop": 0.743631881676253, "repo_name": "NUBIC/psc-mirror", "id": "e069dabb58ec4afde9a47021f6eee1fd357baf58", "size": "2434", "binary": false, "copies": "1", "ref": "refs/heads/trunk", "path": "core/src/main/java/edu/northwestern/bioinformatics/studycalendar/xml/writers/AbstractScheduledActivityStateXmlSerializer.java", "mode": "33188", "license": "bsd-3-clause", "language": [ { "name": "Groovy", "bytes": "169396" }, { "name": "Java", "bytes": "6322244" }, { "name": "JavaScript", "bytes": "809902" }, { "name": "Ruby", "bytes": "372186" }, { "name": "Shell", "bytes": "364" } ], "symlink_target": "" }
<?php namespace app\forms; use app\models\User; use yii\base\Model; use Yii; /** * GenreForm is the model behind the genre form. * * @property User|null $user This property is read-only. * */ class ChangePasswordForm extends Model { public $userId; public $password; public $newPassword; public $passwordConfirm; public $passwordHash; public $newPasswordHash; private $user; /** * @return array the validation rules. */ public function rules() { return [ [ [ 'password', 'newPassword', 'passwordConfirm', ], 'required', ], [ [ 'password', 'newPassword', 'passwordConfirm', ], 'string', 'min' => 6, 'max' => 255, ], [ 'passwordConfirm', 'compare', 'compareAttribute' => 'newPassword', ], [ 'passwordHash', 'default', 'value' => function($model) { return Yii::$app->security->generatePasswordHash($model->password); }, ], [ 'newPasswordHash', 'default', 'value' => function($model) { return Yii::$app->security->generatePasswordHash($model->newPassword); }, ], [ 'password', 'validatePassword', ], ]; } public function attributeLabels() { return [ 'newPassword' => 'New password', 'passwordConfirm' => 'Confirm password' ]; } public function validatePassword($attribute) { $user = $this->getUser(); if (! $user || ! $user->validatePasswordHash($this->password)) { $this->addError($attribute, 'Неверный пароль.'); } } public function changePassword($id) { $this->userId = $id; if (! $this->validate()) { return false; } $user = $this->getUser(); $user->passwordHash = $this->newPasswordHash; if (! $user->save()) { return false; } return true; } public function getUser() { if (! $this->user) { $this->user = User::findIdentity($this->userId); } return $this->user; } }
{ "content_hash": "d80d870db85ce21c956a51f05f127371", "timestamp": "", "source": "github", "line_count": 113, "max_line_length": 90, "avg_line_length": 23.548672566371682, "alnum_prop": 0.4265313791807591, "repo_name": "YmriKartoshka/blog", "id": "aac91c7ac0036bc89d6c694e11be731da31f22a4", "size": "2675", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "forms/ChangePasswordForm.php", "mode": "33261", "license": "bsd-3-clause", "language": [ { "name": "ApacheConf", "bytes": "327" }, { "name": "Batchfile", "bytes": "1030" }, { "name": "CSS", "bytes": "345648" }, { "name": "JavaScript", "bytes": "139414" }, { "name": "PHP", "bytes": "258887" } ], "symlink_target": "" }
namespace AH.ModuleController.UI.ACCMS.Forms { partial class frmRevenueHeadGroup { /// <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.smartLabel1 = new AtiqsControlLibrary.SmartLabel(); this.smartLabel2 = new AtiqsControlLibrary.SmartLabel(); this.smartLabel3 = new AtiqsControlLibrary.SmartLabel(); this.txtRevHdID = new AtiqsControlLibrary.SmartTextBox(); this.txtRevHdName = new AtiqsControlLibrary.SmartTextBox(); this.txtRemarks = new AtiqsControlLibrary.SmartTextBox(); this.cboPriority = new AtiqsControlLibrary.SmartComboBox(); this.smartLabel4 = new AtiqsControlLibrary.SmartLabel(); this.lvRhgr = new AtiqsControlLibrary.SmartListViewDetails(); this.pnlMain.SuspendLayout(); this.pnlTop.SuspendLayout(); this.SuspendLayout(); // // frmLabel // this.frmLabel.Size = new System.Drawing.Size(267, 33); this.frmLabel.TabIndex = 6; this.frmLabel.Text = "Revenue Head Group"; // // pnlMain // this.pnlMain.Controls.Add(this.lvRhgr); this.pnlMain.Controls.Add(this.smartLabel4); this.pnlMain.Controls.Add(this.cboPriority); this.pnlMain.Controls.Add(this.txtRemarks); this.pnlMain.Controls.Add(this.txtRevHdName); this.pnlMain.Controls.Add(this.txtRevHdID); this.pnlMain.Controls.Add(this.smartLabel3); this.pnlMain.Controls.Add(this.smartLabel2); this.pnlMain.Controls.Add(this.smartLabel1); // // btnEdit // this.btnEdit.Enabled = false; this.btnEdit.TabIndex = 3; this.btnEdit.Click += new System.EventHandler(this.btnEdit_Click); // // btnSave // this.btnSave.TabIndex = 2; this.btnSave.Click += new System.EventHandler(this.btnSave_Click); // // btnDelete // this.btnDelete.TabIndex = 4; // // btnNew // this.btnNew.Click += new System.EventHandler(this.btnNew_Click); // // groupBox1 // this.groupBox1.Location = new System.Drawing.Point(0, 594); // // smartLabel1 // this.smartLabel1.AutoSize = true; this.smartLabel1.Font = new System.Drawing.Font("Microsoft Sans Serif", 8.25F, System.Drawing.FontStyle.Bold); this.smartLabel1.Location = new System.Drawing.Point(212, 171); this.smartLabel1.Name = "smartLabel1"; this.smartLabel1.Size = new System.Drawing.Size(62, 13); this.smartLabel1.TabIndex = 0; this.smartLabel1.Text = "Group ID:"; // // smartLabel2 // this.smartLabel2.AutoSize = true; this.smartLabel2.Font = new System.Drawing.Font("Microsoft Sans Serif", 8.25F, System.Drawing.FontStyle.Bold); this.smartLabel2.Location = new System.Drawing.Point(200, 206); this.smartLabel2.Name = "smartLabel2"; this.smartLabel2.Size = new System.Drawing.Size(74, 13); this.smartLabel2.TabIndex = 1; this.smartLabel2.Text = "Group Title:"; // // smartLabel3 // this.smartLabel3.AutoSize = true; this.smartLabel3.Font = new System.Drawing.Font("Microsoft Sans Serif", 8.25F, System.Drawing.FontStyle.Bold); this.smartLabel3.Location = new System.Drawing.Point(214, 238); this.smartLabel3.Name = "smartLabel3"; this.smartLabel3.Size = new System.Drawing.Size(60, 13); this.smartLabel3.TabIndex = 2; this.smartLabel3.Text = "Remarks:"; // // txtRevHdID // this.txtRevHdID.BorderStyle = System.Windows.Forms.BorderStyle.FixedSingle; this.txtRevHdID.Font = new System.Drawing.Font("Microsoft Sans Serif", 11.25F, System.Drawing.FontStyle.Bold, System.Drawing.GraphicsUnit.Point, ((byte)(0))); this.txtRevHdID.Location = new System.Drawing.Point(288, 171); this.txtRevHdID.Name = "txtRevHdID"; this.txtRevHdID.ReadOnly = true; this.txtRevHdID.Size = new System.Drawing.Size(294, 24); this.txtRevHdID.TabIndex = 0; // // txtRevHdName // this.txtRevHdName.BorderStyle = System.Windows.Forms.BorderStyle.FixedSingle; this.txtRevHdName.Font = new System.Drawing.Font("Microsoft Sans Serif", 11.25F, System.Drawing.FontStyle.Bold, System.Drawing.GraphicsUnit.Point, ((byte)(0))); this.txtRevHdName.Location = new System.Drawing.Point(288, 200); this.txtRevHdName.Name = "txtRevHdName"; this.txtRevHdName.Size = new System.Drawing.Size(294, 24); this.txtRevHdName.TabIndex = 0; // // txtRemarks // this.txtRemarks.BorderStyle = System.Windows.Forms.BorderStyle.FixedSingle; this.txtRemarks.Font = new System.Drawing.Font("Microsoft Sans Serif", 11.25F, System.Drawing.FontStyle.Bold, System.Drawing.GraphicsUnit.Point, ((byte)(0))); this.txtRemarks.Location = new System.Drawing.Point(288, 231); this.txtRemarks.Name = "txtRemarks"; this.txtRemarks.Size = new System.Drawing.Size(294, 24); this.txtRemarks.TabIndex = 1; // // cboPriority // this.cboPriority.BackColor = System.Drawing.Color.FromArgb(((int)(((byte)(255)))), ((int)(((byte)(192)))), ((int)(((byte)(192))))); this.cboPriority.DropDownStyle = System.Windows.Forms.ComboBoxStyle.DropDownList; this.cboPriority.Font = new System.Drawing.Font("Microsoft Sans Serif", 11F, System.Drawing.FontStyle.Regular, System.Drawing.GraphicsUnit.Point, ((byte)(0))); this.cboPriority.ForeColor = System.Drawing.Color.Blue; this.cboPriority.FormattingEnabled = true; this.cboPriority.Items.AddRange(new object[] { "1", "2"}); this.cboPriority.Location = new System.Drawing.Point(288, 263); this.cboPriority.Name = "cboPriority"; this.cboPriority.Size = new System.Drawing.Size(294, 26); this.cboPriority.TabIndex = 20; this.cboPriority.Visible = false; // // smartLabel4 // this.smartLabel4.AutoSize = true; this.smartLabel4.Font = new System.Drawing.Font("Microsoft Sans Serif", 8.25F, System.Drawing.FontStyle.Bold); this.smartLabel4.Location = new System.Drawing.Point(227, 271); this.smartLabel4.Name = "smartLabel4"; this.smartLabel4.Size = new System.Drawing.Size(47, 13); this.smartLabel4.TabIndex = 7; this.smartLabel4.Text = "Status:"; this.smartLabel4.Visible = false; // // lvRhgr // this.lvRhgr.BackColor = System.Drawing.Color.LemonChiffon; this.lvRhgr.BorderStyle = System.Windows.Forms.BorderStyle.FixedSingle; this.lvRhgr.Cursor = System.Windows.Forms.Cursors.Hand; this.lvRhgr.Font = new System.Drawing.Font("Maiandra GD", 11.25F, System.Drawing.FontStyle.Regular, System.Drawing.GraphicsUnit.Point, ((byte)(0))); this.lvRhgr.FullRowSelect = true; this.lvRhgr.GridLines = true; this.lvRhgr.HeaderStyle = System.Windows.Forms.ColumnHeaderStyle.Nonclickable; this.lvRhgr.Location = new System.Drawing.Point(11, 322); this.lvRhgr.Name = "lvRhgr"; this.lvRhgr.Size = new System.Drawing.Size(842, 295); this.lvRhgr.TabIndex = 8; this.lvRhgr.UseCompatibleStateImageBehavior = false; this.lvRhgr.View = System.Windows.Forms.View.Details; this.lvRhgr.SelectedIndexChanged += new System.EventHandler(this.lvRhgr_SelectedIndexChanged); // // frmRevenueHeadGroup // this.AutoScaleDimensions = new System.Drawing.SizeF(6F, 13F); this.ClientSize = new System.Drawing.Size(864, 619); this.Name = "frmRevenueHeadGroup"; this.Load += new System.EventHandler(this.frmRevenueHeadGroup_Load); this.pnlMain.ResumeLayout(false); this.pnlMain.PerformLayout(); this.pnlTop.ResumeLayout(false); this.pnlTop.PerformLayout(); this.ResumeLayout(false); } #endregion private AtiqsControlLibrary.SmartLabel smartLabel1; private AtiqsControlLibrary.SmartListViewDetails lvRhgr; private AtiqsControlLibrary.SmartLabel smartLabel4; private AtiqsControlLibrary.SmartComboBox cboPriority; private AtiqsControlLibrary.SmartTextBox txtRemarks; private AtiqsControlLibrary.SmartTextBox txtRevHdName; private AtiqsControlLibrary.SmartTextBox txtRevHdID; private AtiqsControlLibrary.SmartLabel smartLabel3; private AtiqsControlLibrary.SmartLabel smartLabel2; } }
{ "content_hash": "9933c055da847d64bb5bea9b90e16282", "timestamp": "", "source": "github", "line_count": 213, "max_line_length": 172, "avg_line_length": 48.08920187793427, "alnum_prop": 0.5970906960851313, "repo_name": "atiq-shumon/DotNetProjects", "id": "603ef10303870d1d31664a8d89eff02296fe9ef2", "size": "10245", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "Hospital_ERP_VS13-WCF_WF/AH.ModuleController/UI/ACCMS/Forms/frmRevenueHeadGroup.Designer.cs", "mode": "33188", "license": "apache-2.0", "language": [ { "name": "ASP", "bytes": "1059021" }, { "name": "C#", "bytes": "39389238" }, { "name": "CSS", "bytes": "683218" }, { "name": "HTML", "bytes": "44772" }, { "name": "JavaScript", "bytes": "1343054" }, { "name": "PLpgSQL", "bytes": "340074" }, { "name": "Pascal", "bytes": "81971" }, { "name": "PowerShell", "bytes": "175142" }, { "name": "Puppet", "bytes": "2111" }, { "name": "Smalltalk", "bytes": "9" }, { "name": "XSLT", "bytes": "12347" } ], "symlink_target": "" }
import React from "react"; import { assert, shallow } from "../../../common"; import SiteIcon from "../../../../app/scripts/lib/views/common/site-icon"; describe("SiteIcon", () => { describe("#render", () => { it("renders site icon image", () => { chrome.i18n.getMessage.returns("Syosetuka ni Narou"); const actual = shallow( <SiteIcon name="narou" /> ); const expected = ( <img src="/images/sites/narou.png" title="Syosetuka ni Narou" alt="Syosetuka ni Narou" className="site-icon" /> ); assert.reactEqual(actual, expected); }); it("renders other site", () => { const actual = shallow( <SiteIcon name="other test" /> ); const expected = ( <img src="/images/sites/other.png" title="Other Test" alt="Other Test" className="site-icon" /> ); assert.reactEqual(actual, expected); }); }); });
{ "content_hash": "5718a277d70fbef4fe92859a35ac79f8", "timestamp": "", "source": "github", "line_count": 39, "max_line_length": 74, "avg_line_length": 25.76923076923077, "alnum_prop": 0.5194029850746269, "repo_name": "io-monad/novelous-extension", "id": "f45550b56ea76cd5cd82dbf44d8cc3166de48fdc", "size": "1005", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "test/lib/views/common/site-icon-test.js", "mode": "33188", "license": "mit", "language": [ { "name": "CSS", "bytes": "7810" }, { "name": "HTML", "bytes": "1401" }, { "name": "JavaScript", "bytes": "328844" } ], "symlink_target": "" }
/// <reference path="../../Scripts/typings/angularjs/angular.d.ts" /> "use strict"; module app.angular.Models { export class ErrorModel { message: string; stackTrace: string; } }
{ "content_hash": "1fb3c1260a2938a0891013fc9e300e3b", "timestamp": "", "source": "github", "line_count": 10, "max_line_length": 70, "avg_line_length": 20.5, "alnum_prop": 0.6195121951219512, "repo_name": "devkimchi/EventSourcing-CQRS-Sample", "id": "bc6ac6b2860519fbd924500832cad1dbe4d91ad4", "size": "207", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "src/EventSourcingCqrsSample.WebApp/App/models/errorModel.ts", "mode": "33188", "license": "mit", "language": [ { "name": "C#", "bytes": "135383" }, { "name": "CSS", "bytes": "316" }, { "name": "HTML", "bytes": "1596" }, { "name": "TypeScript", "bytes": "20581" } ], "symlink_target": "" }
module Mutest # An AST Parser class Parser include Equalizer.new include Adamantium::Mutable # Initialize object # # @return [undefined] def initialize @cache = {} end # Parse path into AST # # @param [Pathname] path # # @return [AST::Node] def open(path) @cache[path] ||= SourceFile.read(path) end end end
{ "content_hash": "6a67ed0f13a274ec79ec26d81c7e88f2", "timestamp": "", "source": "github", "line_count": 23, "max_line_length": 44, "avg_line_length": 16.652173913043477, "alnum_prop": 0.5796344647519582, "repo_name": "backus/mutest", "id": "ed97c805c236a337e0879ecfe7f61d5845b14bd0", "size": "383", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "lib/mutest/parser.rb", "mode": "33188", "license": "mit", "language": [ { "name": "Roff", "bytes": "932" }, { "name": "Ruby", "bytes": "508062" }, { "name": "Shell", "bytes": "44" } ], "symlink_target": "" }
<!DOCTYPE HTML PUBLIC "-//W3C//DTD HTML 4.01 Transitional//EN" "http://www.w3.org/TR/html4/loose.dtd"> <!-- NewPage --> <html lang="it"> <head> <!-- Generated by javadoc (1.8.0_172) on Mon Aug 20 16:03:18 CEST 2018 --> <meta http-equiv="Content-Type" content="text/html; charset=UTF-8"> <title>org.plugface.spring Class Hierarchy (PlugFace :: Spring 0.7.1 API)</title> <meta name="date" content="2018-08-20"> <link rel="stylesheet" type="text/css" href="../../../stylesheet.css" title="Style"> <script type="text/javascript" src="../../../script.js"></script> </head> <body> <script type="text/javascript"><!-- try { if (location.href.indexOf('is-external=true') == -1) { parent.document.title="org.plugface.spring Class Hierarchy (PlugFace :: Spring 0.7.1 API)"; } } catch(err) { } //--> </script> <noscript> <div>JavaScript is disabled on your browser.</div> </noscript> <!-- ========= START OF TOP NAVBAR ======= --> <div class="topNav"><a name="navbar.top"> <!-- --> </a> <div class="skipNav"><a href="#skip.navbar.top" title="Skip navigation links">Skip navigation links</a></div> <a name="navbar.top.firstrow"> <!-- --> </a> <ul class="navList" title="Navigation"> <li><a href="../../../org/plugface/spring/package-summary.html">Package</a></li> <li>Class</li> <li>Use</li> <li class="navBarCell1Rev">Tree</li> <li><a href="../../../deprecated-list.html">Deprecated</a></li> <li><a href="../../../index-all.html">Index</a></li> <li><a href="../../../help-doc.html">Help</a></li> </ul> </div> <div class="subNav"> <ul class="navList"> <li>Prev</li> <li>Next</li> </ul> <ul class="navList"> <li><a href="../../../index.html?org/plugface/spring/package-tree.html" target="_top">Frames</a></li> <li><a href="package-tree.html" target="_top">No&nbsp;Frames</a></li> </ul> <ul class="navList" id="allclasses_navbar_top"> <li><a href="../../../allclasses-noframe.html">All&nbsp;Classes</a></li> </ul> <div> <script type="text/javascript"><!-- allClassesLink = document.getElementById("allclasses_navbar_top"); if(window==top) { allClassesLink.style.display = "block"; } else { allClassesLink.style.display = "none"; } //--> </script> </div> <a name="skip.navbar.top"> <!-- --> </a></div> <!-- ========= END OF TOP NAVBAR ========= --> <div class="header"> <h1 class="title">Hierarchy For Package org.plugface.spring</h1> </div> <div class="contentContainer"> <h2 title="Class Hierarchy">Class Hierarchy</h2> <ul> <li type="circle">java.lang.<a href="http://docs.oracle.com/javase/7/docs/api/java/lang/Object.html?is-external=true" title="class or interface in java.lang"><span class="typeNameLink">Object</span></a> <ul> <li type="circle">org.plugface.core.impl.<a href="https://plugface.org/plugface-core/apidocs/org/plugface/core/impl/DefaultPluginContext.html?is-external=true" title="class or interface in org.plugface.core.impl"><span class="typeNameLink">DefaultPluginContext</span></a> (implements org.plugface.core.<a href="https://plugface.org/plugface-core/apidocs/org/plugface/core/PluginContext.html?is-external=true" title="class or interface in org.plugface.core">PluginContext</a>) <ul> <li type="circle">org.plugface.spring.<a href="../../../org/plugface/spring/SpringPluginContext.html" title="class in org.plugface.spring"><span class="typeNameLink">SpringPluginContext</span></a> (implements org.springframework.context.ApplicationContextAware)</li> </ul> </li> <li type="circle">org.plugface.core.impl.<a href="https://plugface.org/plugface-core/apidocs/org/plugface/core/impl/DefaultPluginManager.html?is-external=true" title="class or interface in org.plugface.core.impl"><span class="typeNameLink">DefaultPluginManager</span></a> (implements org.plugface.core.<a href="https://plugface.org/plugface-core/apidocs/org/plugface/core/PluginManager.html?is-external=true" title="class or interface in org.plugface.core">PluginManager</a>) <ul> <li type="circle">org.plugface.spring.<a href="../../../org/plugface/spring/SpringPluginManager.html" title="class in org.plugface.spring"><span class="typeNameLink">SpringPluginManager</span></a> (implements org.springframework.context.ApplicationContextAware)</li> </ul> </li> <li type="circle">org.plugface.spring.<a href="../../../org/plugface/spring/SpringPluginContextAutoConfiguration.html" title="class in org.plugface.spring"><span class="typeNameLink">SpringPluginContextAutoConfiguration</span></a></li> </ul> </li> </ul> </div> <!-- ======= START OF BOTTOM NAVBAR ====== --> <div class="bottomNav"><a name="navbar.bottom"> <!-- --> </a> <div class="skipNav"><a href="#skip.navbar.bottom" title="Skip navigation links">Skip navigation links</a></div> <a name="navbar.bottom.firstrow"> <!-- --> </a> <ul class="navList" title="Navigation"> <li><a href="../../../org/plugface/spring/package-summary.html">Package</a></li> <li>Class</li> <li>Use</li> <li class="navBarCell1Rev">Tree</li> <li><a href="../../../deprecated-list.html">Deprecated</a></li> <li><a href="../../../index-all.html">Index</a></li> <li><a href="../../../help-doc.html">Help</a></li> </ul> </div> <div class="subNav"> <ul class="navList"> <li>Prev</li> <li>Next</li> </ul> <ul class="navList"> <li><a href="../../../index.html?org/plugface/spring/package-tree.html" target="_top">Frames</a></li> <li><a href="package-tree.html" target="_top">No&nbsp;Frames</a></li> </ul> <ul class="navList" id="allclasses_navbar_bottom"> <li><a href="../../../allclasses-noframe.html">All&nbsp;Classes</a></li> </ul> <div> <script type="text/javascript"><!-- allClassesLink = document.getElementById("allclasses_navbar_bottom"); if(window==top) { allClassesLink.style.display = "block"; } else { allClassesLink.style.display = "none"; } //--> </script> </div> <a name="skip.navbar.bottom"> <!-- --> </a></div> <!-- ======== END OF BOTTOM NAVBAR ======= --> <p class="legalCopy"><small>Copyright &#169; 2017&#x2013;2018 <a href="https://plugface.org/">PlugFace</a>. All rights reserved.</small></p> </body> </html>
{ "content_hash": "4fd5decaee6db97f06fdb7796ffe7e39", "timestamp": "", "source": "github", "line_count": 143, "max_line_length": 475, "avg_line_length": 42.20979020979021, "alnum_prop": 0.6678263750828363, "repo_name": "MatteoJoliveau/PlugFace", "id": "9d9725a1c6caa87903c6c85b41faa5c031288ffa", "size": "6036", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "docs/apidocs/plugface-spring/org/plugface/spring/package-tree.html", "mode": "33188", "license": "mit", "language": [ { "name": "CSS", "bytes": "297" }, { "name": "Java", "bytes": "109122" }, { "name": "JavaScript", "bytes": "14042" } ], "symlink_target": "" }
<section style="text-align: left;"> <h1>Historique</h1> <p> <ul> <li>L'idée vient de 4 étudiants, dont Ben Upton, du laboratoire d'informatique de l'Université de Cambridge.</li> <li>Plus tard, David Braben, développeur du jeu Elite, rejoint l'équipe.</li> <li>Ils créérent la fondation Raspberry Pi.</li> <li>Element14/Farnell et RS Electronic commençent la commercialisation au début 2012.</li> </ul> </p> </section>
{ "content_hash": "1015db04877548079a46db6f1f7f4473", "timestamp": "", "source": "github", "line_count": 13, "max_line_length": 141, "avg_line_length": 47.61538461538461, "alnum_prop": 0.4991922455573506, "repo_name": "Nekrofage/prezraspberry", "id": "4c5c9f9ec8c9ae1ee14d2d482bd975603b89c351", "size": "629", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "historique.php", "mode": "33188", "license": "mit", "language": [ { "name": "CSS", "bytes": "191178" }, { "name": "HTML", "bytes": "44689" }, { "name": "JavaScript", "bytes": "246679" }, { "name": "PHP", "bytes": "15841" } ], "symlink_target": "" }
ACCEPTED #### According to International Plant Names Index #### Published in null #### Original name null ### Remarks null
{ "content_hash": "3a093b87328d21a52ea04a898b2a87c0", "timestamp": "", "source": "github", "line_count": 13, "max_line_length": 31, "avg_line_length": 9.692307692307692, "alnum_prop": 0.7063492063492064, "repo_name": "mdoering/backbone", "id": "471256c4504d8131a0644daaa93c9af95d000328", "size": "179", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "life/Plantae/Magnoliophyta/Magnoliopsida/Malpighiales/Hypericaceae/Hypericum/Hypericum patentissimum/README.md", "mode": "33188", "license": "apache-2.0", "language": [], "symlink_target": "" }
bash-mysql-backup ================= A simple backup-script for MySQL # Usage Edit the config-section of the script. You might also want to have a look at the "Delete files/folders" just below, in case you want to edit it. By default it deletes everything older than a week. Make sure that the BASE_FOLDER you specify in the config contains a writable directory called "data". Also, if you want to use the mail functions, make sure to configure mail on your server. Eg. install and configure postfix. If mail is not important for you, simply comment the lines containing "mail" out. # Requirements 7z
{ "content_hash": "5fda23ecabb480cb89faa6337f9dede7", "timestamp": "", "source": "github", "line_count": 17, "max_line_length": 96, "avg_line_length": 35.529411764705884, "alnum_prop": 0.7566225165562914, "repo_name": "petercrona/bash-mysql-backup", "id": "ba7244acffa92def15b30eacc33edb646df9369d", "size": "604", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "README.md", "mode": "33188", "license": "mit", "language": [ { "name": "Shell", "bytes": "1906" } ], "symlink_target": "" }
require 'KindleCG/version' require 'json' require 'KindleCG/collections' require 'KindleCG/ebook/ebook' require 'pathname' module KindleCG class << self attr_writer :device_mountpoint, :os_mountpoint def device_mountpoint @device_mountpoint ||= Pathname.new '/mnt/us' end def os_mountpoint @os_mountpoint ||= Pathname.new '/Volumes/Kindle' end def system_path device_mountpoint.join('system').to_path end def documents_path device_mountpoint.join('documents').to_path end def os_documents_path os_mountpoint.join('documents').to_path end def os_collections_path os_mountpoint.join('system/collections.json').to_path end end class Generator def initialize @collections = Collections.new end def generate_collections generate_tree(KindleCG.os_documents_path) @collections end def generate_tree(path, current_collection = nil) Dir.foreach(path) do |item| next if item[0] == '.' fullpath = [path, item].join("/") if File.directory?(fullpath) new_collection = @collections.add(relative_path(fullpath)) generate_tree(fullpath, new_collection) else begin ebook = Ebook::Ebook.new(fullpath) @collections.add_item_to_collection(current_collection, ebook) unless current_collection.nil? rescue Ebook::EbookError next end end end end def backup FileUtils.cp(KindleCG.os_collections_path, [KindleCG.os_collections_path, 'bak'].join('.'), {preserve: false}) end def save IO.write(KindleCG.os_collections_path, @collections.to_json) end private def relative_path(path) _path = path.dup _path.slice!(KindleCG.os_documents_path + '/') _path == KindleCG.os_documents_path ? "" : _path end end end
{ "content_hash": "854c348640cda380178e23c5d552a3ec", "timestamp": "", "source": "github", "line_count": 83, "max_line_length": 116, "avg_line_length": 23.301204819277107, "alnum_prop": 0.6313340227507755, "repo_name": "zekus/KindleCG", "id": "096c0e0bbc3cbde10205158c52a973cef582ebdd", "size": "1934", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "lib/KindleCG.rb", "mode": "33188", "license": "mit", "language": [ { "name": "Ruby", "bytes": "9251" } ], "symlink_target": "" }
<!doctype html> <html> <head> <link rel="shortcut icon" href="static/images/favicon.ico" type="image/x-icon"> <title>database.js (Closure Library API Documentation - JavaScript)</title> <link rel="stylesheet" href="static/css/base.css"> <link rel="stylesheet" href="static/css/doc.css"> <link rel="stylesheet" href="static/css/sidetree.css"> <link rel="stylesheet" href="static/css/prettify.css"> <script> var _staticFilePath = "static/"; </script> <script src="static/js/doc.js"> </script> <meta charset="utf8"> </head> <body onload="prettyPrint()"> <div id="header"> <div class="g-section g-tpl-50-50 g-split"> <div class="g-unit g-first"> <a id="logo" href="index.html">Closure Library API Documentation</a> </div> <div class="g-unit"> <div class="g-c"> <strong>Go to class or file:</strong> <input type="text" id="ac"> </div> </div> </div> </div> <div class="colmask rightmenu"> <div class="colleft"> <div class="col1"> <!-- Column 1 start --> <div id="title"> <span class="fn">database.js</span> </div> <div class="g-section g-tpl-75-25"> <div class="g-unit g-first" id="description"> This file contains functions for using the Gears database. </div> <div class="g-unit" id="useful-links"> <div class="title">Useful links</div> <ol> <li><a href="closure_goog_gears_database.js.source.html"><span class='source-code-link'>Source Code</span></a></li> </ol> </div> </div> <h2 class="g-first">File Location</h2> <div class="g-section g-tpl-20-80"> <div class="g-unit g-first"> <div class="g-c-cell code-label">gears/database.js</div> </div> </div> <hr/> <h2>Classes</h2> <div class="fn-constructor"> <a href="class_goog_gears_Database.html"> goog.gears.Database</a><br/> <div class="class-details">Class that for accessing a Gears database</div> </div> <div class="fn-constructor"> <a href="class_goog_gears_Database_TransactionEvent.html"> goog.gears.Database.TransactionEvent</a><br/> <div class="class-details">Event info for transaction events.</div> </div> <br/> <div class="legend"> <span class="key publickey"></span><span>Public</span> <span class="key protectedkey"></span><span>Protected</span> <span class="key privatekey"></span><span>Private</span> </div> <h2>Global Functions</h2> <div class="section"> <table class="horiz-rule"> <tr class="even entry public"> <td class="access"></td> <td> <a name="goog.gears.Database.isLockedException"></a> <div class="arg"> <img align="left" src="static/images/blank.gif"> <span class="entryNamespace">goog.gears.Database.</span><span class="entryName">isLockedException<span class="args">(<span class="arg">ex</span>)</span> </span> &#8658; <div class="fullType"><span class="type"><a href="http://www.google.com/url?sa=D&q=https://developer.mozilla.org/en/Core_JavaScript_1.5_Reference/Global_Objects/Boolean">boolean</a></span></div> </div> <div class="entryOverview"> Determines if the exception is a locking error. </div> <! -- Method details --> <div class="entryDetails"> <div class="detailsSection"> <b>Arguments: </b> <table class="horiz-rule"> <tr class="even"> <td> <span class="entryName">ex</span> : <div class="fullType"><span class="type">Error</span></div> <div class="entryOverview">The exception object.</div> </td> </tr> </table> </div> <div class="detailsSection"> <b>Returns:</b>&nbsp;<div class="fullType"><span class="type"><a href="http://www.google.com/url?sa=D&q=https://developer.mozilla.org/en/Core_JavaScript_1.5_Reference/Global_Objects/Boolean">boolean</a></span></div>&nbsp; Whether this is a database locked exception. </div> </div> </td> <td class="view-code"> <a href="closure_goog_gears_database.js.source.html#line916">code &raquo;</a> </td> </tr> <tr class="odd entry public"> <td class="access"></td> <td> <a name="goog.gears.Database.resultSetToArray"></a> <div class="arg"> <img align="left" src="static/images/blank.gif"> <span class="entryNamespace">goog.gears.Database.</span><span class="entryName">resultSetToArray<span class="args">(<span class="arg">rs</span>)</span> </span> &#8658; <div class="fullType"><span class="type"><a href="http://www.google.com/url?sa=D&q=https://developer.mozilla.org/en/Core_JavaScript_1.5_Reference/Global_Objects/Array">Array</a></span></div> </div> <div class="entryOverview"> Returns an array of the first row in the result set </div> <! -- Method details --> <div class="entryDetails"> <div class="detailsSection"> <b>Arguments: </b> <table class="horiz-rule"> <tr class="even"> <td> <span class="entryName">rs</span> : <div class="fullType"><span class="type">GearsResultSet</span></div> <div class="entryOverview">the result set returned by execute.</div> </td> </tr> </table> </div> <div class="detailsSection"> <b>Returns:</b>&nbsp;<div class="fullType"><span class="type"><a href="http://www.google.com/url?sa=D&q=https://developer.mozilla.org/en/Core_JavaScript_1.5_Reference/Global_Objects/Array">Array</a></span></div>&nbsp; An array containing the values in the first result set. Returns an empty array if there no matching rows. </div> </div> </td> <td class="view-code"> <a href="closure_goog_gears_database.js.source.html#line295">code &raquo;</a> </td> </tr> <tr class="even entry public"> <td class="access"></td> <td> <a name="goog.gears.Database.resultSetToArrays"></a> <div class="arg"> <img align="left" src="static/images/blank.gif"> <span class="entryNamespace">goog.gears.Database.</span><span class="entryName">resultSetToArrays<span class="args">(<span class="arg">rs</span>)</span> </span> &#8658; <div class="fullType"><span class="type"><a href="http://www.google.com/url?sa=D&q=https://developer.mozilla.org/en/Core_JavaScript_1.5_Reference/Global_Objects/Array">Array</a></span></div> </div> <div class="entryOverview"> Returns an array of arrays, where each sub array contains the selected values for each row in the result set. result values </div> <! -- Method details --> <div class="entryDetails"> <div class="detailsSection"> <b>Arguments: </b> <table class="horiz-rule"> <tr class="even"> <td> <span class="entryName">rs</span> : <div class="fullType"><span class="type">GearsResultSet</span></div> <div class="entryOverview">the result set returned by execute.</div> </td> </tr> </table> </div> <div class="detailsSection"> <b>Returns:</b>&nbsp;<div class="fullType"><span class="type"><a href="http://www.google.com/url?sa=D&q=https://developer.mozilla.org/en/Core_JavaScript_1.5_Reference/Global_Objects/Array">Array</a></span></div>&nbsp; An array of arrays. Returns an empty array if there are no matching rows. </div> </div> </td> <td class="view-code"> <a href="closure_goog_gears_database.js.source.html#line180">code &raquo;</a> </td> </tr> <tr class="odd entry public"> <td class="access"></td> <td> <a name="goog.gears.Database.resultSetToObject"></a> <div class="arg"> <img align="left" src="static/images/blank.gif"> <span class="entryNamespace">goog.gears.Database.</span><span class="entryName">resultSetToObject<span class="args">(<span class="arg">rs</span>)</span> </span> &#8658; <div class="fullType"><span>?</span><span class="type"><a href="http://www.google.com/url?sa=D&q=https://developer.mozilla.org/en/Core_JavaScript_1.5_Reference/Global_Objects/Object">Object</a></span></div> </div> <div class="entryOverview"> Returns a single hashed object from the result set (the first row), where the column names in the query are used as the members of the object. </div> <! -- Method details --> <div class="entryDetails"> <div class="detailsSection"> <b>Arguments: </b> <table class="horiz-rule"> <tr class="even"> <td> <span class="entryName">rs</span> : <div class="fullType"><span class="type">GearsResultSet</span></div> <div class="entryOverview">the result set returned by execute.</div> </td> </tr> </table> </div> <div class="detailsSection"> <b>Returns:</b>&nbsp;<div class="fullType"><span>?</span><span class="type"><a href="http://www.google.com/url?sa=D&q=https://developer.mozilla.org/en/Core_JavaScript_1.5_Reference/Global_Objects/Object">Object</a></span></div>&nbsp; a hash map with the key-value-pairs from the first row. Returns null is there are no matching rows. </div> </div> </td> <td class="view-code"> <a href="closure_goog_gears_database.js.source.html#line273">code &raquo;</a> </td> </tr> <tr class="even entry public"> <td class="access"></td> <td> <a name="goog.gears.Database.resultSetToObjectArray"></a> <div class="arg"> <img align="left" src="static/images/blank.gif"> <span class="entryNamespace">goog.gears.Database.</span><span class="entryName">resultSetToObjectArray<span class="args">(<span class="arg">rs</span>)</span> </span> &#8658; <div class="fullType"><span class="type"><a href="http://www.google.com/url?sa=D&q=https://developer.mozilla.org/en/Core_JavaScript_1.5_Reference/Global_Objects/Array">Array</a></span>.&lt;<span class="type"><a href="http://www.google.com/url?sa=D&q=https://developer.mozilla.org/en/Core_JavaScript_1.5_Reference/Global_Objects/Object">Object</a></span>&gt;</div> </div> <div class="entryOverview"> Returns a array of hash objects, one per row in the result set, where the column names in the query are used as the members of the object. </div> <! -- Method details --> <div class="entryDetails"> <div class="detailsSection"> <b>Arguments: </b> <table class="horiz-rule"> <tr class="even"> <td> <span class="entryName">rs</span> : <div class="fullType"><span class="type">GearsResultSet</span></div> <div class="entryOverview">the result set returned by execute.</div> </td> </tr> </table> </div> <div class="detailsSection"> <b>Returns:</b>&nbsp;<div class="fullType"><span class="type"><a href="http://www.google.com/url?sa=D&q=https://developer.mozilla.org/en/Core_JavaScript_1.5_Reference/Global_Objects/Array">Array</a></span>.&lt;<span class="type"><a href="http://www.google.com/url?sa=D&q=https://developer.mozilla.org/en/Core_JavaScript_1.5_Reference/Global_Objects/Object">Object</a></span>&gt;</div>&nbsp; An array containing hashes. Returns an empty array if there are no matching rows. </div> </div> </td> <td class="view-code"> <a href="closure_goog_gears_database.js.source.html#line206">code &raquo;</a> </td> </tr> <tr class="odd entry public"> <td class="access"></td> <td> <a name="goog.gears.Database.resultSetToValue"></a> <div class="arg"> <img align="left" src="static/images/blank.gif"> <span class="entryNamespace">goog.gears.Database.</span><span class="entryName">resultSetToValue<span class="args">(<span class="arg">rs</span>)</span> </span> &#8658; <div class="fullType"><span class="type">(number,string,null)</span></div> </div> <div class="entryOverview"> Returns a single value from the results (first column in first row). </div> <! -- Method details --> <div class="entryDetails"> <div class="detailsSection"> <b>Arguments: </b> <table class="horiz-rule"> <tr class="even"> <td> <span class="entryName">rs</span> : <div class="fullType"><span class="type">GearsResultSet</span></div> <div class="entryOverview">the result set returned by execute.</div> </td> </tr> </table> </div> <div class="detailsSection"> <b>Returns:</b>&nbsp;<div class="fullType"><span class="type">(number,string,null)</span></div>&nbsp; The first item in the first row of the result set. Returns null if there are no matching rows. </div> </div> </td> <td class="view-code"> <a href="closure_goog_gears_database.js.source.html#line255">code &raquo;</a> </td> </tr> <tr class="even entry public"> <td class="access"></td> <td> <a name="goog.gears.Database.resultSetToValueArray"></a> <div class="arg"> <img align="left" src="static/images/blank.gif"> <span class="entryNamespace">goog.gears.Database.</span><span class="entryName">resultSetToValueArray<span class="args">(<span class="arg">rs</span>)</span> </span> &#8658; <div class="fullType"><span class="type"><a href="http://www.google.com/url?sa=D&q=https://developer.mozilla.org/en/Core_JavaScript_1.5_Reference/Global_Objects/Array">Array</a></span>.&lt;<span class="type"><a href="http://www.google.com/url?sa=D&q=https://developer.mozilla.org/en/Core_JavaScript_1.5_Reference/Global_Objects/Object">Object</a></span>&gt;</div> </div> <div class="entryOverview"> Returns an array containing the first item of each row in a result set. This is useful for query that returns one column </div> <! -- Method details --> <div class="entryDetails"> <div class="detailsSection"> <b>Arguments: </b> <table class="horiz-rule"> <tr class="even"> <td> <span class="entryName">rs</span> : <div class="fullType"><span class="type">GearsResultSet</span></div> <div class="entryOverview">the result set returned by execute.</div> </td> </tr> </table> </div> <div class="detailsSection"> <b>Returns:</b>&nbsp;<div class="fullType"><span class="type"><a href="http://www.google.com/url?sa=D&q=https://developer.mozilla.org/en/Core_JavaScript_1.5_Reference/Global_Objects/Array">Array</a></span>.&lt;<span class="type"><a href="http://www.google.com/url?sa=D&q=https://developer.mozilla.org/en/Core_JavaScript_1.5_Reference/Global_Objects/Object">Object</a></span>&gt;</div>&nbsp; An array containing the values in the first column Returns an empty array if there are no matching rows. </div> </div> </td> <td class="view-code"> <a href="closure_goog_gears_database.js.source.html#line236">code &raquo;</a> </td> </tr> </table> </div> <!-- Column 1 end --> </div> <div class="col2"> <!-- Column 2 start --> <div class="col2-c"> <h2 id="ref-head">Directory gears</h2> <div id="localView"></div> </div> <div class="col2-c"> <h2 id="ref-head">File Reference</h2> <div id="sideFileIndex" rootPath="closure/goog" current="gears/database.js"></div> </div> <!-- Column 2 end --> </div> </div> </div> </body> </html>
{ "content_hash": "0277369d26048ef5969a5d662b3938c3", "timestamp": "", "source": "github", "line_count": 597, "max_line_length": 398, "avg_line_length": 26.41038525963149, "alnum_prop": 0.6071541827868333, "repo_name": "yesudeep/puppy", "id": "2f13bbe0bc6abaaef3a77ab19db44b3b9ee116d7", "size": "15767", "binary": false, "copies": "2", "ref": "refs/heads/master", "path": "tools/google-closure-library/closure/goog/docs/closure_goog_gears_database.js.html", "mode": "33188", "license": "mit", "language": [ { "name": "JavaScript", "bytes": "7979495" }, { "name": "Python", "bytes": "117877" }, { "name": "Ruby", "bytes": "592" } ], "symlink_target": "" }
/** * @file minSize4.c Defines MinSize set of 4 * @brief * Done in this way to be able to assemble various alternative sorting * arrangements staticly, rather than requiring one to recompile an * application as part of running a test suite. In this regard, we traded * off the low-overhead of having lots of very small functions that do * very little with the benefit of writing easy Makefiles that select * which minimum size to use at static linking time. * * @author George Heineman * @date 6/15/08 */ int minSize = 4;
{ "content_hash": "a00b889a055cdd5c948dfcbae147c094", "timestamp": "", "source": "github", "line_count": 14, "max_line_length": 75, "avg_line_length": 39.285714285714285, "alnum_prop": 0.72, "repo_name": "heineman/algorithms-nutshell-2ed", "id": "f138b49a9977b21661a45992a5a901b8082782c7", "size": "550", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "Code/Sorting/PointerBased/minSize4.c", "mode": "33188", "license": "mit", "language": [ { "name": "Awk", "bytes": "13061" }, { "name": "Batchfile", "bytes": "4168" }, { "name": "C", "bytes": "337190" }, { "name": "C++", "bytes": "79393" }, { "name": "Gnuplot", "bytes": "23959" }, { "name": "HTML", "bytes": "15751" }, { "name": "Java", "bytes": "2130710" }, { "name": "Makefile", "bytes": "80959" }, { "name": "Perl", "bytes": "1237" }, { "name": "Python", "bytes": "191943" }, { "name": "Roff", "bytes": "111622" }, { "name": "Scheme", "bytes": "5621" }, { "name": "Shell", "bytes": "35227" } ], "symlink_target": "" }
- Improve heading detecting
{ "content_hash": "0ff966afc4a400f48af869c0e7f727de", "timestamp": "", "source": "github", "line_count": 1, "max_line_length": 27, "avg_line_length": 28, "alnum_prop": 0.8214285714285714, "repo_name": "naokazuterada/MarkdownTOC", "id": "fd64d58d9aab8286d63d9f0e4b19e6cbdef9f721", "size": "63", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "messages/2.2.1.md", "mode": "33188", "license": "mit", "language": [ { "name": "Python", "bytes": "72404" } ], "symlink_target": "" }
<?php /** * Security section of the CMS * @package cms * @subpackage security */ class SecurityAdmin extends LeftAndMain implements PermissionProvider { static $url_segment = 'security'; static $url_rule = '/$Action/$ID/$OtherID'; static $menu_title = 'Security'; static $tree_class = 'Group'; static $subitem_class = 'Member'; static $allowed_actions = array( 'addgroup', 'addmember', 'autocomplete', 'removememberfromgroup', 'savemember', 'AddRecordForm', 'MemberForm', 'EditForm' ); public function init() { parent::init(); Requirements::javascript(THIRDPARTY_DIR . "/hover.js"); Requirements::javascript(THIRDPARTY_DIR . "/scriptaculous/controls.js"); // needed for MemberTableField (Requirements not determined before Ajax-Call) Requirements::javascript(SAPPHIRE_DIR . "/javascript/TableListField.js"); Requirements::javascript(SAPPHIRE_DIR . "/javascript/TableField.js"); Requirements::javascript(SAPPHIRE_DIR . "/javascript/ComplexTableField.js"); Requirements::javascript(CMS_DIR . "/javascript/MemberTableField.js"); Requirements::css(THIRDPARTY_DIR . "/greybox/greybox.css"); Requirements::css(SAPPHIRE_DIR . "/css/ComplexTableField.css"); Requirements::javascript(CMS_DIR . "/javascript/SecurityAdmin.js"); Requirements::javascript(CMS_DIR . "/javascript/SecurityAdmin_left.js"); Requirements::javascript(CMS_DIR . "/javascript/SecurityAdmin_right.js"); Requirements::javascript(THIRDPARTY_DIR . "/greybox/AmiJS.js"); Requirements::javascript(THIRDPARTY_DIR . "/greybox/greybox.js"); } public function getEditForm($id) { $record = DataObject::get_by_id($this->stat('tree_class'), $id); if(!$record) return false; $fields = $record->getCMSFields(); $actions = new FieldSet( new FormAction('addmember',_t('SecurityAdmin.ADDMEMBER','Add Member')), new FormAction('save',_t('SecurityAdmin.SAVE','Save')) ); $form = new Form($this, "EditForm", $fields, $actions); $form->loadDataFrom($record); return $form; } public function AddRecordForm() { $m = Object::create('MemberTableField', $this, "Members", $this->currentPageID() ); return $m->AddRecordForm(); } /** * Ajax autocompletion */ public function autocomplete() { $fieldName = $this->urlParams['ID']; $fieldVal = $_REQUEST[$fieldName]; $result = ''; // Make sure we only autocomplete on keys that actually exist, and that we don't autocomplete on password if(!array_key_exists($fieldName, singleton($this->stat('subitem_class'))->stat('db')) || $fieldName == 'Password') return; $matches = DataObject::get($this->stat('subitem_class'),"$fieldName LIKE '" . Convert::raw2sql($fieldVal) . "%'"); if($matches) { $result .= "<ul>"; foreach($matches as $match) { $data = $match->FirstName; $data .= ",$match->Surname"; $data .= ",$match->Email"; $result .= "<li>" . $match->$fieldName . "<span class=\"informal\">($match->FirstName $match->Surname, $match->Email)</span><span class=\"informal data\">$data</span></li>"; } $result .= "</ul>"; return $result; } } public function MemberForm() { $id = $_REQUEST['ID'] ? $_REQUEST['ID'] : Session::get('currentMember'); if($id) return $this->getMemberForm($id); } public function getMemberForm($id) { if($id && $id != 'new') $record = DataObject::get_by_id('Member', (int) $id); if($record || $id == 'new') { $fields = new FieldSet( new HiddenField('MemberListBaseGroup', '', $this->currentPageID() ) ); if($extraFields = $record->getCMSFields()) { foreach($extraFields as $extra) { $fields->push( $extra ); } } $fields->push($idField = new HiddenField('ID')); $fields->push($groupIDField = new HiddenField('GroupID')); $actions = new FieldSet(); $actions->push(new FormAction('savemember', _t('SecurityAdmin.SAVE'))); $form = new Form($this, 'MemberForm', $fields, $actions); if($record) $form->loadDataFrom($record); $idField->setValue($id); $groupIDField->setValue($this->currentPageID()); return $form; } } function savemember() { $data = $_REQUEST; $className = $this->stat('subitem_class'); $id = $_REQUEST['ID']; if($id == 'new') $id = null; if($id) $record = DataObject::get_one($className, "`$className`.ID = $id"); else $record = new $className(); $record->update($data); $record->ID = $id; $record->write(); $record->Groups()->add($data['GroupID']); FormResponse::add("reloadMemberTableField();"); return FormResponse::respond(); } function addmember($className=null) { $data = $_REQUEST; unset($data['ID']); if($className == null) $className = $this->stat('subitem_class'); $record = new $className(); $record->update($data); $record->write(); if($data['GroupID']) $record->Groups()->add($data['GroupID']); FormResponse::add("reloadMemberTableField();"); return FormResponse::respond(); } public function removememberfromgroup() { $groupID = $this->urlParams['ID']; $memberID = $this->urlParams['OtherID']; if(is_numeric($groupID) && is_numeric($memberID)) { $member = DataObject::get_by_id('Member', (int) $memberID); $member->Groups()->remove($groupID); FormResponse::add("reloadMemberTableField();"); } else { user_error("SecurityAdmin::removememberfromgroup: Bad parameters: Group=$groupID, Member=$memberID", E_USER_ERROR); } return FormResponse::respond(); } /** * Return the entire site tree as a nested set of ULs */ public function SiteTreeAsUL() { $obj = singleton($this->stat('tree_class')); // getChildrenAsUL is a flexible and complex way of traversing the tree $siteTreeItem = $obj->getChildrenAsUL("", ' "<li id=\"record-$child->ID\" class=\"$child->class " . ($child->Locked ? " nodelete" : "") . ' . ' ($extraArg->isCurrentPage($child) ? " current" : "") . "\">" . ' . ' "<a href=\"admin/security/show/$child->ID\" >" . $child->TreeTitle() . "</a>" ',$this); $siteTree = "<ul id=\"sitetree\" class=\"tree unformatted\">" . "<li id=\"record-0\" class=\"Root\">" . "<a href=\"admin/security/show/0\" ><strong>"._t('SecurityAdmin.SGROUPS',"Security groups")."</strong></a>" . $siteTreeItem . "</li>" . "</ul>"; return $siteTree; } public function addgroup() { $newGroup = Object::create($this->stat('tree_class')); $newGroup->Title = _t('SecurityAdmin.NEWGROUP',"New Group"); $newGroup->Code = "new-group"; $newGroup->ParentID = (is_numeric($_REQUEST['ParentID'])) ? (int)$_REQUEST['ParentID'] : 0; $newGroup->write(); return $this->returnItemToUser($newGroup); } public function EditedMember() { if(Session::get('currentMember')) return DataObject::get_by_id('Member', (int) Session::get('currentMember')); } function providePermissions() { return array( 'EDIT_PERMISSIONS' => _t('SecurityAdmin.EDITPERMISSIONS', 'Edit permissions and IP addresses on each group'), ); } } ?>
{ "content_hash": "934ce2e94c65b7fc3db2bd4dd49c0208", "timestamp": "", "source": "github", "line_count": 233, "max_line_length": 177, "avg_line_length": 29.84978540772532, "alnum_prop": 0.6441409058231489, "repo_name": "chillu/silverstripe-book", "id": "9e9cad8335f73795d6efb984515aa70f9e73952b", "size": "6955", "binary": false, "copies": "6", "ref": "refs/heads/master", "path": "11_recipes/cms/code/SecurityAdmin.php", "mode": "33188", "license": "bsd-3-clause", "language": [ { "name": "ActionScript", "bytes": "4462" }, { "name": "CSS", "bytes": "1850824" }, { "name": "JavaScript", "bytes": "9806042" }, { "name": "PHP", "bytes": "23672926" }, { "name": "Python", "bytes": "12768" }, { "name": "Scheme", "bytes": "519399" }, { "name": "Shell", "bytes": "13182" } ], "symlink_target": "" }
class AddCurrencyToOrders < ActiveRecord::Migration def self.up add_column :orders, :currency_id, :integer add_column :orders, :currency_value, :float, :null => false add_column :orders, :currency_nominal, :float, :null => false, :default => 1 currency = Currency.get(Spree::Currency::Config[:base_currency]) Order.reset_column_information Order.all(:conditions => 'currency_id is NULL').each do |order| order.currency = currency order.currency_value = currency.value order.currency_nominal = currency.nominal order.save end end def self.down remove_column :orders, :currency_id remove_column :orders, :currency_value remove_column :orders, :currency_nominal end end
{ "content_hash": "5adabcce3d8e2f4f7ea67264ea11572c", "timestamp": "", "source": "github", "line_count": 22, "max_line_length": 80, "avg_line_length": 33.90909090909091, "alnum_prop": 0.6876675603217158, "repo_name": "fabien/spree_currency_exchange", "id": "868e8a3d1e8ede581823605f6222c27ca3c9accb", "size": "746", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "db/migrate/20110813075806_add_currency_to_orders.rb", "mode": "33188", "license": "bsd-3-clause", "language": [ { "name": "Ruby", "bytes": "20424" } ], "symlink_target": "" }
package org.cache2k.testsuite.support; /** * @author Jens Wilke */ public interface CommonValues { /** * Arbitrary large time duration that we expect never to pass during a test run */ long BIG_DURATION_TICKS = 60 * 1000 * 1000; /** * Global timeout used everywhere when we wait for an operation that is expected * to complete. */ long TIMEOUT_MILLIS = 68 * 1000; /** * Highest time in the future we expect to work. */ long TIME_MAX_MILLIS = Long.MAX_VALUE - 1; }
{ "content_hash": "69db0fb23e679531e8f89582d4d69be1", "timestamp": "", "source": "github", "line_count": 26, "max_line_length": 82, "avg_line_length": 19.46153846153846, "alnum_prop": 0.6561264822134387, "repo_name": "cache2k/cache2k", "id": "2c1f372153df90542d06519e7fff21fc060af40a", "size": "1184", "binary": false, "copies": "2", "ref": "refs/heads/master", "path": "cache2k-testsuite/src/main/java/org/cache2k/testsuite/support/CommonValues.java", "mode": "33188", "license": "apache-2.0", "language": [ { "name": "Java", "bytes": "2617760" }, { "name": "Kotlin", "bytes": "10435" }, { "name": "Shell", "bytes": "2637" } ], "symlink_target": "" }
<!DOCTYPE html> <html> <head> <title>Hub-Press - डाँफे ब्लकचेन सेवा</title> <meta charset="utf-8"> <meta http-equiv="X-UA-Compatible" content="IE=edge"> <meta name="HandheldFriendly" content="True"> <meta name="MobileOptimized" content="320"> <meta name="apple-mobile-web-app-capable" content="yes"> <meta name="apple-mobile-web-app-status-bar-style" content="black-translucent"> <meta name="viewport" content="width=device-width, initial-scale=1"> <link rel="apple-touch-icon" sizes="57x57" href="//danphe.network/themes/uno-zen/assets/img/apple-touch-icon-57x57.png?v=wAAv6Wqe6l?v=1508106373538"> <link rel="apple-touch-icon" sizes="60x60" href="//danphe.network/themes/uno-zen/assets/img/apple-touch-icon-60x60.png?v=wAAv6Wqe6l?v=1508106373538"> <link rel="apple-touch-icon" sizes="72x72" href="//danphe.network/themes/uno-zen/assets/img/apple-touch-icon-72x72.png?v=wAAv6Wqe6l?v=1508106373538"> <link rel="apple-touch-icon" sizes="76x76" href="//danphe.network/themes/uno-zen/assets/img/apple-touch-icon-76x76.png?v=wAAv6Wqe6l?v=1508106373538"> <link rel="apple-touch-icon" sizes="114x114" href="//danphe.network/themes/uno-zen/assets/img/apple-touch-icon-114x114.png?v=wAAv6Wqe6l?v=1508106373538"> <link rel="apple-touch-icon" sizes="120x120" href="//danphe.network/themes/uno-zen/assets/img/apple-touch-icon-120x120.png?v=wAAv6Wqe6l?v=1508106373538"> <link rel="apple-touch-icon" sizes="144x144" href="//danphe.network/themes/uno-zen/assets/img/apple-touch-icon-144x144.png?v=wAAv6Wqe6l?v=1508106373538"> <link rel="apple-touch-icon" sizes="152x152" href="//danphe.network/themes/uno-zen/assets/img/apple-touch-icon-152x152.png?v=wAAv6Wqe6l?v=1508106373538"> <link rel="apple-touch-icon" sizes="180x180" href="//danphe.network/themes/uno-zen/assets/img/apple-touch-icon-180x180.png?v=wAAv6Wqe6l?v=1508106373538"> <link rel="icon" type="image/png" href="//danphe.network/themes/uno-zen/assets/img/favicon-32x32.png?v=wAAv6Wqe6l?v=1508106373538" sizes="32x32"> <link rel="icon" type="image/png" href="//danphe.network/themes/uno-zen/assets/img/favicon-194x194.png?v=wAAv6Wqe6l?v=1508106373538" sizes="194x194"> <link rel="icon" type="image/png" href="//danphe.network/themes/uno-zen/assets/img/favicon-96x96.png?v=wAAv6Wqe6l?v=1508106373538" sizes="96x96"> <link rel="icon" type="image/png" href="//danphe.network/themes/uno-zen/assets/img/android-chrome-192x192.png?v=wAAv6Wqe6l?v=1508106373538" sizes="192x192"> <link rel="icon" type="image/png" href="//danphe.network/themes/uno-zen/assets/img/favicon-16x16.png?v=wAAv6Wqe6l?v=1508106373538" sizes="16x16"> <link rel="manifest" href="//danphe.network/themes/uno-zen/assets/img/manifest.json?v=wAAv6Wqe6l?v=1508106373538"> <link rel="shortcut icon" href="//danphe.network/themes/uno-zen/assets/img/favicon.ico?v=wAAv6Wqe6l?v=1508106373538"> <meta name="msapplication-TileColor" content="#e74c3c"> <meta name="msapplication-TileImage" content="//danphe.network/themes/uno-zen/assets/img/mstile-144x144.png?v=wAAv6Wqe6l?v=1508106373538"> <meta name="msapplication-config" content="//danphe.network/themes/uno-zen/assets/img/browserconfig.xml?v=wAAv6Wqe6l?v=1508106373538"> <meta name="theme-color" content="#e74c3c"> <link rel="stylesheet" type="text/css" href="//danphe.network/themes/uno-zen/assets/css/uno-zen.css?v=1508106373538" /> <link rel="canonical" href="http://danphe.network/http://danphe.network/tag/Hub-Press/" /> <meta name="referrer" content="origin" /> <meta property="og:site_name" content="डाँफे ब्लकचेन सेवा" /> <meta property="og:type" content="website" /> <meta property="og:title" content="Hub-Press - डाँफे ब्लकचेन सेवा" /> <meta property="og:url" content="http://danphe.network/http://danphe.network/tag/Hub-Press/" /> <meta name="twitter:card" content="summary" /> <meta name="twitter:title" content="Hub-Press - डाँफे ब्लकचेन सेवा" /> <meta name="twitter:url" content="http://danphe.network/http://danphe.network/tag/Hub-Press/" /> <script type="application/ld+json"> { "@context": "http://schema.org", "@type": "Series", "publisher": "डाँफे ब्लकचेन सेवा", "url": "http://danphe.network/", "name": "Hub-Press" } </script> <meta name="generator" content="HubPress" /> <link rel="alternate" type="application/rss+xml" title="डाँफे ब्लकचेन सेवा" href="http://danphe.network/rss/" /> <link rel="stylesheet" href="//cdnjs.cloudflare.com/ajax/libs/highlight.js/9.10.0/styles/atom-one-dark.min.css"> <script src='https://cdnjs.cloudflare.com/ajax/libs/mathjax/2.7.1/MathJax.js?config=TeX-AMS-MML_HTMLorMML'></script> </head> <body class="tag-template tag-Hub-Press"> <header id="menu-button" class="expanded"> <a><i class="icon icon-list"></i></a> </header> <aside class="cover" style="background: url(/themes/uno/assets/images/background-cover.jpg) center/cover no-repeat fixed"> <div class="cover container"> <div class="profile"> <hr class="divider long" /> <p>Danphe Blockchain as a Service (BaaS)</p> <hr class="divider short" /> <div class="navigation"> <div class="profile contact"> <nav class="navigation right"> <ul class="social expanded"> <!-- Twitter --> <li class="social item hvr-grow-rotate"> <a rel="me" href="https://fb.com/nepalbitcoin" title="Facebook account"> <i class='icon icon-social-facebook'></i> <span class="label">Facebook</span> </a> </li> <!-- Twitter --> <li class="social item hvr-grow-rotate"> <a rel="me" href="https://twitter.com/nepalbitcoin" title="Twitter account"> <i class='icon icon-social-twitter'></i> <span class="label">Twitter</span> </a> </li> <!-- Github --> <li class="social item hvr-grow-rotate"> <a rel="me" href="https://github.com/nepal-blockchain" title="Github account"> <i class='icon icon-social-github'></i> <span class="label">Github</span> </a> </li> </li> <!-- Email --> <li class="social item hvr-grow-rotate"> <a rel="me" href="mailto:[email protected]" title="Email [email protected]"> <i class='icon icon-mail'></i> <span class="label">Email</span> </a> </li> </ul> </nav> <!-- <section class="icon icon-search" id="search-container"> <hr class="divider short" /> <form id="search-form"> <input type="text", name="search", placeholder="git, css, javascript,..." id="search-field" /> </form> </section> --> </div> </div> </div> </div> </aside> <main> <section id="search-results"></section> <section class="content"> <h1 style="text-align: center;">Tag: Hub-Press.</h1> <ol id="posts-list"> <li> <time datetime="31 Jan 2019">31 Jan 2019</time> <a href="http://danphe.network/2019/01/31/My-English-Title.html" title="link to Your Blog title">Your Blog title</a> <span class="post tags"><a href="http://danphe.network/tag/Hub-Press/">HubPress</a> <a href="http://danphe.network/tag/Blog/">Blog</a> <a href="http://danphe.network/tag/Open-Source/">Open_Source</a></span> </li> </ol> <nav class="pagination" role="navigation"> <span class="posts index">Page 1 of 1</span> </nav> <footer> <span class="copyright"> &copy; 2017. All rights reserved. Built with <a href="https://github.com/Kikobeats/uno-zen" target="_blank">Uno Zen</a> under <a href="http://hubpress.io/" target="_blank">HubPress</a>. </span> </footer> </section> </main> <script src="//cdnjs.cloudflare.com/ajax/libs/jquery/2.1.3/jquery.min.js?v="></script> <script src="//cdnjs.cloudflare.com/ajax/libs/moment.js/2.9.0/moment-with-locales.min.js?v="></script> <script src="//cdnjs.cloudflare.com/ajax/libs/highlight.js/9.10.0/highlight.min.js?v="></script> <script type="text/javascript"> jQuery( document ).ready(function() { // change date with ago jQuery('ago.ago').each(function(){ var element = jQuery(this).parent(); element.html( moment(element.text()).fromNow()); }); }); hljs.initHighlightingOnLoad(); </script> <script src="//danphe.network/themes/uno-zen/assets/js/uno-zen.js?v=1508106373538" type="text/javascript" charset="utf-8"></script> <script> (function(i,s,o,g,r,a,m){i['GoogleAnalyticsObject']=r;i[r]=i[r]||function(){ (i[r].q=i[r].q||[]).push(arguments)},i[r].l=1*new Date();a=s.createElement(o), m=s.getElementsByTagName(o)[0];a.async=1;a.src=g;m.parentNode.insertBefore(a,m) })(window,document,'script','//www.google-analytics.com/analytics.js','ga'); ga('create', 'UA-108013816-1', 'auto'); ga('send', 'pageview'); </script> </body> </html>
{ "content_hash": "fe800982424705db92e1093510ea3eb1", "timestamp": "", "source": "github", "line_count": 181, "max_line_length": 291, "avg_line_length": 53.26519337016575, "alnum_prop": 0.6081319365211078, "repo_name": "Nepal-Blockchain/danphe-blogs", "id": "598329537a038d729f73234f1d2aafd5c06e5c91", "size": "9833", "binary": false, "copies": "1", "ref": "refs/heads/gh-pages", "path": "tag/Hub-Press/index.html", "mode": "33188", "license": "mit", "language": [ { "name": "CSS", "bytes": "466631" }, { "name": "CoffeeScript", "bytes": "6630" }, { "name": "HTML", "bytes": "218587" }, { "name": "JavaScript", "bytes": "238406" }, { "name": "Ruby", "bytes": "806" }, { "name": "Shell", "bytes": "2265" } ], "symlink_target": "" }
Here's the NATO phonetic alphabet[^wiki]: Alfa, Bravo, Charlie, Delta, Echo, Foxtrot, Golf, Hotel, India, Juliet, Kilo, Lima, Mike, November, Oscar, Papa, Quebec, Romeo, Sierra, Tango, Uniform, Victor[^name][^consecutive], Whiskey, X-ray, Yankee, and Zulu. And here's some more text. [^wiki]: Read more about it here. [^wiki]: And here. [^wiki2]: Here's another good article on the subject. [^name]: A great first name. [^consecutive]: I know. The NATO phonetic alphabet[^wi\-ki]. [^wi\-ki]: Read more about it somewhere else. This example checks that ^[the generated] IDs do not overwrite the user's IDs[^1]. [^1]: Old behavior would, for "generated", generate a footnote with an ID set to `1`, thus overwriting this footnote. The NATO phonetic alphabet[^wiki3]. [^wiki3]: Read more about it somewhere else. This is an example of an inline footnote.^[This is the _actual_ footnote.] This one isn't even [defined][^foofoofoo]. [^both][invalid], ^[this too][]. 1. [foo][bar] 2. [^foo][bar] 3. [foo][^bar] 4. [^foo][^bar] A footnote[^2]. [^2]: Including ^[another **footnote**] A footnote[^toString] and [^__proto__] and [^constructor]. [^toString]: See `Object.prototype.toString()`. [^constructor]: See `Object.prototype.valueOf()`. [^__proto__]: See `Object.prototype.__proto__()`. foo[^abc] bar. foo[^xyz] bar [^abc]: Baz baz [^xyz]: Baz Lorem ipsum dolor sit amet[^3]. Nulla finibus[^4] neque et diam rhoncus convallis. [^3]: Consectetur **adipiscing** elit. Praesent dictum purus ullamcorper ligula semper pellentesque[^3]. - Containing a list. [^4]: Nam dictum sapien nec sem ultrices fermentum. Nulla **facilisi**. In et feugiat massa. [^5]: Nunc dapibus ipsum ut mi _ultrices_, non euismod velit pretium. Here is some text containing a footnote[^somesamplefootnote]. You can then continue your thought... [^somesamplefootnote]: Here is the text of the footnote itself. Even go to a new [paragraph] and the footnotes will go to the bottom of the document[^documentdetails]. [^documentdetails]: Depending on the **final** form of your document, of course. See the documentation and experiment. This footnote has a second [paragraph]. [paragraph]: http://example.com # my heading^[ref def] or # my heading[^ref] [^ref]: def First^[the generated] and then a manual numbered def[^def]. [^def]: hello * one^[the first] * two[^2nd] * three[^3rd] * four^[the last] [^2nd]: second [^3rd]: third This nested footnote would not work: [[^foo2]][baz] [bar]: https://bar.com "bar" [baz]: https://baz.com "baz" [^foo2]: A footnote. ## New list continuation 1. [^foo] [^foo]: bar baz. # mytitle A[^footnoteRef] [^footnoteRef]: reference in title # mytitle B^[footnoterawhead inner] # myti*tle C^[foo inner]* a paragraph^[footnoteRawPar inner]
{ "content_hash": "3159b0566136eebd7a843d8d7acc12b7", "timestamp": "", "source": "github", "line_count": 119, "max_line_length": 256, "avg_line_length": 23.51260504201681, "alnum_prop": 0.6912080057183703, "repo_name": "zestedesavoir/zmarkdown", "id": "9774c709f9b0dafb1d3005f054c98eebb1f75081", "size": "2855", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "packages/rebber-plugins/__tests__/fixtures/footnote.fixture.md", "mode": "33188", "license": "mit", "language": [ { "name": "CSS", "bytes": "1920" }, { "name": "HTML", "bytes": "4790" }, { "name": "JavaScript", "bytes": "443137" }, { "name": "Shell", "bytes": "632" } ], "symlink_target": "" }
import praw import prawcore import os def reddit_login(): '''logs in the user using OAuth 2.0 and returns a redditor object for use''' user_agent = 'PC:redditFavoriteGrab:v0.1 (by /u/Scien)' r = praw.Reddit('mysettings', user_agent=user_agent) try: return r.user.me() except prawcore.exceptions.Forbidden: print('\nIt seems your credentials are invalid. Please check whether your praw.ini file is properly setup.') return None def main(): if os.path.isfile('./redditFavorites.txt'): print('Please delete or move your current redditFavorites.txt to a safe place.') return # exit the script if file problems file = open('redditFavorites.txt','w') redditor = reddit_login() if redditor is None: print('\nStopping script...') return # exit the script if unable to log in to reddit print('Welcome /u/{}. I will help you backup your saved posts on reddit :)'.format(redditor)) saved = redditor.saved(limit=None) saved_posts = [] saved_comments = [] for post in saved: # separate out posts and commets if isinstance(post, praw.models.Submission): saved_posts.append(post) elif isinstance(post, praw.models.Comment): saved_comments.append(post) for post in saved_posts: # There is probably a better way to handle encoding here. I was failing in win due to console encoding differences. file.write('[{0!a}] {1!a} - {2!a}\n'.format(post.shortlink, post.title, post.url)) print('Done creating a list of posts...') for comment in saved_comments: comment_url = comment.link_url + comment.id file.write('[{0!a}] - Comment\n'.format(comment_url)) print('Done creating a list of comments...') file.close() if __name__ == '__main__': main()
{ "content_hash": "9a88cc9e52eb8ac11a02f95f78d6597b", "timestamp": "", "source": "github", "line_count": 55, "max_line_length": 124, "avg_line_length": 34, "alnum_prop": 0.6395721925133689, "repo_name": "mmmvdb/redditFavoriteGrab", "id": "1f733b187bb513700aad4cfa13114d1a2a48143c", "size": "1870", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "redditFavoritesGrab.py", "mode": "33188", "license": "mit", "language": [ { "name": "Python", "bytes": "1870" } ], "symlink_target": "" }
module HerokuPgBackupsArchive module ToolbeltHelper RETRIES = 5 class << self def capture_backup run("pg:backups:capture -a #{HerokuPgBackupsArchive.config.app_name} #{follower_db(HerokuPgBackupsArchive.config.app_name)}") end def fetch_backup_public_url(backup_id) run("pg:backups:public-url #{backup_id} -a #{HerokuPgBackupsArchive.config.app_name}") end def fetch_backup_info(backup_id) run("pg:backups:info #{backup_id} -a #{HerokuPgBackupsArchive.config.app_name}") end private def follower_db(app) output = run("pg:info --app #{app} | grep Followers | head -n 1") output.split(" ").last end def run(arguments) command = "#{HerokuPgBackupsArchive.config.heroku_toolbelt_path} #{arguments}" puts "Running: #{command}" retries_remaining = RETRIES begin output = `#{command} 2>&1` raise OperationFailedError.new(output) unless $?.success? puts "Output:\n#{output}" return output rescue OperationFailedError => ex retries_remaining -= 1 if retries_remaining > 0 puts "Failed, retrying..." retry else puts "Still failing after #{RETRIES} retries, giving up." raise ex end end end end end end
{ "content_hash": "49ead1ecbe371e2d275285cf07f56709", "timestamp": "", "source": "github", "line_count": 48, "max_line_length": 133, "avg_line_length": 29.104166666666668, "alnum_prop": 0.5912670007158196, "repo_name": "hightower/heroku_pg_backups_archive", "id": "339028d5e00f47e89f2f99bcc9d233b3accf8dac", "size": "1397", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "lib/heroku_pg_backups_archive/toolbelt_helper.rb", "mode": "33188", "license": "mit", "language": [ { "name": "Ruby", "bytes": "16411" }, { "name": "Shell", "bytes": "115" } ], "symlink_target": "" }
package acls import ( "fmt" "testing" "go.chromium.org/luci/auth/identity" "go.chromium.org/luci/gae/service/datastore" "go.chromium.org/luci/server/auth" "go.chromium.org/luci/server/auth/authtest" gerritpb "go.chromium.org/luci/common/proto/gerrit" cfgpb "go.chromium.org/luci/cv/api/config/v2" "go.chromium.org/luci/cv/internal/changelist" "go.chromium.org/luci/cv/internal/common" "go.chromium.org/luci/cv/internal/configs/prjcfg" "go.chromium.org/luci/cv/internal/cvtesting" "go.chromium.org/luci/cv/internal/run" . "github.com/smartystreets/goconvey/convey" ) func TestCheckRunCLs(t *testing.T) { t.Parallel() const ( lProject = "chromium" gerritHost = "chromium-review.googlesource.com" committers = "committer-group" dryRunners = "dry-runner-group" npRunners = "new-patchset-runner-group" ) Convey("CheckRunCreate", t, func() { ct := cvtesting.Test{} ctx, cancel := ct.SetUp() defer cancel() cg := prjcfg.ConfigGroup{ Content: &cfgpb.ConfigGroup{ Verifiers: &cfgpb.Verifiers{ GerritCqAbility: &cfgpb.Verifiers_GerritCQAbility{ CommitterList: []string{committers}, DryRunAccessList: []string{dryRunners}, NewPatchsetRunAccessList: []string{npRunners}, }, }, }, } authState := &authtest.FakeState{FakeDB: authtest.NewFakeDB()} ctx = auth.WithState(ctx, authState) addMember := func(email, grp string) { id, err := identity.MakeIdentity(fmt.Sprintf("%s:%s", identity.User, email)) So(err, ShouldBeNil) authState.FakeDB.(*authtest.FakeDB).AddMocks(authtest.MockMembership(id, grp)) } addCommitter := func(email string) { addMember(email, committers) } addDryRunner := func(email string) { addMember(email, dryRunners) } addNPRunner := func(email string) { addMember(email, npRunners) } // test helpers var cls []*changelist.CL var trs []*run.Trigger var clid int64 addCL := func(triggerer, owner string, m run.Mode) *changelist.CL { clid++ cl := &changelist.CL{ ID: common.CLID(clid), ExternalID: changelist.MustGobID(gerritHost, clid), Snapshot: &changelist.Snapshot{ Kind: &changelist.Snapshot_Gerrit{ Gerrit: &changelist.Gerrit{ Host: gerritHost, Info: &gerritpb.ChangeInfo{ Owner: &gerritpb.AccountInfo{ Email: owner, }, }, }, }, }, } So(datastore.Put(ctx, cl), ShouldBeNil) cls = append(cls, cl) trs = append(trs, &run.Trigger{ Email: triggerer, Mode: string(m), }) return cl } addDep := func(base *changelist.CL, owner string) *changelist.CL { clid++ dep := &changelist.CL{ ID: common.CLID(clid), ExternalID: changelist.MustGobID(gerritHost, clid), Snapshot: &changelist.Snapshot{ Kind: &changelist.Snapshot_Gerrit{ Gerrit: &changelist.Gerrit{ Host: gerritHost, Info: &gerritpb.ChangeInfo{ Owner: &gerritpb.AccountInfo{ Email: owner, }, }, }, }, }, } So(datastore.Put(ctx, dep), ShouldBeNil) base.Snapshot.Deps = append(base.Snapshot.Deps, &changelist.Dep{Clid: clid}) return dep } mustOK := func() { res, err := CheckRunCreate(ctx, &cg, trs, cls) So(err, ShouldBeNil) So(res.FailuresSummary(), ShouldBeEmpty) So(res.OK(), ShouldBeTrue) } mustFailWith := func(cl *changelist.CL, format string, args ...interface{}) CheckResult { res, err := CheckRunCreate(ctx, &cg, trs, cls) So(err, ShouldBeNil) So(res.OK(), ShouldBeFalse) So(res.Failure(cl), ShouldContainSubstring, fmt.Sprintf(format, args...)) return res } approveCL := func(cl *changelist.CL) { cl.Snapshot.GetGerrit().GetInfo().Submittable = true So(datastore.Put(ctx, cl), ShouldBeNil) } submitCL := func(cl *changelist.CL) { cl.Snapshot.GetGerrit().GetInfo().Status = gerritpb.ChangeStatus_MERGED So(datastore.Put(ctx, cl), ShouldBeNil) } setAllowOwner := func(action cfgpb.Verifiers_GerritCQAbility_CQAction) { cg.Content.Verifiers.GerritCqAbility.AllowOwnerIfSubmittable = action } addSubmitReq := func(cl *changelist.CL, name string, st gerritpb.SubmitRequirementResultInfo_Status) { ci := cl.Snapshot.Kind.(*changelist.Snapshot_Gerrit).Gerrit.Info ci.SubmitRequirements = append(ci.SubmitRequirements, &gerritpb.SubmitRequirementResultInfo{Name: name, Status: st}) So(datastore.Put(ctx, cl), ShouldBeNil) } satisfyReq := func(cl *changelist.CL, name string) { addSubmitReq(cl, name, gerritpb.SubmitRequirementResultInfo_SATISFIED) } unsatisfyReq := func(cl *changelist.CL, name string) { addSubmitReq(cl, name, gerritpb.SubmitRequirementResultInfo_UNSATISFIED) } naReq := func(cl *changelist.CL, name string) { addSubmitReq(cl, name, gerritpb.SubmitRequirementResultInfo_NOT_APPLICABLE) } Convey("mode == FullRun", func() { m := run.FullRun Convey("triggerer == owner", func() { tr, owner := "[email protected]", "[email protected]" cl := addCL(tr, owner, m) Convey("triggerer is a committer", func() { addCommitter(tr) // Should succeed w/ approval. mustFailWith(cl, noLGTM) approveCL(cl) mustOK() }) Convey("triggerer is a dry-runner", func() { addDryRunner(tr) // Dry-runner can trigger a full-run for own CL w/ approval. unsatisfyReq(cl, "Code-Review") mustFailWith(cl, fmt.Sprintf(noLGTMWithReqs, "missing `Code-Review`")) approveCL(cl) mustOK() }) Convey("triggerer is neither dry-runner nor committer", func() { Convey("CL approved", func() { // Should fail, even if it was approved. approveCL(cl) mustFailWith(cl, "CV cannot start a Run for `%s` because the user is not a committer", tr) // unless AllowOwnerIfSubmittable == COMMIT setAllowOwner(cfgpb.Verifiers_GerritCQAbility_COMMIT) mustOK() }) Convey("CL not approved", func() { // Should fail always. mustFailWith(cl, "CV cannot start a Run for `%s` because the user is not a committer", tr) setAllowOwner(cfgpb.Verifiers_GerritCQAbility_COMMIT) mustFailWith(cl, noLGTM) }) }) Convey("suspiciously noLGTM", func() { addDryRunner(tr) addSubmitReq(cl, "Code-Review", gerritpb.SubmitRequirementResultInfo_SATISFIED) mustFailWith(cl, noLGTMSuspicious) }) }) Convey("triggerer != owner", func() { tr, owner := "[email protected]", "[email protected]" cl := addCL(tr, owner, m) Convey("triggerer is a committer", func() { addCommitter(tr) // Should succeed w/ approval. mustFailWith(cl, noLGTM) approveCL(cl) mustOK() }) Convey("triggerer is a dry-runner", func() { addDryRunner(tr) // Dry-runner cannot trigger a full-run for someone else' CL, // w/ or w/o approval. mustFailWith(cl, "neither the CL owner nor a committer") approveCL(cl) mustFailWith(cl, "neither the CL owner nor a committer") // AllowOwnerIfSubmittable doesn't change the decision, either. setAllowOwner(cfgpb.Verifiers_GerritCQAbility_COMMIT) mustFailWith(cl, "neither the CL owner nor a committer") }) Convey("triggerer is neither dry-runner nor committer", func() { // Should fail always. mustFailWith(cl, "neither the CL owner nor a committer") approveCL(cl) setAllowOwner(cfgpb.Verifiers_GerritCQAbility_COMMIT) mustFailWith(cl, "neither the CL owner nor a committer") }) Convey("suspiciously noLGTM", func() { addCommitter(tr) addSubmitReq(cl, "Code-Review", gerritpb.SubmitRequirementResultInfo_SATISFIED) mustFailWith(cl, noLGTMSuspicious) }) }) }) Convey("mode == DryRun", func() { m := run.DryRun Convey("triggerer == owner", func() { tr, owner := "[email protected]", "[email protected]" cl := addCL(tr, owner, m) Convey("triggerer is a committer", func() { // Committers can trigger a dry-run for someone else' CL // w/o approval. addCommitter(tr) mustOK() }) Convey("triggerer is a dry-runner", func() { // Should succeed w/o approval. addDryRunner(tr) mustOK() }) Convey("triggerer is neither dry-runner nor committer", func() { Convey("CL approved", func() { // Should fail, even if it was approved. approveCL(cl) mustFailWith(cl, "CV cannot start a Run for `%s` because the user is not a dry-runner", owner) // Unless AllowOwnerIfSubmittable == DRY_RUN setAllowOwner(cfgpb.Verifiers_GerritCQAbility_DRY_RUN) mustOK() // Or, COMMIT setAllowOwner(cfgpb.Verifiers_GerritCQAbility_COMMIT) mustOK() }) Convey("CL not approved", func() { // Should fail always. mustFailWith(cl, "CV cannot start a Run for `%s` because the user is not a dry-runner", owner) setAllowOwner(cfgpb.Verifiers_GerritCQAbility_COMMIT) mustFailWith(cl, noLGTM) }) }) }) Convey("triggerer != owner", func() { tr, owner := "[email protected]", "[email protected]" cl := addCL(tr, owner, m) Convey("triggerer is a committer", func() { // Should succeed w/ or w/o approval. addCommitter(tr) mustOK() approveCL(cl) mustOK() }) Convey("triggerer is a dry-runner", func() { // Only committers can trigger a dry-run for someone else' CL. addDryRunner(tr) mustFailWith(cl, "neither the CL owner nor a committer") approveCL(cl) mustFailWith(cl, "neither the CL owner nor a committer") // AllowOwnerIfSubmittable doesn't change the decision, either. setAllowOwner(cfgpb.Verifiers_GerritCQAbility_COMMIT) mustFailWith(cl, "neither the CL owner nor a committer") setAllowOwner(cfgpb.Verifiers_GerritCQAbility_DRY_RUN) mustFailWith(cl, "neither the CL owner nor a committer") }) Convey("triggerer is neither dry-runner nor committer", func() { // Only committers can trigger a dry-run for someone else' CL. mustFailWith(cl, "neither the CL owner nor a committer") approveCL(cl) mustFailWith(cl, "neither the CL owner nor a committer") // AllowOwnerIfSubmittable doesn't change the decision, either. setAllowOwner(cfgpb.Verifiers_GerritCQAbility_COMMIT) mustFailWith(cl, "neither the CL owner nor a committer") setAllowOwner(cfgpb.Verifiers_GerritCQAbility_DRY_RUN) mustFailWith(cl, "neither the CL owner nor a committer") }) }) Convey("w/ dependencies", func() { // if triggerer is not the owner, but a committer, then // untrusted deps should be checked. tr, owner := "[email protected]", "[email protected]" cl := addCL(tr, owner, m) addCommitter(tr) dep1 := addDep(cl, "[email protected]") dep2 := addDep(cl, "[email protected]") dep1URL := dep1.ExternalID.MustURL() dep2URL := dep2.ExternalID.MustURL() Convey("untrusted", func() { res := mustFailWith(cl, untrustedDeps) So(res.Failure(cl), ShouldContainSubstring, dep1URL) So(res.Failure(cl), ShouldContainSubstring, dep2URL) // if the deps have no submit requirements, the rejection message // shouldn't contain a warning for suspicious CLs. So(res.Failure(cl), ShouldNotContainSubstring, untrustedDepsSuspicious) Convey("but dep2 satisfies all the SubmitRequirements", func() { naReq(dep1, "Code-Review") unsatisfyReq(dep1, "Code-Owner") satisfyReq(dep2, "Code-Review") satisfyReq(dep2, "Code-Owner") res := mustFailWith(cl, untrustedDeps) So(res.Failure(cl), ShouldContainSubstring, fmt.Sprintf(""+ "- %s missing approval, although `Code-Review` and `Code-Owner` are satisfied", dep2URL, )) So(res.Failure(cl), ShouldContainSubstring, untrustedDepsSuspicious) }) Convey("because all the deps have unsatisfied requirements", func() { dep3 := addDep(cl, "[email protected]") dep3URL := dep3.ExternalID.MustURL() unsatisfyReq(dep1, "Code-Review") unsatisfyReq(dep2, "Code-Review") unsatisfyReq(dep2, "Code-Owner") unsatisfyReq(dep3, "Code-Review") unsatisfyReq(dep3, "Code-Owner") unsatisfyReq(dep3, "Code-Quiz") res := mustFailWith(cl, untrustedDeps) So(res.Failure(cl), ShouldNotContainSubstring, untrustedDepsSuspicious) So(res.Failure(cl), ShouldContainSubstring, fmt.Sprintf(""+ "- %s missing `Code-Review`\n"+ "- %s missing `Code-Review` and `Code-Owner`\n"+ "- %s missing `Code-Review`, `Code-Owner`, and `Code-Quiz`", dep1URL, dep2URL, dep3URL, )) }) }) Convey("trusted because it's apart of the Run", func() { cls = append(cls, dep1, dep2) trs = append(trs, &run.Trigger{Email: tr, Mode: string(m)}) trs = append(trs, &run.Trigger{Email: tr, Mode: string(m)}) mustOK() }) Convey("trusted because of an approval", func() { approveCL(dep1) approveCL(dep2) mustOK() }) Convey("trusterd because they have been merged already", func() { submitCL(dep1) submitCL(dep2) mustOK() }) Convey("trusted because the owner is a committer", func() { addCommitter("[email protected]") addCommitter("[email protected]") mustOK() }) Convey("a mix of untrusted and trusted deps", func() { addCommitter("[email protected]") res := mustFailWith(cl, untrustedDeps) So(res.Failure(cl), ShouldNotContainSubstring, dep1URL) So(res.Failure(cl), ShouldContainSubstring, dep2URL) }) }) }) Convey("mode == NewPatchsetRun", func() { tr, owner := "[email protected]", "[email protected]" cl := addCL(tr, owner, run.NewPatchsetRun) Convey("owner is disallowed", func() { mustFailWith(cl, "CL owner is not in the allowlist.") }) Convey("owner is allowed", func() { addNPRunner(owner) mustOK() }) }) Convey("multiple CLs", func() { m := run.DryRun tr, owner := "[email protected]", "[email protected]" cl1 := addCL(tr, owner, m) cl2 := addCL(tr, owner, m) setAllowOwner(cfgpb.Verifiers_GerritCQAbility_DRY_RUN) Convey("all CLs passed", func() { approveCL(cl1) approveCL(cl2) mustOK() }) Convey("all CLs failed", func() { mustFailWith(cl1, noLGTM) mustFailWith(cl2, noLGTM) }) Convey("Some CLs failed", func() { approveCL(cl1) mustFailWith(cl1, "CV cannot start a Run due to errors in the following CL(s)") mustFailWith(cl2, noLGTM) }) }) }) }
{ "content_hash": "fe9d95f948f88f37ec9fa4ebf1f3169c", "timestamp": "", "source": "github", "line_count": 443, "max_line_length": 104, "avg_line_length": 32.79909706546275, "alnum_prop": 0.6540261527873366, "repo_name": "luci/luci-go", "id": "0af4cce37a7399a73af554e92e2535c624ae40d5", "size": "15126", "binary": false, "copies": "2", "ref": "refs/heads/main", "path": "cv/internal/acls/run_create_test.go", "mode": "33188", "license": "apache-2.0", "language": [ { "name": "CSS", "bytes": "25460" }, { "name": "Go", "bytes": "10674259" }, { "name": "HTML", "bytes": "658081" }, { "name": "JavaScript", "bytes": "18433" }, { "name": "Makefile", "bytes": "2862" }, { "name": "Python", "bytes": "49205" }, { "name": "Shell", "bytes": "20986" }, { "name": "TypeScript", "bytes": "110221" } ], "symlink_target": "" }
// // MTFittedScrollView.h // FamilySearch // // Created by Adam Kirk on 11/27/12. // Copyright (c) 2012 Family Search. All rights reserved. // @interface MTFittedScrollView : UIScrollView <UIScrollViewDelegate> /** The zoomable view that is required for zooming in a scrollview. All your contain must be subviews of this. */ @property (readonly) UIView *zoomableContentView; /** Figures out the best content size, content offset, etc so that all the content is 'fitted' within the scrollview */ - (void)fit; /** Removes all the subviews. */ - (void)dump; /** Adds a subview to the zoomable subview of the scrollview. */ - (void)addZoomableSubview:(UIView *)view; @end
{ "content_hash": "914ab3d966028839afcde4ecb01e076b", "timestamp": "", "source": "github", "line_count": 33, "max_line_length": 113, "avg_line_length": 20.87878787878788, "alnum_prop": 0.7155297532656023, "repo_name": "mysterioustrousers/MTFittedScrollView", "id": "ae2cf6e02d4ceec2573a8749f4903120a358f2f5", "size": "689", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "MTFittedScrollView/MTFittedScrollView.h", "mode": "33188", "license": "mit", "language": [ { "name": "Objective-C", "bytes": "11205" } ], "symlink_target": "" }
This grammer was developed for use by [the OpenPplSoft Runtime Project](http://openpplsoft.org). Example PeopleCode programs are included in the `examples/` subdirectory. Run `mvn clean test` at a bash prompt to test the grammar with these examples.
{ "content_hash": "993c3b840633e8379d148f976cbd7ce5", "timestamp": "", "source": "github", "line_count": 3, "max_line_length": 152, "avg_line_length": 83.66666666666667, "alnum_prop": 0.7928286852589641, "repo_name": "tcsiwula/java_code", "id": "e2543783f39ef43412d18028cfda894ed8daca48", "size": "273", "binary": false, "copies": "3", "ref": "refs/heads/master", "path": "classes/cs345/code_examples/antlr_github_copy/grammars/peoplecode/README.md", "mode": "33261", "license": "mit", "language": [ { "name": "ANTLR", "bytes": "1483189" }, { "name": "Assembly", "bytes": "134524" }, { "name": "Awk", "bytes": "251" }, { "name": "Batchfile", "bytes": "491" }, { "name": "C", "bytes": "103168" }, { "name": "C#", "bytes": "22932" }, { "name": "C++", "bytes": "367" }, { "name": "CMake", "bytes": "1930" }, { "name": "CSS", "bytes": "3886" }, { "name": "Erlang", "bytes": "2303" }, { "name": "GAP", "bytes": "226361" }, { "name": "HTML", "bytes": "2676449" }, { "name": "Java", "bytes": "13914043" }, { "name": "JavaScript", "bytes": "104216" }, { "name": "Lua", "bytes": "278" }, { "name": "M", "bytes": "5739" }, { "name": "Makefile", "bytes": "417" }, { "name": "Matlab", "bytes": "23" }, { "name": "Objective-C", "bytes": "134542" }, { "name": "PHP", "bytes": "8070" }, { "name": "PLSQL", "bytes": "8695" }, { "name": "PLpgSQL", "bytes": "35862" }, { "name": "Pascal", "bytes": "13808" }, { "name": "PowerShell", "bytes": "6138" }, { "name": "Python", "bytes": "8598" }, { "name": "R", "bytes": "61" }, { "name": "Ruby", "bytes": "1715" }, { "name": "SQLPL", "bytes": "31877" }, { "name": "Shell", "bytes": "2317" }, { "name": "Smalltalk", "bytes": "19" }, { "name": "Swift", "bytes": "83207" }, { "name": "TypeScript", "bytes": "1174" }, { "name": "VHDL", "bytes": "401678" }, { "name": "Visual Basic", "bytes": "1564" } ], "symlink_target": "" }
package com.gemstone.gemfire.internal.cache.tier.sockets; import dunit.DistributedTestCase; import dunit.Host; public class RedundancyLevelPart2DUnitTest extends RedundancyLevelTestBase { /** constructor */ public RedundancyLevelPart2DUnitTest(String name) { super(name); } public static void caseSetUp() throws Exception { DistributedTestCase.disconnectAllFromDS(); } private void waitConnectedServers(final int expected) { WaitCriterion wc = new WaitCriterion() { public boolean done() { return expected == pool.getConnectedServerCount(); } public String description() { return "Connected server count (" + pool.getConnectedServerCount() + ") never became " + expected; } }; DistributedTestCase.waitForCriterion(wc, 2 * 60 * 1000, 1000, true); } /* * Redundancy level specified & less than total Eps. If an EP dies & is part * of the fail over list , then it should be removed from live server map & * added to dead server map. A new EP should be picked from the live server * map to compensate for the failure. The EP failed also happened to be a * Primary EP so a new EP from fail over set should become the primary and * make sure that CCP is created on the server with relevant interest * registartion. * Failure Detection by LSM */ public void testRedundancySpecifiedPrimaryEPFails() { try { createClientCache(getServerHostName(Host.getHost(0)), PORT1, PORT2, PORT3, PORT4, 1); waitConnectedServers(4); assertTrue(pool.getPrimaryName().equals(SERVER1)); assertTrue(pool.getRedundantNames().contains(SERVER2)); //assertEquals(0, proxy.getDeadServers().size()); verifyOrderOfEndpoints(); server0.invoke(RedundancyLevelTestBase.class, "stopServer"); //pause(5000); verifyDeadServers(1); verifyRedundantServersContain(SERVER3); verifyLiveAndRedundantServers(3, 1); verifyOrderOfEndpoints(); //assertEquals(2, pool.getRedundantNames().size()); //assertTrue(pool.getRedundantNames() // .contains(SERVER2)); assertTrue(pool.getPrimaryName().equals(SERVER2)); //assertEquals(3, pool.getConnectedServerCount()); //assertEquals(1, proxy.getDeadServers().size()); } catch (Exception ex) { fail( "test failed due to exception in test testRedundancySpecifiedPrimaryEPFails ", ex); } } /* * Redundancy level specified & less than total Eps. If an EP dies & is part * of the fail over list , then it should be removed from live server map & * added to dead server map. A new EP should be picked from the live server * map to compensate for the failure. The EP failed also happened to be a * Primary EP so a new EP from fail over set should become the primary and * make sure that CCP is created on the server with relevant interest * registartion. * Failure Detection by CCU */ public void testRedundancySpecifiedPrimaryEPFailsDetectionByCCU() { try { FailOverDetectionByCCU = true; createClientCache(getServerHostName(Host.getHost(0)), PORT1, PORT2, PORT3, PORT4, 1,3000,100); waitConnectedServers(4); assertTrue(pool.getPrimaryName().equals(SERVER1)); assertTrue(pool.getRedundantNames().contains(SERVER2)); //assertEquals(0, proxy.getDeadServers().size()); verifyOrderOfEndpoints(); server0.invoke(RedundancyLevelTestBase.class, "stopServer"); // pause(5000); verifyDeadServers(1); verifyRedundantServersContain(SERVER3); verifyLiveAndRedundantServers(3, 1); verifyOrderOfEndpoints(); // assertEquals(2, pool.getRedundantNames().size()); // assertTrue(pool.getRedundantNames() // .contains(SERVER2)); assertTrue(pool.getPrimaryName().equals(SERVER2)); // assertEquals(3, pool.getConnectedServerCount()); //assertEquals(1, proxy.getDeadServers().size()); } catch (Exception ex) { fail( "test failed due to exception in test testRedundancySpecifiedPrimaryEPFailsDetectionByCCU ", ex); } } /* * Redundancy level specified & less than total Eps. If an EP dies & is part * of the fail over list , then it should be removed from live server map & * added to dead server map. A new EP should be picked from the live server * map to compensate for the failure. The EP failed also happened to be a * Primary EP so a new EP from fail over set should become the primary and * make sure that CCP is created on the server with relevant interest * registartion. * Failure Detection by Register Interest */ public void testRedundancySpecifiedPrimaryEPFailsDetectionByRegisterInterest() { try { createClientCache(getServerHostName(Host.getHost(0)), PORT1, PORT2, PORT3, PORT4, 1,3000, 100); waitConnectedServers(4); assertTrue(pool.getPrimaryName().equals(SERVER1)); assertTrue(pool.getRedundantNames().contains(SERVER2)); //assertEquals(0, proxy.getDeadServers().size()); verifyOrderOfEndpoints(); server0.invoke(RedundancyLevelTestBase.class, "stopServer"); // pause(5000); createEntriesK1andK2(); registerK1AndK2(); verifyDeadServers(1); verifyRedundantServersContain(SERVER3); verifyLiveAndRedundantServers(3, 1); verifyOrderOfEndpoints(); // assertEquals(2, pool.getRedundantNames().size()); // assertTrue(pool.getRedundantNames() // .contains(SERVER2)); assertTrue(pool.getPrimaryName().equals(SERVER2)); // assertEquals(3, pool.getConnectedServerCount()); //assertEquals(1, proxy.getDeadServers().size()); } catch (Exception ex) { fail( "test failed due to exception in test testRedundancySpecifiedPrimaryEPFailsDetectionByRegisterInterest ", ex); } } /* * Redundancy level specified & less than total Eps. If an EP dies & is part * of the fail over list , then it should be removed from live server map & * added to dead server map. A new EP should be picked from the live server * map to compensate for the failure. The EP failed also happened to be a * Primary EP so a new EP from fail over set should become the primary and * make sure that CCP is created on the server with relevant interest * registartion. * Failure Detection by Unregister Interest */ public void testRedundancySpecifiedPrimaryEPFailsDetectionByUnregisterInterest() { try { createClientCache(getServerHostName(Host.getHost(0)), PORT1, PORT2, PORT3, PORT4, 1,3000,100); waitConnectedServers(4); assertTrue(pool.getPrimaryName().equals(SERVER1)); assertTrue(pool.getRedundantNames().contains(SERVER2)); //assertEquals(0, proxy.getDeadServers().size()); verifyOrderOfEndpoints(); server0.invoke(RedundancyLevelTestBase.class, "stopServer"); // pause(5000); unregisterInterest(); verifyDeadServers(1); verifyRedundantServersContain(SERVER3); verifyLiveAndRedundantServers(3, 1); verifyOrderOfEndpoints(); // assertEquals(2, pool.getRedundantNames().size()); // assertTrue(pool.getRedundantNames() // .contains(SERVER2)); assertTrue(pool.getPrimaryName().equals(SERVER2)); // assertEquals(3, pool.getConnectedServerCount()); //assertEquals(1, proxy.getDeadServers().size()); } catch (Exception ex) { fail( "test failed due to exception in test testRedundancySpecifiedPrimaryEPFailsDetectionByUnregisterInterest ", ex); } } /* * Redundancy level specified & less than total Eps. If an EP dies & is part * of the fail over list , then it should be removed from live server map & * added to dead server map. A new EP should be picked from the live server * map to compensate for the failure. The EP failed also happened to be a * Primary EP so a new EP from fail over set should become the primary and * make sure that CCP is created on the server with relevant interest * registartion. * Failure Detection by put operation */ public void testRedundancySpecifiedPrimaryEPFailsDetectionByPut() { try { createClientCache(getServerHostName(Host.getHost(0)), PORT1, PORT2, PORT3, PORT4, 1,3000, 100); waitConnectedServers(4); assertTrue(pool.getPrimaryName().equals(SERVER1)); assertTrue(pool.getRedundantNames().contains(SERVER2)); //assertEquals(0, proxy.getDeadServers().size()); verifyOrderOfEndpoints(); server0.invoke(RedundancyLevelTestBase.class, "stopServer"); // pause(5000); doPuts(); verifyDeadServers(1); verifyRedundantServersContain(SERVER3); verifyLiveAndRedundantServers(3, 1); verifyOrderOfEndpoints(); // assertEquals(2, pool.getRedundantNames().size()); // assertTrue(pool.getRedundantNames() // .contains(SERVER2)); assertTrue(pool.getPrimaryName().equals(SERVER2)); // assertEquals(3, pool.getConnectedServerCount()); //assertEquals(1, proxy.getDeadServers().size()); } catch (Exception ex) { fail( "test failed due to exception in test testRedundancySpecifiedPrimaryEPFailsDetectionByPut ", ex); } } /* * If there are 4 servers in Live Server Map with redundancy level as 1. Kill * the primary & secondary. Two Eps should be added from the live server & the * existing EP in the set should be the new primary and make sure that CCP is * created on both the server with relevant interest registartion. */ public void testRedundancySpecifiedPrimarySecondaryEPFails() { try { createClientCache(getServerHostName(Host.getHost(0)), PORT1, PORT2, PORT3, PORT4, 1); waitConnectedServers(4); assertEquals(1, pool.getRedundantNames().size()); assertTrue(pool.getPrimaryName().equals(SERVER1)); assertTrue(pool.getRedundantNames().contains(SERVER2)); assertFalse(pool.getRedundantNames().contains(SERVER3)); assertFalse(pool.getRedundantNames().contains(SERVER4)); verifyOrderOfEndpoints(); server0.invoke(RedundancyLevelTestBase.class, "stopServer"); server1.invoke(RedundancyLevelTestBase.class, "stopServer"); //pause(5000); verifyLiveAndRedundantServers(2, 1); verifyOrderOfEndpoints(); //assertEquals(2, pool.getRedundantNames().size()); //Not Sure //assertTrue(pool.getPrimaryName().equals(SERVER2)); server2.invoke(RedundancyLevelTestBase.class, "verifyInterestRegistration"); //assertTrue(pool.getRedundantNames().contains(SERVER3)); server3.invoke(RedundancyLevelTestBase.class, "verifyInterestRegistration"); } catch (Exception ex) { fail( "test failed due to exception in test testRedundancySpecifiedPrimarySecondaryEPFails ", ex); } } /* * There are 4 Eps in Live serevr Map with redundancy level as 2. Kill two Eps * (excluding the primary). As a result live server map will contain 2 , * active list will contain two & dead server map will contain 2. Redundancy * is unsatisfied by 1. Bring up one EP . The DSM should add the alive EP to * the active end point & live server map with primary unchnaged. Also make * sure that CCP is created on the server with relevant interest registartion. * Bringing the 4th EP alive should simply add it to Live server map. */ public void testRedundancySpecifiedEPFails() { try { createClientCache(getServerHostName(Host.getHost(0)), PORT1, PORT2, PORT3, PORT4, 2); waitConnectedServers(4); assertEquals(2, pool.getRedundantNames().size()); assertTrue(pool.getPrimaryName().equals(SERVER1)); assertTrue(pool.getRedundantNames().contains(SERVER2)); assertTrue(pool.getRedundantNames().contains(SERVER3)); assertFalse(pool.getRedundantNames().contains(SERVER4)); // kill non primary EPs verifyOrderOfEndpoints(); server1.invoke(RedundancyLevelTestBase.class, "stopServer"); server2.invoke(RedundancyLevelTestBase.class, "stopServer"); verifyDeadServers(2); //assertEquals(2, pool.getConnectedServerCount()); //assertEquals(2, proxy.getDeadServers().size()); //pause(10000); verifyLiveAndRedundantServers(2, 1); verifyOrderOfEndpoints(); //assertEquals(2, pool.getRedundantNames().size()); // bring up one server. server1.invoke(RedundancyLevelTestBase.class, "startServer"); //pause(10000); verifyLiveAndRedundantServers(3, 2); verifyOrderOfEndpoints(); //assertEquals(3, pool.getRedundantNames().size()); //assertEquals(3, pool.getConnectedServerCount()); assertTrue(pool.getPrimaryName().equals(SERVER1)); verifyRedundantServersContain(SERVER2); verifyRedundantServersContain(SERVER4); server1.invoke(RedundancyLevelTestBase.class, "verifyInterestRegistration"); // bring up another server should get added to live server map only and // not to the active server as redundancy level is satisfied. server2.invoke(RedundancyLevelTestBase.class, "startServer"); //pause(10000); pause(1000); verifyOrderOfEndpoints(); //assertEquals(3, pool.getRedundantNames().size()); //assertEquals(4, pool.getConnectedServerCount()); server2.invoke(RedundancyLevelTestBase.class, "verifyNoCCP"); } catch (Exception ex) { fail( "test failed due to exception in test testRedundancySpecifiedEPFails ", ex); } } /* * Redundancy level specified but not satisfied, new EP is added then it * should be added in Live server map as well as failover set and make sure * that CCP is created on the server with relevant interest registartion. */ public void testRedundancyLevelSpecifiedButNotSatisfied() { try { // stop two secondaries server2.invoke(RedundancyLevelTestBase.class, "stopServer"); server1.invoke(RedundancyLevelTestBase.class, "stopServer"); // make sure that the client connects to only two servers and // redundancyLevel // unsatisfied with one createClientCache(getServerHostName(Host.getHost(0)), PORT1, PORT2, PORT3, PORT4, 2); // let the client connect to servers //pause(10000); verifyLiveAndRedundantServers(2, 1); verifyOrderOfEndpoints(); //assertEquals(2, pool.getRedundantNames().size()); //assertEquals(2, pool.getConnectedServerCount()); assertTrue(pool.getRedundantNames().contains(SERVER4)); assertTrue(pool.getPrimaryName().equals(SERVER1)); assertFalse(pool.getRedundantNames().contains(SERVER3)); assertFalse(pool.getRedundantNames().contains(SERVER2)); // start server server2.invoke(RedundancyLevelTestBase.class, "startServer"); //pause(10000); verifyLiveAndRedundantServers(3, 2); verifyOrderOfEndpoints(); //assertEquals(3, pool.getConnectedServerCount()); //assertEquals(3, pool.getRedundantNames().size()); assertTrue(pool.getRedundantNames().contains(SERVER4)); assertTrue(pool.getRedundantNames().contains(SERVER3)); assertTrue(pool.getPrimaryName().equals(SERVER1)); assertFalse(pool.getRedundantNames().contains(SERVER2)); server2.invoke(RedundancyLevelTestBase.class, "verifyInterestRegistration"); // verify that redundancy level is satisfied server1.invoke(RedundancyLevelTestBase.class, "startServer"); //pause(10000); pause(1000); verifyOrderOfEndpoints(); //assertEquals(3, pool.getRedundantNames().size()); //assertEquals(4, pool.getConnectedServerCount()); assertTrue(pool.getRedundantNames().contains(SERVER4)); assertTrue(pool.getRedundantNames().contains(SERVER3)); assertTrue(pool.getPrimaryName().equals(SERVER1)); assertFalse(pool.getRedundantNames().contains(SERVER2)); server1.invoke(RedundancyLevelTestBase.class, "verifyNoCCP"); } catch (Exception ex) { fail("test failed due to exception in test noRedundancyLevelServerFail ", ex); } } /* * Redundancy level specified and satisfied, new EP is added then it should be * added only in Live server map and make sure that no CCP is created on the * server. */ public void testRedundancyLevelSpecifiedAndSatisfied() { try { // TODO: Yogesh server1.invoke(RedundancyLevelTestBase.class, "stopServer"); createClientCache(getServerHostName(Host.getHost(0)), PORT1, PORT2, PORT3, PORT4, 2); // let the client connect to servers //pause(10000); verifyLiveAndRedundantServers(3, 2); verifyOrderOfEndpoints(); //assertEquals(3, pool.getRedundantNames().size()); //assertEquals(3, pool.getConnectedServerCount()); assertTrue(pool.getRedundantNames().contains(SERVER3)); assertTrue(pool.getRedundantNames().contains(SERVER4)); assertTrue(pool.getPrimaryName().equals(SERVER1)); assertFalse(pool.getRedundantNames().contains(SERVER2)); // start server server1.invoke(RedundancyLevelTestBase.class, "startServer"); pause(1000); verifyOrderOfEndpoints(); //assertEquals(3, pool.getRedundantNames().size()); //assertEquals(4, pool.getConnectedServerCount()); assertTrue(pool.getRedundantNames().contains(SERVER3)); assertTrue(pool.getRedundantNames().contains(SERVER4)); assertTrue(pool.getPrimaryName().equals(SERVER1)); assertFalse(pool.getRedundantNames().contains(SERVER2)); server1.invoke(RedundancyLevelTestBase.class, "verifyNoCCP"); } catch (Exception ex) { fail("test failed due to exception in test noRedundancyLevelServerFail ", ex); } } /* * Redundancy level not specified, new EP is added then it should be added in * live server map as well as failover set and make sure that CCP is created * on the server with relevant interest registartion. */ public void testRedundancyLevelNotSpecified() { try { // TODO: Yogesh server2.invoke(RedundancyLevelTestBase.class, "stopServer"); createClientCache(getServerHostName(Host.getHost(0)), PORT1, PORT2, PORT3, PORT4, -1/* not specified */); // let the client connect to servers //pause(10000); verifyLiveAndRedundantServers(3, 2); verifyOrderOfEndpoints(); //assertEquals(1, pool.getRedundantNames().size()); //assertEquals(3, pool.getConnectedServerCount()); assertFalse(pool.getRedundantNames().contains(SERVER1)); assertFalse(pool.getRedundantNames().contains(SERVER3)); assertTrue(pool.getRedundantNames().contains(SERVER2)); assertTrue(pool.getPrimaryName().equals(SERVER1)); assertTrue(pool.getRedundantNames().contains(SERVER4)); // start server server2.invoke(RedundancyLevelTestBase.class, "startServer"); //pause(10000); verifyLiveAndRedundantServers(4, 3); verifyOrderOfEndpoints(); //assertEquals(1, pool.getRedundantNames().size()); //assertEquals(4, pool.getConnectedServerCount()); //assertTrue(pool.getRedundantNames() // .contains(SERVER1)); assertTrue(pool.getRedundantNames().contains(SERVER2)); assertTrue(pool.getRedundantNames().contains(SERVER3)); assertTrue(pool.getRedundantNames().contains(SERVER4)); assertTrue(pool.getPrimaryName().equals(SERVER1)); server2.invoke(RedundancyLevelTestBase.class, "verifyInterestRegistration"); } catch (Exception ex) { fail("test failed due to exception in test noRedundancyLevelServerFail ", ex); } } /* * There are 4 EndPoints. Redundancy level is 1. The load balancing policy is round * robin. 4 Explicit calls to proxy.acquireConnection should given Connections to all * the 4 end points & not just the Eps satisfying redundancy. public void testAcquireConnectionWithRedundancy() { try { createClientCache(getServerHostName(Host.getHost(0)), PORT1, PORT2, PORT3, PORT4, 1); assertEquals(1, proxy.getRedundantServers().size()); assertEquals(PORT3, proxy.acquireConnection().getEndpoint().getPort()); assertEquals(PORT4, proxy.acquireConnection().getEndpoint().getPort()); assertEquals(PORT1, proxy.acquireConnection().getEndpoint().getPort()); assertEquals(PORT2, proxy.acquireConnection().getEndpoint().getPort()); assertEquals(PORT3, proxy.acquireConnection().getEndpoint().getPort()); } catch (Exception ex) { ex.printStackTrace(); fail( "test failed due to exception in test testAcquireConnectionWithRedundancy ", ex); } }*/ /* * Redundancy level specified is more than the total EndPoints. In such situation there should * not be any exception & all the EPs should has CacheClientProxy created. */ public void testRedundancySpecifiedMoreThanEPs() { try { createClientCache(getServerHostName(Host.getHost(0)), PORT1, PORT2, PORT3, PORT4, 5); assertEquals(3, pool.getRedundantNames().size()); server0.invoke(RedundancyLevelTestBase.class, "verifyCCP"); server1.invoke(RedundancyLevelTestBase.class, "verifyCCP"); server2.invoke(RedundancyLevelTestBase.class, "verifyCCP"); server3.invoke(RedundancyLevelTestBase.class, "verifyCCP"); } catch (Exception ex) { ex.printStackTrace(); fail( "test failed due to exception in test testRedundancySpecifiedMoreThanEPs ", ex); } } }
{ "content_hash": "4448c1bae436fd4cc792fa16eefa0694", "timestamp": "", "source": "github", "line_count": 521, "max_line_length": 117, "avg_line_length": 41.771593090211134, "alnum_prop": 0.6925056288195561, "repo_name": "fengshao0907/incubator-geode", "id": "0e74208fd58932ade587f97b3858a411a58a8126", "size": "22185", "binary": false, "copies": "7", "ref": "refs/heads/develop", "path": "gemfire-core/src/test/java/com/gemstone/gemfire/internal/cache/tier/sockets/RedundancyLevelPart2DUnitTest.java", "mode": "33261", "license": "apache-2.0", "language": [ { "name": "Batchfile", "bytes": "1776" }, { "name": "CSS", "bytes": "54202" }, { "name": "Groovy", "bytes": "4066" }, { "name": "HTML", "bytes": "124114" }, { "name": "Java", "bytes": "25740015" }, { "name": "JavaScript", "bytes": "315581" }, { "name": "Scala", "bytes": "192735" }, { "name": "Shell", "bytes": "7239" } ], "symlink_target": "" }
- **0.7.1** &mdash; *2015-08-24* &mdash; jsc.throws - Add `jsc.throws` [#133](https://github.com/jsverify/jsverify/pull/133) - **0.7.0** &mdash; *2015-08-23* &mdash; More experiments - `jsc.sum` - generate arbitrary sum types (generalisation of either) [#125](https://github.com/jsverify/jsverify/pull/125) - *BREAKING CHANGE:* bar (`|`) in DSL generates `jsc.sum` - experimental support of recursive types in DSL (especially no shrinking yet) [#109](https://github.com/jsverify/jsverify/issues/109) [#126](https://github.com/jsverify/jsverify/pull/126) - fail early when `jsc.forall` is given zero generators [#128](https://github.com/jsverify/jsverify/issues/128) - `jsc.json` has shrink [#122](https://github.com/jsverify/jsverify/issues/122) - non-true non-function results from properties are treated as exceptions [#127](https://github.com/jsverify/jsverify/issues/127) - **0.6.3** &mdash; *2015-07-27* &mdash; Bug fixes - `jsc.utils.isEqual` doesn't care about key ordering [#123](https://github.com/jsverify/jsverify/issues/123) - tuple's shrink is blessed [#124](https://github.com/jsverify/jsverify/issues/124) - **0.6.2** &madsh; *2015-07-13* &mdash; Trampolines - **0.6.1** &mdash; *2015-07-13* &mdash; Bug fixes - Print stacktrace of catched exceptions - `maxsize = 0` for numeric generators works - Issue with non-parametric jsc.property returning property. - **0.6.0** &mdash; *2015-06-19* &mdash; Minor but major release! - added `jsc.utils.isApproxEqual` - **0.6.0-beta.2** &mdash; *2015-05-31* &mdash; Beta! - Fix issue [#113](https://github.com/jsverify/jsverify/issues/113) - Shrink of tuple with arrays failed. - **0.6.0-beta.1** &mdash; *2015-05-04* &mdash; Beta! - FAQ section - Improved `smap` documentation - `flatmap` is also `flatMap` - Fix function arbitrary - `small` arbitraries - `jsc.generator.record` - Thanks to @peterjoel for reporting issues - **0.6.0-alpha.6** &mdash; *2015-04-25* &mdash; Fix issues #98 - Documentation imporovements - Fix issue [#98](https://github.com/jsverify/jsverify/issues/98) - error while generating `int32` values - **0.6.0-alpha.5** &mdash; *2015-04-23* &mdash; Fix issue #99 - Documentation improvements - Fix issue #99 (`suchthat` shrink) - **0.6.0-alpha.4** &mdash; *2015-04-26* &mdash; Fix issue #87 - jsc.property didn't fail with asynchronous properties - thanks @Ezku for reporting - **0.6.0-alpha.3** &mdash; *2015-04-24* &mdash; promise shrink fixed - **0.6.0-alpha.2** &mdash; *2015-04-24* &mdash; jsc.bless - Added `jsc.bless` - **0.6.0-alpha.1** &mdash; *2015-04-22* &mdash; Preview - Using lazy sequences for shrink results - *Breaking changes:* - `jsc.map` renamed to `jsc.dict` - `jsc.value` removed, use `jsc.json` - `jsc.string()` removed, use `jsc.string` - `shrink.isomap` renamed to `shrink.smap` - **0.5.3** &mdash; *2015-04-21* &mdash; More algebra - `unit` and `either` arbitraries - `arbitrary.smap` to help creating compound data - **0.5.2** &mdash; *2015-04-10* &mdash; `show.def` -change - **0.5.1** &mdash; *2015-02-19* &mdash; Dependencies bump - We also work on 0.12 and iojs! - **0.5.0** &mdash; *2014-12-24* &mdash; Merry Chrismas 2014! - Documention cleanup - **0.5.0-beta.2** &mdash; *2014-12-21* &mdash; Beta 2! - Pair &amp; tuple related code cleanup - Update `CONTRIBUTING.md` - Small documentation type fixes - Bless `jsc.elements` shrink - **0.5.0-beta.1** &mdash; *2014-12-20* &mdash; Beta! - `bless` don't close over (uses `this`) - Cleanup generator module - Other code cleanup here and there - **0.4.6** &mdash; *2014-11-30* &mdash; better shrinks &amp; recursive - Implemented shrinks: [#51](https://github.com/jsverify/jsverify/issues/51) - `jsc.generator.recursive`: [#37](https://github.com/jsverify/jsverify/issues/37) - array, nearray &amp; map generators return a bit smaller results (*log2* of size) - **0.4.5** &mdash; *2014-11-22* &mdash; stuff - `generator.combine` &amp; `.flatmap` - `nat`, `integer`, `number` &amp; and `string` act as objects too - **0.4.4** &mdash; *2014-11-22* &mdash; new generators - New generators: `nearray`, `nestring` - `generator.constant` - zero-ary `jsc.property` (it ∘ assert) - `jsc.sampler` - **0.4.3** &mdash; *2014-11-08* &mdash; jsc.property - Now you can write your bdd specs without any boilerplate - support for nat-litearls in dsl [#36](https://github.com/jsverify/jsverify/issues/36) ```js describe("Math.abs", function () { jsc.property("result is non-negative", "integer 100", function (x) { return Math.abs(x) >= 0; }); }); ``` - Falsy generator [#42](https://github.com/jsverify/jsverify/issues/42) - **0.4.2** &mdash; *2014-11-03* &mdash; User environments for DSL - User environments for DSL - Generator prototype `map`, and shrink prototype `isomap` - JSON generator works with larger sizes - **0.4.1** Move to own organization in GitHub - **0.4.0** &mdash; *2014-10-27* &mdash; typify-dsl &amp; more arbitraries. Changes from **0.3.6**: - DSL for `forall` and `suchthat` - new primitive arbitraries - `oneof` behaves as in QuickCheck (BREAKING CHANGE) - `elements` is new name of old `oneof` - Other smaller stuff under the hood - **0.4.0**-beta.4 generator.oneof - **0.4.0**-beta.3 Expose shrink and show modules - **0.4.0**-beta.2 Move everything around - Better looking README.md! - **0.4.0**-beta.1 Beta! - Dev Dependencies update - **0.4.0**-alpha8 oneof &amp; record -dsl support - also `jsc.compile` - record is shrinkable! - **0.4.0**-alpha7 oneof &amp; record - *oneof* and *record* generator combinators ([@fson](https://github.com/fson)) - Fixed uint\* generators - Default test size increased to 10 - Numeric generators with size specified are independent of test size ([#20](https://github.com/phadej/jsverify/issues/20)) - **0.4.0**-alpha6 more primitives - int8, int16, int32, uint8, uint16, uint32 - char, asciichar and asciistring - value &rarr; json - use eslint - **0.4.0**-alpha5 move david to be devDependency - **0.4.0**-alpha4 more typify - `suchchat` supports typify dsl - `oneof` &rarr; `elements` to be in line with QuickCheck - Added versions of examples using typify dsl - **0.4.0**-alpha3 David, npm-freeze and jscs - **0.4.0**-alpha2 Fix typo in readme - **0.4.0**-alpha1 typify - DSL for `forall` ```js var bool_fn_applied_thrice = jsc.forall("bool -> bool", "bool", check); ``` - generator arguments, which are functions are evaluated. One can now write: ```js jsc.forall(jsc.nat, check) // previously had to be jsc.nat() ``` - **0.3.6** map generator - **0.3.5** Fix forgotten rngState in console output - **0.3.4** Dependencies update - **0.3.3** Dependencies update - **0.3.2** `fun` &rarr; `fn` - **0.3.1** Documentation typo fixes - **0.3.0** Major changes - random generate state handling - `--jsverifyRngState` parameter value used when run on node - karma tests - use make - dependencies update - **0.2.0** Use browserify - **0.1.4** Mocha test suite - major cleanup - **0.1.3** gen.show and exception catching - **0.1.2** Added jsc.assert - **0.1.1** Use grunt-literate - **0.1.0** Usable library - **0.0.2** Documented preview - **0.0.1** Initial preview
{ "content_hash": "e44ee45d67339235a3c891db0885cb09", "timestamp": "", "source": "github", "line_count": 158, "max_line_length": 192, "avg_line_length": 47.84177215189873, "alnum_prop": 0.6462495039026326, "repo_name": "dmitriid/jsverify", "id": "b35dd8c22551dcc1421fb495f66b916ac98585da", "size": "7581", "binary": false, "copies": "2", "ref": "refs/heads/master", "path": "CHANGELOG.md", "mode": "33188", "license": "mit", "language": [ { "name": "JavaScript", "bytes": "278318" }, { "name": "Makefile", "bytes": "1767" } ], "symlink_target": "" }
/* eslint-disable */ const Gatsby = require(`gatsby`); export const query = Gatsby.graphql` query { allSitePages { prefix } } `;
{ "content_hash": "b16846881a540ab6b1226fe4190be3eb", "timestamp": "", "source": "github", "line_count": 10, "max_line_length": 36, "avg_line_length": 14.8, "alnum_prop": 0.6013513513513513, "repo_name": "gatsbyjs/gatsby", "id": "7bdd0ff50de2af3123e2a47588832aa7db443026", "size": "148", "binary": false, "copies": "4", "ref": "refs/heads/master", "path": "packages/gatsby-codemods/src/transforms/__testfixtures__/global-graphql-calls/require-namespace.output.js", "mode": "33188", "license": "mit", "language": [ { "name": "CSS", "bytes": "93774" }, { "name": "Dockerfile", "bytes": "2751" }, { "name": "EJS", "bytes": "461" }, { "name": "HTML", "bytes": "62227" }, { "name": "JavaScript", "bytes": "5243904" }, { "name": "Less", "bytes": "218" }, { "name": "PHP", "bytes": "2010" }, { "name": "Python", "bytes": "281" }, { "name": "SCSS", "bytes": "218" }, { "name": "Shell", "bytes": "10621" }, { "name": "Stylus", "bytes": "206" }, { "name": "TypeScript", "bytes": "3099577" } ], "symlink_target": "" }
Upgrade_Nginx() { cd $oneinstack_dir/src [ ! -e "$nginx_install_dir/sbin/nginx" ] && echo "${CWARNING}The Nginx is not installed on your system! ${CEND}" && exit 1 OLD_Nginx_version_tmp=`$nginx_install_dir/sbin/nginx -v 2>&1` OLD_Nginx_version=${OLD_Nginx_version_tmp##*/} echo echo "Current Nginx Version: ${CMSG}$OLD_Nginx_version${CEND}" while : do echo read -p "Please input upgrade Nginx Version(example: 1.9.15): " NEW_Nginx_version if [ "$NEW_Nginx_version" != "$OLD_Nginx_version" ];then [ ! -e "nginx-$NEW_Nginx_version.tar.gz" ] && wget --no-check-certificate -c http://nginx.org/download/nginx-$NEW_Nginx_version.tar.gz > /dev/null 2>&1 if [ -e "nginx-$NEW_Nginx_version.tar.gz" ];then echo "Download [${CMSG}nginx-$NEW_Nginx_version.tar.gz${CEND}] successfully! " break else echo "${CWARNING}Nginx version does not exist! ${CEND}" fi else echo "${CWARNING}input error! The upgrade Nginx version is the same as the old version${CEND}" fi done if [ -e "nginx-$NEW_Nginx_version.tar.gz" ];then echo "[${CMSG}nginx-$NEW_Nginx_version.tar.gz${CEND}] found" echo "Press Ctrl+c to cancel or Press any key to continue..." char=`get_char` tar xzf nginx-$NEW_Nginx_version.tar.gz cd nginx-$NEW_Nginx_version make clean $nginx_install_dir/sbin/nginx -V &> $$ nginx_configure_arguments=`cat $$ | grep 'configure arguments:' | awk -F: '{print $2}'` rm -rf $$ ./configure $nginx_configure_arguments make if [ -f "objs/nginx" ];then /bin/mv $nginx_install_dir/sbin/nginx $nginx_install_dir/sbin/nginx$(date +%m%d) /bin/cp objs/nginx $nginx_install_dir/sbin/nginx kill -USR2 `cat /var/run/nginx.pid` kill -QUIT `cat /var/run/nginx.pid.oldbin` echo "You have ${CMSG}successfully${CEND} upgrade from ${CWARNING}$OLD_Nginx_version${CEND} to ${CWARNING}$NEW_Nginx_version${CEND}" else echo "${CFAILURE}Upgrade Nginx failed! ${CEND}" fi cd .. fi cd .. } Upgrade_Tengine() { cd $oneinstack_dir/src [ ! -e "$tengine_install_dir/sbin/nginx" ] && echo "${CWARNING}The Tengine is not installed on your system! ${CEND}" && exit 1 OLD_Tengine_version_tmp=`$tengine_install_dir/sbin/nginx -v 2>&1` OLD_Tengine_version="`echo ${OLD_Tengine_version_tmp#*/} | awk '{print $1}'`" echo echo "Current Tengine Version: ${CMSG}$OLD_Tengine_version${CEND}" while : do echo read -p "Please input upgrade Tengine Version(example: 2.1.15): " NEW_Tengine_version if [ "$NEW_Tengine_version" != "$OLD_Tengine_version" ];then [ ! -e "tengine-$NEW_Tengine_version.tar.gz" ] && wget --no-check-certificate -c http://tengine.taobao.org/download/tengine-$NEW_Tengine_version.tar.gz > /dev/null 2>&1 if [ -e "tengine-$NEW_Tengine_version.tar.gz" ];then echo "Download [${CMSG}tengine-$NEW_Tengine_version.tar.gz${CEND}] successfully! " break else echo "${CWARNING}Tengine version does not exist! ${CEND}" fi else echo "${CWARNING}input error! The upgrade Tengine version is the same as the old version${CEND}" fi done if [ -e "tengine-$NEW_Tengine_version.tar.gz" ];then echo "[${CMSG}tengine-$NEW_Tengine_version.tar.gz${CEND}] found" echo "Press Ctrl+c to cancel or Press any key to continue..." char=`get_char` tar xzf tengine-$NEW_Tengine_version.tar.gz cd tengine-$NEW_Tengine_version make clean # close debug sed -i 's@CFLAGS="$CFLAGS -g"@#CFLAGS="$CFLAGS -g"@' auto/cc/gcc $tengine_install_dir/sbin/nginx -V &> $$ tengine_configure_arguments=`cat $$ | grep 'configure arguments:' | awk -F: '{print $2}'` rm -rf $$ ./configure $tengine_configure_arguments make if [ -f "objs/nginx" ];then /bin/mv $tengine_install_dir/sbin/nginx $tengine_install_dir/sbin/nginx$(date +%m%d) /bin/mv $tengine_install_dir/sbin/dso_tool $tengine_install_dir/sbin/dso_tool$(date +%m%d) /bin/mv $tengine_install_dir/modules $tengine_install_dir/modules$(date +%m%d) /bin/cp objs/nginx $tengine_install_dir/sbin/nginx /bin/cp objs/dso_tool $tengine_install_dir/sbin/dso_tool chmod +x $tengine_install_dir/sbin/* make install kill -USR2 `cat /var/run/nginx.pid` kill -QUIT `cat /var/run/nginx.pid.oldbin` echo "You have ${CMSG}successfully${CEND} upgrade from ${CWARNING}$OLD_Tengine_version${CEND} to ${CWARNING}$NEW_Tengine_version${CEND}" else echo "${CFAILURE}Upgrade Tengine failed! ${CEND}" fi cd .. fi cd .. }
{ "content_hash": "572752043ca88124ead80230ed77b984", "timestamp": "", "source": "github", "line_count": 108, "max_line_length": 176, "avg_line_length": 42.80555555555556, "alnum_prop": 0.6396279472204196, "repo_name": "xiaoyawl/OneInStack", "id": "72c98ebeaba62b8568ca3de1440bfc39d81930cf", "size": "4881", "binary": false, "copies": "2", "ref": "refs/heads/master", "path": "include/upgrade_web.sh", "mode": "33188", "license": "apache-2.0", "language": [ { "name": "C", "bytes": "15365" }, { "name": "HTML", "bytes": "5254" }, { "name": "Nginx", "bytes": "2554" }, { "name": "PHP", "bytes": "20178" }, { "name": "Python", "bytes": "13131" }, { "name": "Shell", "bytes": "365504" } ], "symlink_target": "" }
from google.cloud import dialogflow_v2 def sample_get_conversation(): # Create a client client = dialogflow_v2.ConversationsClient() # Initialize request argument(s) request = dialogflow_v2.GetConversationRequest( name="name_value", ) # Make the request response = client.get_conversation(request=request) # Handle the response print(response) # [END dialogflow_generated_dialogflow_v2_Conversations_GetConversation_sync]
{ "content_hash": "6dd18d717b2053777e0a522de857f253", "timestamp": "", "source": "github", "line_count": 19, "max_line_length": 77, "avg_line_length": 24.842105263157894, "alnum_prop": 0.7203389830508474, "repo_name": "googleapis/python-dialogflow", "id": "04fa5f4d5e743d9272d22a8a772d5609398037bf", "size": "1492", "binary": false, "copies": "1", "ref": "refs/heads/main", "path": "samples/generated_samples/dialogflow_generated_dialogflow_v2_conversations_get_conversation_sync.py", "mode": "33188", "license": "apache-2.0", "language": [ { "name": "Dockerfile", "bytes": "2050" }, { "name": "Python", "bytes": "11184005" }, { "name": "Shell", "bytes": "30672" } ], "symlink_target": "" }
<!DOCTYPE html> <html> <head> <meta charset="utf-8"> <title>Archives: 2016 | 窦新的 Blog</title> <meta name="viewport" content="width=device-width, initial-scale=1, maximum-scale=1"> <meta name="description"> <meta property="og:type" content="website"> <meta property="og:title" content="窦新的 Blog"> <meta property="og:url" content="http://douxin.github.io/archives/2016/index.html"> <meta property="og:site_name" content="窦新的 Blog"> <meta property="og:description"> <meta name="twitter:card" content="summary"> <meta name="twitter:title" content="窦新的 Blog"> <meta name="twitter:description"> <link rel="alternate" href="/atom.xml" title="窦新的 Blog" type="application/atom+xml"> <link rel="icon" href="/favicon.png"> <link href="//fonts.googleapis.com/css?family=Source+Code+Pro" rel="stylesheet" type="text/css"> <link rel="stylesheet" href="/css/style.css"> </head> <body> <div id="container"> <div id="wrap"> <header id="header"> <div id="banner"></div> <div id="header-outer" class="outer"> <div id="header-title" class="inner"> <h1 id="logo-wrap"> <a href="/" id="logo">窦新的 Blog</a> </h1> <h2 id="subtitle-wrap"> <a href="/" id="subtitle">记录</a> </h2> </div> <div id="header-inner" class="inner"> <nav id="main-nav"> <a id="main-nav-toggle" class="nav-icon"></a> <a class="main-nav-link" href="/">Home</a> <a class="main-nav-link" href="/archives">Archives</a> </nav> <nav id="sub-nav"> <a id="nav-rss-link" class="nav-icon" href="/atom.xml" title="RSS Feed"></a> <a id="nav-search-btn" class="nav-icon" title="Search"></a> </nav> <div id="search-form-wrap"> <form action="//google.com/search" method="get" accept-charset="UTF-8" class="search-form"><input type="search" name="q" results="0" class="search-form-input" placeholder="Search"><button type="submit" class="search-form-submit">&#xF002;</button><input type="hidden" name="sitesearch" value="http://douxin.github.io"></form> </div> </div> </div> </header> <div class="outer"> <section id="main"> <section class="archives-wrap"> <div class="archive-year-wrap"> <a href="/archives/2016" class="archive-year">2016</a> </div> <div class="archives"> <article class="archive-article archive-type-post"> <div class="archive-article-inner"> <header class="archive-article-header"> <a href="/2016/04/04/hello-world/" class="archive-article-date"> <time datetime="2016-04-04T12:41:48.000Z" itemprop="datePublished">Apr 4</time> </a> <h1 itemprop="name"> <a class="archive-article-title" href="/2016/04/04/hello-world/">Hello World</a> </h1> </header> </div> </article> </div></section> </section> <aside id="sidebar"> <div class="widget-wrap"> <h3 class="widget-title">Archives</h3> <div class="widget"> <ul class="archive-list"><li class="archive-list-item"><a class="archive-list-link" href="/archives/2016/04/">April 2016</a></li></ul> </div> </div> <div class="widget-wrap"> <h3 class="widget-title">Recent Posts</h3> <div class="widget"> <ul> <li> <a href="/2016/04/04/hello-world/">Hello World</a> </li> </ul> </div> </div> </aside> </div> <footer id="footer"> <div class="outer"> <div id="footer-info" class="inner"> &copy; 2016 Xin Dou<br> Powered by <a href="http://hexo.io/" target="_blank">Hexo</a> </div> </div> </footer> </div> <nav id="mobile-nav"> <a href="/" class="mobile-nav-link">Home</a> <a href="/archives" class="mobile-nav-link">Archives</a> </nav> <script src="//ajax.googleapis.com/ajax/libs/jquery/2.0.3/jquery.min.js"></script> <link rel="stylesheet" href="/fancybox/jquery.fancybox.css"> <script src="/fancybox/jquery.fancybox.pack.js"></script> <script src="/js/script.js"></script> </div> </body> </html>
{ "content_hash": "0d87128ac7eba407265560ab626f3f23", "timestamp": "", "source": "github", "line_count": 173, "max_line_length": 332, "avg_line_length": 24.69364161849711, "alnum_prop": 0.5699906367041199, "repo_name": "douxin/douxin.github.io", "id": "87fece2279f3b290e11ba1d0ffc415b4e01a6b4a", "size": "4312", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "archives/2016/index.html", "mode": "33188", "license": "mit", "language": [], "symlink_target": "" }
Console is a cli tool for performing tasks Usage <?php echo $_SERVER['argv'][0]; ?> {task} --task=[options] Where {task} is one of the following: <?php /** @var array $tasks */ foreach ($tasks as $task) { ?> * <?php echo $task; ?> <?php } ?> For more information on what a task does and usage details execute <?php echo $_SERVER['argv'][0]; ?> --task={task} --help
{ "content_hash": "9d795cac03a91af2bcac140f9cdfffb6", "timestamp": "", "source": "github", "line_count": 23, "max_line_length": 66, "avg_line_length": 16.565217391304348, "alnum_prop": 0.6141732283464567, "repo_name": "ywisax/sdkframework", "id": "45a3e59afb2db38c26ed7b32fabfce214fbb7d2d", "size": "381", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "src/views/sdk/console/help/list.php", "mode": "33261", "license": "apache-2.0", "language": [ { "name": "PHP", "bytes": "561074" } ], "symlink_target": "" }
package example.repo; import example.model.Customer196; import java.util.List; import org.springframework.data.repository.CrudRepository; public interface Customer196Repository extends CrudRepository<Customer196, Long> { List<Customer196> findByLastName(String lastName); }
{ "content_hash": "1d19fb46d5494c51b51f1e9d062ac7e7", "timestamp": "", "source": "github", "line_count": 12, "max_line_length": 82, "avg_line_length": 23.333333333333332, "alnum_prop": 0.8285714285714286, "repo_name": "goodjwon/spring-data-examples", "id": "5fc799013540c5524a003aeeb5827d7e6395402b", "size": "280", "binary": false, "copies": "2", "ref": "refs/heads/master", "path": "jpa/deferred/src/main/java/example/repo/Customer196Repository.java", "mode": "33188", "license": "apache-2.0", "language": [ { "name": "CSS", "bytes": "407" }, { "name": "HTML", "bytes": "11752" }, { "name": "Java", "bytes": "3470503" }, { "name": "Kotlin", "bytes": "23690" } ], "symlink_target": "" }
package org.mybatis.generator.api; import static org.mybatis.generator.internal.util.messages.Messages.getString; import java.io.File; import java.io.IOException; import java.sql.SQLException; import java.util.ArrayList; import java.util.HashMap; import java.util.HashSet; import java.util.List; import java.util.Map; import java.util.Set; import java.util.StringTokenizer; import org.mybatis.generator.config.Configuration; import org.mybatis.generator.config.xml.ConfigurationParser; import org.mybatis.generator.exception.InvalidConfigurationException; import org.mybatis.generator.exception.XMLParserException; import org.mybatis.generator.internal.DefaultShellCallback; import org.mybatis.generator.logging.LogFactory; /** * This class allows the code generator to be run from the command line. * * @author Jeff Butler */ public class ShellRunner { private static final String CONFIG_FILE = "-configfile"; //$NON-NLS-1$ private static final String OVERWRITE = "-overwrite"; //$NON-NLS-1$ private static final String CONTEXT_IDS = "-contextids"; //$NON-NLS-1$ private static final String TABLES = "-tables"; //$NON-NLS-1$ private static final String VERBOSE = "-verbose"; //$NON-NLS-1$ private static final String FORCE_JAVA_LOGGING = "-forceJavaLogging"; //$NON-NLS-1$ private static final String HELP_1 = "-?"; //$NON-NLS-1$ private static final String HELP_2 = "-h"; //$NON-NLS-1$ public static void main(String[] args) { if (args.length == 0) { usage(); System.exit(0); return; // only to satisfy compiler, never returns } Map<String, String> arguments = parseCommandLine(args); if (arguments.containsKey(HELP_1)) { usage(); System.exit(0); return; // only to satisfy compiler, never returns } if (!arguments.containsKey(CONFIG_FILE)) { writeLine(getString("RuntimeError.0")); //$NON-NLS-1$ return; } List<String> warnings = new ArrayList<String>(); String configfile = arguments.get(CONFIG_FILE); File configurationFile = new File(configfile); if (!configurationFile.exists()) { writeLine(getString("RuntimeError.1", configfile)); //$NON-NLS-1$ return; } Set<String> fullyqualifiedTables = new HashSet<String>(); if (arguments.containsKey(TABLES)) { StringTokenizer st = new StringTokenizer(arguments.get(TABLES), ","); //$NON-NLS-1$ while (st.hasMoreTokens()) { String s = st.nextToken().trim(); if (s.length() > 0) { fullyqualifiedTables.add(s); } } } Set<String> contexts = new HashSet<String>(); if (arguments.containsKey(CONTEXT_IDS)) { StringTokenizer st = new StringTokenizer( arguments.get(CONTEXT_IDS), ","); //$NON-NLS-1$ while (st.hasMoreTokens()) { String s = st.nextToken().trim(); if (s.length() > 0) { contexts.add(s); } } } try { ConfigurationParser cp = new ConfigurationParser(warnings); Configuration config = cp.parseConfiguration(configurationFile); DefaultShellCallback shellCallback = new DefaultShellCallback( arguments.containsKey(OVERWRITE)); MyBatisGenerator myBatisGenerator = new MyBatisGenerator(config, shellCallback, warnings); ProgressCallback progressCallback = arguments.containsKey(VERBOSE) ? new VerboseProgressCallback() : null; myBatisGenerator.generate(progressCallback, contexts, fullyqualifiedTables); } catch (XMLParserException e) { writeLine(getString("Progress.3")); //$NON-NLS-1$ writeLine(); for (String error : e.getErrors()) { writeLine(error); } return; } catch (SQLException e) { e.printStackTrace(); return; } catch (IOException e) { e.printStackTrace(); return; } catch (InvalidConfigurationException e) { writeLine(getString("Progress.16")); //$NON-NLS-1$ for (String error : e.getErrors()) { writeLine(error); } return; } catch (InterruptedException e) { // ignore (will never happen with the DefaultShellCallback) } for (String warning : warnings) { writeLine(warning); } if (warnings.size() == 0) { writeLine(getString("Progress.4")); //$NON-NLS-1$ } else { writeLine(); writeLine(getString("Progress.5")); //$NON-NLS-1$ } } private static void usage() { String lines = getString("Usage.Lines"); //$NON-NLS-1$ int intLines = Integer.parseInt(lines); for (int i = 0; i < intLines; i++) { String key = "Usage." + i; //$NON-NLS-1$ writeLine(getString(key)); } } private static void writeLine(String message) { System.out.println(message); } private static void writeLine() { System.out.println(); } private static Map<String, String> parseCommandLine(String[] args) { List<String> errors = new ArrayList<String>(); Map<String, String> arguments = new HashMap<String, String>(); for (int i = 0; i < args.length; i++) { if (CONFIG_FILE.equalsIgnoreCase(args[i])) { if ((i + 1) < args.length) { arguments.put(CONFIG_FILE, args[i + 1]); } else { errors.add(getString( "RuntimeError.19", CONFIG_FILE)); //$NON-NLS-1$ } i++; } else if (OVERWRITE.equalsIgnoreCase(args[i])) { arguments.put(OVERWRITE, "Y"); //$NON-NLS-1$ } else if (VERBOSE.equalsIgnoreCase(args[i])) { arguments.put(VERBOSE, "Y"); //$NON-NLS-1$ } else if (HELP_1.equalsIgnoreCase(args[i])) { arguments.put(HELP_1, "Y"); //$NON-NLS-1$ } else if (HELP_2.equalsIgnoreCase(args[i])) { // put HELP_1 in the map here too - so we only // have to check for one entry in the mainline arguments.put(HELP_1, "Y"); //$NON-NLS-1$ } else if (FORCE_JAVA_LOGGING.equalsIgnoreCase(args[i])) { LogFactory.forceJavaLogging(); } else if (CONTEXT_IDS.equalsIgnoreCase(args[i])) { if ((i + 1) < args.length) { arguments.put(CONTEXT_IDS, args[i + 1]); } else { errors.add(getString( "RuntimeError.19", CONTEXT_IDS)); //$NON-NLS-1$ } i++; } else if (TABLES.equalsIgnoreCase(args[i])) { if ((i + 1) < args.length) { arguments.put(TABLES, args[i + 1]); } else { errors.add(getString("RuntimeError.19", TABLES)); //$NON-NLS-1$ } i++; } else { errors.add(getString("RuntimeError.20", args[i])); //$NON-NLS-1$ } } if (!errors.isEmpty()) { for (String error : errors) { writeLine(error); } System.exit(-1); } return arguments; } }
{ "content_hash": "73a32c4d23a77976af9c680a01aada5a", "timestamp": "", "source": "github", "line_count": 213, "max_line_length": 110, "avg_line_length": 36.03755868544601, "alnum_prop": 0.5484627410109432, "repo_name": "ryuhi/ryuhi_mybatis-generator-core", "id": "aa633151ccd364c519720541bf9118979ce0f636", "size": "8325", "binary": false, "copies": "2", "ref": "refs/heads/master", "path": "src/org/mybatis/generator/api/ShellRunner.java", "mode": "33188", "license": "apache-2.0", "language": [ { "name": "HTML", "bytes": "864" }, { "name": "Java", "bytes": "1759428" } ], "symlink_target": "" }
/*global describe, beforeEach, it */ 'use strict'; var path = require('path'); var helpers = require('yeoman-generator').test; describe('Gulp webapp generator test', function () { beforeEach(function (done) { helpers.testDirectory(path.join(__dirname, 'temp'), function (err) { if (err) { done(err); return; } this.webapp = helpers.createGenerator('gulp-webapp:app', [ '../../app', [ helpers.createDummyGenerator(), 'mocha:app' ] ]); this.webapp.options['skip-install'] = true; done(); }.bind(this)); }); it('the generator can be required without throwing', function () { // not testing the actual run of generators yet this.app = require('../app'); }); it('creates expected files', function (done) { var expected = [ 'bower.json', 'package.json', 'gulpfile.js', 'app/favicon.ico', 'app/robots.txt', 'app/index.html', 'app/scripts/main.js' ]; helpers.mockPrompt(this.webapp, { features: ['includeSass'] }); this.webapp.run(function () { helpers.assertFile(expected); done(); }); }); });
{ "content_hash": "3b806290f075037aa6893173ee04864a", "timestamp": "", "source": "github", "line_count": 51, "max_line_length": 72, "avg_line_length": 23.41176470588235, "alnum_prop": 0.5636515912897823, "repo_name": "zerob13/generator-gulp-happy-mobile-webapp", "id": "eb6eab9f9c9a08318300b61a2facd3596226c615", "size": "1194", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "test/test.js", "mode": "33188", "license": "mit", "language": [ { "name": "CSS", "bytes": "4029" }, { "name": "HTML", "bytes": "3047" }, { "name": "JavaScript", "bytes": "18160" } ], "symlink_target": "" }
package com.lee.game.gdx.spine.superspineboy; import static com.lee.game.gdx.spine.superspineboy.Model.*; import com.lee.game.gdx.spine.superspineboy.Model.State; import com.badlogic.gdx.math.MathUtils; /** The model class for an enemy. */ class Enemy extends Character { static float heightSource = 398, width = 105 * scale, height = 200 * scale; static float maxVelocityMinX = 4f, maxVelocityMaxX = 8.5f, maxVelocityAirX = 19f; static float hpWeak = 1, hpSmall = 2, hpNormal = 3, hpStrong = 5, hpBecomesBig = 8, hpBig = 20; static float corpseTime = 5 * 60, fadeTime = 3; static float jumpDistanceNormal = 20, jumpDelayNormal = 1.6f, jumpVelocityNormal = 12, jumpVelocityBig = 18; static float sizeSmall = 0.5f, sizeBig = 2.5f, sizeStrong = 1.3f, bigDuration = 2, smallCount = 14; static float normalKnockbackX = 19, normalKnockbackY = 9, bigKnockbackX = 12, bigKnockbackY = 6; static float collisionDelay = 0.3f; float deathTimer = corpseTime; float maxVelocityGroundX; float collisionTimer; float jumpDelayTimer, jumpDistance, jumpDelay; Type type; float size = 1; float bigTimer; float spawnSmallsTimer; boolean move; boolean forceJump; int collisions; float knockbackX = normalKnockbackX, knockbackY = normalKnockbackY; // This is here for convenience, the model should never touch the view. EnemyView view; Enemy (Model model, Type type) { super(model); this.type = type; rect.width = width; rect.height = height; maxVelocityGroundX = MathUtils.random(maxVelocityMinX, maxVelocityMaxX); maxVelocityX = maxVelocityGroundX; jumpVelocity = jumpVelocityNormal; jumpDelay = jumpDelayNormal; jumpDistance = jumpDistanceNormal; if (type == Type.big) { size = sizeBig; rect.width = width * size * 0.7f; rect.height = height * size * 0.7f; hp = hpBig; knockbackX = normalKnockbackX; knockbackY = normalKnockbackY; } else if (type == Type.small) { size = sizeSmall; rect.width = width * size; rect.height = height * size; hp = hpSmall; } else if (type == Type.weak) hp = hpWeak; else if (type == Type.becomesBig) hp = hpBecomesBig; else if (type == Type.strong) { hp = hpStrong; size = sizeStrong; jumpVelocity *= 1.5f; jumpDistance *= 1.4f; } else hp = hpNormal; jumpDelayTimer = MathUtils.random(0, jumpDelay); } void update (float delta) { stateChanged = false; if (state == State.death) { if (type == Type.becomesBig && size == 1) { bigTimer = bigDuration; collisionTimer = bigDuration; state = State.run; hp = hpBig; knockbackX = bigKnockbackX; knockbackY = bigKnockbackY; type = Type.big; jumpVelocity = jumpVelocityBig; } else if (type == Type.big) { spawnSmallsTimer = 0.8333f; type = Type.normal; } } // Enemy grows to a big enemy. if (bigTimer > 0) { bigTimer -= delta; size = 1 + (sizeBig - 1) * (1 - Math.max(0, bigTimer / bigDuration)); rect.width = width * size * 0.7f; rect.height = height * size * 0.7f; } // Big enemy explodes into small ones. if (spawnSmallsTimer > 0) { spawnSmallsTimer -= delta; if (spawnSmallsTimer < 0) { for (int i = 0; i < smallCount; i++) { Enemy small = new Enemy(model, Type.small); small.position.set(position.x, position.y + 2); small.velocity.x = MathUtils.random(5, 15) * (MathUtils.randomBoolean() ? 1 : -1); small.velocity.y = MathUtils.random(10, 25); small.setGrounded(false); model.enemies.add(small); } } } // Nearly dead enemies jump at the player right away. if (hp == 1 && type != Type.weak && type != Type.small) jumpDelayTimer = 0; // Kill enemies stuck in the map or those that have somehow fallen out of the map. if (state != State.death && (hp <= 0 || position.y < -100 || collisions > 100)) { state = State.death; hp = 0; } // Simple enemy AI. boolean grounded = isGrounded(); if (grounded) move = true; collisionTimer -= delta; maxVelocityX = grounded ? maxVelocityGroundX : maxVelocityAirX; if (state == State.death) deathTimer -= delta; else if (collisionTimer < 0) { if (model.player.hp == 0) { // Enemies win, jump for joy! if (grounded && velocity.x == 0) { jumpVelocity = jumpVelocityNormal / 2; dir = -dir; jump(); } } else { // Jump if within range of the player. if (grounded && (forceJump || Math.abs(model.player.position.x - position.x) < jumpDistance)) { jumpDelayTimer -= delta; if (state != State.jump && jumpDelayTimer < 0 && position.y <= model.player.position.y) { jump(); jumpDelayTimer = MathUtils.random(0, jumpDelay); forceJump = false; } } // Move toward the player. if (move) { if (model.player.position.x > position.x) { if (velocity.x >= 0) moveRight(delta); } else if (velocity.x <= 0) // moveLeft(delta); } } } int previousCollision = collisions; super.update(delta); if (!grounded || collisions == previousCollision) collisions = 0; } boolean collideX () { boolean result = super.collideX(); if (result) { // If grounded and collided with the map, jump to avoid the obstacle. if (isGrounded()) forceJump = true; collisions++; } return result; } enum Type { weak, normal, strong, becomesBig, big, small } }
{ "content_hash": "46ac7a33cbf0ed4fad7b5fb8662fefa2", "timestamp": "", "source": "github", "line_count": 184, "max_line_length": 109, "avg_line_length": 28.994565217391305, "alnum_prop": 0.6554826616682287, "repo_name": "noobyang/AndroidStudy", "id": "afe22879f160289c91c34ea53c1a0196f2bd3af8", "size": "7117", "binary": false, "copies": "1", "ref": "refs/heads/develop", "path": "game/src/main/java/com/lee/game/gdx/spine/superspineboy/Enemy.java", "mode": "33188", "license": "apache-2.0", "language": [ { "name": "C", "bytes": "963727" }, { "name": "C++", "bytes": "203868" }, { "name": "CMake", "bytes": "1646" }, { "name": "GLSL", "bytes": "9102" }, { "name": "Java", "bytes": "4914986" }, { "name": "Kotlin", "bytes": "421" }, { "name": "Makefile", "bytes": "3472" }, { "name": "Objective-C", "bytes": "3468" } ], "symlink_target": "" }
id: 587d781c367417b2b2512ac4 title: Встановлення розміру шрифту тексту абзацу challengeType: 0 videoUrl: 'https://scrimba.com/c/cVJ36Cr' forumTopicId: 301068 dashedName: set-the-font-size-of-paragraph-text --- # --description-- Властивість `font-size` у CSS не обмежується лише заголовками, вона може застосовуватись до будь-якого елементу, що містить текст. # --instructions-- Абзац стане більш видимий, якщо змінити значення властивості `font-size` до 16px. # --hints-- Ваш тег `p` повинен мати розмір шрифту 16 pixels `font-size`. ```js assert($('p').css('font-size') == '16px'); ``` # --seed-- ## --seed-contents-- ```html <style> p { font-size: 10px; } </style> <p> Lorem ipsum dolor sit amet, consectetur adipiscing elit, sed do eiusmod tempor incididunt ut labore et dolore magna aliqua. Ut enim ad minim veniam, quis nostrud exercitation ullamco laboris nisi ut aliquip ex ea commodo consequat. Duis aute irure dolor in reprehenderit in voluptate velit esse cillum dolore eu fugiat nulla pariatur. </p> ``` # --solutions-- ```html <style> p { font-size: 16px; } </style> <p> Lorem ipsum dolor sit amet, consectetur adipiscing elit, sed do eiusmod tempor incididunt ut labore et dolore magna aliqua. Ut enim ad minim veniam, quis nostrud exercitation ullamco laboris nisi ut aliquip ex ea commodo consequat. Duis aute irure dolor in reprehenderit in voluptate velit esse cillum dolore eu fugiat nulla pariatur. </p> ```
{ "content_hash": "f9bb2b447538b8c23a232225662bedea", "timestamp": "", "source": "github", "line_count": 51, "max_line_length": 336, "avg_line_length": 28.607843137254903, "alnum_prop": 0.7388622344071282, "repo_name": "FreeCodeCamp/FreeCodeCamp", "id": "875fb65ce6458bddda829ec1518d08a9ce2ca52b", "size": "1679", "binary": false, "copies": "1", "ref": "refs/heads/i18n-sync-client", "path": "curriculum/challenges/ukrainian/01-responsive-web-design/applied-visual-design/set-the-font-size-of-paragraph-text.md", "mode": "33188", "license": "bsd-3-clause", "language": [ { "name": "CSS", "bytes": "190263" }, { "name": "HTML", "bytes": "160430" }, { "name": "JavaScript", "bytes": "546299" } ], "symlink_target": "" }
package com.google.gapid.views; import static com.google.gapid.util.Loadable.Message.info; import static com.google.gapid.util.Loadable.Message.smile; import static com.google.gapid.util.Loadable.MessageType.Error; import static com.google.gapid.util.Loadable.MessageType.Info; import static com.google.gapid.widgets.Widgets.createTreeViewer; import com.google.common.base.Throwables; import com.google.common.cache.Cache; import com.google.common.cache.CacheBuilder; import com.google.common.collect.Maps; import com.google.gapid.models.ApiContext; import com.google.gapid.models.ApiContext.FilteringContext; import com.google.gapid.models.Capture; import com.google.gapid.models.CommandStream.CommandIndex; import com.google.gapid.models.Models; import com.google.gapid.models.Reports; import com.google.gapid.models.Settings; import com.google.gapid.models.Strings; import com.google.gapid.proto.service.Service; import com.google.gapid.proto.service.path.Path; import com.google.gapid.proto.stringtable.Stringtable; import com.google.gapid.util.Loadable; import com.google.gapid.util.Messages; import com.google.gapid.views.Formatter.StylingString; import com.google.gapid.widgets.LoadablePanel; import com.google.gapid.widgets.MeasuringViewLabelProvider; import com.google.gapid.widgets.Theme; import com.google.gapid.widgets.Widgets; import org.eclipse.jface.viewers.ILazyTreeContentProvider; import org.eclipse.jface.viewers.TreePath; import org.eclipse.jface.viewers.TreeSelection; import org.eclipse.jface.viewers.TreeViewer; import org.eclipse.jface.viewers.Viewer; import org.eclipse.swt.SWT; import org.eclipse.swt.custom.SashForm; import org.eclipse.swt.graphics.Point; import org.eclipse.swt.layout.FillLayout; import org.eclipse.swt.layout.GridData; import org.eclipse.swt.layout.GridLayout; import org.eclipse.swt.widgets.Composite; import org.eclipse.swt.widgets.Control; import org.eclipse.swt.widgets.Text; import org.eclipse.swt.widgets.TreeItem; import org.eclipse.swt.widgets.Widget; import java.util.Map; import java.util.concurrent.ExecutionException; /** * View that shows the capture report items in a tree. */ public class ReportView extends Composite implements Tab, Capture.Listener, Reports.Listener, ApiContext.Listener { private final Models models; private final MessageProvider messages = new MessageProvider(); private final LoadablePanel<SashForm> loading; private final TreeViewer viewer; private final Composite detailsGroup; private Text reportDetails; // Need this flag to prevent a weird quirk where when opening a second // trace, the report of the previous trace will show up once everything // is fully loaded. private boolean ranReport = false; public ReportView(Composite parent, Models models, Widgets widgets) { super(parent, SWT.NONE); this.models = models; setLayout(new GridLayout(1, false)); Composite buttons = Widgets.withLayoutData(Widgets.createComposite(this, new FillLayout(SWT.VERTICAL)), new GridData(SWT.LEFT, SWT.TOP, false, false)); Widgets.createButton(buttons, "Generate Report", e-> { models.reports.reload(); ranReport = true; }); Composite top = Widgets.withLayoutData(Widgets.createComposite(this, new FillLayout(SWT.VERTICAL)), new GridData(SWT.FILL, SWT.FILL, true, true)); loading = LoadablePanel.create(top, widgets, panel -> new SashForm(panel, SWT.VERTICAL)); SashForm splitter = loading.getContents(); viewer = createTreeViewer(splitter, SWT.H_SCROLL | SWT.V_SCROLL | SWT.VIRTUAL); viewer.setContentProvider(new ReportContentProvider(viewer, messages)); ViewLabelProvider labelProvider = new ViewLabelProvider(viewer, widgets.theme, messages); viewer.setLabelProvider(labelProvider); detailsGroup = Widgets.createGroup(splitter, "Details"); splitter.setWeights(models.settings.getSplitterWeights(Settings.SplitterWeights.Report)); models.capture.addListener(this); models.reports.addListener(this); models.contexts.addListener(this); addListener(SWT.Dispose, e -> { models.capture.removeListener(this); models.reports.removeListener(this); models.contexts.removeListener(this); }); viewer.getTree().addListener(SWT.MouseMove, e -> { Object follow = labelProvider.getFollow(new Point(e.x, e.y)); setCursor((follow == null) ? null : e.display.getSystemCursor(SWT.CURSOR_HAND)); }); viewer.getTree().addListener(SWT.MouseDown, e -> { Path.Command command = (Path.Command)labelProvider.getFollow(new Point(e.x, e.y)); if (command != null) { models.commands.selectCommands(CommandIndex.forCommand(command), true); } }); viewer.getTree().addListener(SWT.Selection, e -> { if (viewer.getTree().getSelectionCount() > 0) { TreeItem item = viewer.getTree().getSelection()[0]; while (item != null && !(item.getData() instanceof Group)) { item = item.getParentItem(); } if (item != null) { getDetails().setText(((Group)item.getData()).name); getDetails().requestLayout(); } } }); addListener(SWT.Dispose, e -> models.settings.setSplitterWeights(Settings.SplitterWeights.Report, splitter.getWeights())); } private Text getDetails() { // Lazy init'ed due to https://github.com/google/gapid/issues/2624 if (reportDetails == null) { reportDetails = new Text(detailsGroup, SWT.MULTI | SWT.READ_ONLY | SWT.WRAP | SWT.V_SCROLL); } return reportDetails; } @Override public Control getControl() { return this; } private void clear() { loading.showMessage(info("Report not generated. Press \"Generate Report\" button.")); ranReport = false; } @Override public void reinitialize() { onCaptureLoadingStart(false); onReportLoaded(); } @Override public void onContextsLoaded() { clear(); } @Override public void onContextSelected(FilteringContext context) { clear(); } @Override public void onCaptureLoadingStart(boolean maintainState) { loading.showMessage(Info, Messages.LOADING_CAPTURE); } @Override public void onCaptureLoaded(Loadable.Message error) { if (error != null) { loading.showMessage(Error, Messages.CAPTURE_LOAD_FAILURE); } } @Override public void onReportLoadingStart() { loading.startLoading(); } @Override public void onReportLoaded() { if (ranReport) { messages.clear(); getDetails().setText(""); if (models.reports.isLoaded()) { updateReport(); } else { loading.showMessage(Error, Messages.CAPTURE_LOAD_FAILURE); } } } private void updateReport() { loading.stopLoading(); Service.Report report = models.reports.getData().report; if (report.getGroupsCount() == 0) { loading.showMessage(smile("Rock on! No issues found in this trace.")); } else { viewer.setInput(report); viewer.setSelection( new TreeSelection(new TreePath(new Object[] { viewer.getInput() })), true); } } /** * A node in the tree representing a report item group with children. */ private static class Group { public final Service.ReportGroup group; public final String name; public Group(MessageProvider messages, Service.Report report, Service.ReportGroup group) { this.group = group; this.name = messages.get(report, group.getName()); } } /** * A report item leaf in the tree. */ private static class Item { public final Service.Report report; public final Service.ReportItem item; public Item(Service.Report report, int index) { this.report = report; this.item = report.getItems(index); } } /** * Content provider for the report tree. */ private static class ReportContentProvider implements ILazyTreeContentProvider { private final TreeViewer viewer; private final MessageProvider messages; private Service.Report report; public ReportContentProvider(TreeViewer viewer, MessageProvider messages) { this.viewer = viewer; this.messages = messages; } @Override public void inputChanged(Viewer v, Object oldInput, Object newInput) { report = (Service.Report)newInput; } @Override public void updateChildCount(Object element, int currentChildCount) { if (element instanceof Service.Report) { viewer.setChildCount(element, ((Service.Report)element).getGroupsCount()); } else if (element instanceof Group) { viewer.setChildCount(element, ((Group)element).group.getItemsCount()); } else { viewer.setChildCount(element, 0); } } @Override public void updateElement(Object parent, int index) { if (parent instanceof Service.Report) { Group group = new Group(messages, report, report.getGroups(index)); viewer.replace(parent, index, group); viewer.setChildCount(group, group.group.getItemsCount()); } else if (parent instanceof Group) { Item item = new Item(report, ((Group)parent).group.getItems(index)); viewer.replace(parent, index, item); viewer.setChildCount(item, 0); } } @Override public Object getParent(Object element) { return null; } } /** * Label provider for the report tree. */ private static class ViewLabelProvider extends MeasuringViewLabelProvider { private static final int TAG_STR_LENGTH = 40; private final MessageProvider messages; public ViewLabelProvider(TreeViewer viewer, Theme theme, MessageProvider messages) { super(viewer, theme); this.messages = messages; } @Override protected <S extends StylingString> S format(Widget widget, Object element, S string) { if (element instanceof Group) { Group group = (Group)element; string.append(trimGroupString(group.name), string.defaultStyle()); string.append(" " + group.group.getItemsCount(), string.structureStyle()); } else if (element instanceof Item) { Item item = (Item)element; string.startLink(item.item.getCommand()); string.append(Formatter.commandIndex(item.item.getCommand()), string.linkStyle()); string.endLink(); string.append(": ", string.structureStyle()); switch (item.item.getSeverity()) { case FatalLevel: case ErrorLevel: string.append(trimSeverity(item.item), string.errorStyle()); break; case WarningLevel: string.append(trimSeverity(item.item), string.errorStyle()); break; default: string.append(trimSeverity(item.item), string.defaultStyle()); } String sep = " "; for (Service.MsgRef tag : item.item.getTagsList()) { string.append(sep, string.structureStyle()); string.append(trimTagString(messages.get(item.report, tag)), string.defaultStyle()); sep = ", "; } } return string; } @Override protected boolean isFollowable(Object element) { return element instanceof Item; } private static String trimGroupString(String str) { str = str.trim(); int p = str.indexOf('\n'); if (p > 0) { str = str.substring(0, p) + '…'; } return str; } private static String trimTagString(String str) { String result = str; if (result.charAt(result.length() - 1) == '.') { result = result.substring(0, result.length() - 1); } if (result.length() > TAG_STR_LENGTH) { result = result.substring(0, TAG_STR_LENGTH - 1) + '…'; } return result; } private static String trimSeverity(Service.ReportItem item) { String result = item.getSeverity().name(); if (result.endsWith("Level")) { result = result.substring(0, result.length() - 5); } return result; } } /** * Formats the {@link com.google.gapid.proto.service.Service.MsgRef messages} in the report tree. */ private static class MessageProvider { private final Cache<Service.MsgRef, String> cache = CacheBuilder.newBuilder().softValues().build(); public MessageProvider() { } public void clear() { cache.invalidateAll(); } public String get(Service.Report report, Service.MsgRef ref) { try { return cache.get(ref, () -> { Map<String, Stringtable.Value> arguments = Maps.newHashMap(); for (Service.MsgRefArgument a : ref.getArgumentsList()) { arguments.put(report.getStrings(a.getKey()), report.getValues(a.getValue())); } return Strings.getMessage(report.getStrings(ref.getIdentifier()), arguments); }); } catch (ExecutionException e) { Throwables.throwIfUnchecked(e.getCause()); throw new RuntimeException(e); } } } }
{ "content_hash": "434050956fe8e7a7f4e8292282b9dcec", "timestamp": "", "source": "github", "line_count": 393, "max_line_length": 107, "avg_line_length": 33.05089058524173, "alnum_prop": 0.6828855185156671, "repo_name": "google/gapid", "id": "1f9f400784d778b631a6a5c89b12fddbd97e2af4", "size": "13592", "binary": false, "copies": "2", "ref": "refs/heads/master", "path": "gapic/src/main/com/google/gapid/views/ReportView.java", "mode": "33188", "license": "apache-2.0", "language": [ { "name": "Batchfile", "bytes": "9484" }, { "name": "C", "bytes": "1285589" }, { "name": "C++", "bytes": "1726051" }, { "name": "CSS", "bytes": "1154" }, { "name": "GLSL", "bytes": "31717" }, { "name": "Go", "bytes": "6976644" }, { "name": "HTML", "bytes": "129217" }, { "name": "Java", "bytes": "2069130" }, { "name": "JavaScript", "bytes": "33222" }, { "name": "NASL", "bytes": "52378" }, { "name": "Objective-C++", "bytes": "12784" }, { "name": "Python", "bytes": "1002" }, { "name": "Shell", "bytes": "30892" }, { "name": "Smarty", "bytes": "3202" }, { "name": "Starlark", "bytes": "544235" } ], "symlink_target": "" }
@implementation SinglePlayer //synthesize variable names @synthesize largeship_p1, mediumship_p1, smallship_p1, smallship2_p1, tinyship_p1, largeship_p2, mediumship_p2, smallship_p2, smallship2_p2, tinyship_p2; @synthesize grid_p1, grid_p2, human_attack_AI, AI_attack_human; @synthesize label_p1, label_p2, current_turn, game_info, p1_left, p2_left, placeDoneButton; @synthesize ships_p1, ships_p2, human_ships, grid_button_p1, grid_button_p2, ship_to_loc_p1, ship_to_loc_p2, ship_index_p1, ship_index_p2; @synthesize attack_direction, smart_moves, game_option; //constants //side length of grid #define GRID_HEIGHT 400 #define GRID_WIDTH 400 //side length of cell #define CELLSIZE 40 //coordinates of origins for two grids #define GRID_ONE_ORIGINX 35 #define GRID_ONE_ORIGINY 145 #define GRID_TWO_ORIGINX 505 #define GRID_TWO_ORIGINY 145 //number of buttons #define NUM_SPOTS 100 //number of ships #define NUM_SHIPS 5; - (void)viewDidLoad { [super viewDidLoad]; //set background image UIGraphicsBeginImageContext(self.view.frame.size); [[UIImage imageNamed:@"background.jpg"] drawInRect:self.view.bounds]; UIImage *image = UIGraphicsGetImageFromCurrentImageContext(); UIGraphicsEndImageContext(); self.view.backgroundColor = [UIColor colorWithPatternImage:image]; //initialize the game [self initGame]; } # pragma mark - initialization - (void)initGame{ //let user choose game option [self gameOptionAlert]; //number of initial ships self.p1_left = NUM_SHIPS; self.p2_left = NUM_SHIPS; //assign five ships to each player ships_p1 = [[NSMutableArray alloc] initWithObjects:largeship_p1, mediumship_p1, smallship_p1, smallship2_p1, tinyship_p1, nil]; ships_p2 = [[NSMutableArray alloc] initWithObjects:largeship_p2, mediumship_p2, smallship_p2, smallship2_p2, tinyship_p2, nil]; human_ships = [NSMutableArray arrayWithObjects:@"large", @"medium", @"small1", @"small2", @"tiny", nil]; //initialize ship locations ship_to_loc_p1 = [[NSMutableDictionary alloc] init]; ship_to_loc_p2 = [[NSMutableDictionary alloc] init]; ship_index_p1 = [[NSMutableDictionary alloc] init]; ship_index_p2 = [[NSMutableDictionary alloc] init]; //display placement done button placeDoneButton.hidden = false; //create buttons for the grid grid_button_p1 = [NSMutableArray array]; grid_button_p2 = [NSMutableArray array]; //sound fil ship_sunk_sound = [self audioWithFileAndType: @"ship_sunk" type:@"mp3"]; final_victory_sound = [self audioWithFileAndType:@"winner" type:@"mp3"]; //label font game_info.font = [UIFont boldSystemFontOfSize:25.0f]; //setup AI brain AI_last_hit = false; first_hit_index = -1; attack_begin = false; attack_direction = [NSMutableString stringWithFormat:@""]; smart_moves = [[NSMutableDictionary alloc] init]; //game option game_option = [NSMutableString stringWithFormat:@"Easy"]; //hide missile image AI_attack_human.hidden = true; human_attack_AI.hidden = true; //initial scores p1_score = 0; p2_score = 0; //add touch events handler to ship buttons int n = NUM_SHIPS; for(int ship_idx=0; ship_idx < n; ship_idx++){ //drap ships [ships_p1[ship_idx] addTarget:self action:@selector(dragShip:withEvent:) forControlEvents:UIControlEventTouchDragInside]; [ships_p1[ship_idx] addTarget:self action:@selector(dragShip:withEvent:) forControlEvents:UIControlEventTouchDragOutside]; //drop ships [ships_p1[ship_idx] addTarget:self action:@selector(dropShip:withEvent:) forControlEvents:UIControlEventTouchUpInside]; [ships_p1[ship_idx] addTarget:self action:@selector(dropShip:withEvent:) forControlEvents:UIControlEventTouchUpOutside]; //use double tap to rotate ships UITapGestureRecognizer *tapRotate = [[UITapGestureRecognizer alloc] initWithTarget:self action:@selector(tapToRotate:)]; tapRotate.numberOfTapsRequired = 2; [ships_p1[ship_idx] addGestureRecognizer:tapRotate]; } //add buttons on the two players' grids for(int current_grid=1; current_grid<3; current_grid++){ float grid_origin_x = (current_grid==1) ? GRID_ONE_ORIGINX : GRID_TWO_ORIGINX; float grid_origin_y = (current_grid==1) ? GRID_ONE_ORIGINY : GRID_TWO_ORIGINY; for(int row=grid_origin_x; row < grid_origin_x + GRID_WIDTH; row += CELLSIZE){ for(int col=grid_origin_y; col < grid_origin_y + GRID_HEIGHT; col += CELLSIZE){ //make a button with computed coordinates UIButton *b = [UIButton buttonWithType:UIButtonTypeSystem]; b.frame = CGRectMake(row, col, CELLSIZE, CELLSIZE); [b setTitle:@"" forState:UIControlStateNormal]; [b setTitleColor:[UIColor redColor] forState:UIControlStateNormal]; //use ocean image as background [b setBackgroundImage:[UIImage imageNamed:@"ocean_img.png"] forState:UIControlStateNormal]; //add borders [[b layer] setBorderWidth:0.5f]; [[b layer] setBorderColor:[UIColor blueColor].CGColor]; [self.view addSubview:b]; b.hidden = true; //add buttons to corresponding grid if(current_grid == 1){ [grid_button_p1 addObject:b]; }else{ [grid_button_p2 addObject:b]; } } } } //randomly decide who to move ships first if([self randomTurn] == 1){; NSLog(@"human places ship first"); self.turn = 1; [self placeShipMessage:self.turn]; [self humanPlaceShip]; }else{ self.turn = 2; NSLog(@"AI places ship first"); //AI randomly place ships [self computerPlace]; NSLog(@"AI finish placing ships"); } } # pragma mark - touch event handler //double tap to flip width and height of ship - (void)tapToRotate:(UITapGestureRecognizer *)sender{ if(sender.state == UIGestureRecognizerStateRecognized){ CGRect temp = sender.view.bounds; temp.size = CGSizeMake(sender.view.frame.size.height, sender.view.frame.size.width); sender.view.bounds = temp; } } //drap a ship to some position - (void)dragShip:(UIButton *)ship withEvent:(UIEvent *)event{ UITouch *touch = [[event allTouches] anyObject]; CGPoint prev = [touch previousLocationInView:ship]; CGPoint curr = [touch locationInView:ship]; //update center CGPoint center = ship.center; center.x += curr.x - prev.x; center.y += curr.y - prev.y; ship.center = center; } //drop a ship to some location - (void)dropShip:(UIButton *)ship withEvent:(UIEvent *)event{ UIControl *target = ship; UITouch *touch = [[event allTouches] anyObject]; CGPoint prev = [touch previousLocationInView:target]; CGPoint curr = [touch locationInView:target]; CGPoint center = target.center; center.x += curr.x - prev.x; center.y += curr.y - prev.y; //ship is within the grid if([self isShipWithinGrid:ship]){ //adjust centers if needed NSString *direct = (ship.bounds.size.width==CELLSIZE) ? @"vertical" : @"horizontal"; NSInteger ship_type = [self get_ship_type:ship]; center = [self adjust_center:direct withCenter:center withType:ship_type]; //compute centers of each block in the ship NSMutableArray *ship_centers_loc; ship_centers_loc = [self find_ship_centers:direct withCenter:center withShipType:ship_type]; //check if the ship is placed over another ship if([self isShipOverlap:ship_centers_loc]){ [self shipOverlapAlert]; }else{ //put ship centers to ships_loc array [self setShips:ship_centers_loc withShip:ship]; target.center = center; } //ship is out of grid }else{ [self shipOutsideGridAlert]; } } # pragma mark - adjust placement //return adjusted center of the ship when player drops the ship to match up with grid - (CGPoint)adjust_center:(NSString *)direction withCenter:(CGPoint)center withType:(NSInteger)ship_type{ //determine origin of grid based on current player float grid_origin_x, grid_origin_y; if(self.turn == 1){ grid_origin_x = GRID_ONE_ORIGINX; grid_origin_y = GRID_ONE_ORIGINY; }else{ grid_origin_x = GRID_TWO_ORIGINX; grid_origin_y = GRID_TWO_ORIGINY; } //deviation from origin float offset_x = fmodf(center.x - grid_origin_x, CELLSIZE); float offset_y = fmodf(center.y - grid_origin_y, CELLSIZE); //vertical ship if([direction isEqualToString:@"vertical"]){ //distance to the middle offset_x -= CELLSIZE/2.0; //pass middle to the right if(offset_x > 0){ center.x -= offset_x; //pass middle to the left }else{ center.x += -offset_x; } //ship with even length if(ship_type==1 || ship_type==4){ center.y += (CELLSIZE - offset_y); } //ship with odd length else{ center.y += (CELLSIZE/2.0 - offset_y); } //horizontal ship }else{ offset_y -= CELLSIZE/2.0; if(offset_y > 0){ center.y -= offset_y; }else{ center.y += -offset_y; } //ship with even length if(ship_type==1 || ship_type==4){ center.x += (CELLSIZE - offset_x); } //ship with odd length else{ center.x += (CELLSIZE/2.0 - offset_x); } } return center; } # pragma mark - process ship locations //return array of centers of blocks in the ship - (NSMutableArray *)find_ship_centers:(NSString *)direction withCenter:(CGPoint)center withShipType:(NSInteger)ship_type{ NSMutableArray *ship_centers_loc = [NSMutableArray array]; BOOL isVertical = [direction isEqualToString:@"vertical"]; //large ship or small ship if(ship_type==0 || ship_type==2 || ship_type==3){ //center block NSValue *center_block = [NSValue valueWithCGPoint:center]; [ship_centers_loc addObject:center_block]; //vertical ship if(isVertical){ //two blocks close to center block center.y -= CELLSIZE; NSValue *val1 = [NSValue valueWithCGPoint:center]; [ship_centers_loc addObject:val1]; center.y += 2*CELLSIZE; NSValue *val2 =[NSValue valueWithCGPoint:center]; [ship_centers_loc addObject:val2]; //add two additional block centers if large ship if(ship_type==0){ center.y += CELLSIZE; [ship_centers_loc addObject:[NSValue valueWithCGPoint:center]]; center.y -= 4*CELLSIZE; [ship_centers_loc addObject:[NSValue valueWithCGPoint:center]]; } //horizontal ship }else{ //two blocks close to center block center.x -= CELLSIZE; [ship_centers_loc addObject:[NSValue valueWithCGPoint:center]]; center.x += 2*CELLSIZE; [ship_centers_loc addObject:[NSValue valueWithCGPoint:center]]; //add two additional block centers if large ship if(ship_type==0){ center.x += CELLSIZE; [ship_centers_loc addObject:[NSValue valueWithCGPoint:center]]; center.x -= 4*CELLSIZE; [ship_centers_loc addObject:[NSValue valueWithCGPoint:center]]; } } } //medium ship or tiny ship else{ //vertical ship if(isVertical){ center.y -= CELLSIZE/2.0; [ship_centers_loc addObject:[NSValue valueWithCGPoint:center]]; center.y += CELLSIZE; [ship_centers_loc addObject:[NSValue valueWithCGPoint:center]]; //add two additional block centers if medium ship if(ship_type == 1){ center.y += CELLSIZE; [ship_centers_loc addObject:[NSValue valueWithCGPoint:center]]; center.y -= 3*CELLSIZE; [ship_centers_loc addObject:[NSValue valueWithCGPoint:center]]; } }else{ center.x -= CELLSIZE/2.0; [ship_centers_loc addObject:[NSValue valueWithCGPoint:center]]; center.x += CELLSIZE; [ship_centers_loc addObject:[NSValue valueWithCGPoint:center]]; //add two additional block centers if medium ship if(ship_type == 1){ center.x += CELLSIZE; [ship_centers_loc addObject:[NSValue valueWithCGPoint:center]]; center.x -= 3*CELLSIZE; [ship_centers_loc addObject:[NSValue valueWithCGPoint:center]]; } } } return ship_centers_loc; } # pragma mark - ship placement //AI place ships - (void)computerPlace{ self.turn = 2; //hide player 1's grid grid_p1.hidden = true; label_p1.hidden = true; for(UIButton *ship in ships_p1){ ship.hidden = true; } //show player 2's grid grid_p2.hidden = false; label_p2.hidden = false; for(UIButton *ship in ships_p2){ ship.hidden = false; } //update text [label_p2 setText:@"AI: start placing ships"]; [current_turn setText:@"AI is placing ships"]; int num = NUM_SHIPS; for(int ship_no=0; ship_no<num; ship_no++){ UIButton *ship = ships_p2[ship_no]; //get a random orientation NSString *randomDirection = [self randomDirection]; //rotate the ship if needed if([randomDirection isEqualToString:@"vertical"]){ CGRect temp = ship.bounds; temp.size = CGSizeMake(ship.frame.size.height, ship.frame.size.width); ship.bounds = temp; } NSInteger ship_type = [self get_ship_type:ship]; //get a random ship_center CGPoint random_ship_center = [self random_center:randomDirection withType:ship_type]; NSMutableArray *ship_loc = [self find_ship_centers:randomDirection withCenter:random_ship_center withShipType:ship_type]; //keep trying if random location of the ship has overlap with other ships BOOL shipOverlap = [self isShipOverlap:ship_loc]; while(shipOverlap){ random_ship_center = [self random_center:randomDirection withType:ship_type]; ship_loc = [self find_ship_centers:randomDirection withCenter:random_ship_center withShipType:ship_type]; shipOverlap = [self isShipOverlap:ship_loc]; } [self setShips:ship_loc withShip:ship]; ship.center = random_ship_center; } //alert view to indicate AI finishes placing ships [self computerPlaceDone]; //let human player place the ships or start the game if([ship_to_loc_p1 count] == 5){ [self startGame]; }else{ [self placeShipMessage:1]; [self humanPlaceShip]; } } //human player place ships - (void)humanPlaceShip{ self.turn = 1; //hide player 2's grid grid_p2.hidden = true; label_p2.hidden = true; for(UIButton *ship in ships_p2){ ship.hidden = true; } //show player 1's grid grid_p1.hidden = false; label_p1.hidden = false; for(UIButton *ship in ships_p1){ ship.hidden = false; } //update text [label_p1 setText:@"Human: you start to place ships"]; [current_turn setText:@"Human is placing ships"]; } //put centers of blocks of the ship in ships_loc array - (void)setShips:(NSMutableArray *)ship_loc withShip:(UIButton *)ship{ if(self.turn == 1){ [ship_to_loc_p1 setObject:ship_loc forKey:[self get_ship_string:ship]]; }else{ [ship_to_loc_p2 setObject:ship_loc forKey:[self get_ship_string:ship]]; } } //method called when user click on placement done button - (IBAction)placementDone:(id)sender { //check if human player has placed all ships into grid for(UIButton *ship in ships_p1){ if(![self isShipWithinGrid:ship]){ [self shipOutsideGridAlert]; return; } } //remove event handlers from ship buttons for(UIButton *ship in ships_p1){ //remove selectors for dragging and dropping ships [ship removeTarget:self action:@selector(dragShip:withEvent:) forControlEvents:UIControlEventTouchDragInside]; [ship removeTarget:self action:@selector(dragShip:withEvent:) forControlEvents:UIControlEventTouchDragOutside]; [ship removeTarget:self action:@selector(dropShip:withEvent:) forControlEvents:UIControlEventTouchUpInside]; [ship removeTarget:self action:@selector(dropShip:withEvent:) forControlEvents:UIControlEventTouchUpOutside]; // remove double tap handler for (UIGestureRecognizer *recognizer in ship.gestureRecognizers) { [ship removeGestureRecognizer: recognizer]; } } //let AI place the ship or start the game if([[ship_to_loc_p2 allKeys] count] == 5){ [self startGame]; }else{ [self computerPlace]; } } # pragma mark - prepare game //prepare to start a game - (void)startGame{ //start the game based on who places ships first self.turn = (self.turn == 1) ? 2 : 1; //hide ships for(UIButton *ship in ships_p1){ ship.hidden = true; } for(UIButton *ship in ships_p2){ ship.hidden = true; } //hide placement done button placeDoneButton.hidden = true; //add press action to buttons on both grid for(UIButton *button in grid_button_p1){ [button addTarget:self action:@selector(pressGrid:) forControlEvents:UIControlEventTouchUpInside]; button.hidden = false; } for(UIButton *button in grid_button_p2){ [button addTarget:self action:@selector(pressGrid:) forControlEvents:UIControlEventTouchUpInside]; button.hidden = false; } //show both grid grid_p1.hidden = false; grid_p2.hidden = false; //show player labels label_p1.hidden = false; label_p2.hidden = false; //compute ship locations in terms of button index [self compute_ship_index:1]; [self compute_ship_index:2]; //show human player's ships in his turn //NOTE: if you do not want to show human's ships, comment the following line [self show_ships:1]; //[self show_ships:2]; //human starts guessing if(self.turn == 1){ NSLog(@"human starts guessing"); [self humanTurn]; //AI starts guessing }else{ NSLog(@"AI starts guessing"); [self computerTurn]; } } # pragma mark - game in process //method called when button on the grid is pressed - (void)pressGrid:(UIButton *)button{ //get text of touched button NSString *text = [button titleForState:UIControlStateNormal]; //button already pressed if([text isEqualToString:@"O"] || [text isEqualToString:@"X"]){ [self pressOccupiedButtonMessage]; [game_info setText:@"Cannot press this button"]; //button not pressed before }else{ CGPoint pressedCenter = [button center]; BOOL hit = false; NSMutableDictionary *check_target = (self.turn == 1) ? ship_to_loc_p2 : ship_to_loc_p1; NSArray *keys = [NSArray arrayWithObjects:@"large", @"medium", @"small1", @"small2", @"tiny", nil]; //check if part of ship is hit for(NSString *key in keys){ NSArray *ship = [check_target objectForKey:key]; for(int pos=0; pos<[ship count]; pos++){ if(ship[pos] != [NSNull null]){ NSValue *posValue = ship[pos]; //part of ship is hit if(posValue.CGPointValue.x == pressedCenter.x && posValue.CGPointValue.y==pressedCenter.y){ //set a marker using [NSNull null] NSMutableArray *temp = [NSMutableArray arrayWithArray:ship]; [temp replaceObjectAtIndex:pos withObject:[NSNull null]]; [check_target setObject:temp forKey:key]; hit = true; break; } } } } //ship hit if(hit){ //update score if(self.turn == 1){ p1_score += 5; }else{ p2_score += 5; } //AI's strategy if(self.turn == 2){ //start hard_strike mode if needed if(!attack_begin){ first_hit_index = (int)[grid_button_p1 indexOfObjectIdenticalTo:button]; //NSLog(@"first hit index: %d", first_hit_index); attack_begin = true; attack_direction = [NSMutableString stringWithFormat:@""]; //compute possible adjacent moves [self computeSmartMoves]; } AI_last_hit = true; } //set marker "X" if hit [button setBackgroundImage:[UIImage imageNamed:@"explode.jpg"] forState:UIControlStateNormal]; [[NSRunLoop mainRunLoop] runUntilDate:[NSDate dateWithTimeIntervalSinceNow:0.5]]; [button setBackgroundImage:nil forState:UIControlStateNormal]; [button setTitle:@"X" forState:UIControlStateNormal]; [game_info setText:@"Part of a ship is hit"]; //ship not hit }else{ //update scores if(self.turn == 1){ p1_score -= 1; }else{ p2_score -= 1; } //AI's strategy if(self.turn == 2){ AI_last_hit = false; } //set marker "O" if not hit [button setBackgroundImage:[UIImage imageNamed:@"explode.jpg"] forState:UIControlStateNormal]; [[NSRunLoop mainRunLoop] runUntilDate:[NSDate dateWithTimeIntervalSinceNow:0.5]]; [button setBackgroundImage:nil forState:UIControlStateNormal]; [button setTitle:@"O" forState:UIControlStateNormal]; [game_info setText:@"A miss"]; } //check game state [self checkGameState]; //switch turns if(self.turn == 1){ [self computerTurn]; }else{ [self humanTurn]; } } } # pragma mark - player's turn //human's turn - (void)humanTurn{ self.turn = 1; //disable own buttons for(UIButton *button in grid_button_p1){ button.enabled = false; } //enable player 2's button to press for(UIButton *button in grid_button_p2){ button.enabled = true; } //update label [label_p1 setText:[NSString stringWithFormat:@"Human (score %d)", p1_score]]; NSString *status = [NSString stringWithFormat:@"Target Ocean(ships left: %d)", p2_left]; [label_p2 setText:status]; [current_turn setText:@"Current turn: Human"]; [game_info setText:@"Click on target ocean"]; human_attack_AI.hidden = false; AI_attack_human.hidden = true; NSLog(@"human's turn done"); } //AI's turn - (void)computerTurn{ self.turn = 2; //disable own buttons for(UIButton *button in grid_button_p2){ button.enabled = false; } //enable player 1's button to press for(UIButton *button in grid_button_p1){ button.enabled = true; } //update labels [label_p2 setText:[NSString stringWithFormat:@"AI (score %d)" ,p2_score]]; NSString *status = [NSString stringWithFormat:@"Target Ocean(ships left: %d)", p1_left]; [label_p1 setText:status]; [current_turn setText:@"Current turn: AI"]; [game_info setText:@"Click on target ocean"]; AI_attack_human.hidden = false; human_attack_AI.hidden = true; //let AI think for a moment [[NSRunLoop mainRunLoop] runUntilDate:[NSDate dateWithTimeIntervalSinceNow:1]]; //choose strategy based on game option if([game_option isEqualToString:@"Easy"]){ [self randomHit]; }else{ [self smartHit]; } NSLog(@"AI's turn done"); } //pick a random position on human's grid and hit - (void)randomHit{ int randomPosition = arc4random() % NUM_SPOTS; UIButton *target = grid_button_p1[randomPosition]; NSString *text = [target titleForState:UIControlStateNormal]; //keep finding a valid position while(![text isEqualToString:@""]){ randomPosition = arc4random() % NUM_SPOTS; target = grid_button_p1[randomPosition]; text = [target titleForState:UIControlStateNormal]; } //NSLog(@"------ Random Hit -----"); //NSLog(@"Random hit index: %d", randomPosition); //press selected spot [self pressGrid:target]; } //pick a position on human's grid with smart strategy - (void)smartHit{ //hard_strike mode: keep striking a ship until it is down if(attack_begin && [smart_moves count]>0 && [[smart_moves objectForKey:[smart_moves allKeys][0]] count]>0){ if(AI_last_hit){ //eliminate either horizontal move or vertical move if attack direction is confirmed if(![attack_direction isEqualToString:@""]){ if([attack_direction isEqualToString:@"left"] || [attack_direction isEqualToString:@"right"]){ if([[smart_moves allKeys] containsObject:@"up"]){ [smart_moves removeObjectForKey:@"up"]; NSLog(@"Confirm horizontal attack: remove up direction"); } if([[smart_moves allKeys] containsObject:@"down"]){ [smart_moves removeObjectForKey:@"down"]; NSLog(@"Confirm horizontal attack: remove down direction"); } } if([attack_direction isEqualToString:@"up"] || [attack_direction isEqualToString:@"down"]){ if([[smart_moves allKeys] containsObject:@"left"]){ [smart_moves removeObjectForKey:@"left"]; NSLog(@"Confirm vertical attack: remove left direction"); } if([[smart_moves allKeys] containsObject:@"right"]){ [smart_moves removeObjectForKey:@"right"]; NSLog(@"Confirm vertical attack: remove right direction"); } } } //select attack direction attack_direction = [NSMutableString stringWithString:[smart_moves allKeys][0]]; NSMutableArray *movesInDirection = [smart_moves objectForKey:attack_direction]; //determine the spot to hit int next_idx = [movesInDirection[0] intValue]; //update AI's mind [movesInDirection removeObject:[NSNumber numberWithInt:next_idx]]; if([movesInDirection count] > 0){ [smart_moves setObject:movesInDirection forKey:attack_direction]; }else{ [smart_moves removeObjectForKey:attack_direction]; } //NSLog(@"--- smart hit ----"); //NSLog(@"Index: %d, Direction: %@", next_idx, attack_direction); //hit the selected spot [self pressGrid:grid_button_p1[next_idx]]; //if not hit last time, remove moves for last direction and try a new direction }else{ //NSLog(@"Last attack not successful, remove direction: %@", attack_direction); //remove possible for previous direction if([attack_direction isEqualToString:@"left"]){ [smart_moves removeObjectForKey:@"left"]; }else if([attack_direction isEqualToString:@"right"]){ [smart_moves removeObjectForKey:@"right"]; }else if([attack_direction isEqualToString:@"up"]){ [smart_moves removeObjectForKey:@"up"]; }else{ [smart_moves removeObjectForKey:@"down"]; } //pick another direction if possible and hit if([smart_moves count] > 0){ attack_direction = [NSMutableString stringWithString:[smart_moves allKeys][0]]; NSMutableArray *movesInDirection = [smart_moves objectForKey:attack_direction]; int next_idx = [movesInDirection[0] intValue]; //update AI's mind [movesInDirection removeObject:[NSNumber numberWithInt:next_idx]]; if([movesInDirection count] > 0){ [smart_moves setObject:movesInDirection forKey:attack_direction]; }else{ [smart_moves removeObjectForKey:attack_direction]; } //NSLog(@"--- smart hit ----"); //NSLog(@"Index: %d, Direction: %@", next_idx, attack_direction); [self pressGrid:grid_button_p1[next_idx]]; }else{ //clear AI's mind attack_begin = false; [smart_moves removeAllObjects]; first_hit_index = -1; attack_direction = [NSMutableString stringWithFormat:@""]; NSLog(@"reset AI mind"); [self randomHit]; } } //AI targets random position if not in hard_strike mode }else{ [self randomHit]; } } //compute smart possible moves in each direction - (void)computeSmartMoves{ int maxLength = 0; //determine the length of largest ship not down up to now if([human_ships containsObject:@"tiny"]){ maxLength = 2; } if([human_ships containsObject:@"small1"] || [human_ships containsObject:@"small2"]){ maxLength = 3; } if([human_ships containsObject:@"medium"]){ maxLength = 4; } if([human_ships containsObject:@"large"]){ maxLength = 5; } //compute smart moves in each direction NSArray *directions = [NSArray arrayWithObjects:@"left", @"right", @"up", @"down", nil]; for(NSString *key in directions){ NSMutableArray *moves = [self extendToDirection:key withLimit:maxLength-1]; if([moves count] > 0){ [smart_moves setObject:moves forKey:key]; } } //NSLog(@"------Strategy------"); //NSLog(@"first hit index: %d", first_hit_index); //for(NSString *key in [smart_moves allKeys]){ // NSLog(@"Direction: %@, Moves: %@", key, [smart_moves objectForKey:key]); //} } //compute possible moves in the given direction - (NSMutableArray *)extendToDirection:(NSString *)direction withLimit:(int)limit{ NSMutableArray *moves = [NSMutableArray array]; if(limit <= 0){ return moves; } //determine the furtherest distance to extend in the given direction if([direction isEqualToString:@"left"]){ limit = MIN(limit, first_hit_index/10); }else if([direction isEqualToString:@"right"]){ limit = MIN(limit, 9 - first_hit_index/10); }else if([direction isEqualToString:@"up"]){ limit = MIN(limit, first_hit_index%10); }else{ limit = MIN(limit, 9-first_hit_index%10); } //extend possible moves in the given direction for(int i=1; i<=limit; i++){ if([direction isEqualToString:@"left"]){ if([self validGuess:first_hit_index-10*i]){ [moves addObject:[NSNumber numberWithInt:first_hit_index-10*i]]; }else{ NSLog(@"An invalid spot stops finding smart moves in left direcrtion"); break; } } if([direction isEqualToString:@"right"]){ if([self validGuess:first_hit_index+10*i]){ [moves addObject:[NSNumber numberWithInt:first_hit_index+10*i]]; }else{ NSLog(@"An invalid spot stops finding smart moves in right direcrtion"); break; } } if([direction isEqualToString:@"up"]){ if([self validGuess:first_hit_index-i]){ [moves addObject:[NSNumber numberWithInt:first_hit_index-i]]; }else{ NSLog(@"An invalid spot stops finding smart moves in up direcrtion"); break; } } if([direction isEqualToString:@"down"]){ if([self validGuess:first_hit_index+i]){ [moves addObject:[NSNumber numberWithInt:first_hit_index+i]]; }else{ NSLog(@"An invalid spot stops finding smart moves in down direcrtion"); break; } } } return moves; } # pragma mark - game checkings //check game state - (void)checkGameState{ int num_ships_down = 0; NSArray *keys = [NSArray arrayWithObjects:@"large", @"medium", @"small1", @"small2", @"tiny", nil]; NSMutableDictionary *check_target = (self.turn==1) ? ship_to_loc_p2 : ship_to_loc_p1; //check state of each kind of ship for(NSString *key in keys){ BOOL is_ship_down = true; NSArray *ship = [check_target objectForKey:key]; //check through blocks of the ship for(int idx=0; idx<[ship count]; idx++){ //at least one block of a ship is not hit if(ship[idx] != [NSNull null]){ is_ship_down = false; break; } } //a ship is down if(is_ship_down){ //update AI's mind if(self.turn == 2){ if([human_ships containsObject:key]){ [human_ships removeObject:key]; } } //display the ships down NSMutableDictionary *dict = (self.turn==1) ? ship_index_p2 : ship_index_p1; NSMutableArray *grid = (self.turn==1) ? grid_button_p2 : grid_button_p1; NSArray *ship_buttons = [dict objectForKey:key]; for(NSNumber *n in ship_buttons){ UIButton *target = grid[[n intValue]]; [target setBackgroundImage:[UIImage imageNamed:@"grey.png"] forState:UIControlStateNormal]; } //count the number of ships down num_ships_down ++; } } //one of the players wins if(num_ships_down == 5){ int winner = self.turn; [self gameOver:winner]; //game continues }else{ //update number of ships not down for each player if(self.turn == 1){ if(num_ships_down != 5-p2_left){ [ship_sunk_sound play]; p2_left --; } }else{ if(num_ships_down != 5-p1_left){ [ship_sunk_sound play]; //clear AI's mind if hit a whole ship attack_begin = false; [smart_moves removeAllObjects]; first_hit_index = -1; attack_direction = [NSMutableString stringWithFormat:@""]; NSLog(@"reset AI mind"); p1_left --; } } } } //game over - (void)gameOver:(int)winner{ //disable all buttons and show all ships for(UIButton *button in grid_button_p1){ button.enabled = false; button.hidden = true; } for(UIButton *button in grid_button_p2){ button.enabled = false; button.hidden = true; } for(UIButton *ship in ships_p1){ ship.hidden = false; } for(UIButton *ship in ships_p2){ ship.hidden = false; } //update label to show the winner if(winner == 1){ [label_p1 setText:@"You are the winner"]; [label_p2 setText:@"You lose"]; }else{ [label_p2 setText:@"You are the winner"]; [label_p1 setText:@"You lose"]; } [final_victory_sound play]; [current_turn setText:@"Congrats!"]; [game_info setText:@"Quit the game and start a new one"]; //save winner score and current date to userdefault NSUserDefaults *defaults = [NSUserDefaults standardUserDefaults]; int winner_score = (winner==1) ? p1_score : p2_score; NSArray *scores = [defaults objectForKey:@"scores"]; NSMutableArray *temp; if(scores == nil){ temp = [NSMutableArray array]; }else{ temp = [NSMutableArray arrayWithArray:scores]; } [temp addObject:[NSNumber numberWithInt:winner_score]]; [defaults setObject:temp forKey:@"scores"]; [defaults synchronize]; //alert message [self gameOverMessage:winner]; } # pragma mark - utility functions //return ship_type based on ship button - (NSInteger)get_ship_type:(UIButton *)ship{ if(ship == self.largeship_p1 || ship==self.largeship_p2){ return 0; }else if(ship == self.mediumship_p1 || ship==self.mediumship_p2){ return 1; }else if(ship == self.smallship_p1 || ship==self.smallship_p2){ return 2; }else if(ship==self.smallship2_p1 || ship==self.smallship2_p2){ return 3; }else{ return 4; } } //return the string of the given ship - (NSString *)get_ship_string:(UIButton *)ship{ NSInteger ship_type = [self get_ship_type:ship]; switch (ship_type) { case 0: return @"large"; break; case 1: return @"medium"; break; case 2: return @"small1"; break; case 3: return @"small2"; break; case 4: return @"tiny"; break; default: return @""; break; } } //random turn - (int)randomTurn{ return arc4random()%2+1; } //randomly select an orientation - (NSString *)randomDirection{ int rand = arc4random() % 2; if(rand == 0){ return @"vertical"; }else{ return @"horizontal"; } } //randomly select a center of the given ship type - (CGPoint)random_center:(NSString *)direction withType:(NSInteger)ship_type{ CGPoint random_center; float random_x, random_y; //ships with even length if(ship_type==1 || ship_type==4){ if([direction isEqualToString:@"vertical"]){ random_x = GRID_TWO_ORIGINX + CELLSIZE/2.0 + (arc4random() % 10)*CELLSIZE; random_y = GRID_TWO_ORIGINY + 2*CELLSIZE + (arc4random() % 7)*CELLSIZE; }else{ random_x = GRID_TWO_ORIGINX + 2*CELLSIZE + (arc4random() % 7)*CELLSIZE; random_y = GRID_TWO_ORIGINY + CELLSIZE/2.0 + (arc4random() % 10)*CELLSIZE; } //ships with odd length }else{ if([direction isEqualToString:@"vertical"]){ random_x = GRID_TWO_ORIGINX + CELLSIZE/2.0 + (arc4random() % 10)*CELLSIZE; random_y = GRID_TWO_ORIGINY + 2.5*CELLSIZE + (arc4random() % 6)*CELLSIZE; }else{ random_x = GRID_TWO_ORIGINX + 2.5*CELLSIZE + (arc4random() % 6)*CELLSIZE; random_y = GRID_TWO_ORIGINY + CELLSIZE/2.0 + (arc4random() % 10)*CELLSIZE; } } random_center = CGPointMake(random_x, random_y); return random_center; } //setup audio player - (AVAudioPlayer *)audioWithFileAndType:(NSString *)filename type:(NSString *)filetype { // build path to audio file NSString *filepath = [[NSBundle mainBundle] pathForResource:filename ofType:filetype]; NSURL *url = [NSURL fileURLWithPath:filepath]; //setup error handler NSError *player_error; //build audio player AVAudioPlayer *player = [[AVAudioPlayer alloc] initWithContentsOfURL:url error:&player_error]; //setup volume [player setVolume:0.3]; return player; } //determine if given button index on the grid is valid - (BOOL)validGuess:(int)button_idx{ //button index out of bound if(button_idx<0 || button_idx>=100){ return false; } //button should not be pressed before NSString *text = [grid_button_p1[button_idx] titleForState:UIControlStateNormal]; return [text isEqualToString:@""]; } //compute button index of ships for the given player - (void)compute_ship_index:(int)player{ NSMutableDictionary *target = (player == 1) ? ship_index_p1 : ship_index_p2; NSMutableDictionary *ship_locations = (player == 1) ? ship_to_loc_p1 : ship_to_loc_p2; NSMutableArray *grid = (player==1) ? grid_button_p1 : grid_button_p2; NSArray *keys = [NSArray arrayWithObjects:@"large", @"medium", @"small1", @"small2", @"tiny", nil]; //loop through each kind of ship for(NSString *key in keys){ NSMutableArray *button_index = [NSMutableArray array]; NSArray *ship_loc = [ship_locations objectForKey:key]; for(NSValue *posValue in ship_loc){ for(UIButton *button in grid){ //button index found for the block of a ship if(button.center.x==posValue.CGPointValue.x && button.center.y==posValue.CGPointValue.y){ int idx = (int)[grid indexOfObject:button]; [button_index addObject:[NSNumber numberWithInt:idx]]; } } } [target setObject:button_index forKey:key]; } } //display ships for the given player - (void)show_ships:(int)player{ NSMutableDictionary *dict = (player==1) ? ship_index_p1 : ship_index_p2; NSMutableArray *grid = (player==1) ? grid_button_p1 : grid_button_p2; for(NSArray *index in [dict allValues]){ for(NSNumber *n in index){ UIButton *target = grid[[n intValue]]; [target setBackgroundImage:[UIImage imageNamed:@"purple.png"] forState:UIControlStateDisabled]; } } } //return string for the given player - (NSString *)get_player_string:(int)player{ return (player==1) ? @"Human" : @"AI"; } # pragma boundary_checking //determine if a ship overlaps with another ship - (BOOL)isShipOverlap:(NSMutableArray *)ship_loc{ NSMutableDictionary *check_target = (self.turn==1) ? ship_to_loc_p1 : ship_to_loc_p2; for(NSValue *ship_piece in ship_loc){ for(NSArray *placed_ship in [check_target allValues]){ for(NSValue *placed_ship_piece in placed_ship){ //ship overlaps if(ship_piece.CGPointValue.x==placed_ship_piece.CGPointValue.x && ship_piece.CGPointValue.y==placed_ship_piece.CGPointValue.y){ return true; } } } } return false; } //check if the whole ship is placed within the grid - (BOOL)isShipWithinGrid:(UIButton *)ship{ float grid_origin_x = (self.turn==1) ? GRID_ONE_ORIGINX : GRID_TWO_ORIGINX; float grid_origin_y = (self.turn==1) ? GRID_ONE_ORIGINY : GRID_TWO_ORIGINY; BOOL check_x_boundary = ((ship.center.x - ship.bounds.size.width/2.0)>=grid_origin_x) && ((ship.center.x + ship.bounds.size.width/2.0)<=grid_origin_x+GRID_WIDTH); BOOL check_y_boundary = ((ship.center.y - ship.bounds.size.height/2.0)>=grid_origin_y) && ((ship.center.y + ship.bounds.size.height/2.0)<=grid_origin_y+GRID_HEIGHT); return check_x_boundary && check_y_boundary; } # pragma mark - alert views - (void)gameStartMessage:(int)player{ UIAlertView *msg = [[UIAlertView alloc] initWithTitle:@"Welcome to the battle" message:[NSString stringWithFormat:@"%@: please strike your enemy's ship first", [self get_player_string:player]] delegate:self cancelButtonTitle:@"OK" otherButtonTitles:nil, nil]; [msg show]; } - (void)gameOverMessage:(int)winner{ UIAlertView *msg = [[UIAlertView alloc] initWithTitle:[NSString stringWithFormat:@"Winner: %@", [self get_player_string:winner]] message:@"You can start a new game" delegate:self cancelButtonTitle:@"Cancel" otherButtonTitles:@"Play again", nil]; [msg show]; } - (void)pressOccupiedButtonMessage{ UIAlertView *msg = [[UIAlertView alloc] initWithTitle:@"Oops, something is wrong" message:@"You click on an occupied button" delegate:self cancelButtonTitle:@"I got it" otherButtonTitles:nil, nil]; [msg show]; } - (void)placeShipMessage:(int)player{ UIAlertView *msg = [[UIAlertView alloc] initWithTitle:@"Reminder" message:[NSString stringWithFormat:@"%@: please place your ships", [self get_player_string:player]] delegate:self cancelButtonTitle:@"OK" otherButtonTitles:nil, nil]; [msg show]; } - (void)computerPlaceDone{ UIAlertView *msg = [[UIAlertView alloc] initWithTitle:@"Game Info" message:@"Computer have finished placing ships" delegate:self cancelButtonTitle:@"OK" otherButtonTitles:nil, nil]; [msg show]; } - (void)shipOutsideGridAlert{ UIAlertView *msg = [[UIAlertView alloc] initWithTitle:@"Oops" message:@"You place the ship out of the grid" delegate:self cancelButtonTitle:nil otherButtonTitles:@"Place it again", nil]; [msg show]; } - (void)shipOverlapAlert{ UIAlertView *msg = [[UIAlertView alloc] initWithTitle:@"Oops" message:@"You place a ship on another ship" delegate:self cancelButtonTitle:nil otherButtonTitles:@"Place it again", nil]; [msg show]; } - (void)gameOptionAlert{ UIAlertView *msg = [[UIAlertView alloc] initWithTitle:@"Welcome to battle with AI" message:@"Please choose battle option" delegate:self cancelButtonTitle:nil otherButtonTitles:@"Easy",@"Hard", nil]; [msg show]; } - (void)alertView:(UIAlertView *)alertView clickedButtonAtIndex:(NSInteger)buttonIndex{ NSString *buttonPressed = [alertView buttonTitleAtIndex:buttonIndex]; if([buttonPressed isEqualToString:@"Play again"]){ [self initGame]; }else if([buttonPressed isEqualToString:@"Start over"]){ [self initGame]; }else if([buttonPressed isEqualToString:@"Hard"]){ game_option = [NSMutableString stringWithFormat:@"Hard"]; }else if([buttonPressed isEqualToString:@"Easy"]){ game_option = [NSMutableString stringWithFormat:@"Easy"]; }else{ } } - (void)didReceiveMemoryWarning { [super didReceiveMemoryWarning]; } @end
{ "content_hash": "eace87dabe51657b5afd9b8f163f3ca4", "timestamp": "", "source": "github", "line_count": 1481, "max_line_length": 263, "avg_line_length": 32.25050641458474, "alnum_prop": 0.5835269978853924, "repo_name": "startupjing/IOS", "id": "5a8b29424cbc1a8530a1ed1e337a784f656de71c", "size": "47955", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "BattleShip/Lu_Lab5/SinglePlayer.m", "mode": "33188", "license": "mit", "language": [ { "name": "Objective-C", "bytes": "398833" } ], "symlink_target": "" }
<html> <head> <link href="../../../../eacont.css" rel=stylesheet> <title>Package Contents for External Systems</title> <meta http-equiv="Content-Type" content="text/html"> </head> <BODY leftmargin="0"> <TABLE BORDER="0" width="100%"> <TR> <TD WIDTH="100%" class=ContentTitle>External Systems</TD> </TR> </TABLE> <TABLE BORDER="0" WIDTH="100%"> <tr> <td width="10%" class=ContentRow><IMG src="../../../../images/diagram.gif"></td> <td width="90%" class=ContentRow><a href="EA191.html" TARGET=content>External Systems</a></td> </tr> <tr> <td width="10%" class=ContentRow><IMG src="../../../../images/component.gif"></td> <td width="90%" class=ContentRow><a href="EA193.html" TARGET=content>caArray</a></td> </tr> <tr> <td width="10%" class=ContentRow><IMG src="../../../../images/component.gif"></td> <td width="90%" class=ContentRow><a href="EA194.html" TARGET=content>CTODS</a></td> </tr> <tr> <td width="10%" class=ContentRow><IMG src="../../../../images/component.gif"></td> <td width="90%" class=ContentRow><a href="EA195.html" TARGET=content>GenePattern</a></td> </tr> <tr> <td width="10%" class=ContentRow><IMG src="../../../../images/component.gif"></td> <td width="90%" class=ContentRow><a href="EA196.html" TARGET=content>NCIA</a></td> </tr> </TABLE> </body> </html>
{ "content_hash": "7e7c8aee7df9d4fbd3a03084954ac667", "timestamp": "", "source": "github", "line_count": 32, "max_line_length": 98, "avg_line_length": 42.46875, "alnum_prop": 0.6070640176600441, "repo_name": "NCIP/caintegrator-docs", "id": "e189390bbc756f45fc9203fa2d525e14603c7e09", "size": "1359", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "analysis_and_design/models/html/EARoot/EA6/EA1/EA3/contents.html", "mode": "33188", "license": "bsd-3-clause", "language": [ { "name": "CSS", "bytes": "210917" }, { "name": "DOT", "bytes": "416256" }, { "name": "JavaScript", "bytes": "1081202" } ], "symlink_target": "" }
/** * Given an array of dependencies - it returns their RNPM config * if they were valid. */ module.exports = function getDependencyConfig(config, deps) { return deps.reduce((acc, name) => { try { return acc.concat({ config: config.getDependencyConfig(name), name, }); } catch (err) { console.log(err); return acc; } }, []); };
{ "content_hash": "4347710552f39168a9e624cdf4197bb8", "timestamp": "", "source": "github", "line_count": 19, "max_line_length": 64, "avg_line_length": 20.473684210526315, "alnum_prop": 0.5784061696658098, "repo_name": "hoastoolshop/react-native", "id": "71ce26590906ea2537b6163449e96fc9d6c02cc0", "size": "571", "binary": false, "copies": "6", "ref": "refs/heads/master", "path": "local-cli/link/getDependencyConfig.js", "mode": "33188", "license": "bsd-3-clause", "language": [ { "name": "AppleScript", "bytes": "1171" }, { "name": "Assembly", "bytes": "13072" }, { "name": "Awk", "bytes": "121" }, { "name": "Batchfile", "bytes": "301" }, { "name": "C", "bytes": "63225" }, { "name": "C++", "bytes": "298434" }, { "name": "CSS", "bytes": "17957" }, { "name": "HTML", "bytes": "28846" }, { "name": "IDL", "bytes": "617" }, { "name": "Java", "bytes": "978002" }, { "name": "JavaScript", "bytes": "1311897" }, { "name": "Makefile", "bytes": "6060" }, { "name": "Objective-C", "bytes": "1007700" }, { "name": "Objective-C++", "bytes": "7940" }, { "name": "Prolog", "bytes": "311" }, { "name": "Python", "bytes": "32195" }, { "name": "Ruby", "bytes": "4501" }, { "name": "Shell", "bytes": "12697" } ], "symlink_target": "" }
ENV["RAILS_ENV"] ||= "test" puts File.expand_path("../../spec/dummy/config/environment", __FILE__) require File.expand_path("../../spec/dummy/config/environment", __FILE__) require 'websocket_rails/spec_helpers'
{ "content_hash": "eeb80a4296b96eb47bab3a186c38907f", "timestamp": "", "source": "github", "line_count": 5, "max_line_length": 73, "avg_line_length": 42.6, "alnum_prop": 0.6854460093896714, "repo_name": "woohp/sync", "id": "87951c07cae7bff71b73cf709d0b07e410ea7bbe", "size": "213", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "spec/spec_helper.rb", "mode": "33188", "license": "mit", "language": [ { "name": "JavaScript", "bytes": "1636" }, { "name": "Ruby", "bytes": "20640" } ], "symlink_target": "" }
#define EV_STANDALONE /* keeps ev from requiring config.h */ #ifdef _WIN32 #define EV_SELECT_IS_WINSOCKET 1 /* configure libev for windows select */ #define EV_USE_MONOTONIC 0 #define EV_USE_REALTIME 0 #endif #include "../libev/ev.h"
{ "content_hash": "5da50ba0bc1a9a2181c363f61774836a", "timestamp": "", "source": "github", "line_count": 10, "max_line_length": 75, "avg_line_length": 25.2, "alnum_prop": 0.6825396825396826, "repo_name": "cosmo0920/cool.io", "id": "b19016fa02667501238e80386e39cf38220e50d7", "size": "252", "binary": false, "copies": "4", "ref": "refs/heads/master", "path": "ext/cool.io/ev_wrap.h", "mode": "33188", "license": "mit", "language": [ { "name": "C", "bytes": "281649" }, { "name": "Ruby", "bytes": "61549" } ], "symlink_target": "" }
<!DOCTYPE HTML PUBLIC "-//W3C//DTD HTML 4.01 Transitional//EN" "http://www.w3.org/TR/html4/loose.dtd"> <!-- NewPage --> <html lang="en"> <head> <title>Uses of Class org.jsimpledb.kv.util.AbstractKVNavigableMap (Java Class Library API)</title> <link rel="stylesheet" type="text/css" href="../../../../../stylesheet.css" title="Style"> </head> <body> <script type="text/javascript"><!-- if (location.href.indexOf('is-external=true') == -1) { parent.document.title="Uses of Class org.jsimpledb.kv.util.AbstractKVNavigableMap (Java Class Library API)"; } //--> </script> <noscript> <div>JavaScript is disabled on your browser.</div> </noscript> <!-- ========= START OF TOP NAVBAR ======= --> <div class="topNav"><a name="navbar_top"> <!-- --> </a><a href="#skip-navbar_top" title="Skip navigation links"></a><a name="navbar_top_firstrow"> <!-- --> </a> <ul class="navList" title="Navigation"> <li><a href="../../../../../overview-summary.html">Overview</a></li> <li><a href="../package-summary.html">Package</a></li> <li><a href="../../../../../org/jsimpledb/kv/util/AbstractKVNavigableMap.html" title="class in org.jsimpledb.kv.util">Class</a></li> <li class="navBarCell1Rev">Use</li> <li><a href="../package-tree.html">Tree</a></li> <li><a href="../../../../../deprecated-list.html">Deprecated</a></li> <li><a href="../../../../../index-all.html">Index</a></li> <li><a href="../../../../../help-doc.html">Help</a></li> </ul> </div> <div class="subNav"> <ul class="navList"> <li>Prev</li> <li>Next</li> </ul> <ul class="navList"> <li><a href="../../../../../index.html?org/jsimpledb/kv/util/class-use/AbstractKVNavigableMap.html" target="_top">Frames</a></li> <li><a href="AbstractKVNavigableMap.html" target="_top">No Frames</a></li> </ul> <ul class="navList" id="allclasses_navbar_top"> <li><a href="../../../../../allclasses-noframe.html">All Classes</a></li> </ul> <div> <script type="text/javascript"><!-- allClassesLink = document.getElementById("allclasses_navbar_top"); if(window==top) { allClassesLink.style.display = "block"; } else { allClassesLink.style.display = "none"; } //--> </script> </div> <a name="skip-navbar_top"> <!-- --> </a></div> <!-- ========= END OF TOP NAVBAR ========= --> <div class="header"> <h2 title="Uses of Class org.jsimpledb.kv.util.AbstractKVNavigableMap" class="title">Uses of Class<br>org.jsimpledb.kv.util.AbstractKVNavigableMap</h2> </div> <div class="classUseContainer"> <ul class="blockList"> <li class="blockList"> <table border="0" cellpadding="3" cellspacing="0" summary="Use table, listing packages, and an explanation"> <caption><span>Packages that use <a href="../../../../../org/jsimpledb/kv/util/AbstractKVNavigableMap.html" title="class in org.jsimpledb.kv.util">AbstractKVNavigableMap</a></span><span class="tabEnd">&nbsp;</span></caption> <tr> <th class="colFirst" scope="col">Package</th> <th class="colLast" scope="col">Description</th> </tr> <tbody> <tr class="altColor"> <td class="colFirst"><a href="#org.jsimpledb.kv.util">org.jsimpledb.kv.util</a></td> <td class="colLast"> <div class="block">Utility classes relating to the <a href="../../../../../org/jsimpledb/kv/KVDatabase.html" title="interface in org.jsimpledb.kv"><code>KVDatabase</code></a> interface.</div> </td> </tr> </tbody> </table> </li> <li class="blockList"> <ul class="blockList"> <li class="blockList"><a name="org.jsimpledb.kv.util"> <!-- --> </a> <h3>Uses of <a href="../../../../../org/jsimpledb/kv/util/AbstractKVNavigableMap.html" title="class in org.jsimpledb.kv.util">AbstractKVNavigableMap</a> in <a href="../../../../../org/jsimpledb/kv/util/package-summary.html">org.jsimpledb.kv.util</a></h3> <table border="0" cellpadding="3" cellspacing="0" summary="Use table, listing subclasses, and an explanation"> <caption><span>Subclasses of <a href="../../../../../org/jsimpledb/kv/util/AbstractKVNavigableMap.html" title="class in org.jsimpledb.kv.util">AbstractKVNavigableMap</a> in <a href="../../../../../org/jsimpledb/kv/util/package-summary.html">org.jsimpledb.kv.util</a></span><span class="tabEnd">&nbsp;</span></caption> <tr> <th class="colFirst" scope="col">Modifier and Type</th> <th class="colLast" scope="col">Class and Description</th> </tr> <tbody> <tr class="altColor"> <td class="colFirst"><code>class&nbsp;</code></td> <td class="colLast"><code><strong><a href="../../../../../org/jsimpledb/kv/util/KVNavigableMap.html" title="class in org.jsimpledb.kv.util">KVNavigableMap</a></strong></code> <div class="block">A <a href="https://docs.oracle.com/javase/7/docs/api/java/util/NavigableMap.html?is-external=true" title="class or interface in java.util"><code>NavigableMap</code></a> view of the keys and values in a <a href="../../../../../org/jsimpledb/kv/KVStore.html" title="interface in org.jsimpledb.kv"><code>KVStore</code></a>.</div> </td> </tr> </tbody> </table> </li> </ul> </li> </ul> </div> <!-- ======= START OF BOTTOM NAVBAR ====== --> <div class="bottomNav"><a name="navbar_bottom"> <!-- --> </a><a href="#skip-navbar_bottom" title="Skip navigation links"></a><a name="navbar_bottom_firstrow"> <!-- --> </a> <ul class="navList" title="Navigation"> <li><a href="../../../../../overview-summary.html">Overview</a></li> <li><a href="../package-summary.html">Package</a></li> <li><a href="../../../../../org/jsimpledb/kv/util/AbstractKVNavigableMap.html" title="class in org.jsimpledb.kv.util">Class</a></li> <li class="navBarCell1Rev">Use</li> <li><a href="../package-tree.html">Tree</a></li> <li><a href="../../../../../deprecated-list.html">Deprecated</a></li> <li><a href="../../../../../index-all.html">Index</a></li> <li><a href="../../../../../help-doc.html">Help</a></li> </ul> </div> <div class="subNav"> <ul class="navList"> <li>Prev</li> <li>Next</li> </ul> <ul class="navList"> <li><a href="../../../../../index.html?org/jsimpledb/kv/util/class-use/AbstractKVNavigableMap.html" target="_top">Frames</a></li> <li><a href="AbstractKVNavigableMap.html" target="_top">No Frames</a></li> </ul> <ul class="navList" id="allclasses_navbar_bottom"> <li><a href="../../../../../allclasses-noframe.html">All Classes</a></li> </ul> <div> <script type="text/javascript"><!-- allClassesLink = document.getElementById("allclasses_navbar_bottom"); if(window==top) { allClassesLink.style.display = "block"; } else { allClassesLink.style.display = "none"; } //--> </script> </div> <a name="skip-navbar_bottom"> <!-- --> </a></div> <!-- ======== END OF BOTTOM NAVBAR ======= --> </body> </html>
{ "content_hash": "cedb8bd3a0d6a48e72c6fcbe3a96343b", "timestamp": "", "source": "github", "line_count": 157, "max_line_length": 345, "avg_line_length": 41.503184713375795, "alnum_prop": 0.6419582565991406, "repo_name": "tempbottle/jsimpledb", "id": "5288142fc213e56364dfcfae65a96796973c3a0a", "size": "6516", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "publish/reports/javadoc/org/jsimpledb/kv/util/class-use/AbstractKVNavigableMap.html", "mode": "33188", "license": "apache-2.0", "language": [ { "name": "CSS", "bytes": "11303" }, { "name": "HTML", "bytes": "29770969" }, { "name": "Java", "bytes": "3695737" }, { "name": "JavaScript", "bytes": "25330" }, { "name": "XSLT", "bytes": "26413" } ], "symlink_target": "" }
package edu.utk.phys.fern; import java.io.File; import java.io.FileInputStream; import java.io.IOException; class ReadAFile{ public int bufferLength; // Overload the constructor so that an instance can be invoked with an argument // giving the size of the buffer required for that instance instead of using the class default. ReadAFile(){} ReadAFile(int bufferLength){ this(); // Causes first constructor to be run first (not really required in this case) this.bufferLength = bufferLength; } // ------------------------------------------------------------------------------------------------------------- // The following file readin method is adapted from a program by // David Flanagan. It tests for common file input mistakes. To use, // create an instance of this class and then invoke the method // readASCIIFile(filename), which returns the file content of the ascii // file filename as a single string. This string can then be broken into // tokens (separated on whitespace) using the StringTokenizer class and // the tokens processed to store the data read in as variables. See // ReadAFileTester.java for examples. // ------------------------------------------------------------------------------------------------------------- public String readASCIIFile(String from_name) throws IOException { String s = null; int buffNumber; File from_file = new File(from_name); //Get File objects from Strings // First make sure the source file exists, is a file, and is readable if (!from_file.exists()) abort("no such source file: " + from_name); if (!from_file.isFile()) abort("can't copy directory: " + from_name); if (!from_file.canRead()) abort("source file is unreadable: " + from_name); // Now define a byte input stream FileInputStream from = null; // Stream to read from source int buffLength = 50000;//32768;//16384; // Length of input buffer in bytes if(this.bufferLength > 0) buffLength=this.bufferLength; // Copy the file, a buffer of bytes at a time. try { from = new FileInputStream(from_file); // byte input stream byte[] buffer = new byte[buffLength]; //Buffer for file contents int bytes_read; //How many bytes in buffer? buffNumber = 0; //How many buffers of length //buffLength have been read? // Read bytes into the buffer, looping until we // reach the end of the file (when read() returns -1). while((bytes_read = from.read(buffer))!= -1) { // Read til EOF // Convert the input buffer to a string s = new String(buffer,0); buffNumber ++; } if(buffNumber > 1){ callExit("\n*** Error in ReadAFile: Buffer size " +"of buffLength="+buffLength+" exceeded for data input stream " +"\nfrom file "+from_name +". Assign larger value for buffLength. ***"); } } // Close the input stream, even if exceptions were thrown finally { if (from != null) try { from.close(); } catch (IOException e) { ; } } // Return the input buffer as a string. This string may be broken on whitespace // into tokens using the StringTokenizer class and then the tokens processed into // data. See ReadAFileTester.java for examples. return s.trim(); } // ---------------------------------------------------------------------- // Method to call system exit // ---------------------------------------------------------------------- public static void callExit(String message) { System.out.println(); System.out.println(message); System.out.println(); System.exit(1); } /** A convenience method to throw an exception */ private static void abort(String msg) throws IOException { throw new IOException("FileCopy: " + msg); } }
{ "content_hash": "53075c14443c1b3129075689657f6a9c", "timestamp": "", "source": "github", "line_count": 111, "max_line_length": 116, "avg_line_length": 39.42342342342342, "alnum_prop": 0.5303930530164533, "repo_name": "jayjaybillings/fern", "id": "783152fb9a83dbf82601f366a65028361d3d5f65", "size": "4376", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "src/edu.utk.phys.fern/edu/utk/phys/fern/ReadAFile.java", "mode": "33188", "license": "bsd-3-clause", "language": [ { "name": "Batchfile", "bytes": "1401" }, { "name": "C", "bytes": "20963" }, { "name": "C++", "bytes": "212358" }, { "name": "CMake", "bytes": "5510" }, { "name": "CSS", "bytes": "1202" }, { "name": "Cuda", "bytes": "49608" }, { "name": "Groff", "bytes": "25" }, { "name": "HTML", "bytes": "205569" }, { "name": "Java", "bytes": "1603026" }, { "name": "Makefile", "bytes": "633" }, { "name": "Objective-C", "bytes": "5940" }, { "name": "PostScript", "bytes": "211330" } ], "symlink_target": "" }
<?xml version="1.0" ?> <Simulation> <TestInfo> <name>framework/CodeInterfaceTests/PHISICS.phisics</name> <author>rouxpn</author> <created>2018-04-23</created> <classesTested>Models.Code.Phisics</classesTested> <description> This test is aimed to test the mechanics of the interface between RAVEN and PHISICS, using the full-blonde PHISICS executable. Qvalues, decay constants, initial densities and cross sections get perturbed. NOTE: The input files and data have been epurated from nuclear data; consequentially the case is not runable for real with PHISICS. The code will error out. </description> <revisions> <revision author="alfoa" date="2018-07-08">modified to make it work and to remove nuclear data</revision> </revisions> </TestInfo> <RunInfo> <WorkingDir>./phisics</WorkingDir> <Sequence>phisicsTest2D</Sequence> <batchSize>1</batchSize> </RunInfo> <Files> <Input name="inp.xml" type="inp" perturbable="False" >inp.xml</Input> <Input name="lib_inp_path.xml" type="path" perturbable="False" >lib_inp_path.xml</Input> <Input name="Material.xml" type="Material" perturbable="True" >Material.xml</Input> <Input name="Depletion_input.xml" type="Depletion_input" perturbable="False" >Depletion_input.xml</Input> <Input name="Xs-Library.xml" type="Xs-Library" perturbable="False" >Xs-Library.xml</Input> <Input name="scaled_xs.xml" type="XS" perturbable="True" >scaled_xs.xml</Input> <Input name="tabMapping.xml" type="tabMap" perturbable="False" >tabMapping.xml</Input> <Input name="decay.dat" type="decay" perturbable="True" subDirectory="mrtau_libraries" >decay.dat</Input> <Input name="FissionYield.dat" type="FissionYield" perturbable="True" subDirectory="mrtau_libraries" >FissionYield.dat</Input> <Input name="FissQValue.dat" type="FissQValue" perturbable="True" subDirectory="mrtau_libraries" >FissQValue.dat</Input> <Input name="AlphaDecay.path" type="AlphaDecay" perturbable="True" subDirectory="mrtau_libraries" >AlphaDecay.path</Input> <Input name="Beta+Decay.path" type="Beta+Decay" perturbable="True" subDirectory="mrtau_libraries" >Beta+Decay.path</Input> <Input name="Beta+xDecay.path" type="Beta+xDecay" perturbable="True" subDirectory="mrtau_libraries" >Beta+xDecay.path</Input> <Input name="BetaDecay.path" type="BetaDecay" perturbable="True" subDirectory="mrtau_libraries" >BetaDecay.path</Input> <Input name="BetaxDecay.path" type="BetaxDecay" perturbable="True" subDirectory="mrtau_libraries" >BetaxDecay.path</Input> <Input name="IntTraDecay.path" type="IntTraDecay" perturbable="True" subDirectory="mrtau_libraries" >IntTraDecay.path</Input> <Input name="N,2N.path" type="N,2N" perturbable="False" subDirectory="mrtau_libraries" >N,2N.path</Input> <Input name="N,ALPHA.path" type="N,ALPHA" perturbable="False" subDirectory="mrtau_libraries" >N,ALPHA.path</Input> <Input name="N,G.path" type="N,G" perturbable="False" subDirectory="mrtau_libraries" >N,G.path</Input> <Input name="N,Gx.path" type="N,Gx" perturbable="False" subDirectory="mrtau_libraries" >N,Gx.path</Input> <Input name="N,P.path" type="N,P" perturbable="False" subDirectory="mrtau_libraries" >N,P.path</Input> <Input name="budep.inp" type="budep" perturbable="False" subDirectory="mrtau_libraries" >budep.inp</Input> <Input name="CRAM_coeff_PF.dat" type="CRAM_coeff_PF" perturbable="False" subDirectory="mrtau_libraries" >CRAM_coeff_PF.dat</Input> <Input name="IsotopeList.dat" type="IsotopeList" perturbable="False" subDirectory="mrtau_libraries" >IsotopeList.dat</Input> <Input name="mass.inp" type="mass" perturbable="False" subDirectory="mrtau_libraries" >mass.inp</Input> </Files> <Models> <Code name="PHISICS" subType="Phisics"> <executable>ls</executable> <mrtauStandAlone>F</mrtauStandAlone> <printSpatialRR>F</printSpatialRR> <printSpatialFlux>F</printSpatialFlux> </Code> </Models> <Distributions> <Normal name="DECAY|BETA|ZN68_distrib"> <mean>4.5E-10</mean> <sigma>1.0E-10</sigma> </Normal> <Normal name="FY|FAST|U235|ZN67_distrib"> <mean>5.7E-10</mean> <sigma>1.0E-10</sigma> </Normal> <Normal name="FY|THERMAL|U235|I135_distrib"> <mean>5.7E-10</mean> <sigma>1.0E-10</sigma> </Normal> <Normal name="DENSITY|MATF3|U-235_distrib"> <mean>7.77E-09</mean> <sigma>1.0E-09</sigma> </Normal> <Normal name="QVALUES|PU241_distrib"> <mean>0.02</mean> <sigma>0.001</sigma> </Normal> <Normal name="ALPHADECAY|U234_distrib"> <mean>0.02</mean> <sigma>0.001</sigma> </Normal> <Normal name="BETA+DECAY|NB93_distrib"> <mean>0.02</mean> <sigma>0.001</sigma> </Normal> <Normal name="BETA+XDECAY|U234_distrib"> <mean>0.02</mean> <sigma>0.001</sigma> </Normal> <Normal name="BETADECAY|MO95_distrib"> <mean>0.02</mean> <sigma>0.001</sigma> </Normal> <Normal name="BETAXDECAY|U234_distrib"> <mean>0.02</mean> <sigma>0.001</sigma> </Normal> <Normal name="INTTRADECAY|U234_distrib"> <mean>0.02</mean> <sigma>0.001</sigma> </Normal> <Normal name="XS|1|matF1|U235|MULTIPLIER|FISSIONXS|1_distrib"> <mean>0.02</mean> <sigma>0.001</sigma> </Normal> </Distributions> <Samplers> <MonteCarlo name="MC_samp"> <samplerInit> <limit>2</limit> <initialSeed>20021986</initialSeed> </samplerInit> <variable name="DECAY|BETA|ZN68"> <distribution>DECAY|BETA|ZN68_distrib</distribution> </variable> <variable name="FY|FAST|U235|ZN67"> <distribution>FY|FAST|U235|ZN67_distrib</distribution> </variable> <variable name="FY|THERMAL|U235|I135"> <distribution>FY|THERMAL|U235|I135_distrib</distribution> </variable> <variable name="DENSITY|MATF3|U-235"> <distribution>DENSITY|MATF3|U-235_distrib</distribution> </variable> <variable name="QVALUES|PU241"> <distribution>QVALUES|PU241_distrib</distribution> </variable> <variable name="ALPHADECAY|U234"> <distribution>ALPHADECAY|U234_distrib</distribution> </variable> <variable name="BETA+DECAY|NB93"> <distribution>BETA+DECAY|NB93_distrib</distribution> </variable> <variable name="BETA+XDECAY|U234"> <distribution>BETA+XDECAY|U234_distrib</distribution> </variable> <variable name="BETADECAY|MO95"> <distribution>BETADECAY|MO95_distrib</distribution> </variable> <variable name="BETAXDECAY|U234"> <distribution>BETAXDECAY|U234_distrib</distribution> </variable> <variable name="INTTRADECAY|U234"> <distribution>INTTRADECAY|U234_distrib</distribution> </variable> <variable name="XS|1|matF1|U235|MULTIPLIER|FISSIONXS|1"> <distribution>XS|1|matF1|U235|MULTIPLIER|FISSIONXS|1_distrib</distribution> </variable> </MonteCarlo> </Samplers> <Steps> <MultiRun name="phisicsTest2D" clearRunDir="False"> <Input class="Files" type="decay" >decay.dat</Input> <Input class="Files" type="inp" >inp.xml</Input> <Input class="Files" type="path" >lib_inp_path.xml</Input> <Input class="Files" type="Material" >Material.xml</Input> <Input class="Files" type="Depletion_input" >Depletion_input.xml</Input> <Input class="Files" type="Xs-Library" >Xs-Library.xml</Input> <Input class="Files" type="FissionYield" >FissionYield.dat</Input> <Input class="Files" type="FissQValue" >FissQValue.dat</Input> <Input class="Files" type="AlphaDecay" >AlphaDecay.path</Input> <Input class="Files" type="Beta+Decay" >Beta+Decay.path</Input> <Input class="Files" type="Beta+xDecay" >Beta+xDecay.path</Input> <Input class="Files" type="BetaDecay" >BetaDecay.path</Input> <Input class="Files" type="BetaxDecay" >BetaxDecay.path</Input> <Input class="Files" type="IntTraDecay" >IntTraDecay.path</Input> <Input class="Files" type="XS" >scaled_xs.xml</Input> <Input class="Files" type="N,2N" >N,2N.path</Input> <Input class="Files" type="N,ALPHA" >N,ALPHA.path</Input> <Input class="Files" type="N,G" >N,G.path</Input> <Input class="Files" type="N,Gx" >N,Gx.path</Input> <Input class="Files" type="N,P" >N,P.path</Input> <Input class="Files" type="budep" >budep.inp</Input> <Input class="Files" type="CRAM_coeff_PF" >CRAM_coeff_PF.dat</Input> <Input class="Files" type="IsotopeList" >IsotopeList.dat</Input> <Input class="Files" type="mass" >mass.inp</Input> <Input class="Files" type="tabMap" >tabMapping.xml</Input> <Model class="Models" type="Code">PHISICS</Model> <Sampler class="Samplers" type="MonteCarlo">MC_samp</Sampler> <Output class="DataObjects" type="PointSet">outMC</Output> <Output class="OutStreams" type="Print">out_streams_RAVEN</Output> </MultiRun> </Steps> <OutStreams> <Print name="out_streams_RAVEN"> <type>csv</type> <source>outMC</source> </Print> </OutStreams> <DataObjects> <PointSet name="outMC"> <Input>DECAY|BETA|ZN68,FY|FAST|U235|ZN67</Input> <Output>keff</Output> </PointSet> </DataObjects> </Simulation>
{ "content_hash": "bf801e2c389c8fa0b8bbde75ef7ad24e", "timestamp": "", "source": "github", "line_count": 206, "max_line_length": 143, "avg_line_length": 49.970873786407765, "alnum_prop": 0.6095783951816592, "repo_name": "idaholab/raven", "id": "7217fbf48d4d308d4a75e9e5deee3180bc7dbdce", "size": "10294", "binary": false, "copies": "2", "ref": "refs/heads/devel", "path": "tests/framework/CodeInterfaceTests/PHISICS/test_phisics_interface.xml", "mode": "33188", "license": "apache-2.0", "language": [ { "name": "Assembly", "bytes": "1556316" }, { "name": "Batchfile", "bytes": "1095" }, { "name": "C", "bytes": "148504" }, { "name": "C++", "bytes": "48279546" }, { "name": "CMake", "bytes": "9998" }, { "name": "Jupyter Notebook", "bytes": "84202" }, { "name": "MATLAB", "bytes": "202335" }, { "name": "Makefile", "bytes": "2399" }, { "name": "Perl", "bytes": "1297" }, { "name": "Python", "bytes": "7004752" }, { "name": "R", "bytes": "67" }, { "name": "SWIG", "bytes": "8622" }, { "name": "Shell", "bytes": "124289" }, { "name": "TeX", "bytes": "479725" } ], "symlink_target": "" }
namespace SharpNeat.Core { /// <summary> /// Generic interface for classes that decode genomes into phenomes. /// </summary> /// <typeparam name="TGenome">The genome type to be decoded.</typeparam> /// <typeparam name="TPhenome">The phenome type that is decoded to.</typeparam> public interface IGenomeDecoder<TGenome,TPhenome> { /// <summary> /// Decodes a genome into a phenome. Note that not all genomes have to decode successfully. That is, we /// support genetic representations that may produce non-viable offspring. In such cases this method /// can return a null. /// </summary> TPhenome Decode(TGenome genome); } }
{ "content_hash": "3d6f00e43a417d314b2d2895ccabab79", "timestamp": "", "source": "github", "line_count": 18, "max_line_length": 112, "avg_line_length": 39.22222222222222, "alnum_prop": 0.6558073654390935, "repo_name": "colgreen/sharpneat", "id": "0c033ac015c49619b4adccb70742b96d2ac8610d", "size": "1166", "binary": false, "copies": "2", "ref": "refs/heads/master", "path": "src/SharpNeatLib/Core/IGenomeDecoder.cs", "mode": "33188", "license": "mit", "language": [ { "name": "Batchfile", "bytes": "484" }, { "name": "C#", "bytes": "1587495" } ], "symlink_target": "" }
In the interest of fostering an open and welcoming environment, we as contributors and maintainers pledge to making participation in our project and our community a harassment-free experience for everyone, regardless of age, body size, disability, ethnicity, gender identity and expression, level of experience, nationality, personal appearance, race, religion, or sexual identity and orientation. ## Our Standards Examples of behavior that contributes to creating a positive environment include: * Using welcoming and inclusive language * Being respectful of differing viewpoints and experiences * Gracefully accepting constructive criticism * Focusing on what is best for the community * Showing empathy towards other community members Examples of unacceptable behavior by participants include: * The use of sexualized language or imagery and unwelcome sexual attention or advances * Trolling, insulting/derogatory comments, and personal or political attacks * Public or private harassment * Publishing others' private information, such as a physical or electronic address, without explicit permission * Other conduct which could reasonably be considered inappropriate in a professional setting ## Our Responsibilities Project maintainers are responsible for clarifying the standards of acceptable behavior and are expected to take appropriate and fair corrective action in response to any instances of unacceptable behavior. Project maintainers have the right and responsibility to remove, edit, or reject comments, commits, code, wiki edits, issues, and other contributions that are not aligned to this Code of Conduct, or to ban temporarily or permanently any contributor for other behaviors that they deem inappropriate, threatening, offensive, or harmful. ## Scope This Code of Conduct applies both within project spaces and in public spaces when an individual is representing the project or its community. Examples of representing a project or community include using an official project e-mail address, posting via an official social media account, or acting as an appointed representative at an online or offline event. Representation of a project may be further defined and clarified by project maintainers. ## Enforcement Instances of abusive, harassing, or otherwise unacceptable behavior may be reported by contacting the project team at [email protected]. The project team will review and investigate all complaints, and will respond in a way that it deems appropriate to the circumstances. The project team is obligated to maintain confidentiality with regard to the reporter of an incident. Further details of specific enforcement policies may be posted separately. Project maintainers who do not follow or enforce the Code of Conduct in good faith may face temporary or permanent repercussions as determined by other members of the project's leadership. ## Attribution This Code of Conduct is adapted from the [Contributor Covenant][homepage], version 1.4, available at [http://contributor-covenant.org/version/1/4][version] [homepage]: http://contributor-covenant.org [version]: http://contributor-covenant.org/version/1/4/
{ "content_hash": "e13309028690e9d6ec519d83e18e7c04", "timestamp": "", "source": "github", "line_count": 42, "max_line_length": 446, "avg_line_length": 75.16666666666667, "alnum_prop": 0.8213493823249921, "repo_name": "unixorn/bigriver-tools", "id": "f83d3f3ae6165b5a2f21808127d9825645fc1a86", "size": "3212", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "CODE_OF_CONDUCT.md", "mode": "33188", "license": "apache-2.0", "language": [ { "name": "Python", "bytes": "9856" }, { "name": "Ruby", "bytes": "7224" }, { "name": "Shell", "bytes": "2511" } ], "symlink_target": "" }
{% extends "devhub/base.html" %} {% from "devhub/includes/macros.html" import tip, some_html_tip, empty_unless, compat %} {% set title = _('Manage Version {0}')|f(version.version) %} {% block title %}{{ dev_page_title(title, addon) }}{% endblock %} {% block content %} <header> {{ dev_breadcrumbs(addon, items=[(addon.get_dev_url('versions'), _('Status & Versions')), (None, title)]) }} {# L10n: {0} is an add-on name. #} {{ l10n_menu(addon.default_locale) }} <h2>{{ _('Manage {0}')|fe(addon.name) }}</h2> </header> <section class="primary devhub-form edit-version" role="main"> <h3>{{ title }}</h3> <form method="post" enctype="multipart/form-data"> <div class="item"> <div class="item_wrapper"> {{ csrf() }} <table> <tr> <th>{{ _("Files") }}</th> <td> {{ file_form.management_form }} {{ file_form.non_form_errors() }} <table id="file-list"> <tbody> {% for form in file_form.forms %} {% include "devhub/includes/version_file.html" %} {% endfor %} </tbody> </table> {% if version.is_allowed_upload() %} <a href="#" class="add-file button">{{ _('Upload Another File') }}</a> {% endif %} </td> </tr> {% if compat_form %} <tr> <th>{{ tip(_("Compatibility"), _("Adjusting application information here will allow users to install your " "add-on even if the install manifest in the package indicates that the " "add-on is incompatible.")) }}</th> <td class="compat-versions"> {{ compat_form.non_form_errors() }} {{ compat_form.management_form }} <table> <tbody> {% for form in compat_form.initial_forms %} {{ compat(form) }} {% endfor %} {% for form in compat_form.extra_forms %} {{ compat(form, is_extra_form=True) }} {% endfor %} </tbody> </table> {% if check_addon_ownership(request, addon, dev=True) %} <p class="add-app{% if not compat_form.extra_forms %} hide{% endif %}"> <a href="#">{{ _('Add Another Application&hellip;') }}</a> </p> <div class="new-apps"></div> {% endif %} </td> </tr> {% endif %} <tr> {% with field = version_form.releasenotes %} <th> <label data-for="releasenotes">{{ _("Version Notes") }} {{ tip(None, _("Information about changes in this release, new features, " "known bugs, and other useful information specific to this " "release/version. This information is also shown in the " "Add-ons Manager when updating.")) }} </label> </th> <td> {{ field.errors }} {{ field }} {{ some_html_tip() }} </td> {% endwith %} </tr> <tr> <th> {{ _("License") }} </th> <td> {{ version.license.name }} {% if version.license.url %} <a class="extra" href="{{ version.license.url }}">{{ _('Details') }}</a> {% endif %} </td> </tr> <tr> <th>{{ _('Approval Status') }}</th> <td id="approval_status"> <ul> {% for file in version.all_files %} <li> {{ file_status_message(file, addon, file_history[file.id]) }} </li> {% endfor %} </ul> </td> </tr> <tr> {% with field = version_form.approvalnotes %} <th> <label for="{{ field.auto_id }}">{{ _("Notes for Reviewers") }}</label> {{ tip(None, _("Optionally, enter any information that may be useful " "to the Editor reviewing this add-on, such as test " "account information.")) }} </th> <td> {{ field.errors }} {{ field }} </td> {% endwith %} </tr> <tr> {% with field = version_form.source %} <th> <label for="{{ field.auto_id }}">{{ _("Source code") }}</label> {{ tip(None, _("If your add-on contain binary or obfuscated code, make the source available here for reviewers.")) }} </th> <td> {{ field.errors }} {{ field }} </td> {% endwith %} </tr> </table> </div> <div class="listing-footer"> <button type="submit">{{ _('Save Changes') }}</button> {{ _('or') }} <a href="{{ addon.get_dev_url('versions') }}">{{ _('Cancel') }}</a> </div> </div> </form> {{ add_file_modal(_("Upload a new file"), url('devhub.versions.add_file', addon.slug, version.id), _('Add File') )}} </section> {% set upload_file_label = _('Upload a new file') %} {% include "devhub/includes/addons_edit_nav.html" %} {% endblock %}
{ "content_hash": "b3eef1967235aec6bf813a318833049d", "timestamp": "", "source": "github", "line_count": 151, "max_line_length": 131, "avg_line_length": 37.64900662251656, "alnum_prop": 0.41864555848724716, "repo_name": "andymckay/addons-server", "id": "5d729485308e804054c80505e3b8da77f11e0418", "size": "5685", "binary": false, "copies": "2", "ref": "refs/heads/master", "path": "src/olympia/devhub/templates/devhub/versions/edit.html", "mode": "33188", "license": "bsd-3-clause", "language": [ { "name": "ApacheConf", "bytes": "249" }, { "name": "CSS", "bytes": "846032" }, { "name": "HTML", "bytes": "1589366" }, { "name": "JavaScript", "bytes": "1316196" }, { "name": "Makefile", "bytes": "4442" }, { "name": "PLSQL", "bytes": "74" }, { "name": "Python", "bytes": "4128481" }, { "name": "Shell", "bytes": "9112" }, { "name": "Smarty", "bytes": "1930" } ], "symlink_target": "" }
from .OAuth2Util import OAuth2Util
{ "content_hash": "b6c1bcc1877cf83ba3e4360d72360431", "timestamp": "", "source": "github", "line_count": 1, "max_line_length": 34, "avg_line_length": 35, "alnum_prop": 0.8571428571428571, "repo_name": "13steinj/praw-OAuth2Util", "id": "3f5ea3bd7a9326e06c831bbf69f70bcfef31a61c", "size": "35", "binary": false, "copies": "3", "ref": "refs/heads/master", "path": "OAuth2Util/__init__.py", "mode": "33188", "license": "mit", "language": [ { "name": "Batchfile", "bytes": "40" }, { "name": "Python", "bytes": "12939" } ], "symlink_target": "" }
package org.thingsboard.server.transport.coap; import lombok.Data; import lombok.extern.slf4j.Slf4j; import org.eclipse.californium.core.CoapHandler; import org.eclipse.californium.core.CoapResponse; import org.eclipse.californium.core.coap.CoAP; import java.util.concurrent.CountDownLatch; @Slf4j @Data public class CoapTestCallback implements CoapHandler { protected final CountDownLatch latch; protected Integer observe; protected byte[] payloadBytes; protected CoAP.ResponseCode responseCode; public CoapTestCallback() { this.latch = new CountDownLatch(1); } public CoapTestCallback(int subscribeCount) { this.latch = new CountDownLatch(subscribeCount); } public Integer getObserve() { return observe; } public byte[] getPayloadBytes() { return payloadBytes; } public CoAP.ResponseCode getResponseCode() { return responseCode; } @Override public void onLoad(CoapResponse response) { observe = response.getOptions().getObserve(); payloadBytes = response.getPayload(); responseCode = response.getCode(); latch.countDown(); } @Override public void onError() { log.warn("Command Response Ack Error, No connect"); } }
{ "content_hash": "64d13b36cd83ec1d2242f2e735675a01", "timestamp": "", "source": "github", "line_count": 54, "max_line_length": 59, "avg_line_length": 23.88888888888889, "alnum_prop": 0.6953488372093023, "repo_name": "volodymyr-babak/thingsboard", "id": "89fa13220d4550ebf3d45e7bc7316b76c517db84", "size": "1905", "binary": false, "copies": "2", "ref": "refs/heads/master", "path": "application/src/test/java/org/thingsboard/server/transport/coap/CoapTestCallback.java", "mode": "33188", "license": "apache-2.0", "language": [ { "name": "Batchfile", "bytes": "5292" }, { "name": "CSS", "bytes": "1419" }, { "name": "Dockerfile", "bytes": "16044" }, { "name": "FreeMarker", "bytes": "76776" }, { "name": "HTML", "bytes": "1592091" }, { "name": "Java", "bytes": "13334030" }, { "name": "JavaScript", "bytes": "32179" }, { "name": "PLpgSQL", "bytes": "175849" }, { "name": "Python", "bytes": "7686" }, { "name": "SCSS", "bytes": "401062" }, { "name": "Shell", "bytes": "98582" }, { "name": "TypeScript", "bytes": "5234676" } ], "symlink_target": "" }
<?php namespace Amranidev\Ajaxis\Materialize\Builders; use Amranidev\Ajaxis\Modal\Modal; use Amranidev\Ajaxis\Modal\ModalInterface; /** * class MaterializeModalBuilder. * * @author Amrani Houssain <[email protected]> */ class MaterializeModalBuilder implements ModalInterface { /** * Modal Instance. * * @var */ public $Modal; /** * Create new MaterializeModalBuilder instance. */ public function __construct() { $this->Modal = new Modal(); } /** * Build modal head. * * @param $title String */ public function buildHead($title, $link) { $this->Modal->modalHead = view('Ajaxis::materialize.head', compact('title', 'link'))->render(); } /** * Build modal body. * * @param $lable String * @param $name String * @param $value String * @param $type String */ public function buildBody($label, $name, $value, $type) { switch ($type) { case 'text': $this->Modal->modalBody .= view('Ajaxis::materialize.types.text', compact('label', 'name', 'value', 'type'))->render(); break; case 'date': $this->Modal->modalBody .= view('Ajaxis::materialize.types.date', compact('name', 'value', 'label'))->render(); break; case 'select': $this->Modal->modalBody .= view('Ajaxis::materialize.types.select', compact('value', 'name' , 'label'))->render(); break; case 'checkbox': $this->Modal->modalBody .= view('Ajaxis::materialize.types.checkbox', compact('value', 'type', 'name', 'label'))->render(); break; case 'radio': $this->Modal->modalBody .= view('Ajaxis::materialize.types.radio', compact('type', 'name', 'label'))->render(); break; case 'hidden': $this->Modal->modalBody .= view('Ajaxis::materialize.types.text', compact('label', 'name', 'value', 'type'))->render(); break; case 'password': $this->Modal->modalBody .= view('Ajaxis::materialize.types.text', compact('label', 'name', 'value', 'type'))->render(); break; case 'file': $this->Modal->modalBody .= view('Ajaxis::materialize.types.text', compact('label', 'name', 'value', 'type'))->render(); break; default: throw new \Exception('Type not found '.$type); } } /** * Build modal footer. * * @param $link String * @param $action String */ public function buildFooter($link, $action) { $this->Modal->modalFooter = view('Ajaxis::materialize.footer', compact('link', 'action'))->render(); } /** * Get Modal instance. * * @return Modal */ public function getResult() { return $this->Modal; } }
{ "content_hash": "c8454f1f07739f49fadabefe0d5fb01d", "timestamp": "", "source": "github", "line_count": 114, "max_line_length": 112, "avg_line_length": 27.43859649122807, "alnum_prop": 0.5083120204603581, "repo_name": "YuChenTech/yilai", "id": "fe35e96d39d9437250763ceac3e94c776572ed5c", "size": "3128", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "vendor/amranidev/ajaxis/src/Materialize/Builders/MaterializeModalBuilder.php", "mode": "33188", "license": "mit", "language": [ { "name": "HTML", "bytes": "647388" }, { "name": "PHP", "bytes": "717884" }, { "name": "Vue", "bytes": "563" } ], "symlink_target": "" }
package com.github.basking2.sdsai.marchinesquares; import java.io.Closeable; import java.util.ArrayList; /** * This performs much the same function as the {@link VectorTileGroup} but surrounding the shape with a constant field. * * The effect is that all edges should be closed. * */ public class EnclosedVectorTileGroup implements Closeable { private final byte cell; private final VectorTileGroup vectorTileGroup; private final static int buffer = 2; boolean topRow; boolean leftCol; boolean closed; int lastTileHeight; final ArrayList<Integer> northernWidths; final ArrayList<VectorTile> firstRow; public EnclosedVectorTileGroup(final byte field, final FeatureFactory featureFactory){ this.closed = false; this.cell = field; this.topRow = true; this.leftCol = true; this.vectorTileGroup = new VectorTileGroup(featureFactory); this.northernWidths = new ArrayList<>(); this.firstRow = new ArrayList<>(); } public void addEast(final VectorTile east) { if (topRow) { if (leftCol) { leftCol = false; northernWidths.clear(); addCornerTile(); } lastTileHeight = buffer; northernWidths.add(east.bottom.size()); addHorizontalBorder(east.top.size()); firstRow.add(east); } else if (leftCol) { leftCol = false; northernWidths.clear(); lastTileHeight = east.right.size(); addVerticalBorder(east.left.size()); northernWidths.add(east.bottom.size()); vectorTileGroup.addEast(east); } else { lastTileHeight = east.right.size(); northernWidths.add(east.bottom.size()); vectorTileGroup.addEast(east); } } private void addCornerTile() { vectorTileGroup.addEast(VectorTileBuilder.buildConstantTile(cell, buffer, buffer)); } private void addVerticalBorder(final int height) { vectorTileGroup.addEast(VectorTileBuilder.buildConstantTile(cell, height, buffer)); } private void addHorizontalBorder(final int width) { vectorTileGroup.addEast(VectorTileBuilder.buildConstantTile(cell, buffer, width)); } public void addNewRow() { if (!leftCol) { // Only add a new row if the current row is not empty. if (topRow) { // When we go from the top row to the next row, fill in the borders. topRow = false; // Top-right corner. addCornerTile(); // Next row. vectorTileGroup.addNewRow(); // West-most tile. addVerticalBorder(firstRow.get(0).left.size()); // Add the actual first row. for (final VectorTile vt : firstRow) { vectorTileGroup.addEast(vt); } lastTileHeight = firstRow.get(firstRow.size()-1).right.size(); // We are done with the buffered first row of tiles. Allow them to be garbage collected. firstRow.clear(); } // Add the east-most border. addVerticalBorder(lastTileHeight); vectorTileGroup.addNewRow(); leftCol = true; } } public void addNewRow(final VectorTile newTile) { addNewRow(); addEast(newTile); } /** * Close and get the {@link VectorTile}. * * @return The {@link VectorTile}. */ public VectorTile getVectorTile() { close(); return vectorTileGroup.getVectorTile(); } public void setStitchTiles(boolean b){ vectorTileGroup.setStitchTiles(b); } /** * Close the bottom layer of this object. */ @Override public void close() { if (!closed) { closed = true; addNewRow(); addCornerTile(); for (int i : northernWidths) { addHorizontalBorder(i); } addCornerTile(); } } public int getMaxXOffset() { if (!closed) { throw new IllegalStateException("This must be closed before this offset if valid."); } return vectorTileGroup.getMaxXOffset(); } public int getMaxYOffset() { if (!closed) { throw new IllegalStateException("This must be closed before this offset if valid."); } // Account for the lower border that the vector tile never observes. return buffer + vectorTileGroup.getMaxYOffset(); } }
{ "content_hash": "6c31a51a40f0d4ac55c502d968efc335", "timestamp": "", "source": "github", "line_count": 173, "max_line_length": 119, "avg_line_length": 27.30635838150289, "alnum_prop": 0.5783234546994073, "repo_name": "basking2/sdsai", "id": "ad43cc342ff0bf421e459e182b2b569a5dd055a0", "size": "4772", "binary": false, "copies": "1", "ref": "refs/heads/main", "path": "sdsai-common/src/main/java/com/github/basking2/sdsai/marchinesquares/EnclosedVectorTileGroup.java", "mode": "33188", "license": "mit", "language": [ { "name": "Java", "bytes": "767026" }, { "name": "Shell", "bytes": "436" } ], "symlink_target": "" }
@charset 'UTF-8'; .modal-gallery {width: auto;max-height: none;outline: none;} .modal-gallery.fade.in {top: 50%;} .modal-gallery .modal-body {max-height: none;} .modal-gallery .modal-title { display: inline-block; max-height: 54px; overflow: hidden; } .modal-gallery .modal-image { position: relative; margin: auto; min-width: 128px; min-height: 128px; overflow: hidden; cursor: pointer; } .modal-gallery .modal-image:hover:before, .modal-gallery .modal-image:hover:after { content: '\2039'; position: absolute; top: 50%; left: 15px; width: 40px; height: 40px; margin-top: -20px; font-size: 60px; font-weight: 100; line-height: 30px; color: #ffffff; text-align: center; background: #222222; border: 3px solid #ffffff; -webkit-border-radius: 23px; -moz-border-radius: 23px; border-radius: 23px; opacity: 0.5; filter: alpha(opacity=50); z-index: 1; } .modal-gallery .modal-image:hover:after { content: '\203A'; left: auto; right: 15px; } .modal-single .modal-image:hover:before, .modal-single .modal-image:hover:after { display: none; } .modal-loading .modal-image { background: url(img/5.gif) center no-repeat; } .modal-gallery.fade .modal-image { -webkit-transition: width 0.15s ease, height 0.15s ease; -moz-transition: width 0.15s ease, height 0.15s ease; -ms-transition: width 0.15s ease, height 0.15s ease; -o-transition: width 0.15s ease, height 0.15s ease; transition: width 0.15s ease, height 0.15s ease; } .modal-gallery .modal-image * { position: absolute; top: 0; opacity: 0; filter: alpha(opacity=0); } .modal-gallery.fade .modal-image * { -webkit-transition: opacity 0.5s linear; -moz-transition: opacity 0.5s linear; -ms-transition: opacity 0.5s linear; -o-transition: opacity 0.5s linear; transition: opacity 0.5s linear; } .modal-gallery .modal-image *.in { opacity: 1; filter: alpha(opacity=100); } .modal-fullscreen { border: none; -webkit-border-radius: 0; -moz-border-radius: 0; border-radius: 0; background: transparent; overflow: hidden; } .modal-fullscreen.modal-loading { border: 0; -webkit-box-shadow: none; -moz-box-shadow: none; box-shadow: none; } .modal-fullscreen .modal-body { padding: 0; } .modal-fullscreen .modal-header, .modal-fullscreen .modal-footer { position: absolute; top: 0; right: 0; left: 0; background: transparent; border: 0; -webkit-box-shadow: none; -moz-box-shadow: none; box-shadow: none; opacity: 0; z-index: 2000; } .modal-fullscreen .modal-footer { top: auto; bottom: 0; } .modal-fullscreen .close, .modal-fullscreen .modal-title { color: #fff; text-shadow: 0 0 2px rgba(33, 33, 33, 0.8); } .modal-fullscreen .modal-header:hover, .modal-fullscreen .modal-footer:hover { opacity: 1; } @media (max-width: 767px) { .modal-gallery .btn span { display: none; } .modal-fullscreen { right: 0; left: 0; } }
{ "content_hash": "a9a34d4010f3590d486a9637c58546fa", "timestamp": "", "source": "github", "line_count": 131, "max_line_length": 60, "avg_line_length": 22.587786259541986, "alnum_prop": 0.6688070294018249, "repo_name": "VIP000/hosting", "id": "d9afd9802e9e02e8a677763182d98250e081d243", "size": "3198", "binary": false, "copies": "3", "ref": "refs/heads/gh-pages", "path": "themes/dashboard/js/plugins/misc/gallery/bootstrap-image-gallery.css", "mode": "33188", "license": "mit", "language": [ { "name": "CSS", "bytes": "583326" }, { "name": "JavaScript", "bytes": "4111409" }, { "name": "PHP", "bytes": "2618123" } ], "symlink_target": "" }
// <copyright file="DefaultArgumentConverter.cs" company="natsnudasoft"> // Copyright (c) Adrian John Dunstan. All rights reserved. // // Licensed under the Apache License, Version 2.0 (the "License"); // you may not use this file except in compliance with the License. // You may obtain a copy of the License at // // http://www.apache.org/licenses/LICENSE-2.0 // // Unless required by applicable law or agreed to in writing, software // distributed under the License is distributed on an "AS IS" BASIS, // WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. // See the License for the specific language governing permissions and // limitations under the License. // </copyright> namespace AdiePlayground.Cli.Convert { /// <summary> /// Describes an <see cref="IArgumentConverter"/> which returns the original argument without /// further processing. /// </summary> /// <seealso cref="IArgumentConverter" /> internal sealed class DefaultArgumentConverter : IArgumentConverter { /// <inheritdoc/> public object Convert(string argument) { return argument; } } }
{ "content_hash": "50043804817737e921d38835454c0a6d", "timestamp": "", "source": "github", "line_count": 32, "max_line_length": 97, "avg_line_length": 36.375, "alnum_prop": 0.697594501718213, "repo_name": "natsnudasoft/AdiePlayground", "id": "641dbd9ae7972a90f550c5293f8b03362bac4d60", "size": "1166", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "src/AdiePlayground/Cli/Convert/DefaultArgumentConverter.cs", "mode": "33188", "license": "apache-2.0", "language": [ { "name": "C#", "bytes": "790605" }, { "name": "Smalltalk", "bytes": "2736" } ], "symlink_target": "" }
ACCEPTED #### According to International Plant Names Index #### Published in null #### Original name null ### Remarks null
{ "content_hash": "55670685e7323a1edabdf43ea5f6b11a", "timestamp": "", "source": "github", "line_count": 13, "max_line_length": 31, "avg_line_length": 9.692307692307692, "alnum_prop": 0.7063492063492064, "repo_name": "mdoering/backbone", "id": "ef9b91ff822851ace806c6771750613587ddfeed", "size": "174", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "life/Plantae/Magnoliophyta/Magnoliopsida/Rosales/Rosaceae/Alchemilla/Aphanes tripartita/README.md", "mode": "33188", "license": "apache-2.0", "language": [], "symlink_target": "" }
First make sure code-d is installed and enabled in the current workspace: ![code-d in the extension tab being enabled and installed](images/extension_installed.png) Next make sure you have opened some folder in VSCode (this is your workspace) and that you have some D file or dub.json/dub.sdl file. Verify by checking if the serve-d tab in the output panel is there and alive. See chapter [Installation: Verifying Functionality](install.md#verifying-functionality). ### First step to do If you have changed any configurations or created new projects, etc., a good first step to try to resolve your issues is reloading the window: ![reload command](images/reload.png) If this didn't fix it, continue on. ### Wrong Syntax Highlighting Create a minimal reproduction test case and open an issue in this repository with what you see (a screenshot), the code to copy and what you expect should be highlit differently. ### Missing Auto-Completion **Auto completion completely missing** If you try to auto complete in a D file and it's completely missing as in only showing words that have been previously typed (indicated by the "abc" icon) and snippets (indicated by rectangles with dotted bottom line): ![missing auto completion](images/missing_auto_complete.png) Then it might be one of several issues: - You didn't open VSCode in a folder - There are problems with your DCD installation - There are problems with your serve-d installation - D auto completion is explicitly disabled in user settings If you are sure it's neither of these, try simply reloading the window to see if it fixes it. If this doesn't fix your problem, check if your automatically installed DCD installation is working properly: In your user settings there is the DCD Client Path (`d.dcdClientPath`) and DCD Server Path (`d.dcdServerPath`) property. Both point to an executable path which is executed. Try running both executables using the `--version` argument. If one or both don't work properly, manually [download DCD](https://github.com/dlang-community/DCD/releases), extract the executables and update the paths in your user settings. Reload VSCode to apply the changes. Also check `--version` of the Serve-D path executable (`d.stdlibPath`) to see if this one is working too. You can also obtain precompiled releases for it [here](https://github.com/Pure-D/serve-d/releases). If both of these are reporting working values, check the log inside the code-d & serve-d output tab. (See section below) If you can't find the issue or have identified it and found it to be reproducible, please [open an issue](https://github.com/Pure-D/code-d/issues/new). **Missing auto completion of phobos (`std.`, `core.`, `etc.` and built-in methods and types)** If your symbols inside the current file are all completing properly using proper icons but for example `import std.` doesn't auto-complete and functions also don't show then your phobos import paths (`d.stdlibPath` user setting) are not configured properly. By default serve-d tries to find the import paths using the dmd configuration if dmd is accessible over the path or some predefined locations in the host system. You can see the full automatic resolution of stdlib paths [here](https://github.com/Pure-D/serve-d/blob/0c6e62865b848f0aa4d1ecf3c214903b8906b74f/source/served/types.d#L136). You can also see a few default values [in package.json](https://github.com/Pure-D/code-d/blob/aca7e1e9394ba41279394a392cb984852278f105/package.json#L195) which also auto complete if you edit them in your VSCode config. For specifying the correct directories, all specified directories together should within at least contain the folders `core/`, `etc/`, `std/` and a file called `object.d`. When configured, reload VSCode to make sure all changes are applied. **Missing auto completion of dub dependencies** When first opening a project or freshly adding dub dependencies, auto completion for them might be missing. To fix this, open the "Dub Dependencies" panel in the files view in vscode: ![dub dependencies panel with missing dependency version](images/missing_dependency_version.png) If you can see a dependency without version number and just a trailing `:` as shown in this screenshot, you know that a dependency is not loaded. To fix this, simply run your dub project once or run `dub upgrade`. When finished, click the reload button at the right of the dub dependencies panel. When done, it should show the version number and auto completion should automatically work. ![working dub dependencies panel](images/fixed_dependency_version.png) Note: some dependencies are partially or fully broken for auto completion from the start due to the design of the API or the file layout and its compatibility with DCD. In this case, when the dub dependencies panel looks good, it is not really possible to fix auto completion issues. **Missing auto completion of local files** If symbols in the current file are auto completed, but not symbols outside the current file but inside the current project, then you probably have non-matching module names with their file names or a dub configuration not respecting your source folder. Make sure your source folder where the import/module names originate from is a valid relative folder or `"."` and make sure all your modules are named exactly as your file path + file name without the `.d` extension and without the leading `source` folder name. **Other issues** Create minimal reproduction steps in a hello world project and [open an issue](https://github.com/Pure-D/code-d/issues/new). ### Language Feature Issues / Crashes In your user settings first switch the D Serve-D Release Channel (`d.servedReleaseChannel`) to `"nightly"` and **reload the window** to check if your issue isn't already fixed in the current master build. If it still persists, continue with the next paragraph. If you want to report issues with code-d first verify that it happens with a simple hello world project. Then make sure you have verbose logging enabled in your user settings. Open your User Settings as JSON (from the palette or the left-most button on the top right side of the tabs panel in the user settings GUI) and add the following line to your JSON: ```json "serve-d.trace.server": "verbose" ``` VSCode will complain about it being a missing key, but don't worry about this and just insert it anyway: ![verbose config key in vscode config](images/verbose_config_key.png) When done, **reload the window**, reproduce your problem and immediately copy the output log to keep the log size down. Afterwards [open an issue with the log](https://github.com/Pure-D/code-d/issues/new) pasted into a code block (surrounded by \`\`\`), linked to GitHub Gist or as attachment. I recommend pasting longer than 50 line logs to [GitHub Gist](https://gist.github.com) ![example output tab](images/verbose_output_tab.png) Warning: the output tab might contain sensitive information about your code, so do it in a neutral temporary path with a neutral temporary minimal project like the hello world template.
{ "content_hash": "4b90a163e570d5a0466e047a393d5caa", "timestamp": "", "source": "github", "line_count": 97, "max_line_length": 557, "avg_line_length": 73.15463917525773, "alnum_prop": 0.7824126268320181, "repo_name": "Pure-D/code-d", "id": "b995797fc6543c311a8adf39e402a753fac55ec0", "size": "7173", "binary": false, "copies": "2", "ref": "refs/heads/master", "path": "docs-src/troubleshooting.md", "mode": "33188", "license": "mit", "language": [ { "name": "CSS", "bytes": "3024" }, { "name": "D", "bytes": "21802" }, { "name": "GLSL", "bytes": "280" }, { "name": "HTML", "bytes": "22106" }, { "name": "JavaScript", "bytes": "34912" }, { "name": "Shell", "bytes": "37302" }, { "name": "TypeScript", "bytes": "285694" } ], "symlink_target": "" }
--- uid: SolidEdgePart.PartingSplit.GetPartingFaces(System.Int32@,System.Array@) summary: remarks: syntax: parameters: - id: NumberOfEntities description: Specifies the number of entities in the PartingFaces array. - id: PartingFaces description: Specifies the dispatch pointers to the faces or body used to create the feature. ---
{ "content_hash": "d999a4b8d886c2fc162959f586376b16", "timestamp": "", "source": "github", "line_count": 11, "max_line_length": 99, "avg_line_length": 32.63636363636363, "alnum_prop": 0.7381615598885793, "repo_name": "SolidEdgeCommunity/docs", "id": "c3010e2ec58f57ca050143eafeba85bf841c7e56", "size": "361", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "docfx_project/apidoc/SolidEdgePart.PartingSplit.GetPartingFaces.md", "mode": "33188", "license": "mit", "language": [ { "name": "Batchfile", "bytes": "38" }, { "name": "C#", "bytes": "5048212" }, { "name": "C++", "bytes": "2265" }, { "name": "CSS", "bytes": "148" }, { "name": "PowerShell", "bytes": "180" }, { "name": "Smalltalk", "bytes": "1996" }, { "name": "Visual Basic", "bytes": "10236277" } ], "symlink_target": "" }
''' This script uses Pattern's sentiment analysis to find the average polarity and subjectivity of collected tweets about presidential candidates by Ziyu (Selina) Wang last modified: September 28, 2015 ''' from pattern.en import * # Importing Patern to be utilized later # Creating a list with all the candidates names candidates = ['HillaryClinton','DonaldTrump','BernieSanders','BenCarson','JebBush','TedCruz','MarcoRubio','MikeHuckabee','RandPaul','CarlyFiorina','ScottWalker','JohnKasich',"MartinO'Malley",'ChrisChristie','JimWebb','RickSantorum','BobbyJindal','LincolnChafee','LindseyGraham','GeorgePataki','JimGilmore','JillStein'] # Traverse through the list for candidate in candidates: # Creating three lists for storing data from the sentiment analysis analysis = [] polarity = [] subjectivity = [] try: with open(candidate+'.txt', 'r') as f1: # Trying to open the .txt file with all the tweets in it # Traverse through the file line by line for line in f1: data = sentiment(line) # run sentiment analysis on each tweet # Storing the analysis data in the corresponding list analysis.append(data) polarity.append(data[0]) subjectivity.append(data[1]) except: print 'Running analysis failed' # Throw an error if the analysis failed to execute if analysis: # if the analysis was succesful # Calculating and displaying the number tweets collected numberOfTweets = len(analysis) print "Number of tweets about " + candidate + ': ' + str(numberOfTweets) # Calculating and displaying the average polarity averagePolarity = sum(polarity)/len(polarity) print candidate + "'s average polarity: " + str(averagePolarity) # Calculating and displaying the average subjectivity averageSubjectivity = sum(subjectivity)/len(subjectivity) print candidate + "'s average subjectivity: " + str(averageSubjectivity) else: # If there are no tweets about a candidate, display this information print 'There is no tweets about ' + candidate + ' collected' f1.close(); # Close the .txt file to clean up
{ "content_hash": "db3c9d642e44bf6f0ef4e67ac6936376", "timestamp": "", "source": "github", "line_count": 40, "max_line_length": 318, "avg_line_length": 51.15, "alnum_prop": 0.7512218963831867, "repo_name": "SelinaWang/SoftwareDesignFall15", "id": "5ad565c71687952a494cdb8a9cd41d18485f13a2", "size": "2046", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "MP1/text_analysis.py", "mode": "33188", "license": "mit", "language": [ { "name": "Python", "bytes": "43813" } ], "symlink_target": "" }
<?xml version="1.0" encoding="utf-8"?> <!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN" "http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd"> <html xmlns="http://www.w3.org/1999/xhtml" xml:lang="en" lang="en"> <head> <title>ActionDispatch::RailsEntityStore::Rack::Cache</title> <meta http-equiv="Content-Type" content="text/html; charset=UTF-8" /> <link rel="stylesheet" href="../../../../css/reset.css" type="text/css" media="screen" /> <link rel="stylesheet" href="../../../../css/main.css" type="text/css" media="screen" /> <link rel="stylesheet" href="../../../../css/github.css" type="text/css" media="screen" /> <script src="../../../../js/jquery-1.3.2.min.js" type="text/javascript" charset="utf-8"></script> <script src="../../../../js/jquery-effect.js" type="text/javascript" charset="utf-8"></script> <script src="../../../../js/main.js" type="text/javascript" charset="utf-8"></script> <script src="../../../../js/highlight.pack.js" type="text/javascript" charset="utf-8"></script> </head> <body> <div class="banner"> <span>Ruby on Rails 4.0.2</span><br /> <h1> <span class="type">Module</span> ActionDispatch::RailsEntityStore::Rack::Cache </h1> <ul class="files"> <li><a href="../../../../files/__/__/__/__/usr/local/lib/ruby/gems/2_1_0/gems/actionpack-4_0_2/lib/action_dispatch/http/rack_cache_rb.html">/usr/local/lib/ruby/gems/2.1.0/gems/actionpack-4.0.2/lib/action_dispatch/http/rack_cache.rb</a></li> </ul> </div> <div id="bodyContent"> <div id="content"> <!-- Namespace --> <div class="sectiontitle">Namespace</div> <ul> <li> <span class="type">MODULE</span> <a href="Cache/EntityStore.html">ActionDispatch::RailsEntityStore::Rack::Cache::EntityStore</a> </li> </ul> <!-- Methods --> </div> </div> </body> </html>
{ "content_hash": "fc370b44dac62f9cb34a6536bf501b26", "timestamp": "", "source": "github", "line_count": 83, "max_line_length": 252, "avg_line_length": 25.216867469879517, "alnum_prop": 0.5456282847587195, "repo_name": "billwen/netopt", "id": "48bc21aa5d1ca23a60f16ebad5ccb8b7b95fa52d", "size": "2093", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "harpy3/doc/api/classes/ActionDispatch/RailsEntityStore/Rack/Cache.html", "mode": "33188", "license": "mit", "language": [ { "name": "CSS", "bytes": "7288721" }, { "name": "CoffeeScript", "bytes": "1268" }, { "name": "JavaScript", "bytes": "87001758" }, { "name": "Ruby", "bytes": "111605" } ], "symlink_target": "" }
const {expect} = require('chai'); const moxios = require('moxios'); const {Transport, Admin} = require('../../src'); describe('Admin', function () { let transport; beforeEach(function () { // import and pass your custom axios instance to this method moxios.install(); transport = new Transport(); }); afterEach(function () { // import and pass your custom axios instance to this method moxios.uninstall(); }); it('version', function () { const version = '123'; moxios.stubRequest('/api/v0/version', { status: 200, response: {version} }); transport.token = '123'; const admin = new Admin(transport); return admin.version() .then((data) => { expect(data).to.be.deep.equal({version}); }); }); describe('upgrade', function () { it('without reload', function () { const version = '123'; moxios.stubRequest('/api/v0/version', { status: 200, method: 'POST', response: {version} }); transport.token = '123'; const admin = new Admin(transport); return admin.upgrade('123', false); }); it('and reload', function () { const version = '123'; moxios.stubRequest('/api/v0/version', { status: 200, method: 'POST', response: {version} }); moxios.stubRequest('/api/v0/restart', { status: 200, method: 'POST' }); transport.token = '123'; const admin = new Admin(transport); return admin.upgrade('123', true); }); }); });
{ "content_hash": "076d3a5e2425dc522b6deaa50f98c600", "timestamp": "", "source": "github", "line_count": 59, "max_line_length": 64, "avg_line_length": 26.508474576271187, "alnum_prop": 0.5632992327365729, "repo_name": "OpenTMI/opentmi-jsclient", "id": "1d1697883929f4dacf3a548c682fc3db23067de8", "size": "1564", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "test/api/admin.js", "mode": "33188", "license": "mit", "language": [ { "name": "HTML", "bytes": "607" }, { "name": "JavaScript", "bytes": "128938" }, { "name": "Makefile", "bytes": "1319" } ], "symlink_target": "" }
package org.apache.directory.server.core.operations.modify; import static org.apache.directory.server.core.integ.IntegrationUtils.getSystemContext; import javax.naming.directory.Attribute; import javax.naming.directory.Attributes; import javax.naming.directory.BasicAttribute; import javax.naming.directory.BasicAttributes; import javax.naming.directory.DirContext; import javax.naming.ldap.LdapContext; import org.apache.directory.server.core.annotations.ApplyLdifs; import org.apache.directory.server.core.annotations.CreateDS; import org.apache.directory.server.core.integ.AbstractLdapTestUnit; import org.apache.directory.server.core.integ.FrameworkRunner; import org.junit.Ignore; import org.junit.Test; import org.junit.runner.RunWith; /** * Test the modification of an entry with a MV attribute We add one new value N times * * @author <a href="mailto:[email protected]">Apache Directory Project</a> */ @RunWith ( FrameworkRunner.class ) @CreateDS(name = "ModifyMVAttributeIT") @ApplyLdifs( { "dn: cn=testing00,ou=system", "objectClass: top", "objectClass: groupOfUniqueNames", "cn: testing00", "uniqueMember: cn=Horatio Hornblower,ou=people,o=sevenSeas", "uniqueMember: cn=William Bush,ou=people,o=sevenSeas", "uniqueMember: cn=Thomas Quist,ou=people,o=sevenSeas", "uniqueMember: cn=Moultrie Crystal,ou=people,o=sevenSeas" }) public class ModifyMVAttributeIT extends AbstractLdapTestUnit { /** * With this test the Master table will grow linearily. */ @Test @Ignore( "Ignore atm, this is a perf test" ) public void testAdd1000Members() throws Exception { LdapContext sysRoot = getSystemContext( getService() ); // Add 10000 members Attributes attrs = new BasicAttributes( "uniqueMember", true ); Attribute attr = new BasicAttribute( "uniqueMember" ); for ( int i = 0; i < 10000; i++ ) { String newValue = "cn=member" + i + ",ou=people,o=sevenSeas"; attr.add( newValue ); } attrs.put( attr ); sysRoot.modifyAttributes( "cn=testing00", DirContext.ADD_ATTRIBUTE, attrs ); System.out.println(" Done" ); } /** * With this test the Master table will grow crazy. */ @Test @Ignore( "Ignore atm, this is a perf test" ) public void testAdd500Members() throws Exception { LdapContext sysRoot = getSystemContext( getService() ); long t0 = System.currentTimeMillis(); // Add 600 members for ( int i = 0; i < 100000; i++ ) { if ( i% 100 == 0) { long t1 = System.currentTimeMillis(); long delta = ( t1 - t0 ); System.out.println( "Done : " + i + " in " + delta + "ms" ); t0 = t1; } String newValue = "cn=member" + i + ",ou=people,o=sevenSeas"; Attributes attrs = new BasicAttributes( "uniqueMember", newValue, true ); sysRoot.modifyAttributes( "cn=testing00", DirContext.ADD_ATTRIBUTE, attrs ); } System.out.println(" Done" ); } }
{ "content_hash": "0d4ddbd345a10177d28ff578a0913e5f", "timestamp": "", "source": "github", "line_count": 97, "max_line_length": 88, "avg_line_length": 33.350515463917525, "alnum_prop": 0.635548686244204, "repo_name": "drankye/directory-server", "id": "3178a97c15a2d654f2c4158ca681f2966dd73848", "size": "4066", "binary": false, "copies": "3", "ref": "refs/heads/trunk", "path": "core-integ/src/test/java/org/apache/directory/server/core/operations/modify/ModifyMVAttributeIT.java", "mode": "33188", "license": "apache-2.0", "language": [ { "name": "Batchfile", "bytes": "4590" }, { "name": "Java", "bytes": "13237996" }, { "name": "NSIS", "bytes": "19538" }, { "name": "Shell", "bytes": "95348" } ], "symlink_target": "" }
using System; using System.Runtime.InteropServices; using Microsoft.VisualStudio.TestTools.UnitTesting; using MultiWorldTesting; using System.Collections.Generic; using System.Linq; namespace ExploreTests { [TestClass] public class MWTExploreTests { /* ** C# Tests do not need to be as extensive as those for C++. These tests should ensure ** the interactions between managed and native code are as expected. */ [TestMethod] public void EpsilonGreedy() { uint numActions = 10; float epsilon = 0f; var policy = new TestPolicy<TestContext>(); var testContext = new TestContext(); var explorer = new EpsilonGreedyExplorer<TestContext>(policy, epsilon, numActions); EpsilonGreedyWithContext(numActions, testContext, policy, explorer); } [TestMethod] public void EpsilonGreedyFixedActionUsingVariableActionInterface() { uint numActions = 10; float epsilon = 0f; var policy = new TestPolicy<TestVarContext>(); var testContext = new TestVarContext(numActions); var explorer = new EpsilonGreedyExplorer<TestVarContext>(policy, epsilon); EpsilonGreedyWithContext(numActions, testContext, policy, explorer); } private static void EpsilonGreedyWithContext<TContext>(uint numActions, TContext testContext, TestPolicy<TContext> policy, IExplorer<TContext> explorer) where TContext : TestContext { string uniqueKey = "ManagedTestId"; TestRecorder<TContext> recorder = new TestRecorder<TContext>(); MwtExplorer<TContext> mwtt = new MwtExplorer<TContext>("mwt", recorder); testContext.Id = 100; uint expectedAction = policy.ChooseAction(testContext); uint chosenAction = mwtt.ChooseAction(explorer, uniqueKey, testContext); Assert.AreEqual(expectedAction, chosenAction); chosenAction = mwtt.ChooseAction(explorer, uniqueKey, testContext); Assert.AreEqual(expectedAction, chosenAction); var interactions = recorder.GetAllInteractions(); Assert.AreEqual(2, interactions.Count); Assert.AreEqual(testContext.Id, interactions[0].Context.Id); // Verify that policy action is chosen all the time explorer.EnableExplore(false); for (int i = 0; i < 1000; i++) { chosenAction = mwtt.ChooseAction(explorer, uniqueKey, testContext); Assert.AreEqual(expectedAction, chosenAction); } } [TestMethod] public void TauFirst() { uint numActions = 10; uint tau = 0; TestContext testContext = new TestContext() { Id = 100 }; var policy = new TestPolicy<TestContext>(); var explorer = new TauFirstExplorer<TestContext>(policy, tau, numActions); TauFirstWithContext(numActions, testContext, policy, explorer); } [TestMethod] public void TauFirstFixedActionUsingVariableActionInterface() { uint numActions = 10; uint tau = 0; var testContext = new TestVarContext(numActions) { Id = 100 }; var policy = new TestPolicy<TestVarContext>(); var explorer = new TauFirstExplorer<TestVarContext>(policy, tau); TauFirstWithContext(numActions, testContext, policy, explorer); } private static void TauFirstWithContext<TContext>(uint numActions, TContext testContext, TestPolicy<TContext> policy, IExplorer<TContext> explorer) where TContext : TestContext { string uniqueKey = "ManagedTestId"; var recorder = new TestRecorder<TContext>(); var mwtt = new MwtExplorer<TContext>("mwt", recorder); uint expectedAction = policy.ChooseAction(testContext); uint chosenAction = mwtt.ChooseAction(explorer, uniqueKey, testContext); Assert.AreEqual(expectedAction, chosenAction); var interactions = recorder.GetAllInteractions(); Assert.AreEqual(0, interactions.Count); // Verify that policy action is chosen all the time explorer.EnableExplore(false); for (int i = 0; i < 1000; i++) { chosenAction = mwtt.ChooseAction(explorer, uniqueKey, testContext); Assert.AreEqual(expectedAction, chosenAction); } } [TestMethod] public void Bootstrap() { uint numActions = 10; uint numbags = 2; TestContext testContext1 = new TestContext() { Id = 99 }; TestContext testContext2 = new TestContext() { Id = 100 }; var policies = new TestPolicy<TestContext>[numbags]; for (int i = 0; i < numbags; i++) { policies[i] = new TestPolicy<TestContext>(i * 2); } var explorer = new BootstrapExplorer<TestContext>(policies, numActions); BootstrapWithContext(numActions, testContext1, testContext2, policies, explorer); } [TestMethod] public void BootstrapFixedActionUsingVariableActionInterface() { uint numActions = 10; uint numbags = 2; var testContext1 = new TestVarContext(numActions) { Id = 99 }; var testContext2 = new TestVarContext(numActions) { Id = 100 }; var policies = new TestPolicy<TestVarContext>[numbags]; for (int i = 0; i < numbags; i++) { policies[i] = new TestPolicy<TestVarContext>(i * 2); } var explorer = new BootstrapExplorer<TestVarContext>(policies); BootstrapWithContext(numActions, testContext1, testContext2, policies, explorer); } private static void BootstrapWithContext<TContext>(uint numActions, TContext testContext1, TContext testContext2, TestPolicy<TContext>[] policies, IExplorer<TContext> explorer) where TContext : TestContext { string uniqueKey = "ManagedTestId"; var recorder = new TestRecorder<TContext>(); var mwtt = new MwtExplorer<TContext>("mwt", recorder); uint expectedAction = policies[0].ChooseAction(testContext1); uint chosenAction = mwtt.ChooseAction(explorer, uniqueKey, testContext1); Assert.AreEqual(expectedAction, chosenAction); chosenAction = mwtt.ChooseAction(explorer, uniqueKey, testContext2); Assert.AreEqual(expectedAction, chosenAction); var interactions = recorder.GetAllInteractions(); Assert.AreEqual(2, interactions.Count); Assert.AreEqual(testContext1.Id, interactions[0].Context.Id); Assert.AreEqual(testContext2.Id, interactions[1].Context.Id); // Verify that policy action is chosen all the time explorer.EnableExplore(false); for (int i = 0; i < 1000; i++) { chosenAction = mwtt.ChooseAction(explorer, uniqueKey, testContext1); Assert.AreEqual(expectedAction, chosenAction); } } [TestMethod] public void Softmax() { uint numActions = 10; float lambda = 0.5f; uint numActionsCover = 100; float C = 5; var scorer = new TestScorer<TestContext>(numActions); var explorer = new SoftmaxExplorer<TestContext>(scorer, lambda, numActions); uint numDecisions = (uint)(numActions * Math.Log(numActions * 1.0) + Math.Log(numActionsCover * 1.0 / numActions) * C * numActions); var contexts = new TestContext[numDecisions]; for (int i = 0; i < numDecisions; i++) { contexts[i] = new TestContext { Id = i }; } SoftmaxWithContext(numActions, explorer, contexts); } [TestMethod] public void SoftmaxFixedActionUsingVariableActionInterface() { uint numActions = 10; float lambda = 0.5f; uint numActionsCover = 100; float C = 5; var scorer = new TestScorer<TestVarContext>(numActions); var explorer = new SoftmaxExplorer<TestVarContext>(scorer, lambda); uint numDecisions = (uint)(numActions * Math.Log(numActions * 1.0) + Math.Log(numActionsCover * 1.0 / numActions) * C * numActions); var contexts = new TestVarContext[numDecisions]; for (int i = 0; i < numDecisions; i++) { contexts[i] = new TestVarContext(numActions) { Id = i }; } SoftmaxWithContext(numActions, explorer, contexts); } private static void SoftmaxWithContext<TContext>(uint numActions, IExplorer<TContext> explorer, TContext[] contexts) where TContext : TestContext { var recorder = new TestRecorder<TContext>(); var mwtt = new MwtExplorer<TContext>("mwt", recorder); uint[] actions = new uint[numActions]; Random rand = new Random(); for (uint i = 0; i < contexts.Length; i++) { uint chosenAction = mwtt.ChooseAction(explorer, rand.NextDouble().ToString(), contexts[i]); actions[chosenAction - 1]++; // action id is one-based } for (uint i = 0; i < numActions; i++) { Assert.IsTrue(actions[i] > 0); } var interactions = recorder.GetAllInteractions(); Assert.AreEqual(contexts.Length, interactions.Count); for (int i = 0; i < contexts.Length; i++) { Assert.AreEqual(i, interactions[i].Context.Id); } } [TestMethod] public void SoftmaxScores() { uint numActions = 10; float lambda = 0.5f; var recorder = new TestRecorder<TestContext>(); var scorer = new TestScorer<TestContext>(numActions, uniform: false); var mwtt = new MwtExplorer<TestContext>("mwt", recorder); var explorer = new SoftmaxExplorer<TestContext>(scorer, lambda, numActions); Random rand = new Random(); mwtt.ChooseAction(explorer, rand.NextDouble().ToString(), new TestContext() { Id = 100 }); mwtt.ChooseAction(explorer, rand.NextDouble().ToString(), new TestContext() { Id = 101 }); mwtt.ChooseAction(explorer, rand.NextDouble().ToString(), new TestContext() { Id = 102 }); var interactions = recorder.GetAllInteractions(); Assert.AreEqual(3, interactions.Count); for (int i = 0; i < interactions.Count; i++) { // Scores are not equal therefore probabilities should not be uniform Assert.AreNotEqual(interactions[i].Probability, 1.0f / numActions); Assert.AreEqual(100 + i, interactions[i].Context.Id); } // Verify that policy action is chosen all the time TestContext context = new TestContext { Id = 100 }; List<float> scores = scorer.ScoreActions(context); float maxScore = 0; uint highestScoreAction = 0; for (int i = 0; i < scores.Count; i++) { if (maxScore < scores[i]) { maxScore = scores[i]; highestScoreAction = (uint)i + 1; } } explorer.EnableExplore(false); for (int i = 0; i < 1000; i++) { uint chosenAction = mwtt.ChooseAction(explorer, rand.NextDouble().ToString(), new TestContext() { Id = (int)i }); Assert.AreEqual(highestScoreAction, chosenAction); } } [TestMethod] public void Generic() { uint numActions = 10; TestScorer<TestContext> scorer = new TestScorer<TestContext>(numActions); TestContext testContext = new TestContext() { Id = 100 }; var explorer = new GenericExplorer<TestContext>(scorer, numActions); GenericWithContext(numActions, testContext, explorer); } [TestMethod] public void GenericFixedActionUsingVariableActionInterface() { uint numActions = 10; var scorer = new TestScorer<TestVarContext>(numActions); var testContext = new TestVarContext(numActions) { Id = 100 }; var explorer = new GenericExplorer<TestVarContext>(scorer); GenericWithContext(numActions, testContext, explorer); } private static void GenericWithContext<TContext>(uint numActions, TContext testContext, IExplorer<TContext> explorer) where TContext : TestContext { string uniqueKey = "ManagedTestId"; var recorder = new TestRecorder<TContext>(); var mwtt = new MwtExplorer<TContext>("mwt", recorder); uint chosenAction = mwtt.ChooseAction(explorer, uniqueKey, testContext); var interactions = recorder.GetAllInteractions(); Assert.AreEqual(1, interactions.Count); Assert.AreEqual(testContext.Id, interactions[0].Context.Id); } [TestMethod] public void UsageBadVariableActionContext() { int numExceptionsCaught = 0; int numExceptionsExpected = 5; var tryCatchArgumentException = (Action<Action>)((action) => { try { action(); } catch (ArgumentException ex) { if (ex.ParamName.ToLower() == "ctx") { numExceptionsCaught++; } } }); tryCatchArgumentException(() => { var mwt = new MwtExplorer<TestContext>("test", new TestRecorder<TestContext>()); var policy = new TestPolicy<TestContext>(); var explorer = new EpsilonGreedyExplorer<TestContext>(policy, 0.2f); mwt.ChooseAction(explorer, "key", new TestContext()); }); tryCatchArgumentException(() => { var mwt = new MwtExplorer<TestContext>("test", new TestRecorder<TestContext>()); var policy = new TestPolicy<TestContext>(); var explorer = new TauFirstExplorer<TestContext>(policy, 10); mwt.ChooseAction(explorer, "key", new TestContext()); }); tryCatchArgumentException(() => { var mwt = new MwtExplorer<TestContext>("test", new TestRecorder<TestContext>()); var policies = new TestPolicy<TestContext>[2]; for (int i = 0; i < 2; i++) { policies[i] = new TestPolicy<TestContext>(i * 2); } var explorer = new BootstrapExplorer<TestContext>(policies); mwt.ChooseAction(explorer, "key", new TestContext()); }); tryCatchArgumentException(() => { var mwt = new MwtExplorer<TestContext>("test", new TestRecorder<TestContext>()); var scorer = new TestScorer<TestContext>(10); var explorer = new SoftmaxExplorer<TestContext>(scorer, 0.5f); mwt.ChooseAction(explorer, "key", new TestContext()); }); tryCatchArgumentException(() => { var mwt = new MwtExplorer<TestContext>("test", new TestRecorder<TestContext>()); var scorer = new TestScorer<TestContext>(10); var explorer = new GenericExplorer<TestContext>(scorer); mwt.ChooseAction(explorer, "key", new TestContext()); }); Assert.AreEqual(numExceptionsExpected, numExceptionsCaught); } [TestInitialize] public void TestInitialize() { } [TestCleanup] public void TestCleanup() { } } struct TestInteraction<Ctx> { public Ctx Context; public UInt32 Action; public float Probability; public string UniqueKey; } class TestContext { private int id; public int Id { get { return id; } set { id = value; } } } class TestVarContext : TestContext, IVariableActionContext { public TestVarContext(uint numberOfActions) { NumberOfActions = numberOfActions; } public uint GetNumberOfActions() { return NumberOfActions; } public uint NumberOfActions { get; set; } } class TestRecorder<Ctx> : IRecorder<Ctx> { public void Record(Ctx context, UInt32 action, float probability, string uniqueKey) { interactions.Add(new TestInteraction<Ctx>() { Context = context, Action = action, Probability = probability, UniqueKey = uniqueKey }); } public List<TestInteraction<Ctx>> GetAllInteractions() { return interactions; } private List<TestInteraction<Ctx>> interactions = new List<TestInteraction<Ctx>>(); } class TestPolicy<TContext> : IPolicy<TContext> { public TestPolicy() : this(-1) { } public TestPolicy(int index) { this.index = index; } public uint ChooseAction(TContext context) { return 5; } private int index; } class TestSimplePolicy : IPolicy<SimpleContext> { public uint ChooseAction(SimpleContext context) { return 1; } } class StringPolicy : IPolicy<SimpleContext> { public uint ChooseAction(SimpleContext context) { return 1; } } class TestScorer<Ctx> : IScorer<Ctx> { public TestScorer(uint numActions, bool uniform = true) { this.uniform = uniform; this.numActions = numActions; } public List<float> ScoreActions(Ctx context) { if (uniform) { return Enumerable.Repeat<float>(1.0f / numActions, (int)numActions).ToList(); } else { return Array.ConvertAll<int, float>(Enumerable.Range(1, (int)numActions).ToArray(), Convert.ToSingle).ToList(); } } private uint numActions; private bool uniform; } }
{ "content_hash": "8707eaa315850397ff2235b3f17efde1", "timestamp": "", "source": "github", "line_count": 520, "max_line_length": 184, "avg_line_length": 37.378846153846155, "alnum_prop": 0.5585738539898133, "repo_name": "multiworldtesting/explore", "id": "c669950d024670374398bec4f076076224d335f1", "size": "19439", "binary": false, "copies": "2", "ref": "refs/heads/master", "path": "tests/MWTExploreTests.cs", "mode": "33188", "license": "bsd-3-clause", "language": [ { "name": "C", "bytes": "677" }, { "name": "C#", "bytes": "30933" }, { "name": "C++", "bytes": "116656" }, { "name": "Makefile", "bytes": "221" } ], "symlink_target": "" }
import os import shutil from nipype.interfaces.base import (traits, BaseInterfaceInputSpec, TraitedSpec, BaseInterface, File, Directory) class CopyInputSpec(BaseInterfaceInputSpec): in_file = traits.Either(File, Directory, exists=True, mandatory=True, desc='The file or directory to copy') dest = Directory(desc='The destination directory path' ' (default current directory)') out_base_name = traits.Either(File, Directory, desc='The destination file name' ' (default is the input file name)') class CopyOutputSpec(TraitedSpec): out_file = traits.Either(File, Directory, exists=True, desc='The copied file or directory') class Copy(BaseInterface): """The Copy interface copies a file to a destination directory.""" input_spec = CopyInputSpec output_spec = CopyOutputSpec def _run_interface(self, runtime): self._out_file = self._copy(self.inputs.in_file, self.inputs.dest, self.inputs.out_base_name) return runtime def _list_outputs(self): outputs = self._outputs().get() outputs['out_file'] = self._out_file return outputs def _copy(self, in_file, dest=None, out_base_name=None): """ Copies the given file. :param in_file: the path of the file or directory to copy :param dest: the destination directory path (default is the current directory) :param out_base_name: the destination file name (default is the input file name) :return: the copied file path """ if dest: dest = os.path.abspath(dest) if not os.path.exists(dest): os.makedirs(dest) else: dest = os.getcwd() if out_base_name: # Remove the out file name directory. _, out_base_name = os.path.split(out_base_name) else: # The default out file name is the input file name. _, out_base_name = os.path.split(in_file) out_file = os.path.join(dest, out_base_name) if os.path.isdir(in_file): shutil.copytree(in_file, out_file) else: shutil.copy(in_file, out_file) return out_file
{ "content_hash": "42b56648ac3a4ce54d81187b34006daa", "timestamp": "", "source": "github", "line_count": 71, "max_line_length": 74, "avg_line_length": 34.54929577464789, "alnum_prop": 0.566245413779046, "repo_name": "ohsu-qin/qipipe", "id": "132acafc2eca4544a688ccddeaf3be4deb39e894", "size": "2453", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "qipipe/interfaces/copy.py", "mode": "33188", "license": "bsd-2-clause", "language": [ { "name": "Python", "bytes": "528376" } ], "symlink_target": "" }
// // DDPPlayerConfigPanelViewController.h // DanDanPlayForiOS // // Created by JimHuang on 2018/9/23. // Copyright © 2018年 JimHuang. All rights reserved. // #import "DDPBaseViewController.h" NS_ASSUME_NONNULL_BEGIN @class DDPPlayerConfigPanelViewController; @protocol DDPPlayerConfigPanelViewControllerDelegate <NSObject> @optional /** 选择视频 @param view view @param model 视频 */ - (void)playerConfigPanelViewController:(DDPPlayerConfigPanelViewController * _Nullable)viewController didSelectedModel:(DDPVideoModel * _Nullable)model; /** 弹幕偏移时间 @param view view @param value 偏移时间 */ - (void)playerConfigPanelViewController:(DDPPlayerConfigPanelViewController * _Nullable)viewController didTouchStepper:(CGFloat)value; /** 加载本地弹幕 */ - (void)playerConfigPanelViewControllerDidTouchSelectedDanmakuCell; /** 手动匹配 */ - (void)playerConfigPanelViewControllerDidTouchMatchCell; /** 屏蔽弹幕列表 */ - (void)playerConfigPanelViewControllerDidTouchFilterCell; /** 选择其他设置 */ - (void)playerConfigPanelViewControllerDidTouchOtherSettingCell; @end @interface DDPPlayerConfigPanelViewController : DDPBaseViewController @property (weak, nonatomic) id<DDPPlayerConfigPanelViewControllerDelegate> _Nullable delegate; @property (copy, nonatomic) void(^touchBgViewCallBack)(void); @end NS_ASSUME_NONNULL_END
{ "content_hash": "022c956385770cc01f3fd566c32d98dc", "timestamp": "", "source": "github", "line_count": 60, "max_line_length": 153, "avg_line_length": 21.933333333333334, "alnum_prop": 0.7955927051671733, "repo_name": "sunsx9316/DanDanPlayForiOS", "id": "f64dd89182b5d09343ca95aee484a476a210a3b8", "size": "1395", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "DanDanPlayForiOS/ViewController/播放器/设置/DDPPlayerConfigPanelViewController.h", "mode": "33188", "license": "mit", "language": [ { "name": "C", "bytes": "5197" }, { "name": "C++", "bytes": "94536" }, { "name": "CSS", "bytes": "13649" }, { "name": "HTML", "bytes": "16371" }, { "name": "JavaScript", "bytes": "229079" }, { "name": "Objective-C", "bytes": "1687793" }, { "name": "Objective-C++", "bytes": "49424" }, { "name": "Ruby", "bytes": "5463" } ], "symlink_target": "" }
package com.coolerfall.uiart.htmlview; /** * desc * * @author Vincent Cheung * @since Apr. 17, 2015 */ public class HtmlParser { }
{ "content_hash": "d7a9230b00d4a2270c9e5e6bb4e1b40b", "timestamp": "", "source": "github", "line_count": 11, "max_line_length": 38, "avg_line_length": 12.636363636363637, "alnum_prop": 0.6546762589928058, "repo_name": "Coolerfall/Android-UIArt", "id": "73ce4cca3fcf141ab70ed73843e258057709fb46", "size": "139", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "libary/src/main/java/com/coolerfall/uiart/htmlview/HtmlParser.java", "mode": "33188", "license": "apache-2.0", "language": [ { "name": "Java", "bytes": "33207" } ], "symlink_target": "" }
define(function(require) { 'use strict'; var $ = require('jquery'); var _ = require('underscore'); var __ = require('orotranslation/js/translator'); var scrollspy = require('oroui/js/scrollspy'); var mediator = require('oroui/js/mediator'); var tools = require('oroui/js/tools'); require('bootstrap'); require('jquery-ui'); require('jquery.uniform'); require('oroui/js/responsive-jquery-widget'); var document = window.document; var console = window.console; var pageRenderedCbPool = []; var layout = { /** * Default padding to keep when calculate available height for fullscreen layout */ PAGE_BOTTOM_PADDING: 10, /** * Height of header on mobile devices */ MOBILE_HEADER_HEIGHT: 54, /** * Height of header on mobile devices */ MOBILE_POPUP_HEADER_HEIGHT: 44, /** * Minimal height for fullscreen layout */ minimalHeightForFullScreenLayout: 300, /** * Keeps calculated devToolbarHeight. Please use getDevToolbarHeight() to retrieve it */ devToolbarHeight: undefined, /** * @returns {number} development toolbar height in dev mode, 0 in production mode */ getDevToolbarHeight: function() { if (!this.devToolbarHeight) { var devToolbarComposition = mediator.execute('composer:retrieve', 'debugToolbar', true); if (devToolbarComposition && devToolbarComposition.view) { this.devToolbarHeight = devToolbarComposition.view.$el.height(); } else { this.devToolbarHeight = 0; } } return this.devToolbarHeight; }, /** * Initializes * - form widgets (uniform) * - tooltips * - popovers * - scrollspy * * @param {string|HTMLElement|jQuery.Element} container */ init: function(container) { var $container; $container = $(container); this.styleForm($container); scrollspy.init($container); $container.find('[data-toggle="tooltip"]').tooltip(); this.initPopover($container.find('.control-label')); }, initPopover: function(container) { var $items = container.find('[data-toggle="popover"]').filter(function() { // skip already initialized popovers return !$(this).data('popover'); }); $items.not('[data-close="false"]').each(function(i, el) { //append close link var content = $(el).data('content'); content += '<i class="icon-remove popover-close"></i>'; $(el).data('content', content); }); $items.popover({ animation: false, delay: {show: 0, hide: 0}, html: true, container: false, trigger: 'manual' }).on('click.popover', function(e) { $(this).popover('toggle'); e.preventDefault(); }); $('body') .on('click.popover-hide', function(e) { var $target = $(e.target); $items.each(function() { //the 'is' for buttons that trigger popups //the 'has' for icons within a button that triggers a popup if ( !$(this).is($target) && $(this).has($target).length === 0 && ($('.popover').has($target).length === 0 || $target.hasClass('popover-close')) ) { $(this).popover('hide'); } }); }).on('click.popover-prevent', '.popover', function(e) { if (e.target.tagName.toLowerCase() !== 'a') { e.preventDefault(); } }).on('focus.popover-hide', 'select, input, textarea', function() { $items.popover('hide'); }); mediator.once('page:request', function() { $('body').off('.popover-hide .popover-prevent'); }); }, hideProgressBar: function() { var $bar = $('#progressbar'); if ($bar.is(':visible')) { $bar.hide(); $('#page').show(); } }, /** * Bind forms widget and plugins to elements * * @param {jQuery=} $container */ styleForm: function($container) { var $elements; if ($.isPlainObject($.uniform)) { var notUniformFilter = function(i, el) { return $(el).parent('.selector, .uploader').length === 0; }; // bind uniform plugin to select elements $elements = $container.find('select:not(.no-uniform,.select2)').filter(notUniformFilter); $elements.uniform(); if ($elements.is('.error:not([multiple])')) { $elements.removeClass('error').closest('.selector').addClass('error'); } // bind uniform plugin to input:file elements $elements = $container.find('input:file').filter(notUniformFilter); $elements.uniform({ fileDefaultHtml: __('Please select a file...'), fileButtonHtml: __('Choose File') }); if ($elements.is('.error')) { $elements.removeClass('error').closest('.uploader').addClass('error'); } } $container.one('content:changed', _.bind(this.styleForm, this, $container)); }, /** * Removes forms widget and plugins from elements * * @param {jQuery=} $container */ unstyleForm: function($container) { var $elements; // removes uniform plugin from elements if ($.isPlainObject($.uniform)) { $elements = $container.find('select:not(.no-uniform,.select2)'); $.uniform.restore($elements); } // removes select2 plugin from elements $container.find('.select2-container').each(function() { var $this = $(this); if ($this.data('select2')) { $this.select2('destroy'); } }); }, onPageRendered: function(cb) { if (document.pageReady) { _.defer(cb); } else { pageRenderedCbPool.push(cb); } }, pageRendering: function() { document.pageReady = false; pageRenderedCbPool = []; }, pageRendered: function() { document.pageReady = true; _.each(pageRenderedCbPool, function(cb) { try { cb(); } catch (ex) { if (console && (typeof console.log === 'function')) { console.log(ex); } } }); pageRenderedCbPool = []; }, /** * Update modificators of responsive elements according to their containers size */ updateResponsiveLayout: function() { _.defer(function() { $(document).responsive(); }); }, /** * Returns available height for element if page will be transformed to fullscreen mode * * @param $mainEl * @returns {number} */ getAvailableHeight: function($mainEl) { var $parents = $mainEl.parents(); var documentHeight = $(document).height(); var heightDiff = documentHeight - $mainEl[0].getBoundingClientRect().top; $parents.each(function() { heightDiff += this.scrollTop; }); return heightDiff - this.getDevToolbarHeight() - this.PAGE_BOTTOM_PADDING; }, /** * Returns name of preferred layout for $mainEl * * @param $mainEl * @returns {string} */ getPreferredLayout: function($mainEl) { if (!this.hasHorizontalScroll() && !tools.isMobile() && this.getAvailableHeight($mainEl) > this.minimalHeightForFullScreenLayout) { return 'fullscreen'; } else { return 'scroll'; } }, /** * Disables ability to scroll of $mainEl's scrollable parents * * @param $mainEl * @returns {string} */ disablePageScroll: function($mainEl) { var $scrollableParents = $mainEl.parents(); $scrollableParents.scrollTop(0); $scrollableParents.addClass('disable-scroll'); }, /** * Enables ability to scroll of $mainEl's scrollable parents * * @param $mainEl * @returns {string} */ enablePageScroll: function($mainEl) { $mainEl.parents().removeClass('disable-scroll'); }, /** * Returns true if page has horizontal scroll * @returns {boolean} */ hasHorizontalScroll: function() { return $('body').outerWidth() > $(window).width(); }, /** * Try to calculate the scrollbar width for your browser/os * @return {Number} */ scrollbarWidth: function() { if (!this._scrollbarWidth) { var $div = $(//borrowed from anti-scroll '<div style="width:50px;height:50px;overflow-y:scroll;' + 'position:absolute;top:-200px;left:-200px;"><div style="height:100px;width:100%">' + '</div>' ); $('body').append($div); var w1 = $div.innerWidth(); var w2 = $('div', $div).innerWidth(); $div.remove(); this._scrollbarWidth = w1 - w2; } return this._scrollbarWidth; } }; return layout; });
{ "content_hash": "ba3936fe3c2ab3ef2be94d59b8c690ab", "timestamp": "", "source": "github", "line_count": 317, "max_line_length": 110, "avg_line_length": 33.429022082018925, "alnum_prop": 0.472869680098141, "repo_name": "devGomgbo/stockvalue", "id": "d98ec6917c08279f642871abca781a09398945cf", "size": "10597", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "web/bundles/oroui/js/layout.js", "mode": "33188", "license": "mit", "language": [ { "name": "ApacheConf", "bytes": "184" }, { "name": "CSS", "bytes": "671454" }, { "name": "HTML", "bytes": "20904" }, { "name": "JavaScript", "bytes": "15214097" }, { "name": "PHP", "bytes": "226968" } ], "symlink_target": "" }
require 'captain_oveur/routes.rb' require 'captain_oveur/authentication.rb' require 'captain_oveur/user.rb'
{ "content_hash": "3c61d398a906ea5710c4640fe2facd12", "timestamp": "", "source": "github", "line_count": 3, "max_line_length": 41, "avg_line_length": 35.666666666666664, "alnum_prop": 0.8130841121495327, "repo_name": "disruptive/captain_oveur", "id": "81f042d1cf8f71ff9bbc90ebdf2931c24b2a45c3", "size": "107", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "lib/captain_oveur.rb", "mode": "33188", "license": "mit", "language": [ { "name": "Ruby", "bytes": "14686" } ], "symlink_target": "" }