text
stringlengths
2
1.04M
meta
dict
cliche-shell ============ It's a reincarnation of cliche java shell to have a command line access to java process
{ "content_hash": "dcc8bf8a333d1e09fbdcaccf8bae0447", "timestamp": "", "source": "github", "line_count": 4, "max_line_length": 87, "avg_line_length": 28.5, "alnum_prop": 0.7192982456140351, "repo_name": "maxifier/cliche-shell", "id": "3e607a620b292d4e5a62a007a08a6c0d301e6cfe", "size": "114", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "README.md", "mode": "33188", "license": "mit", "language": [ { "name": "Java", "bytes": "130535" } ], "symlink_target": "" }
static unsigned int getprocessnum(); static unsigned int getrunningnum(); static unsigned int getsleepingnum(); void top() { while (1) { char c = kernel_getchar(); kernel_clear_screen(31); if (c == 'q') { return; } // Process info. kernel_printf("Processes: %d total, %d running, %d sleeping.\n", getprocessnum(), getrunningnum(), getsleepingnum()); // Mem info. kmemtop(); // Every process struct list_head* pos; task_struct* task; kernel_printf("\nNAME\tASID\tSTATE\tCOUNTER\n"); list_for_each(pos, &shed_list) { task = list_entry(pos, task_struct, shed); printtask(task); } //call_syscall_a0(SYSCALL_SLEEP, 1000); } // asm volatile("mtc0 $zero, $9"); } static unsigned int getprocessnum() { struct list_head* pos; unsigned int count = 0; list_for_each(pos, &shed_list) { count++; } return count; } static unsigned int getrunningnum() { struct list_head* pos; int i; unsigned int count = 0; for (i = 0; i < PROC_LEVELS; i++) { list_for_each(pos, &ready_list[i]) { count++; } } // Consider current running task, which is top return count + 1; } static unsigned int getsleepingnum() { struct list_head* pos; unsigned int count = 0; list_for_each(pos, &sleep_list) { count++; } return count; }
{ "content_hash": "fa772f47508cfb0b11018c67ba690826", "timestamp": "", "source": "github", "line_count": 73, "max_line_length": 125, "avg_line_length": 20.643835616438356, "alnum_prop": 0.5461181154611812, "repo_name": "Fairyland0902/XSU", "id": "59c47e1148417cb7a8711373753270ef6ee085ac", "size": "1640", "binary": false, "copies": "1", "ref": "refs/heads/fs", "path": "usr/top.c", "mode": "33188", "license": "bsd-3-clause", "language": [ { "name": "Assembly", "bytes": "3856" }, { "name": "C", "bytes": "416743" }, { "name": "Makefile", "bytes": "3170" }, { "name": "Objective-C", "bytes": "331" } ], "symlink_target": "" }
<?xml version="1.0" encoding="utf-8"?> <!-- This file contains Runtime Directives, specifications about types your application accesses through reflection and other dynamic code patterns. Runtime Directives are used to control the .NET Native optimizer and ensure that it does not remove code accessed by your library. If your library does not do any reflection, then you generally do not need to edit this file. However, if your library reflects over types, especially types passed to it or derived from its types, then you should write Runtime Directives. The most common use of reflection in libraries is to discover information about types passed to the library. Runtime Directives have three ways to express requirements on types passed to your library. 1. Parameter, GenericParameter, TypeParameter, TypeEnumerableParameter Use these directives to reflect over types passed as a parameter. 2. SubTypes Use a SubTypes directive to reflect over types derived from another type. 3. AttributeImplies Use an AttributeImplies directive to indicate that your library needs to reflect over types or methods decorated with an attribute. For more information on writing Runtime Directives for libraries, please visit http://go.microsoft.com/fwlink/?LinkID=391919 --> <Directives xmlns="http://schemas.microsoft.com/netfx/2013/01/metadata"> <Library Name="Plugin.CrossFormattedText.UWP"> <!-- add directives for your library here --> </Library> </Directives>
{ "content_hash": "190840d3e69ccc283767e1243307ea89", "timestamp": "", "source": "github", "line_count": 33, "max_line_length": 99, "avg_line_length": 47.24242424242424, "alnum_prop": 0.7530468248877485, "repo_name": "MeilCli/CrossFormattedText", "id": "c26f54d40743093f2a5bd55077bb967a413d800e", "size": "1559", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "Source/Plugin.CrossFormattedText.UWP/Properties/Plugin.CrossFormattedText.UWP.rd.xml", "mode": "33188", "license": "mit", "language": [ { "name": "C#", "bytes": "158587" } ], "symlink_target": "" }
<?php namespace Nosto\Helper; /** * Price helper class for price related tasks such formatting prices in a standard way */ final class PriceHelper extends AbstractHelper { /** * Formats price into Nosto format, e.g. 1000.99. * * @param int|float|string $price the price string to format. * @return string|null the formatted price. */ public static function format($price) { return is_numeric($price) ? number_format($price, 2, '.', '') : null; } }
{ "content_hash": "05c4ac1cccf4442b0158fc0c30b99abe", "timestamp": "", "source": "github", "line_count": 21, "max_line_length": 86, "avg_line_length": 23.904761904761905, "alnum_prop": 0.6414342629482072, "repo_name": "Nosto/php-sdk", "id": "7395668b24ad3f3d3a814509a511af3d64898e28", "size": "2240", "binary": false, "copies": "2", "ref": "refs/heads/develop", "path": "src/Helper/PriceHelper.php", "mode": "33188", "license": "bsd-3-clause", "language": [ { "name": "JavaScript", "bytes": "8913" }, { "name": "PHP", "bytes": "555335" } ], "symlink_target": "" }
// Copyright 2014 The Bazel Authors. All rights reserved. // // Licensed under the Apache License, Version 2.0 (the "License"); // you may not use this file except in compliance with the License. // You may obtain a copy of the License at // // http://www.apache.org/licenses/LICENSE-2.0 // // Unless required by applicable law or agreed to in writing, software // distributed under the License is distributed on an "AS IS" BASIS, // WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. // See the License for the specific language governing permissions and // limitations under the License. package com.google.devtools.build.buildjar; import com.google.common.base.Joiner; import com.google.common.collect.ImmutableSet; import com.google.devtools.build.buildjar.jarhelper.JarCreator; import com.google.devtools.build.buildjar.javac.JavacRunner; import com.sun.tools.javac.main.Main.Result; import java.io.File; import java.io.IOException; import java.io.OutputStream; import java.io.PrintWriter; import java.util.ArrayList; import java.util.List; /** * An implementation of the JavaBuilder that uses in-process javac to compile java files. */ public class SimpleJavaLibraryBuilder extends AbstractJavaBuilder { @Override Result compileSources(JavaLibraryBuildRequest build, JavacRunner javacRunner, PrintWriter err) throws IOException { String[] javacArguments = makeJavacArguments(build, build.getClassPath()); return javacRunner.invokeJavac(build.getPlugins(), javacArguments, err); } @Override protected void prepareSourceCompilation(JavaLibraryBuildRequest build) throws IOException { super.prepareSourceCompilation(build); // Create sourceGenDir if necessary. if (build.getSourceGenDir() != null) { File sourceGenDir = new File(build.getSourceGenDir()); if (sourceGenDir.exists()) { try { cleanupOutputDirectory(sourceGenDir); } catch (IOException e) { throw new IOException("Cannot clean output directory '" + sourceGenDir + "'", e); } } sourceGenDir.mkdirs(); } } /** * For the build configuration 'build', construct a command line that * can be used for a javac invocation. */ protected String[] makeJavacArguments(JavaLibraryBuildRequest build) { return makeJavacArguments(build, build.getClassPath()); } /** * For the build configuration 'build', construct a command line that * can be used for a javac invocation. */ protected String[] makeJavacArguments(JavaLibraryBuildRequest build, String classPath) { List<String> javacArguments = createInitialJavacArgs(build, classPath); javacArguments.addAll(getAnnotationProcessingOptions(build)); for (String option : build.getJavacOpts()) { if (option.startsWith("-J")) { // ignore the VM options. continue; } if (option.equals("-processor") || option.equals("-processorpath")) { throw new IllegalStateException( "Using " + option + " in javacopts is no longer supported." + " Use a java_plugin() rule instead."); } javacArguments.add(option); } javacArguments.addAll(build.getSourceFiles()); return javacArguments.toArray(new String[0]); } /** * Given a JavaLibraryBuildRequest, computes the javac options for the annotation processing * requested. */ private List<String> getAnnotationProcessingOptions(JavaLibraryBuildRequest build) { List<String> args = new ArrayList<>(); // Javac treats "-processorpath ''" as setting the processor path to an empty list, // whereas omitting the option is treated as not having a processor path (which causes // processor path searches to fallback to the class path). args.add("-processorpath"); args.add( build.getProcessorPath().isEmpty() ? "" : build.getProcessorPath()); if (!build.getProcessors().isEmpty() && !build.getSourceFiles().isEmpty()) { // ImmutableSet.copyOf maintains order ImmutableSet<String> deduplicatedProcessorNames = ImmutableSet.copyOf(build.getProcessors()); args.add("-processor"); args.add(Joiner.on(',').join(deduplicatedProcessorNames)); // Set javac output directory for generated sources. if (build.getSourceGenDir() != null) { args.add("-s"); args.add(build.getSourceGenDir()); } } else { // This is necessary because some jars contain discoverable annotation processors that // previously didn't run, and they break builds if the "-proc:none" option is not passed to // javac. args.add("-proc:none"); } return args; } @Override public void buildGensrcJar(JavaLibraryBuildRequest build, OutputStream err) throws IOException { JarCreator jar = new JarCreator(build.getGeneratedSourcesOutputJar()); jar.setNormalize(true); jar.setCompression(build.compressJar()); jar.addDirectory(build.getSourceGenDir()); jar.execute(); } }
{ "content_hash": "805429b3f6bbe778000d8c036c089576", "timestamp": "", "source": "github", "line_count": 138, "max_line_length": 99, "avg_line_length": 36.31159420289855, "alnum_prop": 0.7076431849930154, "repo_name": "whuwxl/bazel", "id": "6417b473c8bdcd9d10bab77c02d349a724509e20", "size": "5011", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "src/java_tools/buildjar/java/com/google/devtools/build/buildjar/SimpleJavaLibraryBuilder.java", "mode": "33188", "license": "apache-2.0", "language": [ { "name": "C", "bytes": "46850" }, { "name": "C++", "bytes": "285741" }, { "name": "HTML", "bytes": "16217" }, { "name": "Java", "bytes": "15326662" }, { "name": "Objective-C", "bytes": "5306" }, { "name": "Protocol Buffer", "bytes": "76315" }, { "name": "Python", "bytes": "220690" }, { "name": "Shell", "bytes": "417468" } ], "symlink_target": "" }
Xema is a schema validator inspired by [JSON Schema](http://json-schema.org). Xema supports the features documented in draft 04, 06, and 07 of the JSON-Schema specification. Xema allows you to annotate and validate elixir data structures. Xema is in beta. If you try it and has an issue, report them.
{ "content_hash": "cf8551e9f24d813062c969634b988ad1", "timestamp": "", "source": "github", "line_count": 7, "max_line_length": 80, "avg_line_length": 43.285714285714285, "alnum_prop": 0.7755775577557755, "repo_name": "hrzndhrn/xema", "id": "7926743a33cf6797397d780b2e93c8b3842c0920", "size": "311", "binary": false, "copies": "1", "ref": "refs/heads/main", "path": "docs/readme.md", "mode": "33188", "license": "mit", "language": [ { "name": "Elixir", "bytes": "1157139" }, { "name": "HTML", "bytes": "635" } ], "symlink_target": "" }
package org.chamomile.ios.uikit; public class UIImageViewStub extends UIViewStub implements UIImageView { }
{ "content_hash": "12a00122d45274577ede76934aa205fd", "timestamp": "", "source": "github", "line_count": 5, "max_line_length": 72, "avg_line_length": 22, "alnum_prop": 0.8272727272727273, "repo_name": "ggeorg/UIKit4J", "id": "a7697f88b7018aa00a884b9c535062c1885eafc9", "size": "110", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "src/org/chamomile/ios/uikit/UIImageViewStub.java", "mode": "33188", "license": "apache-2.0", "language": [ { "name": "C++", "bytes": "3194" }, { "name": "Java", "bytes": "130312" }, { "name": "Objective-C", "bytes": "58555" } ], "symlink_target": "" }
package com.negusoft.holoaccent.example.activity.themed; import com.negusoft.holoaccent.example.activity.SpinnerActivity; public class SpinnerActivityLight extends SpinnerActivity { }
{ "content_hash": "6d6853a01c119b6fe50c38ab1a96af5e", "timestamp": "", "source": "github", "line_count": 7, "max_line_length": 64, "avg_line_length": 26.714285714285715, "alnum_prop": 0.8502673796791443, "repo_name": "negusoft/holoaccent", "id": "c79210d56e43954e70ddff7439e7217559a3ad9c", "size": "187", "binary": false, "copies": "5", "ref": "refs/heads/master", "path": "HoloAccentExample/src/com/negusoft/holoaccent/example/activity/themed/SpinnerActivityLight.java", "mode": "33188", "license": "apache-2.0", "language": [ { "name": "Groovy", "bytes": "437" }, { "name": "Java", "bytes": "294548" } ], "symlink_target": "" }
package org.sakaiproject.delegatedaccess.tool.pages; import java.io.Serializable; import java.text.SimpleDateFormat; import java.util.ArrayList; import java.util.Arrays; import java.util.Collections; import java.util.Comparator; import java.util.Date; import java.util.HashMap; import java.util.HashSet; import java.util.Iterator; import java.util.List; import java.util.Map; import java.util.Map.Entry; import java.util.Set; import org.slf4j.Logger; import org.slf4j.LoggerFactory; import org.apache.wicket.AttributeModifier; import org.apache.wicket.ajax.AjaxRequestTarget; import org.apache.wicket.ajax.markup.html.AjaxLink; import org.apache.wicket.ajax.markup.html.form.AjaxButton; import org.apache.wicket.extensions.ajax.markup.html.repeater.data.table.AjaxFallbackDefaultDataTable; import org.apache.wicket.extensions.markup.html.form.DateTextField; import org.apache.wicket.extensions.markup.html.repeater.data.table.AbstractColumn; import org.apache.wicket.extensions.markup.html.repeater.data.table.IColumn; import org.apache.wicket.extensions.markup.html.repeater.data.table.PropertyColumn; import org.apache.wicket.extensions.markup.html.repeater.util.SortableDataProvider; import org.apache.wicket.markup.ComponentTag; import org.apache.wicket.markup.html.IHeaderResponse; import org.apache.wicket.markup.html.basic.Label; import org.apache.wicket.markup.html.form.Button; import org.apache.wicket.markup.html.form.CheckBox; import org.apache.wicket.markup.html.form.ChoiceRenderer; import org.apache.wicket.markup.html.form.DropDownChoice; import org.apache.wicket.markup.html.form.Form; import org.apache.wicket.markup.html.form.ListMultipleChoice; import org.apache.wicket.markup.html.form.TextArea; import org.apache.wicket.markup.html.panel.Panel; import org.apache.wicket.markup.repeater.Item; import org.apache.wicket.model.IModel; import org.apache.wicket.model.LoadableDetachableModel; import org.apache.wicket.model.Model; import org.apache.wicket.model.PropertyModel; import org.apache.wicket.model.ResourceModel; import org.apache.wicket.model.StringResourceModel; import org.sakaiproject.delegatedaccess.model.ListOptionSerialized; import org.sakaiproject.delegatedaccess.model.NodeModel; import org.sakaiproject.delegatedaccess.model.SelectOption; import org.sakaiproject.delegatedaccess.util.DelegatedAccessConstants; import org.sakaiproject.site.api.Site; public class ShoppingEditBulkPage extends BasePage{ private static final Logger log = LoggerFactory.getLogger(ShoppingEditBulkPage.class); private SelectOption role = null; private List<DecoratedSiteModel> deleteSites = new ArrayList<DecoratedSiteModel>(); private List<DecoratedSiteModel> addSites = new ArrayList<DecoratedSiteModel>(); private String deleteSitesInput = "", addSitesInput = ""; private AjaxFallbackDefaultDataTable deleteTable, addTable; private TextArea<String> deleteSitesInputField, addSitesInputField; private SimpleDateFormat format = new SimpleDateFormat("MM/dd/yyyy"); private Date startDate, endDate; private boolean singleRoleOptions = false; private List<ListOptionSerialized> selectedAnonTools = new ArrayList<ListOptionSerialized>(); private List<ListOptionSerialized> selectedAuthTools = new ArrayList<ListOptionSerialized>(); private Boolean revokeInstructorOverride = Boolean.FALSE; private Boolean revokePublicOpt = Boolean.FALSE; public ShoppingEditBulkPage(){ disableLink(shoppingAdminLink); //Form Feedback (Saved/Error) final Label formFeedback = new Label("formFeedback"); formFeedback.setOutputMarkupPlaceholderTag(true); final String formFeedbackId = formFeedback.getMarkupId(); add(formFeedback); //Form Feedback2 (Saved/Error) final Label formFeedback2 = new Label("formFeedback2"); formFeedback2.setOutputMarkupPlaceholderTag(true); final String formFeedback2Id = formFeedback2.getMarkupId(); add(formFeedback2); //FORM: Form form = new Form("form"); add(form); //Add Delete Site: deleteSitesInputField = new TextArea<String>("deleteSitesInput", new PropertyModel<String>(this, "deleteSitesInput")); deleteSitesInputField.setOutputMarkupId(true); form.add(deleteSitesInputField); form.add(new AjaxButton("addDeleteSites", form){ @Override protected void onSubmit(AjaxRequestTarget target, Form<?> arg1) { IModel errorMessage = Model.of(""); List<DecoratedSiteModel> deleteSitesList = getValidSitesFromInput(deleteSites, errorMessage, deleteSitesInput); deleteSites.addAll(deleteSitesList); if(deleteSitesList.size() > 0 || errorMessage == null){ //need to update list: target.addComponent(deleteTable); deleteSitesInput = ""; target.addComponent(deleteSitesInputField); } if(errorMessage != null && !"".equals(errorMessage.getObject().toString())){ formFeedback.setDefaultModel(errorMessage); formFeedback.add(new AttributeModifier("class", true, new Model("alertMessage"))); target.addComponent(formFeedback); formFeedback2.setDefaultModel(errorMessage); formFeedback2.add(new AttributeModifier("class", true, new Model("alertMessage"))); target.addComponent(formFeedback2); //call a js function to hide the message in 5 seconds target.appendJavascript("hideFeedbackTimer('" + formFeedbackId + "');"); target.appendJavascript("hideFeedbackTimer('" + formFeedback2Id + "');"); } } }); //Delete Sites Data View: List<IColumn> deleteSitesColumns = new ArrayList<IColumn>(); //Site Id: deleteSitesColumns.add(new PropertyColumn(new ResourceModel("siteId"),"siteId", "siteId"){ public void populateItem(Item item, String componentId, IModel rowModel) { DecoratedSiteModel site = (DecoratedSiteModel) rowModel.getObject(); item.add(new Label(componentId, site.getSiteId())); } }); //Site Id: deleteSitesColumns.add(new PropertyColumn(new ResourceModel("siteTitle"),"siteTitle", "siteTitle"){ public void populateItem(Item item, String componentId, IModel rowModel) { DecoratedSiteModel site = (DecoratedSiteModel) rowModel.getObject(); item.add(new Label(componentId, site.getSiteTitle())); } }); //Remove Link Id: deleteSitesColumns.add(new AbstractColumn(null){ @Override public void populateItem(Item item, String componentId, final IModel rowModel) { DecoratedSiteModel site = (DecoratedSiteModel) rowModel.getObject(); item.add(new LinkPanel(componentId, new ResourceModel("remove")){ @Override public void clicked(AjaxRequestTarget target) { DecoratedSiteModel site = (DecoratedSiteModel) rowModel.getObject(); for (Iterator iterator = deleteSites.iterator(); iterator .hasNext();) { DecoratedSiteModel decoratedSiteModel = (DecoratedSiteModel) iterator.next(); if(site.getSiteId().equals(decoratedSiteModel.getSiteId())){ iterator.remove(); break; } } target.addComponent(deleteTable); } }); } }); //Delete Data table: deleteTable = new AjaxFallbackDefaultDataTable("deleteSites", deleteSitesColumns, new DeleteSitesDataProvider(), 20){ }; deleteTable.setOutputMarkupId(true); form.add(deleteTable); //Add/Update Site List: addSitesInputField = new TextArea<String>("addSitesInput", new PropertyModel<String>(this, "addSitesInput")); addSitesInputField.setOutputMarkupId(true); form.add(addSitesInputField); form.add(new AjaxButton("addAddSites", form){ @Override protected void onSubmit(AjaxRequestTarget target, Form<?> arg1) { IModel errorMessage = Model.of(""); List<DecoratedSiteModel> addSitesList = getValidSitesFromInput(addSites, errorMessage, addSitesInput); addSites.addAll(addSitesList); if(addSitesList.size() > 0 || errorMessage == null){ //need to update list: target.addComponent(addTable); addSitesInput = ""; target.addComponent(addSitesInputField); } if(errorMessage != null && !"".equals(errorMessage.getObject().toString())){ formFeedback.setDefaultModel(errorMessage); formFeedback.add(new AttributeModifier("class", true, new Model("alertMessage"))); target.addComponent(formFeedback); formFeedback2.setDefaultModel(errorMessage); formFeedback2.add(new AttributeModifier("class", true, new Model("alertMessage"))); target.addComponent(formFeedback2); //call a js function to hide the message in 5 seconds target.appendJavascript("hideFeedbackTimer('" + formFeedbackId + "');"); target.appendJavascript("hideFeedbackTimer('" + formFeedback2Id + "');"); } } }); //add Sites Data View: List<IColumn> addSitesColumns = new ArrayList<IColumn>(); //Site Id: addSitesColumns.add(new PropertyColumn(new ResourceModel("siteId"),"siteId", "siteId"){ public void populateItem(Item item, String componentId, IModel rowModel) { DecoratedSiteModel site = (DecoratedSiteModel) rowModel.getObject(); item.add(new Label(componentId, site.getSiteId())); } }); //Site Id: addSitesColumns.add(new PropertyColumn(new ResourceModel("siteTitle"),"siteTitle", "siteTitle"){ public void populateItem(Item item, String componentId, IModel rowModel) { DecoratedSiteModel site = (DecoratedSiteModel) rowModel.getObject(); item.add(new Label(componentId, site.getSiteTitle())); } }); //Remove Link Id: addSitesColumns.add(new AbstractColumn(null){ @Override public void populateItem(Item item, String componentId, final IModel rowModel) { DecoratedSiteModel site = (DecoratedSiteModel) rowModel.getObject(); item.add(new LinkPanel(componentId, new ResourceModel("remove")){ @Override public void clicked(AjaxRequestTarget target) { DecoratedSiteModel site = (DecoratedSiteModel) rowModel.getObject(); for (Iterator iterator = addSites.iterator(); iterator .hasNext();) { DecoratedSiteModel decoratedSiteModel = (DecoratedSiteModel) iterator.next(); if(site.getSiteId().equals(decoratedSiteModel.getSiteId())){ iterator.remove(); break; } } target.addComponent(addTable); } }); } }); //add Data table: addTable = new AjaxFallbackDefaultDataTable("addSites", addSitesColumns, new AddSitesDataProvider(), 20){ }; addTable.setOutputMarkupId(true); form.add(addTable); //Start Date: form.add(new DateTextField("shoppingVisibilityStart", new PropertyModel(this, "startDate"), format.toPattern()){ @Override protected void onComponentTag(ComponentTag tag) { super.onComponentTag(tag); tag.append("size", "12", ""); tag.append("readonly", "readonly", ""); tag.append("class", "datePicker", " "); } }); //End Date: form.add(new DateTextField("shoppingVisibilityEnd", new PropertyModel(this, "endDate"), format.toPattern()){ @Override protected void onComponentTag(ComponentTag tag) { super.onComponentTag(tag); tag.append("size", "12", ""); tag.append("readonly", "readonly", ""); tag.append("class", "datePicker", " "); } }); //Roles: //create a map of the realms and their roles for the Role column final Map<String, String> roleMap = projectLogic.getRealmRoleDisplay(true); String largestRole = ""; for(String role : roleMap.values()){ if(role.length() > largestRole.length()){ largestRole = role; } } if(roleMap.size() == 1){ String[] split = null; for(String key : roleMap.keySet()){ split = key.split(":"); } if(split != null && split.length == 2){ //only one option for role, so don't bother showing it in the table singleRoleOptions = true; } } SelectOption[] options = new SelectOption[roleMap.size()]; int i = 0; //now sort the map List<String> sortList = new ArrayList<String>(roleMap.values()); Collections.sort(sortList, new Comparator<String>() { public int compare(String o1, String o2) { return o1.compareToIgnoreCase(o2); } }); Map<String, String> sortedReturnMap = new HashMap<String, String>(); for(String value : sortList){ for(Entry<String, String> entry : roleMap.entrySet()){ if(value.equals(entry.getValue())){ options[i] = new SelectOption(entry.getValue(), entry.getKey()); if(singleRoleOptions){ role = options[i]; } i++; break; } } } ChoiceRenderer choiceRenderer = new ChoiceRenderer("label", "value"); form.add(new DropDownChoice("shoppingRole", new PropertyModel(this, "role"), Arrays.asList(options), choiceRenderer){ @Override public boolean isVisible() { return !singleRoleOptions; } }); //public tools: ChoiceRenderer toolChoiceRenderer = new ChoiceRenderer("name", "id"); List<ListOptionSerialized> toolOptions = projectLogic.getEntireToolsList(); form.add(new ListMultipleChoice<ListOptionSerialized>("showPublicTools", new PropertyModel(this, "selectedAnonTools"), toolOptions, toolChoiceRenderer){ @Override protected void onComponentTag(ComponentTag tag) { super.onComponentTag(tag); tag.append("title", new Model("selectTools").getObject().toString(), ""); } }); //private tools: form.add(new ListMultipleChoice<ListOptionSerialized>("showAuthTools", new PropertyModel(this, "selectedAuthTools"), toolOptions, toolChoiceRenderer){ @Override protected void onComponentTag(ComponentTag tag) { super.onComponentTag(tag); tag.append("title", new Model("selectTools").getObject().toString(), ""); } }); //Advanced Options //Revoke Instructor Override: form.add(new CheckBox("revokeInstructorOverrideCheckbox", new PropertyModel<Boolean>(this, "revokeInstructorOverride"))); form.add(new CheckBox("revokePublicOptCheckbox", new PropertyModel<Boolean>(this, "revokePublicOpt"))); //updateButton button: AjaxButton updateButton = new AjaxButton("update", form) { @Override protected void onSubmit(AjaxRequestTarget target, Form arg1) { IModel errorMessage = null; //first check that all the settings are set: if(deleteSites.size() == 0 && addSites.size() == 0){ //at least one site must be added to the delete or add list errorMessage = new ResourceModel("noSitesToaddOrDelete"); }else if(addSites.size() > 0){ //check status of the add parameters: if(startDate == null && endDate == null){ errorMessage = new ResourceModel("oneDateRequired"); }else if(startDate != null && endDate != null && (endDate.before(startDate) || startDate.equals(endDate))){ errorMessage = new ResourceModel("startDateMustBeFirst"); }else if(selectedAnonTools.size() == 0 && selectedAuthTools.size() == 0){ errorMessage = new ResourceModel("oneToolMustBeSelected"); }else if(role == null || role.getValue().split(":").length != 2){ errorMessage = new ResourceModel("roleRequired"); } } if(errorMessage == null){ //start by deleting the sites first: for(DecoratedSiteModel siteModel : deleteSites){ NodeModel nodeModel = projectLogic.getNodeModel(siteModel.getNodeId(), DelegatedAccessConstants.SHOPPING_PERIOD_USER); //simply set direct = false to delete this node: nodeModel.setDirectAccess(false); projectLogic.updateNodePermissionsForUser(nodeModel, DelegatedAccessConstants.SHOPPING_PERIOD_USER); } //Now update/add new sites: for(DecoratedSiteModel siteModel : addSites){ NodeModel nodeModel = projectLogic.getNodeModel(siteModel.getNodeId(), DelegatedAccessConstants.SHOPPING_PERIOD_USER); //make sure direct access is selected nodeModel.setDirectAccess(true); nodeModel.setShoppingPeriodStartDate(startDate); nodeModel.setShoppingPeriodEndDate(endDate); String[] realmRole = role.getValue().split(":"); nodeModel.setRealm(realmRole[0]); nodeModel.setRole(realmRole[1]); //filter out any duplicate selected tools in "auth" list that is set in "anon" list: for (Iterator iterator = selectedAuthTools.iterator(); iterator.hasNext();) { ListOptionSerialized authListOptionSerialized = (ListOptionSerialized) iterator.next(); for(ListOptionSerialized anonListOptionSerialized : selectedAnonTools){ if(authListOptionSerialized.getId().equals(anonListOptionSerialized.getId())){ iterator.remove(); break; } } } //now set all tools to false: for(ListOptionSerialized tool : nodeModel.getRestrictedAuthTools()){ nodeModel.setAuthToolRestricted(tool.getId(), false); } for(ListOptionSerialized tool : nodeModel.getRestrictedPublicTools()){ nodeModel.setPublicToolRestricted(tool.getId(), false); } //now set selected tools: for(ListOptionSerialized anonListOptionSerialized : selectedAnonTools){ nodeModel.setPublicToolRestricted(anonListOptionSerialized.getId(), true); } for(ListOptionSerialized authListOptionSerialized : selectedAuthTools){ nodeModel.setAuthToolRestricted(authListOptionSerialized.getId(), true); } //now update advanced options: nodeModel.setShoppingPeriodRevokeInstructorEditable(revokeInstructorOverride); nodeModel.setShoppingPeriodRevokeInstructorPublicOpt(revokePublicOpt); //save node projectLogic.updateNodePermissionsForUser(nodeModel, DelegatedAccessConstants.SHOPPING_PERIOD_USER); } setResponsePage(new ShoppingEditPage()); }else{ formFeedback.setDefaultModel(errorMessage); formFeedback.add(new AttributeModifier("class", true, new Model("alertMessage"))); target.addComponent(formFeedback); formFeedback2.setDefaultModel(errorMessage); formFeedback2.add(new AttributeModifier("class", true, new Model("alertMessage"))); target.addComponent(formFeedback2); //call a js function to hide the message in 5 seconds target.appendJavascript("hideFeedbackTimer('" + formFeedbackId + "');"); target.appendJavascript("hideFeedbackTimer('" + formFeedback2Id + "');"); } } }; form.add(updateButton); //cancelButton button: Button cancelButton = new Button("cancel") { @Override public void onSubmit() { setResponsePage(new ShoppingEditPage()); } }; form.add(cancelButton); } private class DeleteSitesDataProvider extends SortableDataProvider<DecoratedSiteModel>{ public DeleteSitesDataProvider() { setSort("siteId", true); } @Override public Iterator<? extends DecoratedSiteModel> iterator(int first, int count) { Collections.sort(deleteSites, new Comparator<DecoratedSiteModel>(){ @Override public int compare(DecoratedSiteModel o1, DecoratedSiteModel o2) { int dir = getSort().isAscending() ? 1 : -1; if("siteId".equals(getSort().getProperty())){ return dir * o1.getSiteId().compareTo(o2.getSiteId()); }else if("siteTitle".equals(getSort().getProperty())){ return dir * o1.getSiteTitle().compareTo(o2.getSiteTitle()); } return 0; } }); return deleteSites.subList(Math.min((int) first, (int) (deleteSites.size() - 1)), (int) Math.min(first + count, deleteSites.size())).iterator(); } @Override public IModel<DecoratedSiteModel> model(DecoratedSiteModel arg0) { return new DeleteSitesDetachableModel((DecoratedSiteModel) arg0); } @Override public int size() { return deleteSites.size(); } } private class DeleteSitesDetachableModel extends LoadableDetachableModel{ private DecoratedSiteModel site; public DeleteSitesDetachableModel(DecoratedSiteModel site){ this.site = site; } @Override protected Object load() { return site; } } private class AddSitesDataProvider extends SortableDataProvider<DecoratedSiteModel>{ public AddSitesDataProvider() { setSort("siteId", true); } @Override public Iterator<? extends DecoratedSiteModel> iterator(int first, int count) { Collections.sort(addSites, new Comparator<DecoratedSiteModel>(){ @Override public int compare(DecoratedSiteModel o1, DecoratedSiteModel o2) { int dir = getSort().isAscending() ? 1 : -1; if("siteId".equals(getSort().getProperty())){ return dir * o1.getSiteId().compareTo(o2.getSiteId()); }else if("siteTitle".equals(getSort().getProperty())){ return dir * o1.getSiteTitle().compareTo(o2.getSiteTitle()); } return 0; } }); return addSites.subList(Math.min((int) first, (int) (addSites.size() - 1)), (int) Math.min(first + count, addSites.size())).iterator(); } @Override public IModel<DecoratedSiteModel> model(DecoratedSiteModel arg0) { return new AddSitesDetachableModel((DecoratedSiteModel) arg0); } @Override public int size() { return addSites.size(); } } private class AddSitesDetachableModel extends LoadableDetachableModel{ private DecoratedSiteModel site; public AddSitesDetachableModel(DecoratedSiteModel site){ this.site = site; } @Override protected Object load() { return site; } } private class DecoratedSiteModel implements Serializable{ private String siteId = "", siteTitle = "", nodeId = ""; public DecoratedSiteModel(String siteId, String siteTitle, String nodeId){ this.setSiteId(siteId); this.setSiteTitle(siteTitle); this.setNodeId(nodeId); } public String getSiteId() { return siteId; } public void setSiteId(String siteId) { this.siteId = siteId; } public String getSiteTitle() { return siteTitle; } public void setSiteTitle(String siteTitle) { this.siteTitle = siteTitle; } public String getNodeId() { return nodeId; } public void setNodeId(String nodeId) { this.nodeId = nodeId; } } private abstract class LinkPanel extends Panel { public LinkPanel(String id, final IModel labelModel) { super(id); AjaxLink link = new AjaxLink("link") { @Override public void onClick(AjaxRequestTarget target) { clicked(target); } }; link.add(new Label("linkLabel", labelModel)); add(link); } public abstract void clicked(AjaxRequestTarget target); } private List<DecoratedSiteModel> getValidSitesFromInput(List<DecoratedSiteModel> existingSitesFilter, IModel errorMessage, String input){ List<DecoratedSiteModel> returnList = new ArrayList<DecoratedSiteModel>(); if(input != null && !"".equals(input)){ String[] split = input.split("\n"); boolean anyAdded = false; //first remove any site that is already in the existing list and created a siteRef list to look up nodes with: List<String> lookupSiteIds = new ArrayList<String>(Arrays.asList(split)); List<String> lookupSiteRefs = new ArrayList<String>(); for (Iterator iterator = lookupSiteIds.iterator(); iterator.hasNext();) { String siteId = ((String) iterator.next()).trim(); boolean found = false; for(DecoratedSiteModel siteModel : existingSitesFilter){ if(siteId.equals(siteModel.getSiteId())){ found = true; break; } } if(found){ iterator.remove(); }else{ lookupSiteRefs.add("/site/" + siteId); } } //filter out any sites that do not have nodes Map<String, List<String>> nodes = projectLogic.getNodesBySiteRef(lookupSiteRefs.toArray(new String[lookupSiteRefs.size()]), DelegatedAccessConstants.HIERARCHY_ID); Set<String> shoppingEditableNodes = new HashSet<String>(); //get list of node ids to check whether the user can modify the settings for(Entry<String, List<String>> entry : nodes.entrySet()){ shoppingEditableNodes.addAll(entry.getValue()); } if(!sakaiProxy.isSuperUser()){ //Admin users can always edit any site, so only filter for non admins shoppingEditableNodes = projectLogic.filterShoppingPeriodEditNodes(shoppingEditableNodes); } String notFound = ""; String noAccess = ""; for(String siteId : lookupSiteIds){ siteId = siteId.trim(); //check that this site id doesn't already exist: boolean exist = nodes.containsKey("/site/" + siteId) && nodes.get("/site/" + siteId) != null && nodes.get("/site/" + siteId).size() > 0; if(exist){ boolean hasAccess = shoppingEditableNodes.contains(nodes.get("/site/" + siteId).get(0)); if(hasAccess){ Site site = sakaiProxy.getSiteById(siteId); if(site != null){ returnList.add(new DecoratedSiteModel(site.getId(), site.getTitle(), nodes.get("/site/" + siteId).get(0))); anyAdded = true; }else{ if(!"".equals(notFound)){ notFound += ", "; } notFound += siteId; } }else{ if(!"".equals(noAccess)){ noAccess += ", "; } noAccess += siteId; } }else{ if(!"".equals(notFound)){ notFound += ", "; } notFound += siteId; } } String errorMessageStr = ""; if(!"".equals(notFound)){ errorMessageStr += new StringResourceModel("sitesNotFound", null, new String[]{notFound}).getObject(); } if(!"".equals(noAccess)){ if(!"".equals(errorMessageStr)){ errorMessageStr += " "; } errorMessageStr += new StringResourceModel("sitesNoAccess", null, new String[]{noAccess}).getObject(); } if(!"".equals(errorMessageStr)){ errorMessage.setObject(errorMessageStr); } }else{ errorMessage.setObject(new ResourceModel("noSitesInInput").getObject()); } return returnList; } }
{ "content_hash": "96e53fd2701903ea81b4e8e4ffbd1a9b", "timestamp": "", "source": "github", "line_count": 676, "max_line_length": 166, "avg_line_length": 37.47189349112426, "alnum_prop": 0.7140262918953062, "repo_name": "willkara/sakai", "id": "b147b9713f308c9455aef5f660ea67e0def451e5", "size": "25331", "binary": false, "copies": "11", "ref": "refs/heads/master", "path": "delegatedaccess/tool/src/java/org/sakaiproject/delegatedaccess/tool/pages/ShoppingEditBulkPage.java", "mode": "33188", "license": "apache-2.0", "language": [ { "name": "ASP", "bytes": "59098" }, { "name": "Batchfile", "bytes": "5172" }, { "name": "CSS", "bytes": "2089508" }, { "name": "ColdFusion", "bytes": "146057" }, { "name": "HTML", "bytes": "6272021" }, { "name": "Java", "bytes": "47790801" }, { "name": "JavaScript", "bytes": "8947499" }, { "name": "Lasso", "bytes": "26436" }, { "name": "PHP", "bytes": "606568" }, { "name": "PLSQL", "bytes": "2328041" }, { "name": "Perl", "bytes": "61738" }, { "name": "Python", "bytes": "44698" }, { "name": "Ruby", "bytes": "1276" }, { "name": "Shell", "bytes": "19259" }, { "name": "SourcePawn", "bytes": "2247" }, { "name": "XSLT", "bytes": "280557" } ], "symlink_target": "" }
var fullyLoaded = angular.module( 'fully-loaded', [] ); fullyLoaded.directive( 'flLoading', function () { return { restrict: 'E', scope: { data: "=" }, templateUrl: function ( element, attrs ) { return attrs.template; }, link: function ( scope, element, attrs ) { scope.$watch( 'data.loading', function () { if ( !scope.data.loading ) { element.hide(); } else { element.show(); } }, true ); } }; } ); fullyLoaded.directive( 'flError', function () { return { restrict: 'E', scope: { data: "=" }, templateUrl: function ( element, attrs ) { return attrs.template; }, link: function ( scope, element, attrs ) { scope.$watch( 'data.error', function () { if ( !scope.data.error ) { element.hide(); } else { element.show(); } }, true ); } }; } );
{ "content_hash": "3aff5a3b1d7ebf85d21f529eb213b7eb", "timestamp": "", "source": "github", "line_count": 48, "max_line_length": 55, "avg_line_length": 19.208333333333332, "alnum_prop": 0.5054229934924078, "repo_name": "projectweekend/angular-fully-loaded", "id": "a7d2026ad486c9fa660141348ff28eb009548a79", "size": "922", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "angular-fully-loaded.js", "mode": "33188", "license": "mit", "language": [], "symlink_target": "" }
require 'rest-client' require 'thor' require 'json' module Bitcoin module Node class CLI < Thor class_option :network, aliases: '-n', default: :mainnet desc 'getblockchaininfo', 'Returns an object containing various state info regarding blockchain processing.' def getblockchaininfo request('getblockchaininfo') end desc 'stop', 'Stop Bitcoin server.' def stop request('stop') end desc 'getblockheader "hash" ( verbose )', 'If verbose is false, returns a string that is serialized, hex-encoded data for blockheader "hash". If verbose is true, returns an Object with information about blockheader <hash>.' def getblockheader(hash, verbose = true) verbose = verbose.is_a?(String) ? (verbose == 'true') : verbose request('getblockheader', hash, verbose) end desc 'getpeerinfo', 'Returns data about each connected network node as a json array of objects.' def getpeerinfo request('getpeerinfo') end desc 'decoderawtransaction "hexstring"', 'Return a JSON object representing the serialized, hex-encoded transaction.' def decoderawtransaction(hexstring) request('decoderawtransaction', hexstring) end desc 'decodescript "hexstring"', 'Decode a hex-encoded script.' def decodescript(hexstring) request('decodescript', hexstring) end # wallet cli desc 'sendrawtransaction', 'Submits raw transaction (serialized, hex-encoded) to local node and network.' def sendrawtransaction(hex_tx) request('sendrawtransaction', hex_tx) end desc 'createwallet "wallet_id"', 'Create new HD wallet. It returns an error if an existing wallet_id is specified. ' def createwallet(wallet_id) request('createwallet', wallet_id) end desc 'listwallets', 'Returns a list of currently loaded wallets. For full information on the wallet, use "getwalletinfo"' def listwallets request('listwallets') end desc 'getwalletinfo', 'Returns an object containing various wallet state info.' def getwalletinfo request('getwalletinfo') end desc 'listaccounts', '[WIP]Returns Object that has account names as keys, account balances as values.' def listaccounts request('listaccounts') end desc 'encryptwallet "passphrase"', 'Encrypts the wallet with "passphrase". This is for first time encryption.After this, any calls that interact with private keys such as sending or signing will require the passphrase to be set prior the making these calls.' def encryptwallet(passhphrase) request('encryptwallet', passhphrase) end desc 'getnewaddress "account"', 'Returns a new Bitcoin address for receiving payments.' def getnewaddress(account) request('getnewaddress', account) end private def config opts = {} opts[:network] = options['network'] if options['network'] @conf ||= Bitcoin::Node::Configuration.new(opts) end def request(command, *params) data = { :method => command, :params => params, :id => 'jsonrpc' } begin RestClient::Request.execute(method: :post, url: config.server_url, payload: data.to_json, headers: {content_type: :json}) do |response, request, result| return false if !result.kind_of?(Net::HTTPSuccess) && response.empty? begin json = JSON.parse(response.to_str) puts JSON.pretty_generate(json) rescue Exception puts response.to_str end end rescue Exception => e puts e.message end end end end end
{ "content_hash": "6da74a92e5a9ab2a3c2313dfcc3846c0", "timestamp": "", "source": "github", "line_count": 112, "max_line_length": 264, "avg_line_length": 34.36607142857143, "alnum_prop": 0.6396466614705119, "repo_name": "haw-itn/bitcoinrb", "id": "b79797913a5d8731e1a37f6d8de64052c25919a8", "size": "3849", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "lib/bitcoin/node/cli.rb", "mode": "33188", "license": "mit", "language": [ { "name": "Ruby", "bytes": "603017" }, { "name": "Shell", "bytes": "131" } ], "symlink_target": "" }
module Fog module Compute class AWS class Real require 'fog/aws/parsers/compute/detach_internet_gateway' # Detaches an Internet gateway to a VPC, enabling connectivity between the Internet and the VPC # # ==== Parameters # * internet_gateway_id<~String> - The ID of the Internet gateway to detach # * vpc_id<~String> - The ID of the VPC # # ==== Returns # * response<~Excon::Response>: # * body<~Hash>: # * 'requestId'<~String> - Id of request # * 'return'<~Boolean> - Returns true if the request succeeds. # # {Amazon API Reference}[http://docs.amazonwebservices.com/AWSEC2/latest/APIReference/ApiReference-query-DetachInternetGateway.html] def detach_internet_gateway(internet_gateway_id, vpc_id) request( 'Action' => 'DetachInternetGateway', 'InternetGatewayId' => internet_gateway_id, 'VpcId' => vpc_id, :idempotent => true, :parser => Fog::Parsers::Compute::AWS::DetachInternetGateway.new ) end end class Mock def detach_internet_gateway(internet_gateway_id, vpc_id) response = Excon::Response.new if internet_gateway_id && vpc_id response.status = 200 response.body = { 'requestId' => Fog::AWS::Mock.request_id, 'return' => true } response else if !internet_gateway_id message << 'The request must contain the parameter internet_gateway_id' elsif !vpc_id message << 'The request must contain the parameter vpc_id' end raise Fog::Compute::AWS::Error.new(message) end end end end end end
{ "content_hash": "70707f2bbd7ae2e26f458c79c206029c", "timestamp": "", "source": "github", "line_count": 56, "max_line_length": 140, "avg_line_length": 33.910714285714285, "alnum_prop": 0.5444971037388099, "repo_name": "kaxel/tdsftp", "id": "abd5e2af23a87d4418b6505941024f169f432380", "size": "1899", "binary": false, "copies": "4", "ref": "refs/heads/master", "path": "vendor/ruby/1.9.1/gems/fog-1.15.0/lib/fog/aws/requests/compute/detach_internet_gateway.rb", "mode": "33188", "license": "apache-2.0", "language": [ { "name": "Ruby", "bytes": "3187" } ], "symlink_target": "" }
FROM balenalib/smarc-px30-fedora:35-build # http://bugs.python.org/issue19846 # > At the moment, setting "LANG=C" on a Linux system *fundamentally breaks Python 3*, and that's not OK. ENV LANG C.UTF-8 RUN dnf install -y \ python3-pip \ python3-dbus \ && dnf clean all # install "virtualenv", since the vast majority of users of this image will want it RUN pip3 install -U --no-cache-dir --ignore-installed pip setuptools \ && pip3 install --no-cache-dir virtualenv RUN [ ! -d /.balena/messages ] && mkdir -p /.balena/messages; echo $'As of January 1st, 2020, Python 2 was end-of-life, we will change the latest tag for Balenalib Python base image to Python 3.x and drop support for Python 2 soon. So after 1st July, 2020, all the balenalib Python latest tag will point to the latest Python 3 version and no changes, or fixes will be made to balenalib Python 2 base image. If you are using Python 2 for your application, please upgrade to Python 3 before 1st July.' > /.balena/messages/python-deprecation-warning CMD ["echo","'No CMD command was set in Dockerfile! Details about CMD command could be found in Dockerfile Guide section in our Docs. Here's the link: https://balena.io/docs"] RUN curl -SLO "https://raw.githubusercontent.com/balena-io-library/base-images/8accad6af708fca7271c5c65f18a86782e19f877/scripts/assets/tests/[email protected]" \ && echo "Running test-stack@python" \ && chmod +x [email protected] \ && bash [email protected] \ && rm -rf [email protected] RUN [ ! -d /.balena/messages ] && mkdir -p /.balena/messages; echo $'Here are a few details about this Docker image (For more information please visit https://www.balena.io/docs/reference/base-images/base-images/): \nArchitecture: ARM v8 \nOS: Fedora 35 \nVariant: build variant \nDefault variable(s): UDEV=off \nThe following software stack is preinstalled: \nPython v3.6.15, Pip v21.3.1, Setuptools v60.5.4 \nExtra features: \n- Easy way to install packages with `install_packages <package-name>` command \n- Run anywhere with cross-build feature (for ARM only) \n- Keep the container idling with `balena-idle` command \n- Show base image details with `balena-info` command' > /.balena/messages/image-info RUN echo $'#!/bin/sh.real\nbalena-info\nrm -f /bin/sh\ncp /bin/sh.real /bin/sh\n/bin/sh "$@"' > /bin/sh-shim \ && chmod +x /bin/sh-shim \ && cp /bin/sh /bin/sh.real \ && mv /bin/sh-shim /bin/sh
{ "content_hash": "5b2b2690ad762de7068c70c7a18970ed", "timestamp": "", "source": "github", "line_count": 31, "max_line_length": 708, "avg_line_length": 77.96774193548387, "alnum_prop": 0.7335539925527513, "repo_name": "resin-io-library/base-images", "id": "3dd00fd659b1021f73b158996ab5cac89387d202", "size": "2438", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "balena-base-images/python/smarc-px30/fedora/35/3.6.15/build/Dockerfile", "mode": "33188", "license": "apache-2.0", "language": [ { "name": "Dockerfile", "bytes": "71234697" }, { "name": "JavaScript", "bytes": "13096" }, { "name": "Shell", "bytes": "12051936" }, { "name": "Smarty", "bytes": "59789" } ], "symlink_target": "" }
namespace fst { using namespace std; // // Single initialization - single-thread implementation // typedef int FstOnceType; static const int FST_ONCE_INIT = 1; inline int FstOnceInit(FstOnceType *once, void (*init)(void)) { if (*once) (*init)(); *once = 0; return 0; } // // Thread locking - single-thread (non-)implementation // class Mutex { public: Mutex() {} private: DISALLOW_COPY_AND_ASSIGN(Mutex); }; class MutexLock { public: MutexLock(Mutex *) {} private: DISALLOW_COPY_AND_ASSIGN(MutexLock); }; class ReaderMutexLock { public: ReaderMutexLock(Mutex *) {} private: DISALLOW_COPY_AND_ASSIGN(ReaderMutexLock); }; // Reference counting - single-thread implementation class RefCounter { public: RefCounter() : count_(1) {} int count() const { return count_; } int Incr() const { return ++count_; } int Decr() const { return --count_; } private: mutable int count_; DISALLOW_COPY_AND_ASSIGN(RefCounter); }; } // namespace fst #endif // FST_LIB_LOCK_H__
{ "content_hash": "4eb5b2e58fca9d12fc59a973f835a25b", "timestamp": "", "source": "github", "line_count": 65, "max_line_length": 63, "avg_line_length": 15.707692307692307, "alnum_prop": 0.6640548481880509, "repo_name": "pombredanne/regex2dfa", "id": "329015da03463983657d6249bb79cb293a605abc", "size": "1934", "binary": false, "copies": "11", "ref": "refs/heads/master", "path": "third_party/openfst/src/include/fst/lock.h", "mode": "33188", "license": "apache-2.0", "language": [ { "name": "C++", "bytes": "6348" }, { "name": "JavaScript", "bytes": "2248" }, { "name": "Python", "bytes": "4240" }, { "name": "Ruby", "bytes": "493" }, { "name": "Shell", "bytes": "2557" } ], "symlink_target": "" }
title: SAP Concur Developer Center - Announcements layout: reference --- ### 2019-12-06 :: December 2019 Release Notes Published SAP Concur has published release notes for the Quick Expense, Budget v4, and Request APIs in the December 2019 release notes. More details can be found on the [Release Notes](https://developer.concur.com/tools-support/release-notes/index.html) page. ### 2019-11-08 :: November 2019 Release Notes Published SAP Concur has published release notes for the Quick Expense v3, Budget v4, and Request APIs in the November 2019 release notes. More details can be found on the [Release Notes](https://developer.concur.com/tools-support/release-notes/index.html) page. ### 2019-10-03 :: Support for TLS v1.1 Encryption Protocol to End in First Quarter of 2020 #### Overview SAP Concur is announcing an end-of-support cycle for version 1.1 of the Transport Layer Security (TLS) encryption protocol, while continuing support for the more secure version 1.2 of TLS. As background, the TLS protocol allows secure back and forth communications between a phone or computer and a cloud-based service. This change is currently planned for the first quarter of 2020. ##### BUSINESS PURPOSE / CLIENT BENEFIT SAP Concur is taking this step after careful consideration of our customers’ security and ease of upgrade to the newer, more secure version 1.2 of TLS. This end-of support plan for TLS v1.1 ensures our clients are communicating with SAP Concur solutions in a safer and more secure manner using TLS v1.2. #### What the Customer Sees If the customer or user ensures they are using a TLS v1.2-compliant browser, there will be no change in the way users interact with SAP Concur. If the browser is not compliant, users may not be able to sign in to SAP Concur. In general, the use of less-secure TLS connections can lead to exposed data, resulting in compromised sessions across any TLS channel of communication (for example, SAP Concur services). For this reason, SAP Concur is alerting the client now to ensure they may anticipate this change and begin assessment in order to comply with this change at their companies. ##### AFFECTED DEVICES In general, browsers using TLS to establish inbound / outbound communication channels with SAP Concur services are affected, for example connections across: * Users attempting to log in to SAP Concur solutions * APIs * Bulk upload via SFTP * Connectors * FTP / PGP * SAP Integrations * Other The ability of a browser to upgrade to TLS v1.2 will depend on the company’s support for the specific browser, for example Microsoft (Edge), Google (Chrome), and others. ##### INFORMATIONAL BANNER TO DISPLAY A banner will display when a user attempts to log in using a browser that does not support TLS v1.2 and later and thus cannot negotiate a connection. The intent is to alert the user to this upcoming change using an informational-only message. #### Configuration / Feature Activation Transitioning to support for TLS v1.2 and later may simply require updating security settings of your browser. In most instances, the company already has the support in place and need only identify non-compliant browsers and upgrade these user’s browsers to newer versions. Please check with the department in your company that is responsible for browser compliance and ensure they are aware of this upcoming change. ### 2019-09-20 :: September 2019 Release Notes Published SAP Concur has published release notes for the Quick Expense v3, Quick Expense v4, Budget v4, Reports v3, and Request APIs in the September 2019 release notes. More details can be found on the [Release Notes](https://developer.concur.com/tools-support/release-notes/index.html) page. ### 2019-05-31 :: June 2019 Release Notes Published SAP Concur has published release notes for the Quick Expense v3, Quick Expense v4, Budget v4, and Invoice Pay v4 APIs in the June 2019 release notes. More details can be found on the [Release Notes](https://developer.concur.com/tools-support/release-notes/index.html) page. ### 2019-05-09 :: Expense API Release Notes Published SAP Concur has published release notes for the Quick Expense v3 and Quick Expense v4 APIs in the May 2019 release notes. More details can be found on the [Release Notes](https://developer.concur.com/tools-support/release-notes/index.html) page. ### 2019-04-08 :: SAP Concur Developer Center Forum Retirement SAP Concur will be retiring the Developer Forum on the SAP Concur Developer Center on April 14, 2019. All developers building an integration with the SAP Concur platform should contact their assigned SAP Concur technical contacts with questions. Clients who need assistance related to an App Center Partner app should first contact the Partner's Support team. The Partner will then contact the SAP Concur Support team if they need assistance. [Support Options](https://developer.concur.com/tools-support/support.html) Clients who need assistance related to their own external App should contact SAP Concur Support. ### 2019-03-05 :: New SSL Certificate for concursolutions.com #### Overview In an effort to ensure the ongoing security of our products and services, SAP Concur has issued a new concursolutions.com SSL certificate. ***The current certificate will expire on March 16, 2019.*** Any customer who has pinned this expiring certificate will need to update to the new certificate prior to March 16, 2019. If the pinned certificate is not updated prior to March 16, 2019, your organization and users will experience disruption to SAP Concur products and services. Customers who have not pinned the certificate do not need to take any action as the new certificate is updated automatically. Most customers do not pin the certificate. **Please be aware:** As an enhancement to our Security and Compliance program, this certificate will be updated on an annual basis. ##### BUSINESS PURPOSE / CLIENT BENEFIT This update provides ongoing security for our products and services. #### Configuration / Feature Activation Please consult with your IT department to check if this applies to you. The new SSL certificate can be accessed here: [http://assets.concur.com/concurtraining/cte/en-us/concursolutions.cert.pem](http://assets.concur.com/concurtraining/cte/en-us/concursolutions.cert.pem) Supply this URL to your IT department. To save the certificate, click the link above, select all the text in the browser, copy it to a file, then name the file concursolutions.cert.pem.
{ "content_hash": "5ade380079fd4c0efae5740f92217b8a", "timestamp": "", "source": "github", "line_count": 111, "max_line_length": 283, "avg_line_length": 58.630630630630634, "alnum_prop": 0.7901044867854948, "repo_name": "concur/developer.concur.com", "id": "9a6696b9e9b34681f18c463dffeb2a69a25fa9a3", "size": "6518", "binary": false, "copies": "2", "ref": "refs/heads/preview", "path": "src/announcements/2019.md", "mode": "33188", "license": "apache-2.0", "language": [ { "name": "CSS", "bytes": "130209" }, { "name": "Dockerfile", "bytes": "510" }, { "name": "HTML", "bytes": "977422" }, { "name": "JavaScript", "bytes": "2554186" }, { "name": "PHP", "bytes": "16968" }, { "name": "Ruby", "bytes": "13645" }, { "name": "SCSS", "bytes": "24318" }, { "name": "Shell", "bytes": "11925" } ], "symlink_target": "" }
import { StringWrapper, isBlank } from 'angular2/src/facade/lang'; var MODULE_REGEXP = /#MODULE\[([^\]]*)\]/g; export function moduleRef(moduleUrl) { return `#MODULE[${moduleUrl}]`; } /** * Represents generated source code with module references. Internal to the Angular compiler. */ export class SourceModule { constructor(moduleUrl, sourceWithModuleRefs) { this.moduleUrl = moduleUrl; this.sourceWithModuleRefs = sourceWithModuleRefs; } getSourceWithImports() { var moduleAliases = {}; var imports = []; var newSource = StringWrapper.replaceAllMapped(this.sourceWithModuleRefs, MODULE_REGEXP, (match) => { var moduleUrl = match[1]; var alias = moduleAliases[moduleUrl]; if (isBlank(alias)) { if (moduleUrl == this.moduleUrl) { alias = ''; } else { alias = `import${imports.length}`; imports.push([moduleUrl, alias]); } moduleAliases[moduleUrl] = alias; } return alias.length > 0 ? `${alias}.` : ''; }); return new SourceWithImports(newSource, imports); } } export class SourceExpression { constructor(declarations, expression) { this.declarations = declarations; this.expression = expression; } } export class SourceExpressions { constructor(declarations, expressions) { this.declarations = declarations; this.expressions = expressions; } } /** * Represents generated source code with imports. Internal to the Angular compiler. */ export class SourceWithImports { constructor(source, imports) { this.source = source; this.imports = imports; } }
{ "content_hash": "e5b76148dfab38084b24041944d05aa4", "timestamp": "", "source": "github", "line_count": 55, "max_line_length": 109, "avg_line_length": 33.70909090909091, "alnum_prop": 0.5814455231930961, "repo_name": "lastmjs/simple-results-survey", "id": "e7f9524907eca37f901ff508ccc572d9e19d3894", "size": "1854", "binary": false, "copies": "10", "ref": "refs/heads/master", "path": "www/node_modules/angular2/es6/prod/src/compiler/source_module.js", "mode": "33188", "license": "mit", "language": [ { "name": "HTML", "bytes": "2436" }, { "name": "JavaScript", "bytes": "9008918" }, { "name": "TypeScript", "bytes": "10464" } ], "symlink_target": "" }
<?php namespace DvsaEntitiesTest\Entity; use DvsaEntities\Entity\Visit; use DvsaEntities\Entity\Site; use DvsaEntities\Entity\VisitReason; use DvsaEntities\Entity\EnforcementVisitOutcome; /** * Class VisitTest. */ class VisitTest extends \PHPUnit\Framework\TestCase { public function testInitialState() { $visit = new Visit(); $this->assertNull($visit->getId()); $this->assertNull($visit->getVehicleTestingStation()); $this->assertNull($visit->getVisitDate()); $this->assertNull($visit->getVisitReason()); $this->assertNull($visit->getVisitOutcome()); } public function testFluentInterface() { $visit = new Visit(); $visit->setId(1) ->setVehicleTestingStation(new Site()) ->setVisitDate(new \DateTime('2014-01-01')) ->setVisitReason(new VisitReason()) ->setVisitOutcome(new EnforcementVisitOutcome()); $this->assertEquals(1, $visit->getId()); $this->assertEquals('2014-01-01', $visit->getVisitDate()->format('Y-m-d')); $this->assertInstanceof( \DvsaEntities\Entity\Site::class, $visit->getVehicleTestingStation() ); $this->assertInstanceof( \DvsaEntities\Entity\VisitReason::class, $visit->getVisitReason() ); $this->assertInstanceof( \DvsaEntities\Entity\EnforcementVisitOutcome::class, $visit->getVisitOutcome() ); } }
{ "content_hash": "4a5868aa1df7630c63672618eb6bb753", "timestamp": "", "source": "github", "line_count": 50, "max_line_length": 83, "avg_line_length": 30.02, "alnum_prop": 0.6182544970019986, "repo_name": "dvsa/mot", "id": "5090f601e1b4aa8517851e5829a7f3acd3d976d6", "size": "1501", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "mot-api/module/DvsaEntities/test/DvsaEntitiesTest/Entity/VisitTest.php", "mode": "33188", "license": "mit", "language": [ { "name": "CSS", "bytes": "604618" }, { "name": "Dockerfile", "bytes": "2693" }, { "name": "Gherkin", "bytes": "189981" }, { "name": "HTML", "bytes": "1579702" }, { "name": "Java", "bytes": "1631717" }, { "name": "JavaScript", "bytes": "156823" }, { "name": "Makefile", "bytes": "2877" }, { "name": "PHP", "bytes": "20142004" }, { "name": "PLpgSQL", "bytes": "61098" }, { "name": "Python", "bytes": "3354" }, { "name": "Ruby", "bytes": "72" }, { "name": "SQLPL", "bytes": "1739266" }, { "name": "Shell", "bytes": "203709" } ], "symlink_target": "" }
<!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN" "http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd"> <html xmlns="http://www.w3.org/1999/xhtml"> <head> <meta http-equiv="Content-Type" content="text/xhtml;charset=UTF-8"/> <meta http-equiv="X-UA-Compatible" content="IE=9"/> <meta name="generator" content="Doxygen 1.8.11"/> <title>Wyatt: MismatchedMessageException Class Reference</title> <link href="tabs.css" rel="stylesheet" type="text/css"/> <script type="text/javascript" src="jquery.js"></script> <script type="text/javascript" src="dynsections.js"></script> <link href="search/search.css" rel="stylesheet" type="text/css"/> <script type="text/javascript" src="search/searchdata.js"></script> <script type="text/javascript" src="search/search.js"></script> <script type="text/javascript"> $(document).ready(function() { init_search(); }); </script> <link href="doxygen.css" rel="stylesheet" type="text/css" /> </head> <body> <div id="top"><!-- do not remove this div, it is closed by doxygen! --> <div id="titlearea"> <table cellspacing="0" cellpadding="0"> <tbody> <tr style="height: 56px;"> <td id="projectalign" style="padding-left: 0.5em;"> <div id="projectname">Wyatt &#160;<span id="projectnumber">1.0.1</span> </div> </td> </tr> </tbody> </table> </div> <!-- end header part --> <!-- Generated by Doxygen 1.8.11 --> <script type="text/javascript"> var searchBox = new SearchBox("searchBox", "search",false,'Search'); </script> <div id="navrow1" class="tabs"> <ul class="tablist"> <li><a href="index.html"><span>Main&#160;Page</span></a></li> <li class="current"><a href="annotated.html"><span>Classes</span></a></li> <li><a href="files.html"><span>Files</span></a></li> <li> <div id="MSearchBox" class="MSearchBoxInactive"> <span class="left"> <img id="MSearchSelect" src="search/mag_sel.png" onmouseover="return searchBox.OnSearchSelectShow()" onmouseout="return searchBox.OnSearchSelectHide()" alt=""/> <input type="text" id="MSearchField" value="Search" accesskey="S" onfocus="searchBox.OnSearchFieldFocus(true)" onblur="searchBox.OnSearchFieldFocus(false)" onkeyup="searchBox.OnSearchFieldChange(event)"/> </span><span class="right"> <a id="MSearchClose" href="javascript:searchBox.CloseResultsWindow()"><img id="MSearchCloseImg" border="0" src="search/close.png" alt=""/></a> </span> </div> </li> </ul> </div> <div id="navrow2" class="tabs2"> <ul class="tablist"> <li><a href="annotated.html"><span>Class&#160;List</span></a></li> <li><a href="classes.html"><span>Class&#160;Index</span></a></li> <li><a href="inherits.html"><span>Class&#160;Hierarchy</span></a></li> <li><a href="functions.html"><span>Class&#160;Members</span></a></li> </ul> </div> <!-- window showing the filter options --> <div id="MSearchSelectWindow" onmouseover="return searchBox.OnSearchSelectShow()" onmouseout="return searchBox.OnSearchSelectHide()" onkeydown="return searchBox.OnSearchSelectKey(event)"> </div> <!-- iframe showing the search results (closed by default) --> <div id="MSearchResultsWindow"> <iframe src="javascript:void(0)" frameborder="0" name="MSearchResults" id="MSearchResults"> </iframe> </div> </div><!-- top --> <div class="header"> <div class="summary"> <a href="#pub-methods">Public Member Functions</a> &#124; <a href="classMismatchedMessageException-members.html">List of all members</a> </div> <div class="headertitle"> <div class="title">MismatchedMessageException Class Reference</div> </div> </div><!--header--> <div class="contents"> <p><code>#include &lt;<a class="el" href="MismatchedMessageException_8h_source.html">MismatchedMessageException.h</a>&gt;</code></p> <div class="dynheader"> Inheritance diagram for MismatchedMessageException:</div> <div class="dyncontent"> <div class="center"><img src="classMismatchedMessageException__inherit__graph.png" border="0" usemap="#MismatchedMessageException_inherit__map" alt="Inheritance graph"/></div> <center><span class="legend">[<a href="graph_legend.html">legend</a>]</span></center></div> <div class="dynheader"> Collaboration diagram for MismatchedMessageException:</div> <div class="dyncontent"> <div class="center"><img src="classMismatchedMessageException__coll__graph.png" border="0" usemap="#MismatchedMessageException_coll__map" alt="Collaboration graph"/></div> <center><span class="legend">[<a href="graph_legend.html">legend</a>]</span></center></div> <table class="memberdecls"> <tr class="heading"><td colspan="2"><h2 class="groupheader"><a name="pub-methods"></a> Public Member Functions</h2></td></tr> <tr class="memitem:a29aeba035fce192f8ac83c1fabd3e632"><td class="memItemLeft" align="right" valign="top">&#160;</td><td class="memItemRight" valign="bottom"><a class="el" href="classMismatchedMessageException.html#a29aeba035fce192f8ac83c1fabd3e632">MismatchedMessageException</a> (<a class="el" href="classIMessage.html">IMessage</a> *msg)</td></tr> <tr class="separator:a29aeba035fce192f8ac83c1fabd3e632"><td class="memSeparator" colspan="2">&#160;</td></tr> <tr class="memitem:a36e73083d984781efb9409361a769ba5"><td class="memItemLeft" align="right" valign="top">virtual const char *&#160;</td><td class="memItemRight" valign="bottom"><a class="el" href="classMismatchedMessageException.html#a36e73083d984781efb9409361a769ba5">what</a> () const throw ()</td></tr> <tr class="separator:a36e73083d984781efb9409361a769ba5"><td class="memSeparator" colspan="2">&#160;</td></tr> </table> <a name="details" id="details"></a><h2 class="groupheader">Detailed Description</h2> <div class="textblock"><p>Custom exception thrown when a message of the wrong type is passed to an object. </p> <p>Definition at line <a class="el" href="MismatchedMessageException_8h_source.html#l00013">13</a> of file <a class="el" href="MismatchedMessageException_8h_source.html">MismatchedMessageException.h</a>.</p> </div><h2 class="groupheader">Constructor &amp; Destructor Documentation</h2> <a class="anchor" id="a29aeba035fce192f8ac83c1fabd3e632"></a> <div class="memitem"> <div class="memproto"> <table class="mlabels"> <tr> <td class="mlabels-left"> <table class="memname"> <tr> <td class="memname">MismatchedMessageException::MismatchedMessageException </td> <td>(</td> <td class="paramtype"><a class="el" href="classIMessage.html">IMessage</a> *&#160;</td> <td class="paramname"><em>msg</em></td><td>)</td> <td></td> </tr> </table> </td> <td class="mlabels-right"> <span class="mlabels"><span class="mlabel">inline</span></span> </td> </tr> </table> </div><div class="memdoc"> <p>Constructor. </p><dl class="params"><dt>Parameters</dt><dd> <table class="params"> <tr><td class="paramname">msg</td><td>The Message passed to the object that throws this exception </td></tr> </table> </dd> </dl> <p>Definition at line <a class="el" href="MismatchedMessageException_8h_source.html#l00020">20</a> of file <a class="el" href="MismatchedMessageException_8h_source.html">MismatchedMessageException.h</a>.</p> </div> </div> <h2 class="groupheader">Member Function Documentation</h2> <a class="anchor" id="a36e73083d984781efb9409361a769ba5"></a> <div class="memitem"> <div class="memproto"> <table class="mlabels"> <tr> <td class="mlabels-left"> <table class="memname"> <tr> <td class="memname">virtual const char* MismatchedMessageException::what </td> <td>(</td> <td class="paramname"></td><td>)</td> <td> const</td> </tr> <tr> <td align="right">throw </td><td>(</td><td colspan="2"></td> </tr> <tr> <td align="right"></td><td>)</td><td></td><td></td> </tr> </table> </td> <td class="mlabels-right"> <span class="mlabels"><span class="mlabel">inline</span><span class="mlabel">virtual</span></span> </td> </tr> </table> </div><div class="memdoc"> <p>Returns a message describing what went wrong. </p><dl class="section return"><dt>Returns</dt><dd>A char pointer to a message of what went wrong. </dd></dl> <p>Definition at line <a class="el" href="MismatchedMessageException_8h_source.html#l00028">28</a> of file <a class="el" href="MismatchedMessageException_8h_source.html">MismatchedMessageException.h</a>.</p> </div> </div> <hr/>The documentation for this class was generated from the following file:<ul> <li>include/exceptions/<a class="el" href="MismatchedMessageException_8h_source.html">MismatchedMessageException.h</a></li> </ul> </div><!-- contents --> <!-- start footer part --> <hr class="footer"/><address class="footer"><small> Generated by &#160;<a href="http://www.doxygen.org/index.html"> <img class="footer" src="doxygen.png" alt="doxygen"/> </a> 1.8.11 </small></address> </body> </html>
{ "content_hash": "ae4f9b0f810b2179b8654c302e76a56b", "timestamp": "", "source": "github", "line_count": 194, "max_line_length": 349, "avg_line_length": 46.55670103092783, "alnum_prop": 0.670837023914969, "repo_name": "arthurlockman/wyatt", "id": "25816490fbc7dd1ec71832481014ad6f77491e0e", "size": "9032", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "docs/html/classMismatchedMessageException.html", "mode": "33188", "license": "mit", "language": [ { "name": "C", "bytes": "3235" }, { "name": "C++", "bytes": "495518" }, { "name": "CMake", "bytes": "13109" }, { "name": "Shell", "bytes": "294" } ], "symlink_target": "" }
<?php namespace Zend\Code\Generator\Exception; class RuntimeException extends \RuntimeException implements \Zend\Code\Generator\Exception {}
{ "content_hash": "29473a7a284c7fd7298f0163d594b6cc", "timestamp": "", "source": "github", "line_count": 8, "max_line_length": 45, "avg_line_length": 18.875, "alnum_prop": 0.7814569536423841, "repo_name": "buzzengine/buzzengine", "id": "0bbb4a185695e74d5877573916604124af5f3f09", "size": "151", "binary": false, "copies": "7", "ref": "refs/heads/master", "path": "vendor/zend-framework/library/Zend/Code/Generator/Exception/RuntimeException.php", "mode": "33188", "license": "mit", "language": [ { "name": "JavaScript", "bytes": "147" }, { "name": "PHP", "bytes": "171077" } ], "symlink_target": "" }
<?xml version="1.0" encoding="utf-8"?> <!-- Copyright (C) 2013 The Android Open Source Project 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. --> <alpha xmlns:android="http://schemas.android.com/apk/res/android" android:interpolator="@android:anim/decelerate_interpolator" android:fromAlpha="0.0" android:toAlpha="1.0" android:duration="@android:integer/config_mediumAnimTime" /><!-- From: file:/usr/local/google/buildbot/src/googleplex-android/mnc-supportlib-release/frameworks/support/v7/appcompat/res/anim/abc_fade_in.xml --><!-- From: file:/Users/xubinggui/Android/android_dev/android-libs/SlidingTab/build/intermediates/exploded-aar/com.android.support/appcompat-v7/23.1.1/res/anim/abc_fade_in.xml -->
{ "content_hash": "bdc70bb1898dd79b79f7d77c41350392", "timestamp": "", "source": "github", "line_count": 20, "max_line_length": 394, "avg_line_length": 62.6, "alnum_prop": 0.7380191693290735, "repo_name": "xu6148152/binea_project_for_android", "id": "34a288e93aa754a17e0d6e4706727c3880838646", "size": "1252", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "SlidingTab/build/intermediates/res/release/anim/abc_fade_in.xml", "mode": "33188", "license": "mit", "language": [ { "name": "CSS", "bytes": "3815" }, { "name": "GLSL", "bytes": "11107" }, { "name": "Groovy", "bytes": "27954" }, { "name": "HTML", "bytes": "2058" }, { "name": "Java", "bytes": "7024420" }, { "name": "JavaScript", "bytes": "4850" }, { "name": "Kotlin", "bytes": "72294" }, { "name": "Protocol Buffer", "bytes": "1257" }, { "name": "Shell", "bytes": "397" } ], "symlink_target": "" }
.article-template > *:first-child:not(.article-template__hero-container) { margin-top: 5rem; } .article-template__hero-container { max-width: 130rem; margin: 0 auto; } @media screen and (min-width: 1320px) { .article-template__hero-container:first-child { margin-top: 5rem; } } .article-template__hero-medium { height: 15.6rem; } .article-template__hero-large { height: 19rem; } @media screen and (min-width: 750px) and (max-width: 989px) { .article-template__hero-medium { height: 34.9rem; } .article-template__hero-large { height: 42.3rem; } } @media screen and (min-width: 990px) { .article-template__hero-medium { height: 54.5rem; } .article-template__hero-large { height: 66rem; } } .article-template header { margin-top: 4.4rem; margin-bottom: 2rem; } @media screen and (min-width: 750px) { .article-template header { margin-top: 5rem; } } .article-template__title { margin: 0; } .article-template__title:not(:only-child) { margin-bottom: 1rem; } .article-template__link { font-size: 1.8rem; display: flex; justify-content: center; align-items: center; text-underline-offset: 0.3rem; } .article-template__link:hover { text-decoration-thickness: 0.2rem; } .article-template__link svg { width: 1.5rem; transform: rotate(180deg); margin-right: 1rem; } .article-template__content { margin-top: 3rem; margin-bottom: 3rem; } .article-template__social-sharing { display: flex; flex-direction: column; align-items: self-end; margin-top: 3rem; } .article-template__social-sharing .social-sharing { margin-left: -1.3rem; } .article-template__comment-wrapper { margin-top: 5rem; } @media screen and (min-width: 750px) { .article-template__comment-wrapper { margin-top: 6rem; } } .article-template__comment-wrapper h2 { margin-top: 0; } .article-template__comments { margin-bottom: 5rem; } @media screen and (min-width: 750px) { .article-template__comments { margin-bottom: 7rem; } } .article-template__comments-fields { margin-bottom: 4rem; } .article-template__comments-comment { color: var(--color-foreground-75); background-color: var(--color-background); margin-bottom: 1.5rem; padding: 2rem 2rem 1.5rem; } @media screen and (min-width: 750px) { .article-template__comments-comment { padding: 2rem 2.5rem; } } .article-template__comments-comment p { margin: 0 0 1rem; } .article-template__comment-fields > * { margin-bottom: 3rem; } @media screen and (min-width: 750px) { .article-template__comment-fields { display: grid; grid-template-columns: repeat(2, 1fr); grid-column-gap: 4rem; } } .article-template__comment-warning { margin: 2rem 0 2.5rem; } @media screen and (min-width: 990px) { .article-template__comments .pagination-wrapper { margin: 5rem 0 8rem; } }
{ "content_hash": "7c2785c5c8b64d0cfb36544295cfb5e5", "timestamp": "", "source": "github", "line_count": 162, "max_line_length": 74, "avg_line_length": 17.67283950617284, "alnum_prop": 0.6702759343346141, "repo_name": "dnordby/shopify-base", "id": "2d714266a2c5ce7a44b70badba88d882ddbaa2d5", "size": "2863", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "assets/section-blog-post.css", "mode": "33188", "license": "mit", "language": [ { "name": "CSS", "bytes": "7303" }, { "name": "JavaScript", "bytes": "9450" }, { "name": "Liquid", "bytes": "696163" } ], "symlink_target": "" }
<project xmlns="http://maven.apache.org/POM/4.0.0" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" xsi:schemaLocation="http://maven.apache.org/POM/4.0.0 http://maven.apache.org/xsd/maven-4.0.0.xsd"> <modelVersion>4.0.0</modelVersion> <groupId>cn.edu.zju.isst</groupId> <artifactId>isst-android</artifactId> <version>0.0.1-SNAPSHOT</version> <packaging>apk</packaging> <build> <sourceDirectory>src</sourceDirectory> <testSourceDirectory>tests</testSourceDirectory> <pluginManagement> <plugins> <plugin> <groupId>com.jayway.maven.plugins.android.generation2</groupId> <artifactId>android-maven-plugin</artifactId> <version>3.8.2</version> <configuration> <sdk> <platform>14</platform> </sdk> </configuration> </plugin> </plugins> </pluginManagement> <plugins> <plugin> <artifactId>maven-scm-plugin</artifactId> <configuration> <scmVersionType>branch</scmVersionType> <scmVersion>${scm.branch}</scmVersion> </configuration> </plugin> <plugin> <artifactId>maven-release-plugin</artifactId> <configuration> <autoVersionSubmodules>true</autoVersionSubmodules> </configuration> </plugin> <plugin> <groupId>org.apache.maven.plugins</groupId> <artifactId>maven-jar-plugin</artifactId> <configuration> <archive> <manifestEntries> <Build-Source-Version>1.5</Build-Source-Version> <Build-Target-Version>1.5</Build-Target-Version> </manifestEntries> </archive> </configuration> </plugin> <plugin> <artifactId>maven-enforcer-plugin</artifactId> <executions> <execution> <id>enforce-maven</id> <goals> <goal>enforce</goal> </goals> <phase>initialize</phase> <configuration> <rules> <requireMavenVersion> <version>[${maven.version},)</version> <message>Check for Maven version &gt;=${maven.version} failed. Update your Maven install.</message> </requireMavenVersion> </rules> </configuration> </execution> </executions> </plugin> <plugin> <artifactId>maven-compiler-plugin</artifactId> <version>3.1</version> <configuration> <source>1.7</source> <target>1.7</target> </configuration> </plugin> </plugins> </build> <properties> <project.build.sourceEncoding>UTF-8</project.build.sourceEncoding> </properties> <dependencies> <dependency> <groupId>android</groupId> <artifactId>android</artifactId> <version>4.4W_r1</version> <scope>provided</scope> </dependency> <dependency> <groupId>junit</groupId> <artifactId>junit</artifactId> <version>4.11</version> </dependency> <dependency> <groupId>android.support</groupId> <artifactId>compatibility-v4</artifactId> <version>20.0.0</version> </dependency> <dependency> <groupId>com.fasterxml.jackson.core</groupId> <artifactId>jackson-databind</artifactId> <version>2.4.1.3</version> </dependency> <dependency> <groupId>de.keyboardsurfer.android.widget</groupId> <artifactId>crouton</artifactId> <version>1.8.4</version> <exclusions> <exclusion> <groupId>com.android.support</groupId> <artifactId>support-v4</artifactId> </exclusion> </exclusions> </dependency> <dependency> <groupId>com.belerweb</groupId> <artifactId>pinyin4j</artifactId> <version>2.5.0</version> </dependency> </dependencies> </project>
{ "content_hash": "746684f2901982594a4ba9dd1cd4ad29", "timestamp": "", "source": "github", "line_count": 135, "max_line_length": 100, "avg_line_length": 25.985185185185184, "alnum_prop": 0.6630558722919042, "repo_name": "midiao/isst", "id": "d437711607de5e903ff50d780e015d4a418f741f", "size": "3508", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "pom.xml", "mode": "33188", "license": "apache-2.0", "language": [ { "name": "Groovy", "bytes": "2236" }, { "name": "Java", "bytes": "415092" } ], "symlink_target": "" }
<bill session="111" type="s" number="354" updated="2009-03-07T14:15:46-05:00"> <status><introduced date="1233205200" datetime="2009-01-29"/></status> <introduced date="1233205200" datetime="2009-01-29"/> <titles> <title type="short" as="introduced">Federal Employees Paid Parental Leave Act of 2009</title> <title type="official" as="introduced">A bill to provide that 4 of the 12 weeks of parental leave made available to a Federal employee shall be paid leave, and for other purposes.</title> </titles> <sponsor id="412249"/> <cosponsors> <cosponsor id="300056" joined="2009-02-02"/> <cosponsor id="412223" joined="2009-01-29"/> <cosponsor id="400272" joined="2009-01-29"/> <cosponsor id="400064" joined="2009-01-29"/> <cosponsor id="300067" joined="2009-01-29"/> <cosponsor id="412246" joined="2009-01-29"/> <cosponsor id="300093" joined="2009-01-29"/> <cosponsor id="412243" joined="2009-01-29"/> <cosponsor id="300060" joined="2009-01-29"/> <cosponsor id="300038" joined="2009-02-24"/> <cosponsor id="300073" joined="2009-01-29"/> <cosponsor id="400357" joined="2009-01-29"/> <cosponsor id="400412" joined="2009-02-12"/> <cosponsor id="300064" joined="2009-01-29"/> </cosponsors> <actions> <action date="1233205200" datetime="2009-01-29"><text>Read twice and referred to the Committee on Homeland Security and Governmental Affairs.</text></action> </actions> <committees> <committee name="Senate Homeland Security and Governmental Affairs" subcommittee="" activity="Referral, In Committee" /> </committees> <relatedbills> <bill relation="unknown" session="111" type="h" number="626" /> </relatedbills> <subjects> <term name="Government operations and politics"/> <term name="Administrative law and regulatory procedures"/> <term name="Congressional agencies"/> <term name="Congressional officers and employees"/> <term name="Employee leave"/> <term name="Government Accountability Office (GAO)"/> <term name="Government employee pay, benefits, personnel management"/> <term name="Library of Congress"/> <term name="Office of Personnel Management (OPM)"/> </subjects> <amendments> </amendments> <summary> </summary> </bill>
{ "content_hash": "caa1ef41ec17321fcc4eb6e077ad2b87", "timestamp": "", "source": "github", "line_count": 52, "max_line_length": 189, "avg_line_length": 42.44230769230769, "alnum_prop": 0.7063887630267331, "repo_name": "hashrocket/localpolitics.in", "id": "dec57dd5233e679c5e9c02c2327c8d9c402906fe", "size": "2207", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "public/govtrack/111_bills/s354.xml", "mode": "33188", "license": "mit", "language": [ { "name": "JavaScript", "bytes": "155887" }, { "name": "Ruby", "bytes": "147059" } ], "symlink_target": "" }
*** ### Features - Output to latex - Draw Gate Diagrams - Qudits - Benchmarks - Custom Programming Language / Parser - Extra Gates (i.e. Swap, Toffoli) - Quantum Functions (i.e. Grover Search) - State Dump for debugging programs
{ "content_hash": "392d7fba2b501f84be02f0309aefbf95", "timestamp": "", "source": "github", "line_count": 10, "max_line_length": 40, "avg_line_length": 22.9, "alnum_prop": 0.7248908296943232, "repo_name": "adamisntdead/qics", "id": "a4453dd07fb5dc4545308516e64414551a09f77a", "size": "257", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "ROADMAP.md", "mode": "33188", "license": "apache-2.0", "language": [ { "name": "JavaScript", "bytes": "670405" } ], "symlink_target": "" }
@interface ViewController : UIViewController @end
{ "content_hash": "614c3229f18a98e146d2005824b204b2", "timestamp": "", "source": "github", "line_count": 5, "max_line_length": 44, "avg_line_length": 10.6, "alnum_prop": 0.7924528301886793, "repo_name": "bingoogolapple/OCNote-PartOne", "id": "db547374c7fee8fca2e7e578a259c165181836a8", "size": "232", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "UseFramewordLibrary/UseFramewordLibrary/ViewController.h", "mode": "33188", "license": "apache-2.0", "language": [ { "name": "Matlab", "bytes": "3784" }, { "name": "Objective-C", "bytes": "1218657" } ], "symlink_target": "" }
<script type="text/javascript"> $().ready(function() { $("select#clientid").change(function(){ $('#projectSelector-projectid').load('<?php echo build_url('project', 'projectSelector')?>', {clientid: $(this).val(), selectorType: 'project', fieldName: 'projectid'}); }); $("#expense-container").tabs({ fxFade: true, fxSpeed: 'fast' }); }); </script> <?php if ($this->model->id): ?> <div id="parent-links"> <?php if (isset($this->project)): ?> <a title="Parent Project" href="<?php echo build_url('project', 'view', array('id'=>$this->project->id));?>"><img src="<?php echo resource('images/project.png')?>"/></a> <?php endif;?> <a title="Parent Client" href="<?php echo build_url('client', 'view', array('id'=>$this->client->id));?>"><img src="<?php echo resource('images/client.png')?>"/></a> </div> <?php endif; ?> <h2> <?php $this->o($this->model->id ? 'Edit Expense' : 'New Expense');?> </h2> <?php $disabled = $this->model->status == Expense::APPROVED; ?> <div id="expense-container"> <ul class="tab-options"> <li><a href="#details"><span>Details</span></a></li> <?php if ($this->model->id): ?> <li><a href="#files"><span>Files</span></a></li> <?php endif; ?> </ul> <div id="details"> <form class="expense-form" method="post" action="<?php echo build_url('expense', 'save');?>"> <?php if (isset($this->project)): ?> <input type="hidden" value="<?php echo $this->project->id?>" name="projectid" /> <?php endif; ?> <?php if (isset($this->client)): ?> <input type="hidden" value="<?php echo $this->client->id?>" name="clientid" /> <?php endif;?> <?php if ($this->model->id): ?> <input type="hidden" value="<?php echo $this->model->id?>" name="id" /> <?php endif; ?> <div class="inner-column"> <?php if ($this->model->id && !empty($this->model->paiddate)): ?> <p> Paid on:<br /> <?php $this->o($this->u()->formatDate($this->model->paiddate)); ?> </p> <?php endif; ?> <?php $this->textInput('Description', 'description') ?> <?php $this->priceInput('Amount', 'amount', $disabled ? 'disabled="disabled"' : '') ?> <p> <label for="expensedate">Expense Date:</label> <input <?php echo $disabled ? 'disabled="disabled"' : ''?> readonly="readonly" type="text" class="input" name="expensedate" id="expensedate" value="<?php echo $this->model->expensedate ? date('Y-m-d', strtotime($this->model->expensedate)) : date('Y-m-d', time())?>" /> <?php $this->calendar('expensedate', 'ifFormat:"%Y-%m-%d", showsTime:false'); ?> </p> <?php $this->selectList('Type', 'expensetype', $this->expenseTypes); ?> <?php $this->selectList('Category', 'expensecategory', $this->expenseCategories); ?> <p> <?php $this->textInput('GST', 'gst', false, '', 10, "%") ?> </p> </div> <div class="inner-column"> <?php $this->selectList('Expensed By', 'username', $this->users, $this->u()->getUsername(), 'username', 'username'); ?> <?php $this->valueList('Location', 'location', 'expense-form', $this->locations) ?> <p> <label for="clientid">Client:</label> <select <?php echo $disabled ? 'disabled="disabled"' : ''?> name="clientid" id="clientid"> <option></option> <?php $sel = $this->client->id; foreach ($this->clients as $client): ?> <option value="<?php $this->o($client->id)?>" <?php echo $sel == $client->id ? 'selected="selected"' : '';?>><?php $this->o($client->title);?></option> <?php endforeach; ?> </select> </p> <p> <label for="projectid">Project:</label> <?php $this->projectSelector('projectid', $this->projects, 'project', false, $this->defaultProjectid) ?> </p> <?php $this->selectList('ATO Category', 'atocategory', $this->categories); ?> </div> <p class="clear"> <input <?php echo $disabled ? 'disabled="disabled"' : ''?> type="submit" class="abutton" value="Save" accesskey="s" /> <?php if (isset($this->project)): ?> <input type="button" class="abutton" onclick="location.href='<?php echo build_url('project', 'view', array('id'=>$this->project->id, '#expenses'))?>'" value="Close"></input> <?php endif; ?> <?php if (isset($this->client)): ?> <input type="button" class="abutton" onclick="location.href='<?php echo build_url('client', 'view', array('id'=>$this->client->id, '#expenses'))?>'" value="Close"></input> <?php endif;?> </p> </form> </div> <?php if ($this->model->id): ?> <div id="files"> <h2> Files </h2> <div> <ul id="file-listing"> <?php foreach ($this->files as $file):?> <li> <?php if (is_string($file)): ?> <?php else: ?> <a class="action-icon" title="Edit file" href="<?php echo build_url('file', 'edit', array('id'=>$file->id, 'parent'=>base64_encode($file->path)))?>"><img src="<?php echo resource('images/pencil.png')?>" /></a> <a class="action-icon" title="Delete file" href="<?php echo build_url('file', 'delete', array('id'=>$file->id))?>"><img src="<?php echo resource('images/delete.png')?>" /></a> <a href="<?php echo build_url('file', 'view', array('id' => $file->id)).htmlentities($file->filename)?>"><?php $this->o($file->getTitle())?></a> <?php if (!empty($file->description)): ?> <p> <?php $this->o($file->description) ?> </p> <?php endif; ?> <?php endif; ?> </li> <?php endforeach; ?> </ul> </div> <hr/> <div> <h3>Add New File</h3> <form method="post" action="<?php echo build_url('file', 'upload');?>" enctype="multipart/form-data"> <input type="hidden" name="returnurl" value="<?php echo base64_encode('expense/edit/id/'.$this->model->id.'/clientid/'.$this->model->clientid.'#files')?>" /> <input type="hidden" value="<?php echo base64_encode($this->filePath)?>" name="parent" /> <div class="inner-column"> <p> <label for="file">File</label> <input class="input" type="file" name="file" id="file" /> </p> <p> <label for="filename">Filename:</label> <input class="input" type="text" name="filename" id="filename"/> </p> <p> <label for="title">Title:</label> <input class="input" type="text" name="title" id="title" /> </p> </div> <div class="inner-column"> <p> <label for="description">Description:</label> <textarea class="input" name="description" id="description"></textarea> </p> </div> <p class="clear"> <input type="submit" class="button" value="Upload" accesskey="u" /> </p> </form> </div> </div> <?php endif; ?> <!--/expense-container--> </div>
{ "content_hash": "103ffd5bd764713e5d92a70110a783ee", "timestamp": "", "source": "github", "line_count": 177, "max_line_length": 274, "avg_line_length": 42.28813559322034, "alnum_prop": 0.5055444221776887, "repo_name": "nyeholt/relapse", "id": "521bcf849c0ad3ea0e4b50bd1ff0fbde61728a1e", "size": "7485", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "extensions/expenses/views/expense/edit.php", "mode": "33188", "license": "bsd-3-clause", "language": [ { "name": "JavaScript", "bytes": "1810906" }, { "name": "PHP", "bytes": "1753601" } ], "symlink_target": "" }
using UnityEngine; public class Pipe : MonoBehaviour { public float pipeRadius; public int pipeSegmentCount; public float ringDistance; public float minCurveRadius, maxCurveRadius; public int minCurveSegmentCount, maxCurveSegmentCount; public PipeItemGenerator[] generators; private float curveRadius; private int curveSegmentCount; private Mesh mesh; private Vector3[] vertices; private Vector2[] uv; private int[] triangles; private float curveAngle; private float relativeRotation; public float CurveAngle { get { return curveAngle; } } public float CurveRadius { get { return curveRadius; } } public float RelativeRotation { get { return relativeRotation; } } public int CurveSegmentCount { get { return curveSegmentCount; } } private void Awake () { GetComponent<MeshFilter>().mesh = mesh = new Mesh(); mesh.name = "Pipe"; } public void Generate (bool withItems = true) { curveRadius = Random.Range(minCurveRadius, maxCurveRadius); curveSegmentCount = Random.Range(minCurveSegmentCount, maxCurveSegmentCount + 1); mesh.Clear(); SetVertices(); SetUV(); SetTriangles(); mesh.RecalculateNormals(); for (int i = 0; i < transform.childCount; i++) { Destroy(transform.GetChild(i).gameObject); } if (withItems) { generators[Random.Range(0, generators.Length)].GenerateItems(this); } } private void SetVertices () { vertices = new Vector3[pipeSegmentCount * curveSegmentCount * 4]; float uStep = ringDistance / curveRadius; curveAngle = uStep * curveSegmentCount * (360f / (2f * Mathf.PI)); CreateFirstQuadRing(uStep); int iDelta = pipeSegmentCount * 4; for (int u = 2, i = iDelta; u <= curveSegmentCount; u++, i += iDelta) { CreateQuadRing(u * uStep, i); } mesh.vertices = vertices; } private void CreateFirstQuadRing (float u) { float vStep = (2f * Mathf.PI) / pipeSegmentCount; Vector3 vertexA = GetPointOnTorus(0f, 0f); Vector3 vertexB = GetPointOnTorus(u, 0f); for (int v = 1, i = 0; v <= pipeSegmentCount; v++, i += 4) { vertices[i] = vertexA; vertices[i + 1] = vertexA = GetPointOnTorus(0f, v * vStep); vertices[i + 2] = vertexB; vertices[i + 3] = vertexB = GetPointOnTorus(u, v * vStep); } } private void CreateQuadRing (float u, int i) { float vStep = (2f * Mathf.PI) / pipeSegmentCount; int ringOffset = pipeSegmentCount * 4; Vector3 vertex = GetPointOnTorus(u, 0f); for (int v = 1; v <= pipeSegmentCount; v++, i += 4) { vertices[i] = vertices[i - ringOffset + 2]; vertices[i + 1] = vertices[i - ringOffset + 3]; vertices[i + 2] = vertex; vertices[i + 3] = vertex = GetPointOnTorus(u, v * vStep); } } private void SetUV () { uv = new Vector2[vertices.Length]; for (int i = 0; i < vertices.Length; i+= 4) { uv[i] = Vector2.zero; uv[i + 1] = Vector2.right; uv[i + 2] = Vector2.up; uv[i + 3] = Vector2.one; } mesh.uv = uv; } private void SetTriangles () { triangles = new int[pipeSegmentCount * curveSegmentCount * 6]; for (int t = 0, i = 0; t < triangles.Length; t += 6, i += 4) { triangles[t] = i; triangles[t + 1] = triangles[t + 4] = i + 2; triangles[t + 2] = triangles[t + 3] = i + 1; triangles[t + 5] = i + 3; } mesh.triangles = triangles; } private Vector3 GetPointOnTorus (float u, float v) { Vector3 p; float r = (curveRadius + pipeRadius * Mathf.Cos(v)); p.x = r * Mathf.Sin(u); p.y = r * Mathf.Cos(u); p.z = pipeRadius * Mathf.Sin(v); return p; } public void AlignWith (Pipe pipe) { relativeRotation = Random.Range(0, curveSegmentCount) * 360f / pipeSegmentCount; transform.SetParent(pipe.transform, false); transform.localPosition = Vector3.zero; transform.localRotation = Quaternion.Euler(0f, 0f, -pipe.curveAngle); transform.Translate(0f, pipe.curveRadius, 0f); transform.Rotate(relativeRotation, 0f, 0f); transform.Translate(0f, -curveRadius, 0f); transform.SetParent(pipe.transform.parent); transform.localScale = Vector3.one; } }
{ "content_hash": "931f060d0eaae6131bcebf2db7d69c12", "timestamp": "", "source": "github", "line_count": 156, "max_line_length": 73, "avg_line_length": 25.743589743589745, "alnum_prop": 0.6688247011952191, "repo_name": "SoftHardy/Space-X", "id": "6a9b7b5f51f403efdec4a5ff014db69cabaf0e39", "size": "4018", "binary": false, "copies": "2", "ref": "refs/heads/master", "path": "Assets/Scripts/Pipe.cs", "mode": "33188", "license": "mit", "language": [ { "name": "C#", "bytes": "11548" } ], "symlink_target": "" }
'use strict'; var express = require('express'); var controller = require('./question.controller'); var router = express.Router(); var auth = require('../../auth/auth.service'); router.get('/', controller.index); router.get('/:id', controller.show); router.post('/', auth.isAuthenticated(), controller.create); router.put('/:id', auth.isAuthenticated(), controller.update); router.patch('/:id', auth.isAuthenticated(), controller.update); router.delete('/:id', auth.isAuthenticated(), controller.destroy); router.post('/:id/answers', auth.isAuthenticated(), controller.createAnswer); router.put('/:id/answers/:answerId', auth.isAuthenticated(), controller.updateAnswer); router.delete('/:id/answers/:answerId', auth.isAuthenticated(), controller.destroyAnswer); router.post('/:id/comments', auth.isAuthenticated(), controller.createComment); router.put('/:id/comments/:commentId', auth.isAuthenticated(), controller.updateComment); router.delete('/:id/comments/:commentId', auth.isAuthenticated(), controller.destroyComment); router.post('/:id/answers/:answerId/comments', auth.isAuthenticated(), controller.createAnswerComment); router.put('/:id/answers/:answerId/comments/:commentId', auth.isAuthenticated(), controller.updateAnswerComment); router.delete('/:id/answers/:answerId/comments/:commentId', auth.isAuthenticated(), controller.destroyAnswerComment); router.put('/:id/star', auth.isAuthenticated(), controller.star); router.delete('/:id/star', auth.isAuthenticated(), controller.unstar); router.put('/:id/answers/:answerId/star', auth.isAuthenticated(), controller.starAnswer); router.delete('/:id/answers/:answerId/star', auth.isAuthenticated(), controller.unstarAnswer); router.put('/:id/comments/:commentId/star', auth.isAuthenticated(), controller.starComment); router.delete('/:id/comments/:commentId/star', auth.isAuthenticated(), controller.unstarComment); router.put('/:id/answers/:answerId/comments/:commentId/star', auth.isAuthenticated(), controller.starAnswerComment); router.delete('/:id/answers/:answerId/comments/:commentId/star', auth.isAuthenticated(), controller.unstarAnswerComment); module.exports = router;
{ "content_hash": "23b05cb7cb44bca6a2784e12cc6f227e", "timestamp": "", "source": "github", "line_count": 39, "max_line_length": 121, "avg_line_length": 55.07692307692308, "alnum_prop": 0.7616387337057728, "repo_name": "gi-no/paizaqa", "id": "2ebabbde8207456160859c3e2b5f9b8abe42720e", "size": "2148", "binary": false, "copies": "2", "ref": "refs/heads/master", "path": "server/api/question/index.js", "mode": "33188", "license": "mit", "language": [ { "name": "ApacheConf", "bytes": "24139" }, { "name": "CSS", "bytes": "2374" }, { "name": "HTML", "bytes": "31011" }, { "name": "JavaScript", "bytes": "136277" } ], "symlink_target": "" }
package org.broad.igv.sam; import htsjdk.tribble.readers.AsciiLineReader; import org.apache.log4j.Logger; import org.broad.igv.Globals; import org.broad.igv.feature.Strand; import org.broad.igv.feature.genome.GenomeManager; import org.broad.igv.prefs.IGVPreferences; import org.broad.igv.prefs.PreferencesManager; import org.broad.igv.ui.util.MessageUtils; import org.broad.igv.util.ParsingUtils; import org.broad.igv.util.ResourceLocator; import java.util.*; import static org.broad.igv.prefs.Constants.*; /** * @author Jim Robinson * @date 11/29/11 */ abstract public class BaseAlignmentCounts implements AlignmentCounts { private static Logger log = Logger.getLogger(BaseAlignmentCounts.class); public static final char[] nucleotides = {'a', 'c', 'g', 't', 'n'}; private static Map<String, Set<Integer>> knownSnps; int start; int end; private int bucketSize = 1; protected boolean countDeletedBasesCovered = false; private BisulfiteCounts bisulfiteCounts; public BaseAlignmentCounts(int start, int end, AlignmentTrack.BisulfiteContext bisulfiteContext) { final IGVPreferences prefs = PreferencesManager.getPreferences(); String snpsFile = prefs.get(KNOWN_SNPS, null); if (snpsFile != null && knownSnps == null) { loadKnownSnps(snpsFile); } this.start = start; this.end = end; countDeletedBasesCovered = prefs.getAsBoolean(SAM_COUNT_DELETED_BASES_COVERED); if (!Globals.isHeadless() && bisulfiteContext != null) { bisulfiteCounts = new BisulfiteCounts(bisulfiteContext, GenomeManager.getInstance().getCurrentGenome()); } } public int getStart() { return start; } public int getEnd() { return end; } public String getChr() { return null; } @Override public String getContig() { return null; } public BisulfiteCounts getBisulfiteCounts() { return bisulfiteCounts; } @Override public int getBucketSize() { return bucketSize; } @Override public boolean hasBaseCounts() { return true; } /** * Increment the counts for this alignment. Does not consider softclips. * * @param alignment */ public void incCounts(Alignment alignment) { if (bisulfiteCounts != null) { bisulfiteCounts.incrementCounts(alignment); } int alignmentStart = alignment.getAlignmentStart(); int alignmentEnd = alignment.getAlignmentEnd(); Strand strand = alignment.getReadStrand(); final boolean isNegativeStrand = strand == Strand.NEGATIVE; AlignmentBlock[] blocks = alignment.getAlignmentBlocks(); if (blocks != null) { int lastBlockEnd = -1; for (AlignmentBlock b : blocks) { if (b.getEnd() < start) continue; if (b.getStart() > end) break; //Strand strand = alignment.getFirstOfPairStrand(); // Don't count softclips if (!b.isSoftClipped() && strand != Strand.NONE) { incBlockCounts(b, isNegativeStrand); } } // Count deletions List<Gap> gaps = alignment.getGaps(); if (gaps != null) { for (Gap gap : gaps) { if (gap.getType() == SAMAlignment.DELETION) { for (int pos = gap.getStart(); pos < gap.getStart() + gap.getnBases(); pos++) { incrementDeletion(pos, isNegativeStrand); } } } } // Count insertions final AlignmentBlock[] insertions = alignment.getInsertions(); if (insertions != null) { for (AlignmentBlock insBlock : insertions) { if (insBlock.getEnd() < start) continue; if (insBlock.getStart() > end) break; incrementInsertion(insBlock); } } } else { // No alignment blocks => no bases (e.g. .aln or .aligned files). Just do total count. for (int pos = alignmentStart; pos < alignmentEnd; pos++) { byte q = 0; incPositionCount(pos, (byte) 'n', q, alignment.isNegativeStrand()); } } } public String getValueStringAt(int pos) { if (pos < getStart() || pos >= getEnd()) return null; StringBuffer buf = new StringBuffer(); int totalCount = getTotalCount(pos); buf.append("Total count: " + totalCount); for (char c : nucleotides) { int negCount = getNegCount(pos, (byte) c); int posCount = getPosCount(pos, (byte) c); int count = negCount + posCount; int percent = (int) Math.round(((float) count) * 100 / totalCount); char cU = Character.toUpperCase(c); buf.append("<br>" + cU + " : " + count); if (count != 0) { buf.append(" (" + percent + "%, " + posCount + "+, " + negCount + "- )"); } } int delCount = getDelCount(pos); int insCount = getInsCount(pos); buf.append("<br>---------------"); if (delCount > 0 || insCount > 0) { buf.append("<br>DEL: " + delCount); buf.append("<br>INS: " + insCount); } return buf.toString(); } /** * Return true if the mismatched (with respect to ref) read bases at the given position exceed the threshold. * * @param pos genomic position (0 based) * @param ref reference base * @param chr chromosomes -- used as a key to fetch filtered snp locations * @param snpThreshold threshold as a fraction of total * @return */ public boolean isConsensusMismatch(int pos, byte ref, String chr, float snpThreshold) { boolean qualityWeight = PreferencesManager.getPreferences().getAsBoolean(SAM_ALLELE_USE_QUALITY); Set<Integer> filteredSnps = knownSnps == null ? null : knownSnps.get(chr); if (filteredSnps == null || !filteredSnps.contains(pos + 1)) { float threshold = snpThreshold * (qualityWeight ? getTotalQuality(pos) : getTotalCount(pos)); float mismatchQualitySum = 0; if (ref > 0) { if (ref < 96) ref += 32; // a fast "toLowercase" for (char c : nucleotides) { if (c != ref && c != 'n') { mismatchQualitySum += (qualityWeight ? getQuality(pos, (byte) c) : getCount(pos, (byte) c)); } } return (mismatchQualitySum >= threshold) && (threshold > 0); // (threshold > 0) avoids mismatch call in columns with all 0 quality } } return false; } public boolean isConsensusDeletion(int start, int width, float snpThreshold) { // We require deletion counts > threshold for at least 1/2 the width int end = start + width; int count = 0; for(int i=start; i< end; i++) { int totalCoverad = getTotalCount(i) + getDelCount(i); if(getDelCount(i) >= snpThreshold * totalCoverad) count++; } return count >= 0.5 * width; } @Override public boolean isConsensusInsertion(int pos, float snpThreshold) { float threshold = snpThreshold * (getTotalCount(pos) + getDelCount(pos)); // For this purpose consider deletions as covered return (this.getInsCount(pos) >= threshold); } /** * Load the set of known snps from a tab delimited file, format * chr < tab> location * The location is "1 base" (first nucleotide is position 1). * * @param snpFile */ private static synchronized void loadKnownSnps(String snpFile) { // This method might get called many times concurrently, but we only want to load these once. if (knownSnps != null) { return; } knownSnps = new HashMap(); AsciiLineReader reader = null; try { reader = ParsingUtils.openAsciiReader(new ResourceLocator(snpFile)); String nextLine = ""; while ((nextLine = reader.readLine()) != null) { String[] tokens = nextLine.split("\t"); String chr = tokens[0]; Set<Integer> snps = knownSnps.get(chr); if (snps == null) { snps = new HashSet(10000); knownSnps.put(chr, snps); } snps.add(new Integer(tokens[1])); } } catch (Exception e) { knownSnps = null; log.error("", e); MessageUtils.showMessage("Error loading snps file: " + snpFile + " (" + e.toString() + ")"); } finally { reader.close(); } } protected abstract void incPositionCount(int pos, byte n, byte q, boolean negativeStrand); protected abstract void incrementInsertion(AlignmentBlock insBlock); protected abstract void incrementDeletion(int pos, boolean negativeStrand); protected abstract void incBlockCounts(AlignmentBlock b, boolean isNegativeStrand); }
{ "content_hash": "75c7a0d2e3b785ab24c0aa4159282a51", "timestamp": "", "source": "github", "line_count": 283, "max_line_length": 146, "avg_line_length": 33.09540636042403, "alnum_prop": 0.5722827247490925, "repo_name": "popitsch/varan-gie", "id": "1c24d5cb04689ff33bc09fef5513729ed1580a9d", "size": "10521", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "src/org/broad/igv/sam/BaseAlignmentCounts.java", "mode": "33261", "license": "mit", "language": [ { "name": "AngelScript", "bytes": "1671" }, { "name": "Batchfile", "bytes": "628" }, { "name": "HTML", "bytes": "14798" }, { "name": "Java", "bytes": "8408221" }, { "name": "JavaScript", "bytes": "7877" }, { "name": "PHP", "bytes": "7953" }, { "name": "Ruby", "bytes": "93" }, { "name": "Shell", "bytes": "1344" } ], "symlink_target": "" }
// ax5.ui.combobox.util (function () { var COMBOBOX = ax5.ui.combobox; var U = ax5.util; var nodeTypeProcessor = { '1': function (queIdx, node, editable) { var cfg = this.config; var textNode = node; if ($(node).find("span").get(0)) { textNode = $(node).find("span").get(0); } var text = (textNode.textContent || textNode.innerText).replace(/^[\s\r\n\t]*|[\s\r\n\t]*$/g, ''); var item = this.queue[queIdx]; var selectedIndex, option; if (item.selected && item.selected.length > 0 && node.getAttribute("data-ax5combobox-selected-text") == text) { selectedIndex = node.getAttribute("data-ax5combobox-selected-label"); option = item.selected[selectedIndex]; return { index: { gindex: option["@gindex"], index: option["@index"], value: option[cfg.columnKeys.optionValue] } }; } else if (!node.getAttribute("data-ax5combobox-selected-text")) { if (text != "") { if (editable) { return text; } else { var $option; if (item.optionFocusIndex > -1) $option = this.activecomboboxOptionGroup.find('[data-option-focus-index="' + item.optionFocusIndex + '"]'); if (item.optionFocusIndex > -1 && $option.get(0) && $option.attr("data-option-value")) { return { index: { gindex: $option.attr("data-option-group-index"), index: $option.attr("data-option-index") } } } else { return (item.editable) ? text : undefined; } } } else { return undefined; } } else { return text; } }, '3': function (queIdx, node, editable) { var cfg = this.config; var text = (node.textContent || node.innerText).replace(/^[\s\r\n\t]*|[\s\r\n\t]*$/g, ''); var item = this.queue[queIdx]; if (text != "") { if (editable) { return text; } else { var $option; if (item.optionFocusIndex > -1) $option = this.activecomboboxOptionGroup.find('[data-option-focus-index="' + item.optionFocusIndex + '"]'); if (item.optionFocusIndex > -1 && $option.get(0) && $option.attr("data-option-value")) { return { index: { gindex: $option.attr("data-option-group-index"), index: $option.attr("data-option-index") } } } else { return (item.editable) ? text : undefined; } } } else { return undefined; } } }; COMBOBOX.util = { nodeTypeProcessor: nodeTypeProcessor }; })();
{ "content_hash": "3ff7f4e500e29876135324860db296a6", "timestamp": "", "source": "github", "line_count": 90, "max_line_length": 163, "avg_line_length": 38.74444444444445, "alnum_prop": 0.40607972469171205, "repo_name": "ax5ui/ax5docs", "id": "ee2aa269f1f164b088598dbe15d8a51bcc61993c", "size": "3576", "binary": false, "copies": "10", "ref": "refs/heads/gh-pages", "path": "assets/lib/ax5ui-combobox/src/modules/ax5combobox-util.js", "mode": "33188", "license": "mit", "language": [ { "name": "CSS", "bytes": "298057" }, { "name": "HTML", "bytes": "3139363" }, { "name": "JavaScript", "bytes": "1345944" }, { "name": "PowerShell", "bytes": "468" } ], "symlink_target": "" }
/*! * Copyright (c) 2017 by Contributors * \brief NN op constructions * \file topi/nn.h */ #ifndef TOPI_NN_H_ #define TOPI_NN_H_ #include <algorithm> #include <string> #include "topi/tags.h" #include "topi/detail/constant_utils.h" #include "tvm/ir.h" #include "tvm/ir_pass.h" #include "tvm/operation.h" #include "tvm/expr_operator.h" namespace topi { using namespace tvm; namespace detail { template <typename T> tvm::Expr Map(const tvm::Array<tvm::Expr>& exprs, T op) { CHECK_GE(exprs.size(), 1); tvm::Expr res = exprs[0]; for (size_t i = 1; i < exprs.size(); ++i) { res = op(res, exprs[i]); } return res; } } // namespace detail /*! * \brief Creates an operation that performs a rectified linear unit * * \param t The input tensor * \param threshold The relu threshold (default 0) * \param name The name of the operation * \param tag The tag to mark the operation * * \return A Tensor whose op member is the relu operation */ template <typename T> inline tvm::Tensor relu(const tvm::Tensor& t, T threshold = static_cast<T>(0), std::string name = "T_relu", std::string tag = kElementWise) { return tvm::compute( t->shape, [&](const tvm::Array<tvm::Var>& i) { auto threshold_const = tvm::make_const(t->dtype, threshold); return tvm::max(t(i), threshold_const); }, name, tag); } /*! * \brief Creates an operation that performs a leaky rectified linear unit * * \param t The input tensor * \param alpha The slope for the small gradient when t < 0 * \param name The name of the operation * \param tag The tag to mark the operation * * \return A Tensor whose op member is the leaky relu operation */ inline tvm::Tensor leaky_relu(const tvm::Tensor& t, double alpha = 0.1, std::string name = "T_leaky_relu", std::string tag = kElementWise) { return tvm::compute( t->shape, [&](const tvm::Array<tvm::Var>& i) { auto value = t(i); auto calpha = tvm::make_const(value.type(), alpha); return tvm::ir::Select::make(value > 0, value, value * calpha); }, name, tag); } /*! * \brief Creates an operation that performs a parametric rectified linear unit * * \param x The input data tensor * \param slope The channel-wise slope tensor * \param axis The axis where the channel data needs to be applied * \param name The name of the operation * \param tag The tag to mark the operation * * \return A Tensor whose op member is the parametric relu operation */ inline tvm::Tensor prelu(const tvm::Tensor &x, const tvm::Tensor &slope, const int axis = 1, std::string name = "T_prelu", std::string tag = kBroadcast) { CHECK((size_t)axis < x->shape.size()) << "Wrong axis (" << axis << ")value. "; CHECK(topi::detail::GetConstInt(slope->shape[0]) == topi::detail::GetConstInt(x->shape[axis])) << "Wrong slope shape received."; return tvm::compute(x->shape, [&](const tvm::Array<tvm::Var> &indices) { auto xval = x(indices); return tvm::ir::Select::make( xval > 0, xval, xval * slope(indices[axis])); }, name, tag); } /*! * \brief Creates an operation that performs padding * * \param t The input tensor * \param pad_before An Array of Expr describing the padding before the * respective iterator * \param pad_after An Array of Expr describing the padding after the * respective iterator * \param pad_value The value to fill padding elements with * \param name The name of the operation * \param tag The tag to mark the operation * * \return A Tensor whose op member is the padding operation * * \note * The pad_after Array must either be empty or have the same length as * pad_before * When pad_after is empty, it takes the same values as pad_before (symmetric * padding) * The pad Array applies from the leading dimensions and skips missing * trailing dimensions: * * pad(t(i, j, k), {1}, {0}) returns the equivalent operation for * the following pseudocode: * for i in [1, t.shape[0] + 2]: * for i in [1, t.shape[0] + 2]: * for i in [1, t.shape[0] + 2]: * name(i,j,k) = * (1 <= i <= t.shape[0] + 1) ? * t(i-1, j, k) : 0; * * */ inline tvm::Tensor pad(const tvm::Tensor& t, const tvm::Array<tvm::Expr>& pad_before, tvm::Array<tvm::Expr> pad_after = tvm::Array<tvm::Expr>(), Expr pad_value = Expr(), std::string name = "T_pad", std::string tag = kElementWise) { if (pad_after.size() < pad_before.size()) { for (size_t i = pad_after.size(); i < pad_before.size(); ++i) { pad_after.push_back(pad_before[i]); } } CHECK_GE(pad_before.size(), 1); CHECK_EQ(pad_before.size(), pad_after.size()); tvm::Array<tvm::Expr> output_shape; for (size_t i = 0; i < t->shape.size(); ++i) { if (i >= pad_before.size()) { output_shape.push_back(t->shape[i]); } else { output_shape.push_back( tvm::ir::Simplify(t->shape[i] + pad_before[i] + pad_after[i])); } } if (!pad_value.defined()) { pad_value = tvm::make_const(t->dtype, 0); } auto l = [&](tvm::Array<tvm::Var> ovars) { tvm::Array<tvm::Expr> indices; tvm::Array<tvm::Expr> sel; for (size_t i = 0; i < t->shape.size(); ++i) { if (i >= pad_before.size()) { indices.push_back(ovars[i]); continue; } if (!topi::detail::EqualCheck(pad_before[i], 0)) { sel.push_back(ovars[i] >= pad_before[i]); indices.push_back(ovars[i] - pad_before[i]); } else { indices.push_back(ovars[i]); } if (!topi::detail::EqualCheck(pad_after[i], 0)) { sel.push_back(tvm::ir::Simplify(ovars[i] < pad_before[i] + t->shape[i])); } } if (sel.size() != 0) { return tvm::if_then_else( detail::Map(sel, tvm::ir::And::make), t(indices), pad_value); } return t(indices); }; return tvm::compute(output_shape, l, name, tag); } /*! * \brief Creates an operation that performs a 2-D convolution with an * NCHW-layout * * \param I The 4-D input tensor * \param W The 4-D weight tensor * \param pad_h A static constant padding amount applied to the height of the * image, before and after (symmetric padding) * \param pad_w A static constant padding amount applied to the width of the * image, before and after (symmetric padding) * \param stride_h A static constant striding amount applied to the height of * the image, before and after (symmetric padding) * \param stride_w A static constant strindingamount applied to the width of * the image, before and after (symmetric padding) * \param name The name of the operation * \param tag The tag to mark the operation * * \return A Tensor whose op member is the 2-D convolution operation (NCHW * layout) */ inline tvm::Tensor conv2d_nchw(const tvm::Tensor& I, const tvm::Tensor& W, int pad_h = 0, int pad_w = 0, int stride_h = 1, int stride_w = 1, std::string name = "T_conv2d_nchw", std::string tag = kConv2dNCHW) { CHECK_EQ(4, I->shape.size()); CHECK_EQ(4, W->shape.size()); auto pH = I->shape[2]; auto pW = I->shape[3]; tvm::Array<tvm::Expr> output_shape{ I->shape[0], // B W->shape[0], // O (I->shape[2] - W->shape[2] + 2 * pad_h) / stride_h + 1, // H (I->shape[3] - W->shape[3] + 2 * pad_w) / stride_w + 1 // W }; auto i = tvm::reduce_axis(tvm::Range{0, I->shape[1]}, "i"); auto kh = tvm::reduce_axis(tvm::Range{0, W->shape[2]}, "kh"); auto kw = tvm::reduce_axis(tvm::Range{0, W->shape[3]}, "kw"); auto T = (pad_h == 0 && pad_w == 0) ? I : pad(I, {tvm::Expr(0), tvm::Expr(0), pad_h, pad_w}); auto l = [&](tvm::Var b, tvm::Var o, tvm::Var h, tvm::Var w) { return tvm::sum( T(b, i, stride_h * h + kh, stride_w * w + kw) * W(i, o, kh, kw), {i, kh, kw}); }; return tvm::compute(output_shape, l, name, tag); } /*! * \brief Creates an operation for 2-D convolution layer with an HWCN-layout * * \param I The 4-D input tensor * \param W The 4-D weight tensor * \param pad_h A static constant padding amount applied to the height of the * image, before and after (symmetric padding) * \param pad_w A static constant padding amount applied to the width of the * image, before and after (symmetric padding) * \param stride_h A static constant striding amount applied to the height of * the image, before and after (symmetric padding) * \param stride_w A static constant strindingamount applied to the width of * the image, before and after (symmetric padding) * \param name The name of the operation * \param tag The tag to mark the operation * * \return A Tensor whose op member is the 2-D convolution operation * (HWCN layout) */ inline tvm::Tensor conv2d_hwcn(const tvm::Tensor& I, const tvm::Tensor& W, int pad_h = 0, int pad_w = 0, int stride_h = 1, int stride_w = 1, std::string name = "T_conv2d_hwcn", std::string tag = kConv2dHWCN) { CHECK_EQ(4, I->shape.size()); CHECK_EQ(4, W->shape.size()); auto pH = I->shape[2]; auto pW = I->shape[3]; tvm::Array<tvm::Expr> output_shape{ (I->shape[2] - W->shape[2] + 2 * pad_h) / stride_h + 1, // H (I->shape[3] - W->shape[3] + 2 * pad_w) / stride_w + 1, // W I->shape[2], // B W->shape[3] // O }; auto i = tvm::reduce_axis(tvm::Range{0, I->shape[3]}, "i"); auto kh = tvm::reduce_axis(tvm::Range{0, W->shape[0]}, "kh"); auto kw = tvm::reduce_axis(tvm::Range{0, W->shape[1]}, "kw"); auto T = (pad_h == 0 && pad_w == 0) ? I : pad(I, {pad_h, pad_w}); auto l = [&](tvm::Var b, tvm::Var o, tvm::Var h, tvm::Var w) { return tvm::sum( T(stride_h * h + kh, stride_w * w + kw, i, b) * W(kh, kw, i, o), {i, kh, kw}); }; return tvm::compute(output_shape, l, name, tag); } /*! * \brief Creates an operation that performs a 2-D depthwise convolution with * an NCHW-layout * * \param I The 4-D input tensor * \param W The 4-D weight tensor * \param pad_h A static constant padding amount applied to the height of the * image, before and after (symmetric padding) * \param pad_w A static constant padding amount applied to the width of the * image, before and after (symmetric padding) * \param stride_h A static constant striding amount applied to the height of * the image, before and after (symmetric padding) * \param stride_w A static constant strindingamount applied to the width of * the image, before and after (symmetric padding) * \param name The name of the operation * \param tag The tag to mark the operation * * \return A Tensor whose op member is the 2-D depthwise convolution operation * (NCHW layout) */ inline tvm::Tensor depthwise_conv2d_nchw(const tvm::Tensor& I, const tvm::Tensor& W, int pad_h = 0, int pad_w = 0, int stride_h = 1, int stride_w = 1, std::string name = "T_depthwise_conv2d_nchw", std::string tag = kDepthwiseConv2dNCHW) { CHECK_EQ(4, I->shape.size()); CHECK_EQ(4, W->shape.size()); auto pH = I->shape[2]; auto pW = I->shape[3]; auto pCM = W->shape[1]; // channel_multiplier tvm::Array<tvm::Expr> output_shape{ I->shape[0], // B W->shape[1], // O (I->shape[2] - W->shape[2] + 2 * pad_h) / stride_h + 1, // H (I->shape[3] - W->shape[3] + 2 * pad_w) / stride_w + 1 // W }; auto i = tvm::reduce_axis(tvm::Range{0, I->shape[1]}, "i"); auto kh = tvm::reduce_axis(tvm::Range{0, W->shape[2]}, "kh"); auto kw = tvm::reduce_axis(tvm::Range{0, W->shape[3]}, "kw"); auto T = (pad_h == 0 && pad_w == 0) ? I : pad(I, {tvm::Expr(0), tvm::Expr(0), pad_h, pad_w}); auto l = [&](tvm::Var b, tvm::Var o, tvm::Var h, tvm::Var w) { return tvm::sum(T(b, i / pCM, stride_h * h + kh, stride_w * w + kw) * W(i / pCM, o % pCM, kh, kw), {i, kh, kw}); }; return tvm::compute(output_shape, l, name, tag); } inline tvm::Tensor depthwise_conv2d_nhwc(const tvm::Tensor& I, const tvm::Tensor& W, int pad_h = 0, int pad_w = 0, int stride_h = 1, int stride_w = 1, std::string name = "T_depthwise_conv2d_nhwc", std::string tag = kDepthwiseConv2dNHWC) { CHECK_EQ(4, I->shape.size()); CHECK_EQ(4, W->shape.size()); auto pH = I->shape[1]; auto pW = I->shape[2]; auto pCM = W->shape[1]; // channel_multiplier tvm::Array<tvm::Expr> output_shape{ I->shape[0], // B (I->shape[1] - W->shape[1] + 2 * pad_h) / stride_h + 1, // H (I->shape[2] - W->shape[2] + 2 * pad_w) / stride_w + 1, // W W->shape[3], // O }; auto i = tvm::reduce_axis(tvm::Range{0, I->shape[3]}, "i"); auto kh = tvm::reduce_axis(tvm::Range{0, W->shape[0]}, "kh"); auto kw = tvm::reduce_axis(tvm::Range{0, W->shape[1]}, "kw"); auto T = (pad_h == 0 && pad_w == 0) ? I : pad(I, {tvm::Expr(0), pad_h, pad_w, tvm::Expr(0)}); auto l = [&](tvm::Var b, tvm::Var h, tvm::Var w, tvm::Var o) { return tvm::sum(T(b, stride_h * h + kh, stride_w * w + kw, i / pCM) * W(kh, kw, i / pCM, o % pCM), {kh, kw, i}); }; return tvm::compute(output_shape, l, name, tag); } /*! * \brief Creates an operation that performs a 2-D group convolution with * an NGCHW-layout * * \param I The 5-D input tensor * \param W The 5-D weight tensor * \param pad_h A static constant padding amount applied to the height of the * image, before and after (symmetric padding) * \param pad_w A static constant padding amount applied to the width of the * image, before and after (symmetric padding) * \param stride_h A static constant striding amount applied to the height of * the image, before and after (symmetric padding) * \param stride_w A static constant strindingamount applied to the width of * the image, before and after (symmetric padding) * \param name The name of the operation * \param tag The tag to mark the operation * * \return A Tensor whose op member is the 2-D groupconvolution operation * (NCHW layout) */ inline tvm::Tensor group_conv2d_ngchw(const tvm::Tensor& I, const tvm::Tensor& W, int pad_h = 0, int pad_w = 0, int stride_h = 1, int stride_w = 1, std::string name = "T_group_conv2d_ngchw", std::string tag = kGroupConv2d) { CHECK_EQ(5, I->shape.size()); CHECK_EQ(5, W->shape.size()); auto pH = I->shape[2]; auto pW = I->shape[3]; tvm::Array<tvm::Expr> output_shape{ I->shape[0], // B I->shape[1], // G W->shape[2], // O (I->shape[3] - W->shape[3] + 2 * pad_h) / stride_h + 1, // H (I->shape[4] - W->shape[4] + 2 * pad_w) / stride_w + 1 // W }; auto i = tvm::reduce_axis(tvm::Range{0, I->shape[2]}, "i"); auto kh = tvm::reduce_axis(tvm::Range{0, W->shape[3]}, "kh"); auto kw = tvm::reduce_axis(tvm::Range{0, W->shape[4]}, "kw"); auto T = (pad_h == 0 && pad_w == 0) ? I : pad(I, {tvm::Expr(0), tvm::Expr(0), tvm::Expr(0), pad_h, pad_w}); auto l = [&](tvm::Array<tvm::Var> args) { tvm::Var b = args[0]; tvm::Var g = args[1]; tvm::Var o = args[2]; tvm::Var h = args[3]; tvm::Var w = args[4]; return tvm::sum( I(b, g, i, stride_h * h + kh, stride_w * w + kw) * W(g, i, o, kh, kw), {i, kh, kw}); }; return tvm::compute(output_shape, l, name, tag); } } // namespace topi #endif // TOPI_NN_H_
{ "content_hash": "e9003f9283998550a4b181772bf2f079", "timestamp": "", "source": "github", "line_count": 456, "max_line_length": 86, "avg_line_length": 38.71052631578947, "alnum_prop": 0.5226603217765692, "repo_name": "mlperf/training_results_v0.7", "id": "bffe63d780e497eb4a9354f8bce5e69ace17aeee", "size": "18459", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "Fujitsu/benchmarks/resnet/implementations/implementation_open/mxnet/3rdparty/tvm/topi/include/topi/nn.h", "mode": "33188", "license": "apache-2.0", "language": [ { "name": "ANTLR", "bytes": "1731" }, { "name": "Awk", "bytes": "14530" }, { "name": "Batchfile", "bytes": "13130" }, { "name": "C", "bytes": "172914" }, { "name": "C++", "bytes": "13037795" }, { "name": "CMake", "bytes": "113458" }, { "name": "CSS", "bytes": "70255" }, { "name": "Clojure", "bytes": "622652" }, { "name": "Cuda", "bytes": "1974745" }, { "name": "Dockerfile", "bytes": "149523" }, { "name": "Groovy", "bytes": "160449" }, { "name": "HTML", "bytes": "171537" }, { "name": "Java", "bytes": "189275" }, { "name": "JavaScript", "bytes": "98224" }, { "name": "Julia", "bytes": "430755" }, { "name": "Jupyter Notebook", "bytes": "11091342" }, { "name": "Lua", "bytes": "17720" }, { "name": "MATLAB", "bytes": "34903" }, { "name": "Makefile", "bytes": "215967" }, { "name": "Perl", "bytes": "1551186" }, { "name": "PowerShell", "bytes": "13906" }, { "name": "Python", "bytes": "36943114" }, { "name": "R", "bytes": "134921" }, { "name": "Raku", "bytes": "7280" }, { "name": "Ruby", "bytes": "4930" }, { "name": "SWIG", "bytes": "140111" }, { "name": "Scala", "bytes": "1304960" }, { "name": "Shell", "bytes": "1312832" }, { "name": "Smalltalk", "bytes": "3497" }, { "name": "Starlark", "bytes": "69877" }, { "name": "TypeScript", "bytes": "243012" } ], "symlink_target": "" }
// $Id: routefunc.hpp 5188 2012-08-30 00:31:31Z dub $ #ifndef _ROUTEFUNC_HPP_ #define _ROUTEFUNC_HPP_ #include "flit.hpp" #include "outputset.hpp" #include "config_utils.hpp" #include "routers/router.hpp" typedef void (*tRoutingFunction)( const Router *, const Flit *, int in_channel, OutputSet *, bool ); void InitializeRoutingMap( const Configuration & config ); extern map<string, tRoutingFunction> gRoutingFunctionMap; extern int gNumVCs; extern int gReadReqBeginVC, gReadReqEndVC; extern int gWriteReqBeginVC, gWriteReqEndVC; extern int gReadReplyBeginVC, gReadReplyEndVC; extern int gWriteReplyBeginVC, gWriteReplyEndVC; #endif
{ "content_hash": "c6abf4a2957c19c2158d5a1a3c437ba3", "timestamp": "", "source": "github", "line_count": 25, "max_line_length": 100, "avg_line_length": 25.72, "alnum_prop": 0.7776049766718507, "repo_name": "ayoubg/gem5-graphics", "id": "244e49dea34fdf9fc20a12d6fb052aaf6b197d7e", "size": "1994", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "gpgpu-sim/intersim2/routefunc.hpp", "mode": "33188", "license": "bsd-3-clause", "language": [ { "name": "Assembly", "bytes": "1415940" }, { "name": "C", "bytes": "56123812" }, { "name": "C++", "bytes": "26907403" }, { "name": "CMake", "bytes": "2202" }, { "name": "Emacs Lisp", "bytes": "1969" }, { "name": "GLSL", "bytes": "137780" }, { "name": "HTML", "bytes": "8934387" }, { "name": "Java", "bytes": "3096" }, { "name": "LLVM", "bytes": "14115" }, { "name": "Lex", "bytes": "52790" }, { "name": "M4", "bytes": "112794" }, { "name": "Makefile", "bytes": "296363" }, { "name": "Module Management System", "bytes": "18236" }, { "name": "Objective-C", "bytes": "156253" }, { "name": "Perl", "bytes": "33619" }, { "name": "Protocol Buffer", "bytes": "7033" }, { "name": "Python", "bytes": "4911707" }, { "name": "Roff", "bytes": "2474891" }, { "name": "Shell", "bytes": "122734" }, { "name": "TeX", "bytes": "40106" }, { "name": "Vim script", "bytes": "4335" }, { "name": "Visual Basic", "bytes": "2884" }, { "name": "Yacc", "bytes": "230414" } ], "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. */ /* * This code was generated by https://github.com/googleapis/google-api-java-client-services/ * Modify at your own risk. */ package com.google.api.services.cloudasset.v1p1beta1.model; /** * Represents a textual expression in the Common Expression Language (CEL) syntax. CEL is a C-like * expression language. The syntax and semantics of CEL are documented at https://github.com/google * /cel-spec. Example (Comparison): title: "Summary size limit" description: "Determines if a * summary is less than 100 chars" expression: "document.summary.size() < 100" Example (Equality): * title: "Requestor is owner" description: "Determines if requestor is the document owner" * expression: "document.owner == request.auth.claims.email" Example (Logic): title: "Public * documents" description: "Determine whether the document should be publicly visible" expression: * "document.type != 'private' && document.type != 'internal'" Example (Data Manipulation): title: * "Notification string" description: "Create a notification string with a timestamp." expression: * "'New message received at ' + string(document.create_time)" The exact variables and functions * that may be referenced within an expression are determined by the service that evaluates it. See * the service documentation for additional information. * * <p> This is the Java data model class that specifies how to parse/serialize into the JSON that is * transmitted over HTTP when working with the Cloud Asset API. For a detailed explanation see: * <a href="https://developers.google.com/api-client-library/java/google-http-java-client/json">https://developers.google.com/api-client-library/java/google-http-java-client/json</a> * </p> * * @author Google, Inc. */ @SuppressWarnings("javadoc") public final class Expr extends com.google.api.client.json.GenericJson { /** * Optional. Description of the expression. This is a longer text which describes the expression, * e.g. when hovered over it in a UI. * The value may be {@code null}. */ @com.google.api.client.util.Key private java.lang.String description; /** * Textual representation of an expression in Common Expression Language syntax. * The value may be {@code null}. */ @com.google.api.client.util.Key private java.lang.String expression; /** * Optional. String indicating the location of the expression for error reporting, e.g. a file * name and a position in the file. * The value may be {@code null}. */ @com.google.api.client.util.Key private java.lang.String location; /** * Optional. Title for the expression, i.e. a short string describing its purpose. This can be * used e.g. in UIs which allow to enter the expression. * The value may be {@code null}. */ @com.google.api.client.util.Key private java.lang.String title; /** * Optional. Description of the expression. This is a longer text which describes the expression, * e.g. when hovered over it in a UI. * @return value or {@code null} for none */ public java.lang.String getDescription() { return description; } /** * Optional. Description of the expression. This is a longer text which describes the expression, * e.g. when hovered over it in a UI. * @param description description or {@code null} for none */ public Expr setDescription(java.lang.String description) { this.description = description; return this; } /** * Textual representation of an expression in Common Expression Language syntax. * @return value or {@code null} for none */ public java.lang.String getExpression() { return expression; } /** * Textual representation of an expression in Common Expression Language syntax. * @param expression expression or {@code null} for none */ public Expr setExpression(java.lang.String expression) { this.expression = expression; return this; } /** * Optional. String indicating the location of the expression for error reporting, e.g. a file * name and a position in the file. * @return value or {@code null} for none */ public java.lang.String getLocation() { return location; } /** * Optional. String indicating the location of the expression for error reporting, e.g. a file * name and a position in the file. * @param location location or {@code null} for none */ public Expr setLocation(java.lang.String location) { this.location = location; return this; } /** * Optional. Title for the expression, i.e. a short string describing its purpose. This can be * used e.g. in UIs which allow to enter the expression. * @return value or {@code null} for none */ public java.lang.String getTitle() { return title; } /** * Optional. Title for the expression, i.e. a short string describing its purpose. This can be * used e.g. in UIs which allow to enter the expression. * @param title title or {@code null} for none */ public Expr setTitle(java.lang.String title) { this.title = title; return this; } @Override public Expr set(String fieldName, Object value) { return (Expr) super.set(fieldName, value); } @Override public Expr clone() { return (Expr) super.clone(); } }
{ "content_hash": "984f1c1b66ea0a0ee3afb0ec1d2bf18c", "timestamp": "", "source": "github", "line_count": 158, "max_line_length": 182, "avg_line_length": 36.85443037974684, "alnum_prop": 0.7097715953975614, "repo_name": "googleapis/google-api-java-client-services", "id": "122c44db5465c809701588d87b604cd3c0dc3e9d", "size": "5823", "binary": false, "copies": "3", "ref": "refs/heads/main", "path": "clients/google-api-services-cloudasset/v1p1beta1/2.0.0/com/google/api/services/cloudasset/v1p1beta1/model/Expr.java", "mode": "33188", "license": "apache-2.0", "language": [], "symlink_target": "" }
import { Matrix3 } from './Matrix3.js'; import { Vector3 } from './Vector3.js'; /** * @author bhouston / http://clara.io */ function Plane( normal, constant ) { // normal is assumed to be normalized this.normal = ( normal !== undefined ) ? normal : new Vector3( 1, 0, 0 ); this.constant = ( constant !== undefined ) ? constant : 0; } Object.assign( Plane.prototype, { set: function ( normal, constant ) { this.normal.copy( normal ); this.constant = constant; return this; }, setComponents: function ( x, y, z, w ) { this.normal.set( x, y, z ); this.constant = w; return this; }, setFromNormalAndCoplanarPoint: function ( normal, point ) { this.normal.copy( normal ); this.constant = - point.dot( this.normal ); return this; }, setFromCoplanarPoints: function () { var v1 = new Vector3(); var v2 = new Vector3(); return function setFromCoplanarPoints( a, b, c ) { var normal = v1.subVectors( c, b ).cross( v2.subVectors( a, b ) ).normalize(); // Q: should an error be thrown if normal is zero (e.g. degenerate plane)? this.setFromNormalAndCoplanarPoint( normal, a ); return this; }; }(), clone: function () { return new this.constructor().copy( this ); }, copy: function ( plane ) { this.normal.copy( plane.normal ); this.constant = plane.constant; return this; }, normalize: function () { // Note: will lead to a divide by zero if the plane is invalid. var inverseNormalLength = 1.0 / this.normal.length(); this.normal.multiplyScalar( inverseNormalLength ); this.constant *= inverseNormalLength; return this; }, negate: function () { this.constant *= - 1; this.normal.negate(); return this; }, distanceToPoint: function ( point ) { return this.normal.dot( point ) + this.constant; }, distanceToSphere: function ( sphere ) { return this.distanceToPoint( sphere.center ) - sphere.radius; }, projectPoint: function ( point, optionalTarget ) { var result = optionalTarget || new Vector3(); return result.copy( this.normal ).multiplyScalar( - this.distanceToPoint( point ) ).add( point ); }, intersectLine: function () { var v1 = new Vector3(); return function intersectLine( line, optionalTarget ) { var result = optionalTarget || new Vector3(); var direction = line.delta( v1 ); var denominator = this.normal.dot( direction ); if ( denominator === 0 ) { // line is coplanar, return origin if ( this.distanceToPoint( line.start ) === 0 ) { return result.copy( line.start ); } // Unsure if this is the correct method to handle this case. return undefined; } var t = - ( line.start.dot( this.normal ) + this.constant ) / denominator; if ( t < 0 || t > 1 ) { return undefined; } return result.copy( direction ).multiplyScalar( t ).add( line.start ); }; }(), intersectsLine: function ( line ) { // Note: this tests if a line intersects the plane, not whether it (or its end-points) are coplanar with it. var startSign = this.distanceToPoint( line.start ); var endSign = this.distanceToPoint( line.end ); return ( startSign < 0 && endSign > 0 ) || ( endSign < 0 && startSign > 0 ); }, intersectsBox: function ( box ) { return box.intersectsPlane( this ); }, intersectsSphere: function ( sphere ) { return sphere.intersectsPlane( this ); }, coplanarPoint: function ( optionalTarget ) { var result = optionalTarget || new Vector3(); return result.copy( this.normal ).multiplyScalar( - this.constant ); }, applyMatrix4: function () { var v1 = new Vector3(); var m1 = new Matrix3(); return function applyMatrix4( matrix, optionalNormalMatrix ) { var normalMatrix = optionalNormalMatrix || m1.getNormalMatrix( matrix ); var referencePoint = this.coplanarPoint( v1 ).applyMatrix4( matrix ); var normal = this.normal.applyMatrix3( normalMatrix ).normalize(); this.constant = - referencePoint.dot( normal ); return this; }; }(), translate: function ( offset ) { this.constant -= offset.dot( this.normal ); return this; }, equals: function ( plane ) { return plane.normal.equals( this.normal ) && ( plane.constant === this.constant ); } } ); export { Plane };
{ "content_hash": "325d642fc6c42cf52b626e595480988e", "timestamp": "", "source": "github", "line_count": 230, "max_line_length": 110, "avg_line_length": 18.56086956521739, "alnum_prop": 0.6467556804872335, "repo_name": "googlecreativelab/three.js", "id": "2c825ada08da826c42d2ea5908d61b2adb69e535", "size": "4269", "binary": false, "copies": "10", "ref": "refs/heads/dev", "path": "src/math/Plane.js", "mode": "33188", "license": "mit", "language": [ { "name": "Batchfile", "bytes": "139" }, { "name": "C", "bytes": "80088" }, { "name": "C++", "bytes": "116991" }, { "name": "CSS", "bytes": "18564" }, { "name": "GLSL", "bytes": "91419" }, { "name": "HTML", "bytes": "38392" }, { "name": "JavaScript", "bytes": "4791001" }, { "name": "MAXScript", "bytes": "75494" }, { "name": "Python", "bytes": "422863" }, { "name": "Shell", "bytes": "9783" } ], "symlink_target": "" }
/*** * @file core.hpp * * Include all of the base components required to write MLPACK methods, and the * main MLPACK Doxygen documentation. */ #ifndef __MLPACK_CORE_HPP #define __MLPACK_CORE_HPP /** * @mainpage MLPACK Documentation * * @section intro_sec Introduction * * MLPACK is an intuitive, fast, scalable C++ machine learning library, meant to * be a machine learning analog to LAPACK. It aims to implement a wide array of * machine learning methods and function as a "swiss army knife" for machine * learning researchers. The MLPACK development website can be found at * http://mlpack.org. * * MLPACK uses the Armadillo C++ matrix library (http://arma.sourceforge.net) * for general matrix, vector, and linear algebra support. MLPACK also uses the * program_options, math_c99, and unit_test_framework components of the Boost * library; in addition, LibXml2 is used. * * @section howto How To Use This Documentation * * This documentation is API documentation similar to Javadoc. It isn't * necessarily a tutorial, but it does provide detailed documentation on every * namespace, method, and class. * * Each MLPACK namespace generally refers to one machine learning method, so * browsing the list of namespaces provides some insight as to the breadth of * the methods contained in the library. * * To generate this documentation in your own local copy of MLPACK, you can * simply use Doxygen, from the root directory of the project: * * @code * $ doxygen * @endcode * * @section executables Executables * * MLPACK provides several executables so that MLPACK methods can be used * without any need for knowledge of C++. These executables are all * self-documented, and that documentation can be accessed by running the * executables with the '-h' or '--help' flag. * * A full list of executables is given below: * * allkfn, allknn, emst, gmm, hmm_train, hmm_loglik, hmm_viterbi, hmm_generate, * kernel_pca, kmeans, lars, linear_regression, local_coordinate_coding, mvu, * nbc, nca, pca, radical, sparse_coding * * @section tutorial Tutorials * * A few short tutorials on how to use MLPACK are given below. * * - @ref build * - @ref matrices * - @ref iodoc * - @ref timer * - @ref sample * - @ref verinfo * * Tutorials on specific methods are also available. * * - @ref nstutorial * - @ref lrtutorial * - @ref rstutorial * - @ref dettutorial * - @ref emst_tutorial * - @ref kmtutorial * - @ref fmkstutorial * - @ref amftutorial * * @section methods Methods in MLPACK * * The following methods are included in MLPACK: * * - Density Estimation Trees - mlpack::det::DTree * - Euclidean Minimum Spanning Trees - mlpack::emst::DualTreeBoruvka * - Gaussian Mixture Models (GMMs) - mlpack::gmm::GMM * - Hidden Markov Models (HMMs) - mlpack::hmm::HMM * - Kernel PCA - mlpack::kpca::KernelPCA * - K-Means Clustering - mlpack::kmeans::KMeans * - Least-Angle Regression (LARS/LASSO) - mlpack::regression::LARS * - Local Coordinate Coding - mlpack::lcc::LocalCoordinateCoding * - Locality-Sensitive Hashing - mlpack::neighbor::LSHSearch * - Naive Bayes Classifier - mlpack::naive_bayes::NaiveBayesClassifier * - Neighborhood Components Analysis (NCA) - mlpack::nca::NCA * - Principal Components Analysis (PCA) - mlpack::pca::PCA * - RADICAL (ICA) - mlpack::radical::Radical * - Simple Least-Squares Linear Regression - * mlpack::regression::LinearRegression * - Sparse Coding - mlpack::sparse_coding::SparseCoding * - Tree-based neighbor search (AllkNN, AllkFN) - * mlpack::neighbor::NeighborSearch * - Tree-based range search - mlpack::range::RangeSearch * * @section remarks Final Remarks * * MLPACK contributors include: * * - Ryan Curtin <[email protected]> * - James Cline <[email protected]> * - Neil Slagle <[email protected]> * - Matthew Amidon <[email protected]> * - Vlad Grantcharov <[email protected]> * - Ajinkya Kale <[email protected]> * - Bill March <[email protected]> * - Dongryeol Lee <[email protected]> * - Nishant Mehta <[email protected]> * - Parikshit Ram <[email protected]> * - Rajendran Mohan <[email protected]> * - Trironk Kiatkungwanglai <[email protected]> * - Patrick Mason <[email protected]> * - Chip Mappus <[email protected]> * - Hua Ouyang <[email protected]> * - Long Quoc Tran <[email protected]> * - Noah Kauffman <[email protected]> * - Guillermo Colon <[email protected]> * - Wei Guan <[email protected]> * - Ryan Riegel <[email protected]> * - Nikolaos Vasiloglou <[email protected]> * - Garry Boyer <[email protected]> * - Andreas Löf <[email protected]> * - Marcus Edel <[email protected]> * - Mudit Raj Gupta <[email protected]> * - Sumedh Ghaisas <[email protected]> * - Michael Fox <[email protected]> * - Ryan Birmingham <[email protected]> * - Siddharth Agrawal <[email protected]> * - Saheb Motiani <[email protected]> * - Yash Vadalia <[email protected]> * - Abhishek Laddha <[email protected]> * - Vahab Akbarzadeh <[email protected]> * - Andrew Wells <[email protected]> * - Zhihao Lou <[email protected]> * - Udit Saxena <[email protected]> * - Stephen Tu <[email protected]> * - Jaskaran Singh <[email protected]> * - Hritik Jain <[email protected]> * - Vladimir Glazachev <[email protected]> * - QiaoAn Chen <[email protected]> * - Janzen Brewer <[email protected]> * - Trung Dinh <[email protected]> * - Tham Ngap Wei <[email protected]> */ // First, include all of the prerequisites. #include <mlpack/prereqs.hpp> // Now the core mlpack classes. #include <mlpack/core/util/arma_traits.hpp> #include <mlpack/core/util/log.hpp> #include <mlpack/core/util/cli.hpp> #include <mlpack/core/util/ostream_extra.hpp> #include <mlpack/core/data/load.hpp> #include <mlpack/core/data/save.hpp> #include <mlpack/core/data/normalize_labels.hpp> #include <mlpack/core/math/clamp.hpp> #include <mlpack/core/math/random.hpp> #include <mlpack/core/math/lin_alg.hpp> #include <mlpack/core/math/range.hpp> #include <mlpack/core/math/round.hpp> #include <mlpack/core/dists/discrete_distribution.hpp> #include <mlpack/core/dists/gaussian_distribution.hpp> #include <mlpack/core/dists/laplace_distribution.hpp> // Include kernel traits. #include <mlpack/core/kernels/kernel_traits.hpp> #include <mlpack/core/kernels/linear_kernel.hpp> #include <mlpack/core/kernels/polynomial_kernel.hpp> #include <mlpack/core/kernels/cosine_distance.hpp> #include <mlpack/core/kernels/gaussian_kernel.hpp> #include <mlpack/core/kernels/epanechnikov_kernel.hpp> #include <mlpack/core/kernels/hyperbolic_tangent_kernel.hpp> #include <mlpack/core/kernels/laplacian_kernel.hpp> #include <mlpack/core/kernels/pspectrum_string_kernel.hpp> #include <mlpack/core/kernels/spherical_kernel.hpp> #include <mlpack/core/kernels/triangular_kernel.hpp> // Use Armadillo's C++ version detection. #ifdef ARMA_USE_CXX11 #define MLPACK_USE_CX11 #endif #endif
{ "content_hash": "26866903b1f5224bff111edcad44f433", "timestamp": "", "source": "github", "line_count": 190, "max_line_length": 80, "avg_line_length": 37.95263157894737, "alnum_prop": 0.7143253362917764, "repo_name": "lezorich/mlpack", "id": "96bb674090b9727e684e37a6335e31ba3cb7b95b", "size": "7212", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "src/mlpack/core.hpp", "mode": "33188", "license": "bsd-3-clause", "language": [ { "name": "C++", "bytes": "3229292" }, { "name": "CMake", "bytes": "116084" }, { "name": "Matlab", "bytes": "20967" }, { "name": "Shell", "bytes": "4045" } ], "symlink_target": "" }
<?php namespace Net\TomasKadlec\LunchGuy\BaseBundle\Service\Parser; use Symfony\Component\DomCrawler\Crawler; /** * Class Santinka * * Parser implementation for http://www.santinka.cz/ * * @package Net\TomasKadlec\LunchGuy\BaseBundle\Service\Parser */ class Santinka extends AbstractParser { protected $filter = [ 'Denní menu' ]; protected static $selector = 'div.daily-menu'; protected static $selectorDate = 'div.daily-menu h2'; /** * @inheritdoc */ public function isSupported($format) { return ($format == 'santinka'); } /** * @inheritdoc */ public function supports() { return [ 'santinka' ]; } /** * @inheritdoc */ public function parse($format, $data, $charset = 'UTF-8') { if (!$this->isSupported($format)) return new \RuntimeException("Format {$format} is not supported."); $date = $this ->getCrawler($data, $charset) ->filter(static::$selectorDate) ->first() ->text(); $today = true; if (!empty($date) && is_string($date)) { $date = preg_replace('/^[^0-9]+/', '', $date); $date = $this->parseDate($date); if ($date !== false && ((new \DateTime('today'))->getTimestamp() - $date) > (24 * 60 * 60)) $today = false; } if (!$today) return []; $data = $this ->getCrawler($data, $charset) ->filter(static::$selector) ->first() ->text(); $lines = explode("\n", $data); $data = []; foreach ($lines as $line) { $line = trim($line); if (empty($line)) continue; $data[] = explode('-', $line); } return $this->process($data); } /** * Takes decision on filtering data resulting from the crawler * * @param $row * @return bool */ protected function filter($row) { if (empty($row)) return true; foreach ($this->filter as $skip) { if (isset($row[1]) && preg_match("/{$skip}/", $row[1])) return true; } return false; } /** * Transforms data from the crawler to an internal array * * @param $data * @return array */ protected function process($data) { $key = null; $result = []; foreach ($data as $row) { if (!isset($row[1])) { if ($row[0] == 'Polévka') { $key = static::KEY_SOUPS; } else if ($row[0] == 'Hlavní jídlo') { $key = static::KEY_MAIN; } continue; } if ($key !== null && !empty($row[0])) { $result[$key][] = [ $this->mb_ucfirst(mb_strtolower(trim($row[0]), 'UTF-8')), (!empty($row[1]) ? 0 + trim($row[1]) : '-') ]; } } return $result; } /** * Parses czech date format into a timestamp * * @param string $date date in czech formatted 'day. monthName year' * @return number|bool timestamp or FALSE in case of failure */ protected function parseDate($date) { $date = str_replace('.', '', $date); $date = preg_replace('/[[:space:]]+/', ' ', $date); list($day, $month, $year) = explode(' ', $date); switch ($month) { case 'leden': case 'ledna': $month = 1; break; case 'únor': case 'února': $month = 2; break; case 'březen': case 'března': $month = 3; break; case 'duben': case 'dubna': $month = 4; break; case 'květen': case 'května': $month = 5; break; case 'červen': case 'června': $month = 6; break; case 'červenec': case 'července': $month = 7; break; case 'srpen': case 'srpna': $month = 8; break; case 'září': $month = 9; break; case 'říjen': case 'října': $month = 10; break; case 'listopad': case 'listopadu': $month = 11; break; case 'prosinec': case 'prosince': $month = 12; break; } $date = \DateTime::createFromFormat('j.n.Y', "$day.$month.$year"); if ($date) return $date->getTimestamp(); else return false; } protected function mb_ucfirst($string) { return mb_strtoupper(mb_substr($string, 0, 1)).(mb_substr($string, 1)); } }
{ "content_hash": "a1fa7e23e249c29772d7610a1bd668a8", "timestamp": "", "source": "github", "line_count": 184, "max_line_length": 103, "avg_line_length": 26.782608695652176, "alnum_prop": 0.44622564935064934, "repo_name": "tomaskadlec/d2s", "id": "0eb2afd96a78712b34180aa9a93c743b98e79fc0", "size": "4949", "binary": false, "copies": "2", "ref": "refs/heads/master", "path": "src/Net/TomasKadlec/LunchGuy/BaseBundle/Service/Parser/Santinka.php", "mode": "33188", "license": "mit", "language": [ { "name": "ApacheConf", "bytes": "3605" }, { "name": "CSS", "bytes": "4519" }, { "name": "HTML", "bytes": "19380" }, { "name": "JavaScript", "bytes": "289" }, { "name": "PHP", "bytes": "107635" } ], "symlink_target": "" }
import aquarium from trace_parser import cmp_events_by_timestamp class DeleteBreakdown(object): def __init__(self, start_ev): self._start_ts = start_ev._timestamp self._seqnum = start_ev._arg self._events = [ start_ev ] @property def seqnum(self): return self._seqnum @property def last_event(self): # this should not be necessary... #l = sorted(self._events, cmp=cmp_events_by_timestamp, reverse=True)[0] return self._events[-1] def append_event(self, ev): self._events.append(ev) def generate_breakdown_data(self): '''Generator that produces a triple seqnum:eventname:tscoff for each chunk of work done inside the monitor for a delete call''' slices = [] for e in self._events: slices.append(e._timestamp - self._start_ts) for v, e in zip(slices, self._events): yield "%d:%s:%d" % (self._seqnum, e._evname, v) def compute_overall_latency(self): return self.last_event()._timestamp - self._start_ts def __str__(self): evdata = [ (ev._coreid, ev._evname, ev._timestamp) for ev in self._events ] return "Breakdown { startts %d, seqnum %d, events=%r }" \ % (self._start_ts, self._seqnum, evdata) if __name__ == "__main__": import sys if len(sys.argv) < 3: print "Usage: %s trace_defs.json trace.data" % sys.argv[0] sys.exit(1) aq = aquarium.Aquarium(sys.argv[1]) t = aq.load_trace(sys.argv[2]) print "Processing %d events" % len(t._events) evtypes = aq.get_event_types() curdel_overall_start_ts=dict() curdel_overall_seqnum = -1 overall_del_lats=dict() found_start = False # XXX: this is not very nice, as we're flattening a partial order by hand # here in order to make queries about event ordering to skip partially # recorded inner trace points that don't carry the sequence number yet :) event_order = [ 'delete_enter', 'delete_lock', 'delete_queue_retry', 'delete_do_work', 'delete_remote_enq', 'delete_find_new_owner', 'delete_find_core_cont', 'delete_move_result_cont', 'delete_last', 'delete_queue_fin', 'delete_call_rx', 'delete_done' ] # current breakdown object indexed by coreid currbreak = dict() # list of complete breakdown objects indexed by coreid breakdowns = dict() with open("raw_parsed.txt", 'w') as rawf: # we seem to get better results without presorting events by # timestamp, so we leave that out for now; events should be sorted by # (coreid, timestamp) anyway. for e in [ e for e in t._events if e.subsys.get_name() == "capops" ]: rawf.write("%r,%d,%d\n" % (e,e._coreid,e._timestamp)) # find START signal if e._evname == "start": found_start = True if not found_start: # ignore events before start event continue # delete_enter is signalling start of new delete in monitor. if e._evname == "delete_enter": currbreak[e._coreid] = DeleteBreakdown(e) if e._coreid not in breakdowns.keys(): breakdowns[e._coreid] = [] # delete_done is signalling end of delete in monitor # just skip delete_done events for which we're not tracking a breakdown elif e._evname == "delete_done" and e._coreid in currbreak.keys(): if e._arg != currbreak[e._coreid].seqnum: print "[core %d] found delete_done with seqnum %d, last delete_enter was %d" \ % (e._coreid, e._arg, currbreak[e._coreid].seqnum) print "skipping this set of trace points" else: currbreak[e._coreid].append_event(e) breakdowns[e._coreid].append(currbreak[e._coreid]) # remove breakdown object for e._coreid from currbreak dict, # so other code can check whether we're in the middle of a breakdown # by checking whether the coreid is in the keyset of the dict currbreak[e._coreid] = None del currbreak[e._coreid] elif e._evname in event_order and \ e._coreid in currbreak.keys(): if event_order.index(e._evname) > \ event_order.index(currbreak[e._coreid].last_event._evname): currbreak[e._coreid].append_event(e) # handle trace point before call to cap_delete() in user code if e._evname == "user_delete_call": curdel_overall_start_ts[e._coreid] = e._timestamp curdel_overall_seqnum = e._arg if e._coreid not in overall_del_lats.keys(): overall_del_lats[e._coreid] = [] # handle trace point after call to cap_delete() in user code if e._evname == "user_delete_resp": if curdel_overall_seqnum != e._arg: print "[core %d] got delete_resp with seqnum %d, last delete_call was %d" \ % (e._coreid, e._arg & 0xFF, curdel_overall_seqnum & 0xFF) print "skipping this set of trace points" else: if e._coreid in curdel_overall_start_ts.keys(): overall_del_lats[e._coreid].append( e._timestamp - curdel_overall_start_ts[e._coreid]) for core in overall_del_lats.keys(): with open("core%d_overall_latencies.data" % core, 'w') as rawf: for v in overall_del_lats[core]: rawf.write("%d\n" % v) for core in breakdowns.keys(): print "core %d:" % core with open("core%d_monitor_latencies.data" % core, 'w') as rawf: for b in breakdowns[core]: off = 0 for ev in b._events: off = ev._timestamp - b._start_ts if (off < 0): print "Breakdown has negative components?" print b break if off < 0: # don't process breakdowns with negative components # further continue rawf.write('\n'.join(list(b.generate_breakdown_data()))) rawf.write('\n')
{ "content_hash": "9cd0ebb02798858cc25b4f0021e60e04", "timestamp": "", "source": "github", "line_count": 153, "max_line_length": 98, "avg_line_length": 42.64705882352941, "alnum_prop": 0.5474329501915709, "repo_name": "kishoredbn/barrelfish", "id": "43b65e177a10858cc61210d8d19eb238c22ce31f", "size": "6572", "binary": false, "copies": "2", "ref": "refs/heads/master", "path": "tools/pyaquarium/parse_delete_last_remote.py", "mode": "33188", "license": "mit", "language": [ { "name": "Assembly", "bytes": "2589287" }, { "name": "Awk", "bytes": "9178" }, { "name": "Batchfile", "bytes": "49856" }, { "name": "C", "bytes": "77396109" }, { "name": "C++", "bytes": "14632842" }, { "name": "CMake", "bytes": "5175" }, { "name": "CSS", "bytes": "1905" }, { "name": "DIGITAL Command Language", "bytes": "278456" }, { "name": "Emacs Lisp", "bytes": "23337" }, { "name": "Gnuplot", "bytes": "3383" }, { "name": "Groff", "bytes": "407423" }, { "name": "HTML", "bytes": "377310" }, { "name": "Haskell", "bytes": "147463" }, { "name": "Lex", "bytes": "2872" }, { "name": "Logos", "bytes": "31891" }, { "name": "Makefile", "bytes": "850866" }, { "name": "Objective-C", "bytes": "43119" }, { "name": "Perl", "bytes": "2688059" }, { "name": "Perl6", "bytes": "255974" }, { "name": "Prolog", "bytes": "2571678" }, { "name": "Protocol Buffer", "bytes": "2764" }, { "name": "Scheme", "bytes": "4249" }, { "name": "Scilab", "bytes": "5315" }, { "name": "Shell", "bytes": "719683" }, { "name": "SuperCollider", "bytes": "8638" }, { "name": "Tcl", "bytes": "18714" }, { "name": "TeX", "bytes": "411611" }, { "name": "XS", "bytes": "4319" }, { "name": "XSLT", "bytes": "1792" }, { "name": "Yacc", "bytes": "11190" }, { "name": "eC", "bytes": "5079" } ], "symlink_target": "" }
<?php namespace Craft; class RecurringDate_RuleRecord extends BaseRecord { public function getTableName(){ return 'recurringdate_rules'; } public function defineRelations(){ return array( 'element' => array(static::BELONGS_TO, 'ElementRecord', 'required' => true, 'onDelete' => static::CASCADE), ); } protected function defineAttributes(){ return array( 'handle' => AttributeType::String, 'start_date'=> AttributeType::String, 'start_time'=> AttributeType::String, 'end_date' => AttributeType::String, 'end_time' => AttributeType::String, 'allday' => AttributeType::Bool, 'repeats' => AttributeType::Bool, 'frequency' => array(AttributeType::Enum, 'values' => "daily, monthly, weekly, yearly"), 'interval' => AttributeType::Number, 'weekdays' => AttributeType::String, 'repeat_by' => array(AttributeType::Enum, 'values' => "week, month"), 'ends' => array(AttributeType::Enum, 'values' => "after, until"), 'count' => AttributeType::Number, 'until' => AttributeType::String, 'rrule' => AttributeType::String, ); } }
{ "content_hash": "67405b6c4529377bd707516d357e6eed", "timestamp": "", "source": "github", "line_count": 35, "max_line_length": 110, "avg_line_length": 31.17142857142857, "alnum_prop": 0.6626947754353804, "repo_name": "nxnw/craft-recurring-dates", "id": "96f226dfa532cd21e1a529c64311a9f3c39a824e", "size": "1091", "binary": false, "copies": "2", "ref": "refs/heads/master", "path": "records/RecurringDate_RuleRecord.php", "mode": "33188", "license": "mit", "language": [ { "name": "JavaScript", "bytes": "5742" }, { "name": "PHP", "bytes": "23384" } ], "symlink_target": "" }
package com.vmware.vim25; /** * @author Steve Jin (http://www.doublecloud.org) * @version 5.1 */ public enum HostMountMode { readWrite ("readWrite"), readOnly ("readOnly"); @SuppressWarnings("unused") private final String val; private HostMountMode(String val) { this.val = val; } }
{ "content_hash": "4632fd335b1e4602c2b14df359100546", "timestamp": "", "source": "github", "line_count": 20, "max_line_length": 48, "avg_line_length": 15.25, "alnum_prop": 0.6688524590163935, "repo_name": "paksv/vijava", "id": "3c3434cdb58acb42f202e970459247ed86b8cb62", "size": "1945", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "src/com/vmware/vim25/HostMountMode.java", "mode": "33188", "license": "bsd-3-clause", "language": [ { "name": "Java", "bytes": "7900718" } ], "symlink_target": "" }
param ( [String]$GitRepositoryRoot, [String]$RootDirectory, [String]$BranchName, [String]$NewVersion ) . "$PSSCriptRoot\Tools.ps1" . "$PSSCriptRoot\GitProxy.ps1" function ChangeVersion-NewVersionText { param ( [String]$Version ) Return 'AssemblyVersion("' + $Version + '")' } function ChangeVersion-NewFileVersionText { param ( [String]$Version ) Return 'AssemblyVersion("' + $version + '")' } function ChangeVersion-ChangeFileVersion { param ( [String]$FilePath, [String]$Version ) $contents = (Get-Content $FilePath -Raw) $contents = $contents -Replace 'AssemblyVersion\("[0-9]+(\.([0-9]+)){1,3}"\)', (ChangeVersion-NewVersionText $Version) $contents = $contents -Replace 'AssemblyFileVersion\("[0-9]+(\.([0-9]+)){1,3}"\)', (ChangeVersion-NewFileVersionText $Version) $contents > $FilePath } function ChangeVersion-ChangeDirectoryVersion { param ( [String]$DirectoryPath, [String]$Version ) Write-Host "Changing file versions in $DirectoryPath" $files = Get-ChildItem $DirectoryPath -Recurse -Include AssemblyInfo.cs ForEach ($file in $files) { ChangeVersion-ChangeFileVersion $file.Fullname $Version } } If (!($NewVersion -Match "[0-9]+(\.([0-9]+|\*)){1,3}")) { Write-Host "Invalid version text" Break } Clear-Host Tools-CreateDirectoryIfNotExists $RootDirectory $applicationsRoot = (Join-Path $RootDirectory 'axa-applications') $servicesRoot = (Join-Path $RootDirectory 'axa-services') If (!(GitProxy-GetRepository "$($GitRepositoryRoot)axa-applications.git" $applicationsRoot $BranchName)) { Write-Host "Download of axa-applications failed" Break } If (!(GitProxy-GetRepository "$($GitRepositoryRoot)axa-services.git" $servicesRoot $BranchName)) { Write-Host "Download of axa-services failed" Break } ChangeVersion-ChangeDirectoryVersion $applicationsRoot $NewVersion ChangeVersion-ChangeDirectoryVersion $servicesRoot $NewVersion If (!(GitProxy-CommitChanges "" $applicationsRoot ("Commit of assembly versions change made on {0}" -f (Get-Date)))) { Write-Host "Commit to axa-applications failed" Break } If (!(GitProxy-CommitChanges "" $servicesRoot ("Commit of assembly versions change made on {0}" -f (Get-Date)))) { Write-Host "Commit to axa-services failed" Break } GitProxy-SetTag $applicationsRoot $NewVersion GitProxy-SetTag $servicesRoot $NewVersion GitProxy-Push $applicationsRoot GitProxy-Push $servicesRoot
{ "content_hash": "400861bc0d579d18ae2ffcc7080cd6eb", "timestamp": "", "source": "github", "line_count": 93, "max_line_length": 127, "avg_line_length": 25.698924731182796, "alnum_prop": 0.7355648535564854, "repo_name": "LukaszNowakowski/TelematicsBuilder", "id": "98539afb2b175c5e4af2cbce4af37ece8728f054", "size": "2390", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "CreateSourceVersion.ps1", "mode": "33188", "license": "mit", "language": [ { "name": "PowerShell", "bytes": "27466" }, { "name": "XSLT", "bytes": "7911" } ], "symlink_target": "" }
package com.izforge.izpack.panels; import java.io.BufferedReader; import java.io.IOException; import java.io.InputStreamReader; import java.io.PrintWriter; import java.util.ArrayList; import java.util.Arrays; import java.util.Iterator; import java.util.List; import java.util.Properties; import java.util.StringTokenizer; import java.util.Vector; import com.izforge.izpack.Pack; import com.izforge.izpack.Panel; import com.izforge.izpack.adaptator.IXMLElement; import com.izforge.izpack.installer.AutomatedInstallData; import com.izforge.izpack.installer.PanelConsole; import com.izforge.izpack.installer.PanelConsoleHelper; import com.izforge.izpack.util.Debug; import com.izforge.izpack.util.OsVersion; import com.izforge.izpack.util.SpecHelper; import com.izforge.izpack.util.VariableSubstitutor; /** * The user input panel console helper class. * * @author Mounir El Hajj */ public class UserInputPanelConsoleHelper extends PanelConsoleHelper implements PanelConsole { protected int instanceNumber = 0; private static int instanceCount = 0; private static final String SPEC_FILE_NAME = "userInputSpec.xml"; private static final String NODE_ID = "panel"; private static final String INSTANCE_IDENTIFIER = "order"; protected static final String PANEL_IDENTIFIER = "id"; private static final String FIELD_NODE_ID = "field"; protected static final String ATTRIBUTE_CONDITIONID_NAME = "conditionid"; private static final String VARIABLE = "variable"; private static final String SET = "set"; private static final String TEXT = "txt"; private static final String SPEC = "spec"; private static final String PWD = "pwd"; private static final String TYPE_ATTRIBUTE = "type"; private static final String TEXT_FIELD = "text"; private static final String COMBO_FIELD = "combo"; private static final String STATIC_TEXT = "staticText"; private static final String CHOICE = "choice"; private static final String FILE = "file"; private static final String PASSWORD = "password"; private static final String VALUE = "value"; private static final String RADIO_FIELD = "radio"; private static final String TITLE_FIELD = "title"; private static final String CHECK_FIELD = "check"; private static final String RULE_FIELD = "rule"; private static final String SPACE = "space"; private static final String DIVIDER = "divider"; static final String DISPLAY_FORMAT = "displayFormat"; static final String PLAIN_STRING = "plainString"; static final String SPECIAL_SEPARATOR = "specialSeparator"; static final String LAYOUT = "layout"; static final String RESULT_FORMAT = "resultFormat"; private static final String DESCRIPTION = "description"; private static final String TRUE = "true"; private static final String NAME = "name"; private static final String FAMILY = "family"; private static final String OS = "os"; private static final String SELECTEDPACKS = "createForPack"; private static Input SPACE_INTPUT_FIELD = new Input(SPACE, null, null, SPACE, "\r", 0); private static Input DIVIDER_INPUT_FIELD = new Input(DIVIDER, null, null, DIVIDER, "------------------------------------------", 0); public List<Input> listInputs; public UserInputPanelConsoleHelper() { instanceNumber = instanceCount++; listInputs = new ArrayList<Input>(); } public boolean runConsoleFromPropertiesFile(AutomatedInstallData installData, Properties p) { collectInputs(installData); Iterator<Input> inputIterator = listInputs.iterator(); while (inputIterator.hasNext()) { String strVariableName = ((Input) inputIterator.next()).strVariableName; if (strVariableName != null) { String strVariableValue = p.getProperty(strVariableName); if (strVariableValue != null) { installData.setVariable(strVariableName, strVariableValue); } } } return true; } public boolean runGeneratePropertiesFile(AutomatedInstallData installData, PrintWriter printWriter) { collectInputs(installData); Iterator<Input> inputIterator = listInputs.iterator(); while (inputIterator.hasNext()) { Input input = (Input) inputIterator.next(); if (input.strVariableName != null) { printWriter.println(input.strVariableName + "="); } } return true; } public boolean runConsole(AutomatedInstallData idata) { boolean processpanel = collectInputs(idata); if (!processpanel) { return true; } boolean status = true; Iterator<Input> inputsIterator = listInputs.iterator(); while (inputsIterator.hasNext()) { Input input = inputsIterator.next(); if (TEXT_FIELD.equals(input.strFieldType) || FILE.equals(input.strFieldType) || RULE_FIELD.equals(input.strFieldType)) { status = status && processTextField(input, idata); } else if (COMBO_FIELD.equals(input.strFieldType) || RADIO_FIELD.equals(input.strFieldType)) { status = status && processComboRadioField(input, idata); } else if (CHECK_FIELD.equals(input.strFieldType)) { status = status && processCheckField(input, idata); } else if(STATIC_TEXT.equals(input.strFieldType) || TITLE_FIELD.equals(input.strFieldType) || DIVIDER.equals(input.strFieldType) || SPACE.equals(input.strFieldType) ) { status = status && processSimpleField(input, idata); } else if (PASSWORD.equals(input.strFieldType) ) { status = status && processPasswordField(input, idata); } } int i = askEndOfConsolePanel(); if (i == 1) { return true; } else if (i == 2) { return false; } else { return runConsole(idata); } } public boolean collectInputs(AutomatedInstallData idata) { listInputs.clear(); IXMLElement data; IXMLElement spec = null; Vector<IXMLElement> specElements; String attribute; String dataID; String panelid = ((Panel) idata.panelsOrder.get(idata.curPanelNumber)).getPanelid(); String instance = Integer.toString(instanceNumber); SpecHelper specHelper = new SpecHelper(); try { specHelper.readSpec(specHelper.getResource(SPEC_FILE_NAME)); } catch (Exception e1) { e1.printStackTrace(); return false; } specElements = specHelper.getSpec().getChildrenNamed(NODE_ID); for (int i = 0; i < specElements.size(); i++) { data = specElements.elementAt(i); attribute = data.getAttribute(INSTANCE_IDENTIFIER); dataID = data.getAttribute(PANEL_IDENTIFIER); if (((attribute != null) && instance.equals(attribute)) || ((dataID != null) && (panelid != null) && (panelid.equals(dataID)))) { Vector<IXMLElement> forPacks = data.getChildrenNamed(SELECTEDPACKS); Vector<IXMLElement> forOs = data.getChildrenNamed(OS); if (itemRequiredFor(forPacks, idata) && itemRequiredForOs(forOs)) { spec = data; break; } } } if (spec == null) { return false; } Vector<IXMLElement> fields = spec.getChildrenNamed(FIELD_NODE_ID); for (int i = 0; i < fields.size(); i++) { IXMLElement field = fields.elementAt(i); Vector<IXMLElement> forPacks = field.getChildrenNamed(SELECTEDPACKS); Vector<IXMLElement> forOs = field.getChildrenNamed(OS); if (itemRequiredFor(forPacks, idata) && itemRequiredForOs(forOs)) { String conditionid = field.getAttribute(ATTRIBUTE_CONDITIONID_NAME); if (conditionid != null) { // check if condition is fulfilled if (!idata.getRules().isConditionTrue(conditionid, idata.getVariables())) { continue; } } Input in = getInputFromField(field, idata); if (in != null) { listInputs.add(in); } } } return true; } boolean processSimpleField(Input input, AutomatedInstallData idata) { VariableSubstitutor vs = new VariableSubstitutor(idata.getVariables()); System.out.println(vs.substitute(input.strText, null)); return true; } boolean processPasswordField(Input input, AutomatedInstallData idata) { Password pwd = (Password) input; boolean rtn = false; for (int i=0; i < pwd.input.length; i++) { rtn = processTextField(pwd.input[i], idata); if (!rtn) return rtn; } return rtn; } boolean processTextField(Input input, AutomatedInstallData idata) { String variable = input.strVariableName; String set; String fieldText; if ((variable == null) || (variable.length() == 0)) { return false; } if (input.listChoices.size() == 0) { Debug.trace("Error: no spec element defined in file field"); return false; } set = idata.getVariable(variable); if (set == null) { set = input.strDefaultValue; if (set == null) { set = ""; } } if (set != null && !"".equals(set)) { VariableSubstitutor vs = new VariableSubstitutor(idata.getVariables()); set = vs.substitute(set, null); } fieldText = input.listChoices.get(0).strText; System.out.println(fieldText + " [" + set + "] "); try { BufferedReader br = new BufferedReader(new InputStreamReader(System.in)); String strIn = br.readLine(); if (!strIn.trim().equals("")) { idata.setVariable(variable, strIn); } else { idata.setVariable(variable, set); } } catch (IOException e) { e.printStackTrace(); } return true; } boolean processComboRadioField(Input input, AutomatedInstallData idata) {// TODO protection if selection not valid and no set value String variable = input.strVariableName; if ((variable == null) || (variable.length() == 0)) { return false; } String currentvariablevalue = idata.getVariable(variable); //If we dont do this, choice with index=0 will always be displayed, no matter what is selected input.iSelectedChoice = -1; boolean userinput = false; // display the description for this combo or radio field if (input.strText != null) { System.out.println(input.strText); } List<Choice> lisChoices = input.listChoices; if (lisChoices.size() == 0) { Debug.trace("Error: no spec element defined in file field"); return false; } if (currentvariablevalue != null) { userinput = true; } for (int i = 0; i < lisChoices.size(); i++) { Choice choice = lisChoices.get(i); String value = choice.strValue; // if the choice value is provided via a property to the process, then // set it as the selected choice, rather than defaulting to what the // spec defines. if (userinput) { if ((value != null) && (value.length() > 0) && (currentvariablevalue.equals(value))) { input.iSelectedChoice = i; } } else { String set = choice.strSet; if (set != null) { if (set != null && !"".equals(set)) { VariableSubstitutor vs = new VariableSubstitutor(idata.getVariables()); set = vs.substitute(set, null); } if (set.equals(TRUE)) { input.iSelectedChoice = i; } } } System.out.println(i + " [" + (input.iSelectedChoice == i ? "x" : " ") + "] " + (choice.strText != null ? choice.strText : "")); } try { BufferedReader br = new BufferedReader(new InputStreamReader(System.in)); boolean bKeepAsking = true; while (bKeepAsking) { System.out.println("input selection:"); String strIn = br.readLine(); // take default value if default value exists and no user input if (strIn.trim().equals("") && input.iSelectedChoice != -1) { bKeepAsking = false; } int j = -1; try { j = Integer.valueOf(strIn).intValue(); } catch (Exception ex) {} // take user input if user input is valid if (j >= 0 && j < lisChoices.size()) { input.iSelectedChoice = j; bKeepAsking = false; } } } catch (IOException e) { e.printStackTrace(); } idata.setVariable(variable, input.listChoices.get(input.iSelectedChoice).strValue); return true; } boolean processCheckField(Input input, AutomatedInstallData idata) { String variable = input.strVariableName; if ((variable == null) || (variable.length() == 0)) { return false; } String currentvariablevalue = idata.getVariable(variable); if (currentvariablevalue == null) { currentvariablevalue = ""; } List<Choice> lisChoices = input.listChoices; if (lisChoices.size() == 0) { Debug.trace("Error: no spec element defined in check field"); return false; } Choice choice = null; for (int i = 0; i < lisChoices.size(); i++) { choice = lisChoices.get(i); String value = choice.strValue; if ((value != null) && (value.length() > 0) && (currentvariablevalue.equals(value))) { input.iSelectedChoice = i; } else { String set = input.strDefaultValue; if (set != null) { if (set != null && !"".equals(set)) { VariableSubstitutor vs = new VariableSubstitutor(idata.getVariables()); set = vs.substitute(set, null); } if (set.equals(TRUE)) { input.iSelectedChoice = 1; } } } } System.out.println(" [" + (input.iSelectedChoice == 1 ? "x" : " ") + "] " + (choice.strText != null ? choice.strText : "")); try { BufferedReader br = new BufferedReader(new InputStreamReader(System.in)); boolean bKeepAsking = true; while (bKeepAsking) { System.out.println("input 1 to select, 0 to deselect:"); String strIn = br.readLine(); // take default value if default value exists and no user input if (strIn.trim().equals("")) { bKeepAsking = false; } int j = -1; try { j = Integer.valueOf(strIn).intValue(); } catch (Exception ex) {} // take user input if user input is valid if ((j == 0) || j == 1) { input.iSelectedChoice = j; bKeepAsking = false; } } } catch (IOException e) { e.printStackTrace(); } idata.setVariable(variable, input.listChoices.get(input.iSelectedChoice).strValue); return true; } public Input getInputFromField(IXMLElement field, AutomatedInstallData idata) { String strVariableName = field.getAttribute(VARIABLE); String strFieldType = field.getAttribute(TYPE_ATTRIBUTE); if (TITLE_FIELD.equals(strFieldType)) { String strText = null; strText = field.getAttribute(TEXT); return new Input(strVariableName, null, null, TITLE_FIELD, strText, 0); } if (STATIC_TEXT.equals(strFieldType)) { String strText = null; strText = field.getAttribute(TEXT); return new Input(strVariableName, null, null, STATIC_TEXT, strText, 0); } if (TEXT_FIELD.equals(strFieldType) || FILE.equals(strFieldType) ) { List<Choice> choicesList = new ArrayList<Choice>(); String strFieldText = null; String strSet = null; String strText = null; IXMLElement spec = field.getFirstChildNamed(SPEC); IXMLElement description = field.getFirstChildNamed(DESCRIPTION); if (spec != null) { strText = spec.getAttribute(TEXT); strSet = spec.getAttribute(SET); } if (description != null) { strFieldText = description.getAttribute(TEXT); } choicesList.add(new Choice(strText, null, strSet)); return new Input(strVariableName, strSet, choicesList, strFieldType, strFieldText, 0); } if (RULE_FIELD.equals(strFieldType)) { List<Choice> choicesList = new ArrayList<Choice>(); String strFieldText = null; String strSet = null; String strText = null; IXMLElement spec = field.getFirstChildNamed(SPEC); IXMLElement description = field.getFirstChildNamed(DESCRIPTION); if (spec != null) { strText = spec.getAttribute(TEXT); strSet = spec.getAttribute(SET); } if (description != null) { strFieldText = description.getAttribute(TEXT); } if (strSet != null && spec.getAttribute(LAYOUT) != null) { StringTokenizer layoutTokenizer = new StringTokenizer(spec.getAttribute(LAYOUT)); List<String> listSet = Arrays.asList(new String[layoutTokenizer.countTokens()]); StringTokenizer setTokenizer = new StringTokenizer(strSet); String token; while (setTokenizer.hasMoreTokens()) { token = setTokenizer.nextToken(); if (token.indexOf(":") > -1) { listSet.set(new Integer(token.substring(0, token.indexOf(":"))).intValue(), token.substring(token.indexOf(":") + 1)); } } int iCounter = 0; StringBuffer sb = new StringBuffer(); String strRusultFormat = spec.getAttribute(RESULT_FORMAT); String strSpecialSeparator = spec.getAttribute(SPECIAL_SEPARATOR); while (layoutTokenizer.hasMoreTokens()) { token = layoutTokenizer.nextToken(); if (token.matches(".*:.*:.*")) { sb.append(listSet.get(iCounter) != null ? listSet.get(iCounter) : ""); iCounter++; } else { if (SPECIAL_SEPARATOR.equals(strRusultFormat)) { sb.append(strSpecialSeparator); } else if (PLAIN_STRING.equals(strRusultFormat)) { } else // if (DISPLAY_FORMAT.equals(strRusultFormat)) { sb.append(token); } } } strSet = sb.toString(); } choicesList.add(new Choice(strText, null, strSet)); return new Input(strVariableName, strSet, choicesList, TEXT_FIELD, strFieldText, 0); } if (COMBO_FIELD.equals(strFieldType) || RADIO_FIELD.equals(strFieldType)) { List<Choice> choicesList = new ArrayList<Choice>(); String strFieldText = null; int selection = -1; IXMLElement spec = field.getFirstChildNamed(SPEC); IXMLElement description = field.getFirstChildNamed(DESCRIPTION); Vector<IXMLElement> choices = null; if (spec != null) { choices = spec.getChildrenNamed(CHOICE); } if (description != null) { strFieldText = description.getAttribute(TEXT); } for (int i = 0; i < choices.size(); i++) { IXMLElement choice = choices.elementAt(i); String processorClass = choice.getAttribute("processor"); if (processorClass != null && !"".equals(processorClass)) { String choiceValues = ""; try { choiceValues = ((Processor) Class.forName(processorClass).newInstance()) .process(null); } catch (Throwable t) { t.printStackTrace(); } String set = choice.getAttribute(SET); if (set == null) { set = ""; } if (set != null && !"".equals(set)) { VariableSubstitutor vs = new VariableSubstitutor(idata.getVariables()); set = vs.substitute(set, null); } StringTokenizer tokenizer = new StringTokenizer(choiceValues, ":"); int counter = 0; while (tokenizer.hasMoreTokens()) { String token = tokenizer.nextToken(); String choiceSet = null; if (token.equals(set) ) { choiceSet="true"; selection=counter; } choicesList.add(new Choice( token, token, choiceSet)); counter++; } } else { String value = choice.getAttribute(VALUE); String set = choice.getAttribute(SET); if (set != null) { if (set != null && !"".equals(set)) { VariableSubstitutor vs = new VariableSubstitutor(idata .getVariables()); set = vs.substitute(set, null); } if (set.equalsIgnoreCase(TRUE)) { selection=i; } } choicesList.add(new Choice( choice.getAttribute(TEXT), value, set)); } } if (choicesList.size() == 1) { selection = 0; } return new Input(strVariableName, null, choicesList, strFieldType, strFieldText, selection); } if (CHECK_FIELD.equals(strFieldType)) { List<Choice> choicesList = new ArrayList<Choice>(); String strFieldText = null; String strSet = null; String strText = null; int iSelectedChoice = 0; IXMLElement spec = field.getFirstChildNamed(SPEC); IXMLElement description = field.getFirstChildNamed(DESCRIPTION); if (spec != null) { strText = spec.getAttribute(TEXT); strSet = spec.getAttribute(SET); choicesList.add(new Choice(strText, spec.getAttribute("false"), null)); choicesList.add(new Choice(strText, spec.getAttribute("true"), null)); if (strSet != null) { if (strSet.equalsIgnoreCase(TRUE)) { iSelectedChoice = 1; } } } else { System.out.println("No spec specified for input of type check"); } if (description != null) { strFieldText = description.getAttribute(TEXT); } return new Input(strVariableName, strSet, choicesList, CHECK_FIELD, strFieldText, iSelectedChoice); } if (SPACE.equals(strFieldType) ) { return SPACE_INTPUT_FIELD; } if (DIVIDER.equals(strFieldType)) { return DIVIDER_INPUT_FIELD; } if (PASSWORD.equals(strFieldType)) { List<Choice> choicesList = new ArrayList<Choice>(); String strFieldText = null; String strSet = null; String strText = null; IXMLElement spec = field.getFirstChildNamed(SPEC); if (spec != null) { Vector<IXMLElement> pwds = spec.getChildrenNamed(PWD); if (pwds == null || pwds.size() == 0) { System.out.println("No pwd specified in the spec for type password"); return null; } Input[] inputs = new Input[pwds.size()]; for (int i = 0; i < pwds.size(); i++) { IXMLElement pwde = pwds.elementAt(i); strText = pwde.getAttribute(TEXT); strSet = pwde.getAttribute(SET); choicesList.add(new Choice(strText, null, strSet)); inputs[i] = new Input(strVariableName, strSet, choicesList, strFieldType, strFieldText, 0); } return new Password(strFieldType, inputs); } System.out.println("No spec specified for input of type password"); return null; } System.out.println(strFieldType + " field collection not implemented"); return null; } /*--------------------------------------------------------------------------*/ /** * Verifies if an item is required for any of the packs listed. An item is required for a pack * in the list if that pack is actually selected for installation. <br> * <br> * <b>Note:</b><br> * If the list of selected packs is empty then <code>true</code> is always returnd. The same is * true if the <code>packs</code> list is empty. * * @param packs a <code>Vector</code> of <code>String</code>s. Each of the strings denotes a * pack for which an item should be created if the pack is actually installed. * @return <code>true</code> if the item is required for at least one pack in the list, * otherwise returns <code>false</code>. */ /*--------------------------------------------------------------------------*/ /* * $ @design * * The information about the installed packs comes from InstallData.selectedPacks. This assumes * that this panel is presented to the user AFTER the PacksPanel. * -------------------------------------------------------------------------- */ private boolean itemRequiredFor(Vector<IXMLElement> packs, AutomatedInstallData idata) { String selected; String required; if (packs.size() == 0) { return (true); } // ---------------------------------------------------- // We are getting to this point if any packs have been // specified. This means that there is a possibility // that some UI elements will not get added. This // means that we can not allow to go back to the // PacksPanel, because the process of building the // UI is not reversable. // ---------------------------------------------------- // packsDefined = true; // ---------------------------------------------------- // analyze if the any of the packs for which the item // is required have been selected for installation. // ---------------------------------------------------- for (int i = 0; i < idata.selectedPacks.size(); i++) { selected = ((Pack) idata.selectedPacks.get(i)).name; for (int k = 0; k < packs.size(); k++) { required = (packs.elementAt(k)).getAttribute(NAME, ""); if (selected.equals(required)) { return (true); } } } return (false); } /** * Verifies if an item is required for the operating system the installer executed. The * configuration for this feature is: <br/> * &lt;os family="unix"/&gt; <br> * <br> * <b>Note:</b><br> * If the list of the os is empty then <code>true</code> is always returnd. * * @param os The <code>Vector</code> of <code>String</code>s. containing the os names * @return <code>true</code> if the item is required for the os, otherwise returns * <code>false</code>. */ public boolean itemRequiredForOs(Vector<IXMLElement> os) { if (os.size() == 0) { return true; } for (int i = 0; i < os.size(); i++) { String family = (os.elementAt(i)).getAttribute(FAMILY); boolean match = false; if ("windows".equals(family)) { match = OsVersion.IS_WINDOWS; } else if ("mac".equals(family)) { match = OsVersion.IS_OSX; } else if ("unix".equals(family)) { match = OsVersion.IS_UNIX; } if (match) { return true; } } return false; } public static class Input { public Input(String strFieldType) { this.strFieldType = strFieldType; } public Input(String strVariableName, String strDefaultValue, List<Choice> listChoices, String strFieldType, String strFieldText, int iSelectedChoice) { this.strVariableName = strVariableName; this.strDefaultValue = strDefaultValue; this.listChoices = listChoices; this.strFieldType = strFieldType; this.strText = strFieldText; this.iSelectedChoice = iSelectedChoice; } String strVariableName; String strDefaultValue; List<Choice> listChoices; String strFieldType; String strText; int iSelectedChoice = -1; } public static class Choice { public Choice(String strText, String strValue, String strSet) { this.strText = strText; this.strValue = strValue; this.strSet = strSet; } String strText; String strValue; String strSet; } public static class Password extends Input { public Password(String strFieldType, Input[] input) { super(strFieldType); this.input = input; } Input[] input; } }
{ "content_hash": "f5982ba420f2d5c70df937d3656c0b87", "timestamp": "", "source": "github", "line_count": 1006, "max_line_length": 136, "avg_line_length": 33.639165009940356, "alnum_prop": 0.49942377589314735, "repo_name": "kanayo/izpack", "id": "ffd65e06e6744c7e9e9b13ee3df20fd766d94780", "size": "34567", "binary": false, "copies": "1", "ref": "refs/heads/lein-changes", "path": "src/lib/com/izforge/izpack/panels/UserInputPanelConsoleHelper.java", "mode": "33188", "license": "apache-2.0", "language": [ { "name": "C", "bytes": "28952" }, { "name": "C++", "bytes": "109617" }, { "name": "Java", "bytes": "2963221" }, { "name": "JavaScript", "bytes": "2239" }, { "name": "Python", "bytes": "16632" }, { "name": "Shell", "bytes": "19862" } ], "symlink_target": "" }
/*! * \file pdfio2.c * <pre> * * Lower-level operations for generating pdf. * * Intermediate function for single page, multi-image conversion * l_int32 pixConvertToPdfData() * * Intermediate function for generating multipage pdf output * l_int32 ptraConcatenatePdfToData() * * Low-level CID-based operations * * Without transcoding * l_int32 l_generateCIDataForPdf() * L_COMP_DATA *l_generateFlateDataPdf() * L_COMP_DATA *l_generateJpegData() * static L_COMP_DATA *l_generateJp2kData() * * With transcoding * l_int32 l_generateCIData() * static l_int32 pixGenerateCIData() * L_COMP_DATA *l_generateFlateData() * static L_COMP_DATA *pixGenerateFlateData() * static L_COMP_DATA *pixGenerateJpegData() * static L_COMP_DATA *pixGenerateG4Data() * L_COMP_DATA *l_generateG4Data() * * Other * l_int32 cidConvertToPdfData() * void l_CIDataDestroy() * * Helper functions for generating the output pdf string * static l_int32 l_generatePdf() * static void generateFixedStringsPdf() * static void generateMediaboxPdf() * static l_int32 generatePageStringPdf() * static l_int32 generateContentStringPdf() * static l_int32 generatePreXStringsPdf() * static l_int32 generateColormapStringsPdf() * static void generateTrailerPdf() * static l_int32 makeTrailerStringPdf() * static l_int32 generateOutputDataPdf() * * Helper functions for generating multipage pdf output * static l_int32 parseTrailerPdf() * static char *generatePagesObjStringPdf() * static L_BYTEA *substituteObjectNumbers() * * Create/destroy/access pdf data * static L_PDF_DATA *pdfdataCreate() * static void pdfdataDestroy() * static L_COMP_DATA *pdfdataGetCid() * * Set flags for special modes * void l_pdfSetG4ImageMask() * void l_pdfSetDateAndVersion() * </pre> */ #include <string.h> #include <math.h> #include "allheaders.h" /* --------------------------------------------*/ #if USE_PDFIO /* defined in environ.h */ /* --------------------------------------------*/ /* Typical scan resolution in ppi (pixels/inch) */ static const l_int32 DEFAULT_INPUT_RES = 300; /* Static helpers */ static L_COMP_DATA *l_generateJp2kData(const char *fname); static L_COMP_DATA *pixGenerateFlateData(PIX *pixs, l_int32 ascii85flag); static L_COMP_DATA *pixGenerateJpegData(PIX *pixs, l_int32 ascii85flag, l_int32 quality); static L_COMP_DATA *pixGenerateG4Data(PIX *pixs, l_int32 ascii85flag); static l_int32 l_generatePdf(l_uint8 **pdata, size_t *pnbytes, L_PDF_DATA *lpd); static void generateFixedStringsPdf(L_PDF_DATA *lpd); static void generateMediaboxPdf(L_PDF_DATA *lpd); static l_int32 generatePageStringPdf(L_PDF_DATA *lpd); static l_int32 generateContentStringPdf(L_PDF_DATA *lpd); static l_int32 generatePreXStringsPdf(L_PDF_DATA *lpd); static l_int32 generateColormapStringsPdf(L_PDF_DATA *lpd); static void generateTrailerPdf(L_PDF_DATA *lpd); static char *makeTrailerStringPdf(L_DNA *daloc); static l_int32 generateOutputDataPdf(l_uint8 **pdata, size_t *pnbytes, L_PDF_DATA *lpd); static l_int32 parseTrailerPdf(L_BYTEA *bas, L_DNA **pda); static char *generatePagesObjStringPdf(NUMA *napage); static L_BYTEA *substituteObjectNumbers(L_BYTEA *bas, NUMA *na_objs); static L_PDF_DATA *pdfdataCreate(const char *title); static void pdfdataDestroy(L_PDF_DATA **plpd); static L_COMP_DATA *pdfdataGetCid(L_PDF_DATA *lpd, l_int32 index); /* ---------------- Defaults for rendering options ----------------- */ /* Output G4 as writing through image mask; this is the default */ static l_int32 var_WRITE_G4_IMAGE_MASK = 1; /* Write date/time and lib version into pdf; this is the default */ static l_int32 var_WRITE_DATE_AND_VERSION = 1; #define L_SMALLBUF 256 #define L_BIGBUF 2048 /* must be able to hold hex colormap */ #ifndef NO_CONSOLE_IO #define DEBUG_MULTIPAGE 0 #endif /* ~NO_CONSOLE_IO */ /*---------------------------------------------------------------------* * Intermediate function for generating multipage pdf output * *---------------------------------------------------------------------*/ /*! * \brief pixConvertToPdfData() * * \param[in] pix all depths; cmap OK * \param[in] type L_G4_ENCODE, L_JPEG_ENCODE, L_FLATE_ENCODE * \param[in] quality used for JPEG only; 0 for default (75) * \param[out] pdata pdf array * \param[out] pnbytes number of bytes in pdf array * \param[in] x, y location of lower-left corner of image, in pixels, * relative to the PostScript origin (0,0) at * the lower-left corner of the page) * \param[in] res override the resolution of the input image, in ppi; * use 0 to respect the resolution embedded in the input * \param[in] title [optional] pdf title * \param[in,out] plpd ptr to lpd, which is created on the first invocation * and returned until last image is processed * \param[in] position in image sequence: L_FIRST_IMAGE, L_NEXT_IMAGE, * L_LAST_IMAGE * \return 0 if OK, 1 on error * * <pre> * Notes: * (1) If %res == 0 and the input resolution field is 0, * this will use DEFAULT_INPUT_RES. * (2) This only writes %data if it is the last image to be * written on the page. * (3) See comments in convertToPdf(). * </pre> */ l_int32 pixConvertToPdfData(PIX *pix, l_int32 type, l_int32 quality, l_uint8 **pdata, size_t *pnbytes, l_int32 x, l_int32 y, l_int32 res, const char *title, L_PDF_DATA **plpd, l_int32 position) { l_int32 pixres, w, h, ret; l_float32 xpt, ypt, wpt, hpt; L_COMP_DATA *cid = NULL; L_PDF_DATA *lpd = NULL; PROCNAME("pixConvertToPdfData"); if (!pdata) return ERROR_INT("&data not defined", procName, 1); *pdata = NULL; if (!pnbytes) return ERROR_INT("&nbytes not defined", procName, 1); *pnbytes = 0; if (!pix) return ERROR_INT("pix not defined", procName, 1); if (plpd) { /* part of multi-page invocation */ if (position == L_FIRST_IMAGE) *plpd = NULL; } /* Generate the compressed image data. It must NOT * be ascii85 encoded. */ pixGenerateCIData(pix, type, quality, 0, &cid); if (!cid) return ERROR_INT("cid not made", procName, 1); /* Get media box in pts. Guess the input image resolution * based on the input parameter %res, the resolution data in * the pix, and the size of the image. */ pixres = cid->res; w = cid->w; h = cid->h; if (res <= 0.0) { if (pixres > 0) res = pixres; else res = DEFAULT_INPUT_RES; } xpt = x * 72. / res; ypt = y * 72. / res; wpt = w * 72. / res; hpt = h * 72. / res; /* Set up lpd */ if (!plpd) { /* single image */ if ((lpd = pdfdataCreate(title)) == NULL) return ERROR_INT("lpd not made", procName, 1); } else if (position == L_FIRST_IMAGE) { /* first of multiple images */ if ((lpd = pdfdataCreate(title)) == NULL) return ERROR_INT("lpd not made", procName, 1); *plpd = lpd; } else { /* not the first of multiple images */ lpd = *plpd; } /* Add the data to the lpd */ ptraAdd(lpd->cida, cid); lpd->n++; ptaAddPt(lpd->xy, xpt, ypt); ptaAddPt(lpd->wh, wpt, hpt); /* If a single image or the last of multiple images, * generate the pdf and destroy the lpd */ if (!plpd || (position == L_LAST_IMAGE)) { ret = l_generatePdf(pdata, pnbytes, lpd); pdfdataDestroy(&lpd); if (plpd) *plpd = NULL; if (ret) return ERROR_INT("pdf output not made", procName, 1); } return 0; } /*---------------------------------------------------------------------* * Intermediate function for generating multipage pdf output * *---------------------------------------------------------------------*/ /*! * \brief ptraConcatenatePdfToData() * * \param[in] pa_data ptra array of pdf strings, each for a single-page pdf file * \param[in] sa string array [optional] of pathnames for input pdf files * \param[out] pdata concatenated pdf data in memory * \param[out] pnbytes number of bytes in pdf data * \return 0 if OK, 1 on error * * <pre> * Notes: * (1) This only works with leptonica-formatted single-page pdf files. * pdf files generated by other programs will have unpredictable * (and usually bad) results. The requirements for each pdf file: * (a) The Catalog and Info objects are the first two. * (b) Object 3 is Pages * (c) Object 4 is Page * (d) The remaining objects are Contents, XObjects, and ColorSpace * (2) We remove trailers from each page, and append the full trailer * for all pages at the end. * (3) For all but the first file, remove the ID and the first 3 * objects (catalog, info, pages), so that each subsequent * file has only objects of these classes: * Page, Contents, XObject, ColorSpace (Indexed RGB). * For those objects, we substitute these refs to objects * in the local file: * Page: Parent(object 3), Contents, XObject(typically multiple) * XObject: [ColorSpace if indexed] * The Pages object on the first page (object 3) has a Kids array * of references to all the Page objects, with a Count equal * to the number of pages. Each Page object refers back to * this parent. * </pre> */ l_int32 ptraConcatenatePdfToData(L_PTRA *pa_data, SARRAY *sa, l_uint8 **pdata, size_t *pnbytes) { char *fname, *str_pages, *str_trailer; l_uint8 *pdfdata, *data; l_int32 i, j, index, nobj, npages; l_int32 *sizes, *locs; size_t size; L_BYTEA *bas, *bad, *bat1, *bat2; L_DNA *da_locs, *da_sizes, *da_outlocs, *da; L_DNAA *daa_locs; /* object locations on each page */ NUMA *na_objs, *napage; NUMAA *naa_objs; /* object mapping numbers to new values */ PROCNAME("ptraConcatenatePdfToData"); if (!pdata) return ERROR_INT("&data not defined", procName, 1); *pdata = NULL; if (!pnbytes) return ERROR_INT("&nbytes not defined", procName, 1); *pnbytes = 0; if (!pa_data) return ERROR_INT("pa_data not defined", procName, 1); /* Parse the files and find the object locations. * Remove file data that cannot be parsed. */ ptraGetActualCount(pa_data, &npages); daa_locs = l_dnaaCreate(npages); for (i = 0; i < npages; i++) { bas = (L_BYTEA *)ptraGetPtrToItem(pa_data, i); if (parseTrailerPdf(bas, &da_locs) != 0) { bas = (L_BYTEA *)ptraRemove(pa_data, i, L_NO_COMPACTION); l_byteaDestroy(&bas); if (sa) { fname = sarrayGetString(sa, i, L_NOCOPY); L_ERROR("can't parse file %s; skipping\n", procName, fname); } else { L_ERROR("can't parse file %d; skipping\n", procName, i); } } else { l_dnaaAddDna(daa_locs, da_locs, L_INSERT); } } /* Recompute npages in case some of the files were not pdf */ ptraCompactArray(pa_data); ptraGetActualCount(pa_data, &npages); if (npages == 0) { l_dnaaDestroy(&daa_locs); return ERROR_INT("no parsable pdf files found", procName, 1); } /* Find the mapping from initial to final object numbers */ naa_objs = numaaCreate(npages); /* stores final object numbers */ napage = numaCreate(npages); /* stores "Page" object numbers */ index = 0; for (i = 0; i < npages; i++) { da = l_dnaaGetDna(daa_locs, i, L_CLONE); nobj = l_dnaGetCount(da); if (i == 0) { numaAddNumber(napage, 4); /* object 4 on first page */ na_objs = numaMakeSequence(0.0, 1.0, nobj - 1); index = nobj - 1; } else { /* skip the first 3 objects in each file */ numaAddNumber(napage, index); /* Page object is first we add */ na_objs = numaMakeConstant(0.0, nobj - 1); numaReplaceNumber(na_objs, 3, 3); /* refers to parent of all */ for (j = 4; j < nobj - 1; j++) numaSetValue(na_objs, j, index++); } numaaAddNuma(naa_objs, na_objs, L_INSERT); l_dnaDestroy(&da); } /* Make the Pages object (#3) */ str_pages = generatePagesObjStringPdf(napage); /* Build the output */ bad = l_byteaCreate(5000); da_outlocs = l_dnaCreate(0); /* locations of all output objects */ for (i = 0; i < npages; i++) { bas = (L_BYTEA *)ptraGetPtrToItem(pa_data, i); pdfdata = l_byteaGetData(bas, &size); da_locs = l_dnaaGetDna(daa_locs, i, L_CLONE); /* locs on this page */ na_objs = numaaGetNuma(naa_objs, i, L_CLONE); /* obj # on this page */ nobj = l_dnaGetCount(da_locs) - 1; da_sizes = l_dnaMakeDelta(da_locs); /* object sizes on this page */ sizes = l_dnaGetIArray(da_sizes); locs = l_dnaGetIArray(da_locs); if (i == 0) { l_byteaAppendData(bad, pdfdata, sizes[0]); l_byteaAppendData(bad, pdfdata + locs[1], sizes[1]); l_byteaAppendData(bad, pdfdata + locs[2], sizes[2]); l_byteaAppendString(bad, str_pages); for (j = 0; j < 4; j++) l_dnaAddNumber(da_outlocs, locs[j]); } for (j = 4; j < nobj; j++) { l_dnaAddNumber(da_outlocs, l_byteaGetSize(bad)); bat1 = l_byteaInitFromMem(pdfdata + locs[j], sizes[j]); bat2 = substituteObjectNumbers(bat1, na_objs); data = l_byteaGetData(bat2, &size); l_byteaAppendData(bad, data, size); l_byteaDestroy(&bat1); l_byteaDestroy(&bat2); } if (i == npages - 1) /* last one */ l_dnaAddNumber(da_outlocs, l_byteaGetSize(bad)); LEPT_FREE(sizes); LEPT_FREE(locs); l_dnaDestroy(&da_locs); numaDestroy(&na_objs); l_dnaDestroy(&da_sizes); } /* Add the trailer */ str_trailer = makeTrailerStringPdf(da_outlocs); l_byteaAppendString(bad, str_trailer); /* Transfer the output data */ *pdata = l_byteaCopyData(bad, pnbytes); l_byteaDestroy(&bad); #if DEBUG_MULTIPAGE fprintf(stderr, "******** object mapper **********"); numaaWriteStream(stderr, naa_objs); fprintf(stderr, "******** Page object numbers ***********"); numaWriteStream(stderr, napage); fprintf(stderr, "******** Pages object ***********\n"); fprintf(stderr, "%s\n", str_pages); #endif /* DEBUG_MULTIPAGE */ numaDestroy(&napage); numaaDestroy(&naa_objs); l_dnaDestroy(&da_outlocs); l_dnaaDestroy(&daa_locs); LEPT_FREE(str_pages); LEPT_FREE(str_trailer); return 0; } /*---------------------------------------------------------------------* * Low-level CID-based operations * *---------------------------------------------------------------------*/ /*! * \brief l_generateCIDataForPdf() * * \param[in] fname * \param[in] pix [optional]; can be null * \param[in] quality for jpeg if transcoded; 75 is standard * \param[out] pcid compressed data * \return 0 if OK, 1 on error * * <pre> * Notes: * (1) Given an image file and optionally a pix raster of that data, * this provides a CID that is compatible with PDF, preferably * without transcoding. * (2) The pix is included for efficiency, in case transcoding * is required and the pix is available to the caller. * </pre> */ l_int32 l_generateCIDataForPdf(const char *fname, PIX *pix, l_int32 quality, L_COMP_DATA **pcid) { l_int32 format, type; L_COMP_DATA *cid; PIX *pixt; PROCNAME("l_generateCIDataForPdf"); if (!pcid) return ERROR_INT("&cid not defined", procName, 1); *pcid = NULL; if (!fname) return ERROR_INT("fname not defined", procName, 1); findFileFormat(fname, &format); if (format == IFF_UNKNOWN) L_WARNING("file %s format is unknown\n", procName, fname); if (format == IFF_PS || format == IFF_LPDF) { L_ERROR("file %s is unsupported format %d\n", procName, fname, format); return 1; } if (format == IFF_JFIF_JPEG) { cid = l_generateJpegData(fname, 0); } else if (format == IFF_JP2) { cid = l_generateJp2kData(fname); } else if (format == IFF_PNG) { /* use Jeff's special function for png */ cid = l_generateFlateDataPdf(fname, pix); } else { /* any other format ... */ if (!pix) pixt = pixRead(fname); else pixt = pixClone(pix); if (!pixt) return ERROR_INT("pixt not made", procName, 1); selectDefaultPdfEncoding(pixt, &type); pixGenerateCIData(pixt, type, quality, 0, &cid); pixDestroy(&pixt); } if (!cid) { L_ERROR("file %s format is %d; unreadable\n", procName, fname, format); return 1; } *pcid = cid; return 0; } /*! * \brief l_generateFlateDataPdf() * * \param[in] fname preferably png * \param[in] pixs [optional]; can be null * \return cid containing png data, or NULL on error * * <pre> * Notes: * (1) If you hand this a png file, you are going to get * png predictors embedded in the flate data. So it has * come to this. http://xkcd.com/1022/ * (2) Exception: if the png is interlaced or if it is RGBA, * it will be transcoded. * (3) If transcoding is required, this will not have to read from * file if you also input a pix. * </pre> */ L_COMP_DATA * l_generateFlateDataPdf(const char *fname, PIX *pixs) { l_uint8 *pngcomp = NULL; /* entire PNG compressed file */ l_uint8 *datacomp = NULL; /* gzipped raster data */ l_uint8 *cmapdata = NULL; /* uncompressed colormap */ char *cmapdatahex = NULL; /* hex ascii uncompressed colormap */ l_uint32 i, j, n; l_int32 format, interlaced; l_int32 ncolors; /* in colormap */ l_int32 bps; /* bits/sample: usually 8 */ l_int32 spp; /* samples/pixel: 1-grayscale/cmap); 3-rgb; 4-rgba */ l_int32 w, h, cmapflag; l_int32 xres, yres; size_t nbytescomp = 0, nbytespng = 0; FILE *fp; L_COMP_DATA *cid; PIX *pix; PIXCMAP *cmap = NULL; PROCNAME("l_generateFlateDataPdf"); if (!fname) return (L_COMP_DATA *)ERROR_PTR("fname not defined", procName, NULL); findFileFormat(fname, &format); spp = 0; /* init to spp != 4 if not png */ interlaced = 0; /* initialize to no interlacing */ if (format == IFF_PNG) { isPngInterlaced(fname, &interlaced); readHeaderPng(fname, NULL, NULL, NULL, &spp, NULL); } /* PDF is capable of inlining some types of PNG files, but not all of them. We need to transcode anything with interlacing or an alpha channel. Be careful with spp. Any PNG image file with an alpha channel is converted on reading to RGBA (spp == 4). This includes the (gray + alpha) format with spp == 2. You will get different results if you look at spp via readHeaderPng() versus pixGetSpp() */ if (format != IFF_PNG || interlaced || spp == 4 || spp == 2) { if (!pixs) pix = pixRead(fname); else pix = pixClone(pixs); if (!pix) return (L_COMP_DATA *)ERROR_PTR("pix not made", procName, NULL); cid = pixGenerateFlateData(pix, 0); pixDestroy(&pix); return cid; } /* It's png. Generate the pdf data without transcoding. * Implementation by Jeff Breidenbach. * First, read the metadata */ if ((fp = fopenReadStream(fname)) == NULL) return (L_COMP_DATA *)ERROR_PTR("stream not opened", procName, NULL); freadHeaderPng(fp, &w, &h, &bps, &spp, &cmapflag); fgetPngResolution(fp, &xres, &yres); fclose(fp); /* We get pdf corruption when inlining the data from 16 bpp png. */ if (bps == 16) return l_generateFlateData(fname, 0); /* Read the entire png file */ if ((pngcomp = l_binaryRead(fname, &nbytespng)) == NULL) return (L_COMP_DATA *)ERROR_PTR("unable to read file", procName, NULL); /* Extract flate data, copying portions of it to memory, including * the predictor information in a byte at the beginning of each * raster line. The flate data makes up the vast majority of * the png file, so after extraction we expect datacomp to * be nearly full (i.e., nbytescomp will be only slightly less * than nbytespng). Also extract the colormap if present. */ if ((datacomp = (l_uint8 *)LEPT_CALLOC(1, nbytespng)) == NULL) return (L_COMP_DATA *)ERROR_PTR("unable to allocate memory", procName, NULL); /* Parse the png file. Each chunk consists of: * length: 4 bytes * name: 4 bytes (e.g., "IDAT") * data: n bytes * CRC: 4 bytes * Start at the beginning of the data section of the first chunk, * byte 16, because the png file begins with 8 bytes of header, * followed by the first 8 bytes of the first chunk * (length and name). On each loop, increment by 12 bytes to * skip over the CRC, length and name of the next chunk. */ for (i = 16; i < nbytespng; i += 12) { /* do each successive chunk */ /* Get the chunk length */ n = pngcomp[i - 8] << 24; n += pngcomp[i - 7] << 16; n += pngcomp[i - 6] << 8; n += pngcomp[i - 5] << 0; if (i + n >= nbytespng) { LEPT_FREE(pngcomp); LEPT_FREE(datacomp); pixcmapDestroy(&cmap); L_ERROR("invalid png: i = %d, n = %d, nbytes = %lu\n", procName, i, n, (unsigned long)nbytespng); return NULL; } /* Is it a data chunk? */ if (strncmp((const char *)(pngcomp + i - 4), "IDAT", 4) == 0) { memcpy(datacomp + nbytescomp, pngcomp + i, n); nbytescomp += n; } /* Is it a palette chunk? */ if (cmapflag && !cmap && strncmp((const char *)(pngcomp + i - 4), "PLTE", 4) == 0) { if ((n / 3) > (1 << bps)) { LEPT_FREE(pngcomp); LEPT_FREE(datacomp); pixcmapDestroy(&cmap); L_ERROR("invalid png: i = %d, n = %d, cmapsize = %d\n", procName, i, n, (1 << bps)); return NULL; } cmap = pixcmapCreate(bps); for (j = i; j < i + n; j += 3) { pixcmapAddColor(cmap, pngcomp[j], pngcomp[j + 1], pngcomp[j + 2]); } } i += n; /* move to the end of the data chunk */ } LEPT_FREE(pngcomp); if (nbytescomp == 0) { LEPT_FREE(datacomp); pixcmapDestroy(&cmap); return (L_COMP_DATA *)ERROR_PTR("invalid PNG file", procName, NULL); } /* Extract and encode the colormap data as hexascii */ ncolors = 0; if (cmap) { pixcmapSerializeToMemory(cmap, 3, &ncolors, &cmapdata); pixcmapDestroy(&cmap); if (!cmapdata) { LEPT_FREE(datacomp); return (L_COMP_DATA *)ERROR_PTR("cmapdata not made", procName, NULL); } cmapdatahex = pixcmapConvertToHex(cmapdata, ncolors); LEPT_FREE(cmapdata); } /* Note that this is the only situation where the predictor * field of the CID is set to 1. Adobe's predictor values on * p. 76 of pdf_reference_1-7.pdf give 1 for no predictor and * 10-14 for inline predictors, the specifics of which are * ignored by the pdf interpreter, which just needs to know that * the first byte on each compressed scanline is some predictor * whose type can be inferred from the byte itself. */ cid = (L_COMP_DATA *)LEPT_CALLOC(1, sizeof(L_COMP_DATA)); cid->datacomp = datacomp; cid->type = L_FLATE_ENCODE; cid->cmapdatahex = cmapdatahex; cid->nbytescomp = nbytescomp; cid->ncolors = ncolors; cid->predictor = TRUE; cid->w = w; cid->h = h; cid->bps = bps; cid->spp = spp; cid->res = xres; return cid; } /*! * \brief l_generateJpegData() * * \param[in] fname of jpeg file * \param[in] ascii85flag 0 for jpeg; 1 for ascii85-encoded jpeg * \return cid containing jpeg data, or NULL on error * * <pre> * Notes: * (1) Set ascii85flag: * ~ 0 for binary data (not permitted in PostScript) * ~ 1 for ascii85 (5 for 4) encoded binary data * (not permitted in pdf) * </pre> */ L_COMP_DATA * l_generateJpegData(const char *fname, l_int32 ascii85flag) { l_uint8 *datacomp = NULL; /* entire jpeg compressed file */ char *data85 = NULL; /* ascii85 encoded jpeg compressed file */ l_int32 w, h, xres, yres, bps, spp; l_int32 nbytes85; size_t nbytescomp; FILE *fp; L_COMP_DATA *cid; PROCNAME("l_generateJpegData"); if (!fname) return (L_COMP_DATA *)ERROR_PTR("fname not defined", procName, NULL); /* The returned jpeg data in memory is the entire jpeg file, * which starts with ffd8 and ends with ffd9 */ if ((datacomp = l_binaryRead(fname, &nbytescomp)) == NULL) return (L_COMP_DATA *)ERROR_PTR("datacomp not extracted", procName, NULL); /* Read the metadata */ if ((fp = fopenReadStream(fname)) == NULL) return (L_COMP_DATA *)ERROR_PTR("stream not opened", procName, NULL); freadHeaderJpeg(fp, &w, &h, &spp, NULL, NULL); bps = 8; fgetJpegResolution(fp, &xres, &yres); fclose(fp); /* Optionally, encode the compressed data */ if (ascii85flag == 1) { data85 = encodeAscii85(datacomp, nbytescomp, &nbytes85); LEPT_FREE(datacomp); if (!data85) return (L_COMP_DATA *)ERROR_PTR("data85 not made", procName, NULL); else data85[nbytes85 - 1] = '\0'; /* remove the newline */ } cid = (L_COMP_DATA *)LEPT_CALLOC(1, sizeof(L_COMP_DATA)); if (!cid) return (L_COMP_DATA *)ERROR_PTR("cid not made", procName, NULL); if (ascii85flag == 0) { cid->datacomp = datacomp; } else { /* ascii85 */ cid->data85 = data85; cid->nbytes85 = nbytes85; } cid->type = L_JPEG_ENCODE; cid->nbytescomp = nbytescomp; cid->w = w; cid->h = h; cid->bps = bps; cid->spp = spp; cid->res = xres; return cid; } /*! * \brief l_generateJp2kData() * * \param[in] fname of jp2k file * \return cid containing jp2k data, or NULL on error * * <pre> * Notes: * (1) This is only called after the file is verified to be jp2k. * </pre> */ static L_COMP_DATA * l_generateJp2kData(const char *fname) { l_int32 w, h, bps, spp; size_t nbytes; L_COMP_DATA *cid; PROCNAME("l_generateJp2kData"); if (!fname) return (L_COMP_DATA *)ERROR_PTR("fname not defined", procName, NULL); if ((cid = (L_COMP_DATA *)LEPT_CALLOC(1, sizeof(L_COMP_DATA))) == NULL) return (L_COMP_DATA *)ERROR_PTR("cid not made", procName, NULL); /* The returned jp2k data in memory is the entire jp2k file */ if ((cid->datacomp = l_binaryRead(fname, &nbytes)) == NULL) return (L_COMP_DATA *)ERROR_PTR("data not extracted", procName, NULL); readHeaderJp2k(fname, &w, &h, &bps, &spp); cid->type = L_JP2K_ENCODE; cid->nbytescomp = nbytes; cid->w = w; cid->h = h; cid->bps = bps; cid->spp = spp; cid->res = 0; /* don't know how to extract this */ return cid; } /*! * \brief l_generateCIData() * * \param[in] fname * \param[in] type L_G4_ENCODE, L_JPEG_ENCODE, L_FLATE_ENCODE, L_JP2K_ENCODE * \param[in] quality used for jpeg only; 0 for default (75) * \param[in] ascii85 0 for binary; 1 for ascii85-encoded * \param[out] pcid compressed data * \return 0 if OK, 1 on error * * <pre> * Notes: * (1) This can be used for both PostScript and pdf. * (1) Set ascii85: * ~ 0 for binary data (not permitted in PostScript) * ~ 1 for ascii85 (5 for 4) encoded binary data * (2) This attempts to compress according to the requested type. * If this can't be done, it falls back to ordinary flate encoding. * (3) This differs from l_generateCIDataPdf(), which determines * the format and attempts to generate the CID without transcoding. * </pre> */ l_int32 l_generateCIData(const char *fname, l_int32 type, l_int32 quality, l_int32 ascii85, L_COMP_DATA **pcid) { l_int32 format, d, bps, spp, iscmap; L_COMP_DATA *cid; PIX *pix; PROCNAME("l_generateCIData"); if (!pcid) return ERROR_INT("&cid not defined", procName, 1); *pcid = NULL; if (!fname) return ERROR_INT("fname not defined", procName, 1); if (type != L_G4_ENCODE && type != L_JPEG_ENCODE && type != L_FLATE_ENCODE && type != L_JP2K_ENCODE) return ERROR_INT("invalid conversion type", procName, 1); if (ascii85 != 0 && ascii85 != 1) return ERROR_INT("invalid ascii85", procName, 1); /* Sanity check on requested encoding */ pixReadHeader(fname, &format, NULL, NULL, &bps, &spp, &iscmap); d = bps * spp; if (d == 24) d = 32; if (iscmap && type != L_FLATE_ENCODE) { L_WARNING("pixs has cmap; using flate encoding\n", procName); type = L_FLATE_ENCODE; } else if (d < 8 && type == L_JPEG_ENCODE) { L_WARNING("pixs has < 8 bpp; using flate encoding\n", procName); type = L_FLATE_ENCODE; } else if (d < 8 && type == L_JP2K_ENCODE) { L_WARNING("pixs has < 8 bpp; using flate encoding\n", procName); type = L_FLATE_ENCODE; } else if (d > 1 && type == L_G4_ENCODE) { L_WARNING("pixs has > 1 bpp; using flate encoding\n", procName); type = L_FLATE_ENCODE; } if (type == L_JPEG_ENCODE) { if (format == IFF_JFIF_JPEG) { /* do not transcode */ cid = l_generateJpegData(fname, ascii85); } else { if ((pix = pixRead(fname)) == NULL) return ERROR_INT("pix not returned", procName, 1); cid = pixGenerateJpegData(pix, ascii85, quality); pixDestroy(&pix); } if (!cid) return ERROR_INT("jpeg data not made", procName, 1); } else if (type == L_JP2K_ENCODE) { if (format == IFF_JP2) { /* do not transcode */ cid = l_generateJp2kData(fname); } else { if ((pix = pixRead(fname)) == NULL) return ERROR_INT("pix not returned", procName, 1); cid = pixGenerateJpegData(pix, ascii85, quality); pixDestroy(&pix); } if (!cid) return ERROR_INT("jpeg data not made", procName, 1); } else if (type == L_G4_ENCODE) { if ((cid = l_generateG4Data(fname, ascii85)) == NULL) return ERROR_INT("g4 data not made", procName, 1); } else if (type == L_FLATE_ENCODE) { if ((cid = l_generateFlateData(fname, ascii85)) == NULL) return ERROR_INT("flate data not made", procName, 1); } else { return ERROR_INT("invalid conversion type", procName, 1); } *pcid = cid; return 0; } /*! * \brief pixGenerateCIData() * * \param[in] pixs 8 or 32 bpp, no colormap * \param[in] type L_G4_ENCODE, L_JPEG_ENCODE, L_FLATE_ENCODE * \param[in] quality used for jpeg only; 0 for default (75) * \param[in] ascii85 0 for binary; 1 for ascii85-encoded * \param[out] pcid compressed data * \return 0 if OK, 1 on error * * <pre> * Notes: * (1) Set ascii85: * ~ 0 for binary data (not permitted in PostScript) * ~ 1 for ascii85 (5 for 4) encoded binary data * </pre> */ l_int32 pixGenerateCIData(PIX *pixs, l_int32 type, l_int32 quality, l_int32 ascii85, L_COMP_DATA **pcid) { l_int32 d; PIXCMAP *cmap; PROCNAME("pixGenerateCIData"); if (!pcid) return ERROR_INT("&cid not defined", procName, 1); *pcid = NULL; if (!pixs) return ERROR_INT("pixs not defined", procName, 1); if (type != L_G4_ENCODE && type != L_JPEG_ENCODE && type != L_FLATE_ENCODE) return ERROR_INT("invalid conversion type", procName, 1); if (ascii85 != 0 && ascii85 != 1) return ERROR_INT("invalid ascii85", procName, 1); /* Sanity check on requested encoding */ d = pixGetDepth(pixs); cmap = pixGetColormap(pixs); if (cmap && type != L_FLATE_ENCODE) { L_WARNING("pixs has cmap; using flate encoding\n", procName); type = L_FLATE_ENCODE; } else if (d < 8 && type == L_JPEG_ENCODE) { L_WARNING("pixs has < 8 bpp; using flate encoding\n", procName); type = L_FLATE_ENCODE; } else if (d > 1 && type == L_G4_ENCODE) { L_WARNING("pixs has > 1 bpp; using flate encoding\n", procName); type = L_FLATE_ENCODE; } if (type == L_JPEG_ENCODE) { if ((*pcid = pixGenerateJpegData(pixs, ascii85, quality)) == NULL) return ERROR_INT("jpeg data not made", procName, 1); } else if (type == L_G4_ENCODE) { if ((*pcid = pixGenerateG4Data(pixs, ascii85)) == NULL) return ERROR_INT("g4 data not made", procName, 1); } else if (type == L_FLATE_ENCODE) { if ((*pcid = pixGenerateFlateData(pixs, ascii85)) == NULL) return ERROR_INT("flate data not made", procName, 1); } else { return ERROR_INT("invalid conversion type", procName, 1); } return 0; } /*! * \brief l_generateFlateData() * * \param[in] fname * \param[in] ascii85flag 0 for gzipped; 1 for ascii85-encoded gzipped * \return cid flate compressed image data, or NULL on error * * <pre> * Notes: * (1) The input image is converted to one of these 4 types: * ~ 1 bpp * ~ 8 bpp, no colormap * ~ 8 bpp, colormap * ~ 32 bpp rgb * (2) Set ascii85flag: * ~ 0 for binary data (not permitted in PostScript) * ~ 1 for ascii85 (5 for 4) encoded binary data * </pre> */ L_COMP_DATA * l_generateFlateData(const char *fname, l_int32 ascii85flag) { L_COMP_DATA *cid; PIX *pixs; PROCNAME("l_generateFlateData"); if (!fname) return (L_COMP_DATA *)ERROR_PTR("fname not defined", procName, NULL); if ((pixs = pixRead(fname)) == NULL) return (L_COMP_DATA *)ERROR_PTR("pixs not made", procName, NULL); cid = pixGenerateFlateData(pixs, ascii85flag); pixDestroy(&pixs); return cid; } /*! * \brief pixGenerateFlateData() * * \param[in] pixs * \param[in] ascii85flag 0 for gzipped; 1 for ascii85-encoded gzipped * \return cid flate compressed image data, or NULL on error * * Notes: * 1) This should not be called with an RGBA pix (spp == 4; it * will ignore the alpha channel. Likewise, if called with a * colormapped pix, the alpha component in the colormap will * be ignored as it is for all leptonica operations * on colormapped pix. */ static L_COMP_DATA * pixGenerateFlateData(PIX *pixs, l_int32 ascii85flag) { l_uint8 *data = NULL; /* uncompressed raster data in required format */ l_uint8 *datacomp = NULL; /* gzipped raster data */ char *data85 = NULL; /* ascii85 encoded gzipped raster data */ l_uint8 *cmapdata = NULL; /* uncompressed colormap */ char *cmapdata85 = NULL; /* ascii85 encoded uncompressed colormap */ char *cmapdatahex = NULL; /* hex ascii uncompressed colormap */ l_int32 ncolors; /* in colormap; not used if cmapdata85 is null */ l_int32 bps; /* bits/sample: usually 8 */ l_int32 spp; /* samples/pixel: 1-grayscale/cmap); 3-rgb */ l_int32 w, h, d, cmapflag; l_int32 ncmapbytes85 = 0; l_int32 nbytes85 = 0; size_t nbytes, nbytescomp; L_COMP_DATA *cid; PIX *pixt; PIXCMAP *cmap; PROCNAME("pixGenerateFlateData"); if (!pixs) return (L_COMP_DATA *)ERROR_PTR("pixs not defined", procName, NULL); /* Convert the image to one of these 4 types: * 1 bpp * 8 bpp, no colormap * 8 bpp, colormap * 32 bpp rgb */ pixGetDimensions(pixs, &w, &h, &d); cmap = pixGetColormap(pixs); cmapflag = (cmap) ? 1 : 0; if (d == 2 || d == 4 || d == 16) { pixt = pixConvertTo8(pixs, cmapflag); cmap = pixGetColormap(pixt); d = pixGetDepth(pixt); } else { pixt = pixClone(pixs); } spp = (d == 32) ? 3 : 1; /* ignores alpha */ bps = (d == 32) ? 8 : d; /* Extract and encode the colormap data as both ascii85 and hexascii */ ncolors = 0; if (cmap) { pixcmapSerializeToMemory(cmap, 3, &ncolors, &cmapdata); if (!cmapdata) return (L_COMP_DATA *)ERROR_PTR("cmapdata not made", procName, NULL); cmapdata85 = encodeAscii85(cmapdata, 3 * ncolors, &ncmapbytes85); cmapdatahex = pixcmapConvertToHex(cmapdata, ncolors); LEPT_FREE(cmapdata); } /* Extract and compress the raster data */ pixGetRasterData(pixt, &data, &nbytes); pixDestroy(&pixt); datacomp = zlibCompress(data, nbytes, &nbytescomp); if (!datacomp) { if (cmapdata85) LEPT_FREE(cmapdata85); if (cmapdatahex) LEPT_FREE(cmapdatahex); return (L_COMP_DATA *)ERROR_PTR("datacomp not made", procName, NULL); } LEPT_FREE(data); /* Optionally, encode the compressed data */ if (ascii85flag == 1) { data85 = encodeAscii85(datacomp, nbytescomp, &nbytes85); LEPT_FREE(datacomp); if (!data85) { LEPT_FREE(cmapdata85); return (L_COMP_DATA *)ERROR_PTR("data85 not made", procName, NULL); } else { data85[nbytes85 - 1] = '\0'; /* remove the newline */ } } cid = (L_COMP_DATA *)LEPT_CALLOC(1, sizeof(L_COMP_DATA)); if (!cid) return (L_COMP_DATA *)ERROR_PTR("cid not made", procName, NULL); if (ascii85flag == 0) { cid->datacomp = datacomp; } else { /* ascii85 */ cid->data85 = data85; cid->nbytes85 = nbytes85; } cid->type = L_FLATE_ENCODE; cid->cmapdatahex = cmapdatahex; cid->cmapdata85 = cmapdata85; cid->nbytescomp = nbytescomp; cid->ncolors = ncolors; cid->w = w; cid->h = h; cid->bps = bps; cid->spp = spp; cid->res = pixGetXRes(pixs); cid->nbytes = nbytes; /* only for debugging */ return cid; } /*! * \brief pixGenerateJpegData() * * \param[in] pixs 8 or 32 bpp, no colormap * \param[in] ascii85flag 0 for jpeg; 1 for ascii85-encoded jpeg * \param[in] quality 0 for default, which is 75 * \return cid jpeg compressed data, or NULL on error * * <pre> * Notes: * (1) Set ascii85flag: * ~ 0 for binary data (not permitted in PostScript) * ~ 1 for ascii85 (5 for 4) encoded binary data * </pre> */ static L_COMP_DATA * pixGenerateJpegData(PIX *pixs, l_int32 ascii85flag, l_int32 quality) { l_int32 d; char *fname; L_COMP_DATA *cid; PROCNAME("pixGenerateJpegData"); if (!pixs) return (L_COMP_DATA *)ERROR_PTR("pixs not defined", procName, NULL); if (pixGetColormap(pixs)) return (L_COMP_DATA *)ERROR_PTR("pixs has colormap", procName, NULL); d = pixGetDepth(pixs); if (d != 8 && d != 32) return (L_COMP_DATA *)ERROR_PTR("pixs not 8 or 32 bpp", procName, NULL); /* Compress to a temp jpeg file */ lept_mkdir("lept"); fname = genTempFilename("/tmp/lept", "temp.jpg", 1, 1); pixWriteJpeg(fname, pixs, quality, 0); cid = l_generateJpegData(fname, ascii85flag); lept_rmfile(fname); lept_free(fname); return cid; } /*! * \brief pixGenerateG4Data() * * \param[in] pixs 1 bpp * \param[in] ascii85flag 0 for gzipped; 1 for ascii85-encoded gzipped * \return cid g4 compressed image data, or NULL on error * * <pre> * Notes: * (1) Set ascii85flag: * ~ 0 for binary data (not permitted in PostScript) * ~ 1 for ascii85 (5 for 4) encoded binary data * </pre> */ static L_COMP_DATA * pixGenerateG4Data(PIX *pixs, l_int32 ascii85flag) { char *tname; L_COMP_DATA *cid; PROCNAME("pixGenerateG4Data"); if (!pixs) return (L_COMP_DATA *)ERROR_PTR("pixs not defined", procName, NULL); if (pixGetDepth(pixs) != 1) return (L_COMP_DATA *)ERROR_PTR("pixs not 1 bpp", procName, NULL); /* Compress to a temp tiff g4 file */ lept_mkdir("lept"); tname = genTempFilename("/tmp/lept", "temp.tif", 1, 1); pixWrite(tname, pixs, IFF_TIFF_G4); cid = l_generateG4Data(tname, ascii85flag); lept_rmfile(tname); lept_free(tname); return cid; } /*! * \brief l_generateG4Data() * * \param[in] fname of g4 compressed file * \param[in] ascii85flag 0 for g4 compressed; 1 for ascii85-encoded g4 * \return cid g4 compressed image data, or NULL on error * * <pre> * Notes: * (1) Set ascii85flag: * ~ 0 for binary data (not permitted in PostScript) * ~ 1 for ascii85 (5 for 4) encoded binary data * (not permitted in pdf) * </pre> */ L_COMP_DATA * l_generateG4Data(const char *fname, l_int32 ascii85flag) { l_uint8 *datacomp = NULL; /* g4 compressed raster data */ char *data85 = NULL; /* ascii85 encoded g4 compressed data */ l_int32 w, h, xres, yres; l_int32 minisblack; /* TRUE or FALSE */ l_int32 nbytes85; size_t nbytescomp; L_COMP_DATA *cid; FILE *fp; PROCNAME("l_generateG4Data"); if (!fname) return (L_COMP_DATA *)ERROR_PTR("fname not defined", procName, NULL); /* The returned ccitt g4 data in memory is the block of * bytes in the tiff file, starting after 8 bytes and * ending before the directory. */ if (extractG4DataFromFile(fname, &datacomp, &nbytescomp, &w, &h, &minisblack)) { return (L_COMP_DATA *)ERROR_PTR("datacomp not extracted", procName, NULL); } /* Read the resolution */ if ((fp = fopenReadStream(fname)) == NULL) return (L_COMP_DATA *)ERROR_PTR("stream not opened", procName, NULL); getTiffResolution(fp, &xres, &yres); fclose(fp); /* Optionally, encode the compressed data */ if (ascii85flag == 1) { data85 = encodeAscii85(datacomp, nbytescomp, &nbytes85); LEPT_FREE(datacomp); if (!data85) return (L_COMP_DATA *)ERROR_PTR("data85 not made", procName, NULL); else data85[nbytes85 - 1] = '\0'; /* remove the newline */ } cid = (L_COMP_DATA *)LEPT_CALLOC(1, sizeof(L_COMP_DATA)); if (!cid) return (L_COMP_DATA *)ERROR_PTR("cid not made", procName, NULL); if (ascii85flag == 0) { cid->datacomp = datacomp; } else { /* ascii85 */ cid->data85 = data85; cid->nbytes85 = nbytes85; } cid->type = L_G4_ENCODE; cid->nbytescomp = nbytescomp; cid->w = w; cid->h = h; cid->bps = 1; cid->spp = 1; cid->minisblack = minisblack; cid->res = xres; return cid; } /*! * \brief cidConvertToPdfData() * * \param[in] cid compressed image data -- of jp2k image * \param[in] title [optional] pdf title; can be NULL * \param[out] pdata output pdf data for image * \param[out] pnbytes size of output pdf data * \return 0 if OK, 1 on error * * <pre> * Notes: * (1) Caller must not destroy the cid. It is absorbed in the * lpd and destroyed by this function. * </pre> */ l_int32 cidConvertToPdfData(L_COMP_DATA *cid, const char *title, l_uint8 **pdata, size_t *pnbytes) { l_int32 res, ret; l_float32 wpt, hpt; L_PDF_DATA *lpd = NULL; PROCNAME("cidConvertToPdfData"); if (!pdata || !pnbytes) return ERROR_INT("&data and &nbytes not both defined", procName, 1); *pdata = NULL; *pnbytes = 0; if (!cid) return ERROR_INT("cid not defined", procName, 1); /* Get media box parameters, in pts */ res = cid->res; if (res <= 0) res = DEFAULT_INPUT_RES; wpt = cid->w * 72. / res; hpt = cid->h * 72. / res; /* Set up the pdf data struct (lpd) */ if ((lpd = pdfdataCreate(title)) == NULL) return ERROR_INT("lpd not made", procName, 1); ptraAdd(lpd->cida, cid); lpd->n++; ptaAddPt(lpd->xy, 0, 0); /* xpt = ypt = 0 */ ptaAddPt(lpd->wh, wpt, hpt); /* Generate the pdf string and destroy the lpd */ ret = l_generatePdf(pdata, pnbytes, lpd); pdfdataDestroy(&lpd); if (ret) return ERROR_INT("pdf output not made", procName, 1); return 0; } /*! * \brief l_CIDataDestroy() * * \param[in,out] pcid will be set to null before returning * \return void */ void l_CIDataDestroy(L_COMP_DATA **pcid) { L_COMP_DATA *cid; PROCNAME("l_CIDataDestroy"); if (pcid == NULL) { L_WARNING("ptr address is null!\n", procName); return; } if ((cid = *pcid) == NULL) return; if (cid->datacomp) LEPT_FREE(cid->datacomp); if (cid->data85) LEPT_FREE(cid->data85); if (cid->cmapdata85) LEPT_FREE(cid->cmapdata85); if (cid->cmapdatahex) LEPT_FREE(cid->cmapdatahex); LEPT_FREE(cid); *pcid = NULL; return; } /*---------------------------------------------------------------------* * Helper functions for generating the output pdf string * *---------------------------------------------------------------------*/ /*! * \brief l_generatePdf() * * \param[out] pdata pdf array * \param[out] pnbytes number of bytes in pdf array * \param[in] lpd all the required input image data * \return 0 if OK, 1 on error * * <pre> * Notes: * (1) On error, no data is returned. * (2) The objects are: * 1: Catalog * 2: Info * 3: Pages * 4: Page * 5: Contents (rendering command) * 6 to 6+n-1: n XObjects * 6+n to 6+n+m-1: m colormaps * </pre> */ static l_int32 l_generatePdf(l_uint8 **pdata, size_t *pnbytes, L_PDF_DATA *lpd) { PROCNAME("l_generatePdf"); if (!pdata) return ERROR_INT("&data not defined", procName, 1); *pdata = NULL; if (!pnbytes) return ERROR_INT("&nbytes not defined", procName, 1); *pnbytes = 0; if (!lpd) return ERROR_INT("lpd not defined", procName, 1); generateFixedStringsPdf(lpd); generateMediaboxPdf(lpd); generatePageStringPdf(lpd); generateContentStringPdf(lpd); generatePreXStringsPdf(lpd); generateColormapStringsPdf(lpd); generateTrailerPdf(lpd); return generateOutputDataPdf(pdata, pnbytes, lpd); } static void generateFixedStringsPdf(L_PDF_DATA *lpd) { char buf[L_SMALLBUF]; char *version, *datestr; SARRAY *sa; /* Accumulate data for the header and objects 1-3 */ lpd->id = stringNew("%PDF-1.5\n"); l_dnaAddNumber(lpd->objsize, strlen(lpd->id)); lpd->obj1 = stringNew("1 0 obj\n" "<<\n" "/Type /Catalog\n" "/Pages 3 0 R\n" ">>\n" "endobj\n"); l_dnaAddNumber(lpd->objsize, strlen(lpd->obj1)); sa = sarrayCreate(0); sarrayAddString(sa, (char *)"2 0 obj\n" "<<\n", L_COPY); if (var_WRITE_DATE_AND_VERSION) { datestr = l_getFormattedDate(); snprintf(buf, sizeof(buf), "/CreationDate (D:%s)\n", datestr); sarrayAddString(sa, (char *)buf, L_COPY); LEPT_FREE(datestr); version = getLeptonicaVersion(); snprintf(buf, sizeof(buf), "/Producer (leptonica: %s)\n", version); LEPT_FREE(version); } else { snprintf(buf, sizeof(buf), "/Producer (leptonica)\n"); } sarrayAddString(sa, (char *)buf, L_COPY); if (lpd->title) { snprintf(buf, sizeof(buf), "/Title (%s)\n", lpd->title); sarrayAddString(sa, (char *)buf, L_COPY); } sarrayAddString(sa, (char *)">>\n" "endobj\n", L_COPY); lpd->obj2 = sarrayToString(sa, 0); l_dnaAddNumber(lpd->objsize, strlen(lpd->obj2)); sarrayDestroy(&sa); lpd->obj3 = stringNew("3 0 obj\n" "<<\n" "/Type /Pages\n" "/Kids [ 4 0 R ]\n" "/Count 1\n" ">>\n"); l_dnaAddNumber(lpd->objsize, strlen(lpd->obj3)); /* Do the post-datastream string */ lpd->poststream = stringNew("\n" "endstream\n" "endobj\n"); return; } static void generateMediaboxPdf(L_PDF_DATA *lpd) { l_int32 i; l_float32 xpt, ypt, wpt, hpt, maxx, maxy; /* First get the full extent of all the images. * This is the mediabox, in pts. */ maxx = maxy = 0; for (i = 0; i < lpd->n; i++) { ptaGetPt(lpd->xy, i, &xpt, &ypt); ptaGetPt(lpd->wh, i, &wpt, &hpt); maxx = L_MAX(maxx, xpt + wpt); maxy = L_MAX(maxy, ypt + hpt); } lpd->mediabox = boxCreate(0, 0, (l_int32)(maxx + 0.5), (l_int32)(maxy + 0.5)); /* ypt is in standard image coordinates: the location of * the UL image corner with respect to the UL media box corner. * Rewrite each ypt for PostScript coordinates: the location of * the LL image corner with respect to the LL media box corner. */ for (i = 0; i < lpd->n; i++) { ptaGetPt(lpd->xy, i, &xpt, &ypt); ptaGetPt(lpd->wh, i, &wpt, &hpt); ptaSetPt(lpd->xy, i, xpt, maxy - ypt - hpt); } return; } static l_int32 generatePageStringPdf(L_PDF_DATA *lpd) { char *buf; char *xstr; l_int32 bufsize, i, wpt, hpt; SARRAY *sa; PROCNAME("generatePageStringPdf"); /* Allocate 1000 bytes for the boilerplate text, and * 50 bytes for each reference to an image in the * ProcSet array. */ bufsize = 1000 + 50 * lpd->n; if ((buf = (char *)LEPT_CALLOC(bufsize, sizeof(char))) == NULL) return ERROR_INT("calloc fail for buf", procName, 1); boxGetGeometry(lpd->mediabox, NULL, NULL, &wpt, &hpt); sa = sarrayCreate(lpd->n); for (i = 0; i < lpd->n; i++) { snprintf(buf, bufsize, "/Im%d %d 0 R ", i + 1, 6 + i); sarrayAddString(sa, buf, L_COPY); } if ((xstr = sarrayToString(sa, 0)) == NULL) return ERROR_INT("xstr not found", procName, 1); sarrayDestroy(&sa); snprintf(buf, bufsize, "4 0 obj\n" "<<\n" "/Type /Page\n" "/Parent 3 0 R\n" "/MediaBox [%d %d %d %d]\n" "/Contents 5 0 R\n" "/Resources\n" "<<\n" "/XObject << %s >>\n" "/ProcSet [ /ImageB /ImageI /ImageC ]\n" ">>\n" ">>\n" "endobj\n", 0, 0, wpt, hpt, xstr); lpd->obj4 = stringNew(buf); l_dnaAddNumber(lpd->objsize, strlen(lpd->obj4)); sarrayDestroy(&sa); LEPT_FREE(buf); LEPT_FREE(xstr); return 0; } static l_int32 generateContentStringPdf(L_PDF_DATA *lpd) { char *buf; char *cstr; l_int32 i, bufsize; l_float32 xpt, ypt, wpt, hpt; SARRAY *sa; PROCNAME("generateContentStringPdf"); bufsize = 1000 + 200 * lpd->n; if ((buf = (char *)LEPT_CALLOC(bufsize, sizeof(char))) == NULL) return ERROR_INT("calloc fail for buf", procName, 1); sa = sarrayCreate(lpd->n); for (i = 0; i < lpd->n; i++) { ptaGetPt(lpd->xy, i, &xpt, &ypt); ptaGetPt(lpd->wh, i, &wpt, &hpt); snprintf(buf, bufsize, "q %.4f %.4f %.4f %.4f %.4f %.4f cm /Im%d Do Q\n", wpt, 0.0, 0.0, hpt, xpt, ypt, i + 1); sarrayAddString(sa, buf, L_COPY); } if ((cstr = sarrayToString(sa, 0)) == NULL) return ERROR_INT("cstr not found", procName, 1); sarrayDestroy(&sa); snprintf(buf, bufsize, "5 0 obj\n" "<< /Length %d >>\n" "stream\n" "%s" "endstream\n" "endobj\n", (l_int32)strlen(cstr), cstr); lpd->obj5 = stringNew(buf); l_dnaAddNumber(lpd->objsize, strlen(lpd->obj5)); sarrayDestroy(&sa); LEPT_FREE(buf); LEPT_FREE(cstr); return 0; } static l_int32 generatePreXStringsPdf(L_PDF_DATA *lpd) { char buff[256]; char buf[L_BIGBUF]; char *cstr, *bstr, *fstr, *pstr, *xstr; l_int32 i, cmindex; L_COMP_DATA *cid; SARRAY *sa; PROCNAME("generatePreXStringsPdf"); sa = lpd->saprex; cmindex = 6 + lpd->n; /* starting value */ for (i = 0; i < lpd->n; i++) { pstr = cstr = NULL; if ((cid = pdfdataGetCid(lpd, i)) == NULL) return ERROR_INT("cid not found", procName, 1); if (cid->type == L_G4_ENCODE) { if (var_WRITE_G4_IMAGE_MASK) { cstr = stringNew("/ImageMask true\n" "/ColorSpace /DeviceGray"); } else { cstr = stringNew("/ColorSpace /DeviceGray"); } bstr = stringNew("/BitsPerComponent 1\n" "/Interpolate true"); snprintf(buff, sizeof(buff), "/Filter /CCITTFaxDecode\n" "/DecodeParms\n" "<<\n" "/K -1\n" "/Columns %d\n" ">>", cid->w); fstr = stringNew(buff); } else if (cid->type == L_JPEG_ENCODE) { if (cid->spp == 1) cstr = stringNew("/ColorSpace /DeviceGray"); else if (cid->spp == 3) cstr = stringNew("/ColorSpace /DeviceRGB"); else L_ERROR("in jpeg: spp != 1 && spp != 3\n", procName); bstr = stringNew("/BitsPerComponent 8"); fstr = stringNew("/Filter /DCTDecode"); } else if (cid->type == L_JP2K_ENCODE) { if (cid->spp == 1) cstr = stringNew("/ColorSpace /DeviceGray"); else if (cid->spp == 3) cstr = stringNew("/ColorSpace /DeviceRGB"); else L_ERROR("in jp2k: spp != 1 && spp != 3\n", procName); bstr = stringNew("/BitsPerComponent 8"); fstr = stringNew("/Filter /JPXDecode"); } else { /* type == L_FLATE_ENCODE */ if (cid->ncolors > 0) { /* cmapped */ snprintf(buff, sizeof(buff), "/ColorSpace %d 0 R", cmindex++); cstr = stringNew(buff); } else { if (cid->spp == 1 && cid->bps == 1) cstr = stringNew("/ColorSpace /DeviceGray\n" "/Decode [1 0]"); else if (cid->spp == 1) /* 8 bpp */ cstr = stringNew("/ColorSpace /DeviceGray"); else if (cid->spp == 3) cstr = stringNew("/ColorSpace /DeviceRGB"); else L_ERROR("unknown colorspace: spp = %d\n", procName, cid->spp); } snprintf(buff, sizeof(buff), "/BitsPerComponent %d", cid->bps); bstr = stringNew(buff); fstr = stringNew("/Filter /FlateDecode"); if (cid->predictor == TRUE) { snprintf(buff, sizeof(buff), "/DecodeParms\n" "<<\n" " /Columns %d\n" " /Predictor 14\n" " /Colors %d\n" " /BitsPerComponent %d\n" ">>\n", cid->w, cid->spp, cid->bps); pstr = stringNew(buff); } } if (!pstr) /* no decode parameters */ pstr = stringNew(""); snprintf(buf, sizeof(buf), "%d 0 obj\n" "<<\n" "/Length %lu\n" "/Subtype /Image\n" "%s\n" /* colorspace */ "/Width %d\n" "/Height %d\n" "%s\n" /* bits/component */ "%s\n" /* filter */ "%s" /* decode parms; can be empty */ ">>\n" "stream\n", 6 + i, (unsigned long)cid->nbytescomp, cstr, cid->w, cid->h, bstr, fstr, pstr); xstr = stringNew(buf); sarrayAddString(sa, xstr, L_INSERT); l_dnaAddNumber(lpd->objsize, strlen(xstr) + cid->nbytescomp + strlen(lpd->poststream)); LEPT_FREE(cstr); LEPT_FREE(bstr); LEPT_FREE(fstr); LEPT_FREE(pstr); } return 0; } static l_int32 generateColormapStringsPdf(L_PDF_DATA *lpd) { char buf[L_BIGBUF]; char *cmstr; l_int32 i, cmindex, ncmap; L_COMP_DATA *cid; SARRAY *sa; PROCNAME("generateColormapStringsPdf"); /* In our canonical format, we have 5 objects, followed * by n XObjects, followed by m colormaps, so the index of * the first colormap object is 6 + n. */ sa = lpd->sacmap; cmindex = 6 + lpd->n; /* starting value */ ncmap = 0; for (i = 0; i < lpd->n; i++) { if ((cid = pdfdataGetCid(lpd, i)) == NULL) return ERROR_INT("cid not found", procName, 1); if (cid->ncolors == 0) continue; ncmap++; snprintf(buf, sizeof(buf), "%d 0 obj\n" "[ /Indexed /DeviceRGB\n" "%d\n" "%s\n" "]\n" "endobj\n", cmindex, cid->ncolors - 1, cid->cmapdatahex); cmindex++; cmstr = stringNew(buf); l_dnaAddNumber(lpd->objsize, strlen(cmstr)); sarrayAddString(sa, cmstr, L_INSERT); } lpd->ncmap = ncmap; return 0; } static void generateTrailerPdf(L_PDF_DATA *lpd) { l_int32 i, n, size, linestart; L_DNA *daloc, *dasize; /* Let nobj be the number of numbered objects. These numbered * objects are indexed by their pdf number in arrays naloc[] * and nasize[]. The 0th object is the 9 byte header. Then * the number of objects in nasize, which includes the header, * is n = nobj + 1. The array naloc[] has n + 1 elements, * because it includes as the last element the starting * location of xref. The indexing of these objects, their * starting locations and sizes are: * * Object number Starting location Size * ------------- ----------------- -------------- * 0 daloc[0] = 0 dasize[0] = 9 * 1 daloc[1] = 9 dasize[1] = 49 * n daloc[n] dasize[n] * xref daloc[n+1] * * We first generate daloc. */ dasize = lpd->objsize; daloc = lpd->objloc; linestart = 0; l_dnaAddNumber(daloc, linestart); /* header */ n = l_dnaGetCount(dasize); for (i = 0; i < n; i++) { l_dnaGetIValue(dasize, i, &size); linestart += size; l_dnaAddNumber(daloc, linestart); } l_dnaGetIValue(daloc, n, &lpd->xrefloc); /* save it */ /* Now make the actual trailer string */ lpd->trailer = makeTrailerStringPdf(daloc); } static char * makeTrailerStringPdf(L_DNA *daloc) { char *outstr; char buf[L_BIGBUF]; l_int32 i, n, linestart, xrefloc; SARRAY *sa; PROCNAME("makeTrailerStringPdf"); if (!daloc) return (char *)ERROR_PTR("daloc not defined", procName, NULL); n = l_dnaGetCount(daloc) - 1; /* numbered objects + 1 (yes, +1) */ sa = sarrayCreate(0); snprintf(buf, sizeof(buf), "xref\n" "0 %d\n" "0000000000 65535 f \n", n); sarrayAddString(sa, (char *)buf, L_COPY); for (i = 1; i < n; i++) { l_dnaGetIValue(daloc, i, &linestart); snprintf(buf, sizeof(buf), "%010d 00000 n \n", linestart); sarrayAddString(sa, (char *)buf, L_COPY); } l_dnaGetIValue(daloc, n, &xrefloc); snprintf(buf, sizeof(buf), "trailer\n" "<<\n" "/Size %d\n" "/Root 1 0 R\n" "/Info 2 0 R\n" ">>\n" "startxref\n" "%d\n" "%%%%EOF\n", n, xrefloc); sarrayAddString(sa, (char *)buf, L_COPY); outstr = sarrayToString(sa, 0); sarrayDestroy(&sa); return outstr; } /*! * \brief generateOutputDataPdf() * * \param[out] pdata pdf data array * \param[out] pnbytes size of pdf data array * \param[in] lpd input data used to make pdf * \return 0 if OK, 1 on error * * <pre> * Notes: * (1) Only called from l_generatePdf(). On error, no data is returned. * </pre> */ static l_int32 generateOutputDataPdf(l_uint8 **pdata, size_t *pnbytes, L_PDF_DATA *lpd) { char *str; l_uint8 *data; l_int32 nimages, i, len; l_int32 *sizes, *locs; size_t nbytes; L_COMP_DATA *cid; PROCNAME("generateOutputDataPdf"); if (!pdata) return ERROR_INT("&data not defined", procName, 1); *pdata = NULL; if (!pnbytes) return ERROR_INT("&nbytes not defined", procName, 1); nbytes = lpd->xrefloc + strlen(lpd->trailer); *pnbytes = nbytes; if ((data = (l_uint8 *)LEPT_CALLOC(nbytes, sizeof(l_uint8))) == NULL) return ERROR_INT("calloc fail for data", procName, 1); *pdata = data; sizes = l_dnaGetIArray(lpd->objsize); locs = l_dnaGetIArray(lpd->objloc); memcpy((char *)data, lpd->id, sizes[0]); memcpy((char *)(data + locs[1]), lpd->obj1, sizes[1]); memcpy((char *)(data + locs[2]), lpd->obj2, sizes[2]); memcpy((char *)(data + locs[3]), lpd->obj3, sizes[3]); memcpy((char *)(data + locs[4]), lpd->obj4, sizes[4]); memcpy((char *)(data + locs[5]), lpd->obj5, sizes[5]); /* Each image has 3 parts: variable preamble, the compressed * data stream, and the fixed poststream. */ nimages = lpd->n; for (i = 0; i < nimages; i++) { if ((cid = pdfdataGetCid(lpd, i)) == NULL) /* this should not happen */ return ERROR_INT("cid not found", procName, 1); str = sarrayGetString(lpd->saprex, i, L_NOCOPY); len = strlen(str); memcpy((char *)(data + locs[6 + i]), str, len); memcpy((char *)(data + locs[6 + i] + len), (char *)cid->datacomp, cid->nbytescomp); memcpy((char *)(data + locs[6 + i] + len + cid->nbytescomp), lpd->poststream, strlen(lpd->poststream)); } /* Each colormap is simply a stored string */ for (i = 0; i < lpd->ncmap; i++) { str = sarrayGetString(lpd->sacmap, i, L_NOCOPY); memcpy((char *)(data + locs[6 + nimages + i]), str, strlen(str)); } /* And finally the trailer */ memcpy((char *)(data + lpd->xrefloc), lpd->trailer, strlen(lpd->trailer)); LEPT_FREE(sizes); LEPT_FREE(locs); return 0; } /*---------------------------------------------------------------------* * Helper functions for generating multipage pdf output * *---------------------------------------------------------------------*/ /*! * \brief parseTrailerPdf() * * \param[in] bas lba of a pdf file * \param[out] pda byte locations of the beginning of each object * \return 0 if OK, 1 on error */ static l_int32 parseTrailerPdf(L_BYTEA *bas, L_DNA **pda) { char *str; l_uint8 nl = '\n'; l_uint8 *data; l_int32 i, j, start, startloc, xrefloc, found, loc, nobj, objno, trailer_ok; size_t size; L_DNA *da, *daobj, *daxref; SARRAY *sa; PROCNAME("parseTrailerPdf"); if (!pda) return ERROR_INT("&da not defined", procName, 1); *pda = NULL; if (!bas) return ERROR_INT("bas not defined", procName, 1); data = l_byteaGetData(bas, &size); if (strncmp((char *)data, "%PDF-1.", 7) != 0) return ERROR_INT("PDF header signature not found", procName, 1); /* Search for "startxref" starting 50 bytes from the EOF */ start = 0; if (size > 50) start = size - 50; arrayFindSequence(data + start, size - start, (l_uint8 *)"startxref\n", 10, &loc, &found); if (!found) return ERROR_INT("startxref not found!", procName, 1); if (sscanf((char *)(data + start + loc + 10), "%d\n", &xrefloc) != 1) return ERROR_INT("xrefloc not found!", procName, 1); if (xrefloc < 0 || xrefloc >= size) return ERROR_INT("invalid xrefloc!", procName, 1); sa = sarrayCreateLinesFromString((char *)(data + xrefloc), 0); str = sarrayGetString(sa, 1, L_NOCOPY); if ((sscanf(str, "0 %d", &nobj)) != 1) return ERROR_INT("nobj not found", procName, 1); /* Get starting locations. The numa index is the * object number. loc[0] is the ID; loc[nobj + 1] is xrefloc. */ da = l_dnaCreate(nobj + 1); *pda = da; for (i = 0; i < nobj; i++) { str = sarrayGetString(sa, i + 2, L_NOCOPY); sscanf(str, "%d", &startloc); l_dnaAddNumber(da, startloc); } l_dnaAddNumber(da, xrefloc); #if DEBUG_MULTIPAGE fprintf(stderr, "************** Trailer string ************\n"); fprintf(stderr, "xrefloc = %d", xrefloc); sarrayWriteStream(stderr, sa); fprintf(stderr, "************** Object locations ************"); l_dnaWriteStream(stderr, da); #endif /* DEBUG_MULTIPAGE */ sarrayDestroy(&sa); /* Verify correct parsing */ trailer_ok = TRUE; for (i = 1; i < nobj; i++) { l_dnaGetIValue(da, i, &startloc); if ((sscanf((char *)(data + startloc), "%d 0 obj", &objno)) != 1) { L_ERROR("bad trailer for object %d\n", procName, i); trailer_ok = FALSE; break; } } /* If the trailer is broken, reconstruct the correct obj locations */ if (!trailer_ok) { L_INFO("rebuilding pdf trailer\n", procName); l_dnaEmpty(da); l_dnaAddNumber(da, 0); l_byteaFindEachSequence(bas, (l_uint8 *)" 0 obj\n", 7, &daobj); nobj = l_dnaGetCount(daobj); for (i = 0; i < nobj; i++) { l_dnaGetIValue(daobj, i, &loc); for (j = loc - 1; j > 0; j--) { if (data[j] == nl) break; } l_dnaAddNumber(da, j + 1); } l_byteaFindEachSequence(bas, (l_uint8 *)"xref", 4, &daxref); l_dnaGetIValue(daxref, 0, &loc); l_dnaAddNumber(da, loc); l_dnaDestroy(&daobj); l_dnaDestroy(&daxref); } return 0; } static char * generatePagesObjStringPdf(NUMA *napage) { char *str; char *buf; l_int32 i, n, index, bufsize; SARRAY *sa; PROCNAME("generatePagesObjStringPdf"); if (!napage) return (char *)ERROR_PTR("napage not defined", procName, NULL); n = numaGetCount(napage); bufsize = 100 + 16 * n; /* large enough to hold the output string */ buf = (char *)LEPT_CALLOC(bufsize, sizeof(char)); sa = sarrayCreate(n); for (i = 0; i < n; i++) { numaGetIValue(napage, i, &index); snprintf(buf, bufsize, " %d 0 R ", index); sarrayAddString(sa, buf, L_COPY); } str = sarrayToString(sa, 0); snprintf(buf, bufsize - 1, "3 0 obj\n" "<<\n" "/Type /Pages\n" "/Kids [%s]\n" "/Count %d\n" ">>\n", str, n); sarrayDestroy(&sa); LEPT_FREE(str); return buf; } /*! * \brief substituteObjectNumbers() * * Input: bas (lba of a pdf object) * na_objs (object number mapping array) * Return: bad (lba of rewritten pdf for the object) * * Notes: * (1) Interpret the first set of bytes as the object number, * map to the new number, and write it out. * (2) Find all occurrences of this 4-byte sequence: " 0 R" * (3) Find the location and value of the integer preceding this, * and map it to the new value. * (4) Rewrite the object with new object numbers. */ static L_BYTEA * substituteObjectNumbers(L_BYTEA *bas, NUMA *na_objs) { l_uint8 space = ' '; l_uint8 *datas; l_uint8 buf[32]; /* only needs to hold one integer in ascii format */ l_int32 start, nrepl, i, j, objin, objout, found; l_int32 *objs, *matches; size_t size; L_BYTEA *bad; L_DNA *da_match; datas = l_byteaGetData(bas, &size); bad = l_byteaCreate(100); objs = numaGetIArray(na_objs); /* object number mapper */ /* Substitute the object number on the first line */ sscanf((char *)datas, "%d", &objin); objout = objs[objin]; snprintf((char *)buf, 32, "%d", objout); l_byteaAppendString(bad, (char *)buf); /* Find the set of matching locations for object references */ arrayFindSequence(datas, size, &space, 1, &start, &found); da_match = arrayFindEachSequence(datas, size, (l_uint8 *)" 0 R", 4); if (!da_match) { l_byteaAppendData(bad, datas + start, size - start); LEPT_FREE(objs); return bad; } /* Substitute all the object reference numbers */ nrepl = l_dnaGetCount(da_match); matches = l_dnaGetIArray(da_match); for (i = 0; i < nrepl; i++) { /* Find the first space before the object number */ for (j = matches[i] - 1; j > 0; j--) { if (datas[j] == space) break; } /* Copy bytes from 'start' up to the object number */ l_byteaAppendData(bad, datas + start, j - start + 1); sscanf((char *)(datas + j + 1), "%d", &objin); objout = objs[objin]; snprintf((char *)buf, 32, "%d", objout); l_byteaAppendString(bad, (char *)buf); start = matches[i]; } l_byteaAppendData(bad, datas + start, size - start); LEPT_FREE(objs); LEPT_FREE(matches); l_dnaDestroy(&da_match); return bad; } /*---------------------------------------------------------------------* * Create/destroy/access pdf data * *---------------------------------------------------------------------*/ static L_PDF_DATA * pdfdataCreate(const char *title) { L_PDF_DATA *lpd; lpd = (L_PDF_DATA *)LEPT_CALLOC(1, sizeof(L_PDF_DATA)); if (title) lpd->title = stringNew(title); lpd->cida = ptraCreate(10); lpd->xy = ptaCreate(10); lpd->wh = ptaCreate(10); lpd->saprex = sarrayCreate(10); lpd->sacmap = sarrayCreate(10); lpd->objsize = l_dnaCreate(20); lpd->objloc = l_dnaCreate(20); return lpd; } static void pdfdataDestroy(L_PDF_DATA **plpd) { l_int32 i; L_COMP_DATA *cid; L_PDF_DATA *lpd; PROCNAME("pdfdataDestroy"); if (plpd== NULL) { L_WARNING("ptr address is null!\n", procName); return; } if ((lpd = *plpd) == NULL) return; if (lpd->title) LEPT_FREE(lpd->title); for (i = 0; i < lpd->n; i++) { cid = (L_COMP_DATA *)ptraRemove(lpd->cida, i, L_NO_COMPACTION); l_CIDataDestroy(&cid); } ptraDestroy(&lpd->cida, 0, 0); if (lpd->id) LEPT_FREE(lpd->id); if (lpd->obj1) LEPT_FREE(lpd->obj1); if (lpd->obj2) LEPT_FREE(lpd->obj2); if (lpd->obj3) LEPT_FREE(lpd->obj3); if (lpd->obj4) LEPT_FREE(lpd->obj4); if (lpd->obj5) LEPT_FREE(lpd->obj5); if (lpd->poststream) LEPT_FREE(lpd->poststream); if (lpd->trailer) LEPT_FREE(lpd->trailer); if (lpd->xy) ptaDestroy(&lpd->xy); if (lpd->wh) ptaDestroy(&lpd->wh); if (lpd->mediabox) boxDestroy(&lpd->mediabox); if (lpd->saprex) sarrayDestroy(&lpd->saprex); if (lpd->sacmap) sarrayDestroy(&lpd->sacmap); if (lpd->objsize) l_dnaDestroy(&lpd->objsize); if (lpd->objloc) l_dnaDestroy(&lpd->objloc); LEPT_FREE(lpd); *plpd = NULL; return; } static L_COMP_DATA * pdfdataGetCid(L_PDF_DATA *lpd, l_int32 index) { PROCNAME("pdfdataGetCid"); if (!lpd) return (L_COMP_DATA *)ERROR_PTR("lpd not defined", procName, NULL); if (index < 0 || index >= lpd->n) return (L_COMP_DATA *)ERROR_PTR("invalid image index", procName, NULL); return (L_COMP_DATA *)ptraGetPtrToItem(lpd->cida, index); } /*---------------------------------------------------------------------* * Set flags for special modes * *---------------------------------------------------------------------*/ /*! * \brief l_pdfSetG4ImageMask() * * \param[in] flag 1 for writing g4 data as fg only through a mask; * 0 for writing fg and bg * \return void * * <pre> * Notes: * (1) The default is for writing only the fg (through the mask). * That way when you write a 1 bpp image, the bg is transparent, * so any previously written image remains visible behind it. * </pre> */ void l_pdfSetG4ImageMask(l_int32 flag) { var_WRITE_G4_IMAGE_MASK = flag; } /*! * \brief l_pdfSetDateAndVersion() * * \param[in] flag 1 for writing date/time and leptonica version; * 0 for omitting this from the metadata * \return void * * <pre> * Notes: * (1) The default is for writing this data. For regression tests * that compare output against golden files, it is useful to omit. * </pre> */ void l_pdfSetDateAndVersion(l_int32 flag) { var_WRITE_DATE_AND_VERSION = flag; } /* --------------------------------------------*/ #endif /* USE_PDFIO */ /* --------------------------------------------*/
{ "content_hash": "c14316b43a66b3bfd7be823e165d1c12", "timestamp": "", "source": "github", "line_count": 2292, "max_line_length": 83, "avg_line_length": 33.75087260034904, "alnum_prop": 0.5329188050208772, "repo_name": "animecomico/leptonica", "id": "831bad54b1226dae534da3327cc90a6b6cef9d6b", "size": "78871", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "src/pdfio2.c", "mode": "33188", "license": "bsd-2-clause", "language": [ { "name": "Assembly", "bytes": "56735" }, { "name": "Batchfile", "bytes": "174" }, { "name": "C", "bytes": "14632625" }, { "name": "C++", "bytes": "8468" }, { "name": "CMake", "bytes": "28095" }, { "name": "DIGITAL Command Language", "bytes": "901" }, { "name": "Groff", "bytes": "3323" }, { "name": "HTML", "bytes": "68600" }, { "name": "M4", "bytes": "5603" }, { "name": "Makefile", "bytes": "15735" }, { "name": "Perl", "bytes": "3895" }, { "name": "PostScript", "bytes": "3630" }, { "name": "Python", "bytes": "2195" }, { "name": "Shell", "bytes": "15687" } ], "symlink_target": "" }
package graphics; import java.awt.*; import java.awt.event.ComponentAdapter; import java.awt.event.ComponentEvent; import java.awt.event.MouseAdapter; import java.awt.event.MouseEvent; import java.util.LinkedList; import java.util.ListIterator; import javax.swing.JPanel; import javax.swing.event.MouseInputAdapter; import logic.PhysicsObject; import logic.Universe; public class UniverseView extends JPanel { private LinkedList<Integer> gridX = new LinkedList<Integer>(); private ListIterator<Integer> gridXIter = gridX.listIterator(); private LinkedList<Integer> gridY = new LinkedList<Integer>(); private ListIterator<Integer> gridYIter = gridY.listIterator(); private int startX = -1; private int endX = 0; private int startY = -1; private int endY = 0; private int pixelsPerMeter = 100; private Point origin = new Point(350, 167); public UniverseView() { setBackground(Color.WHITE); // add resize listener to update size of components this.addComponentListener(new ComponentAdapter() { public void componentResized(ComponentEvent e) { // update origin origin = new Point(getWidth()/2, getHeight()/2); // create grid for(int x = -getWidth()/2/pixelsPerMeter; x <= getWidth()/2/pixelsPerMeter+1; x++) { gridXIter.add(getWidth()/2 + x*pixelsPerMeter); } for(int y = -getHeight()/2/pixelsPerMeter; y <= getHeight()/2/pixelsPerMeter+1; y++) { gridYIter.add(getHeight()/2 + y*pixelsPerMeter); } repaint(); } }); //add mouse listener this.addMouseListener(new MouseAdapter() { public void mousePressed(MouseEvent e) { // store location where mouse pressed startX = e.getX(); startY = e.getY(); System.out.println("pressed"); } public void mouseReleased(MouseEvent e) { startX = -1; startY = -1; } }); this.addMouseMotionListener(new MouseAdapter() { public void mouseDragged(MouseEvent e) { //if(startX == -1 && startY == -1) //return; // store location where mouse released endX = e.getX(); endY = e.getY(); // update origin origin.x += endX - startX; origin.y += endY - startY; // move grid lines according to delta mouse location gridXIter = gridX.listIterator(); while(gridXIter.hasNext()) { Integer i = gridXIter.next(); int newX = i + endX - startX; if(newX > getWidth()) newX -= getWidth()/pixelsPerMeter*pixelsPerMeter; else if(newX < 0) newX += getWidth()/pixelsPerMeter*pixelsPerMeter; gridXIter.set(newX); } gridYIter = gridY.listIterator(); while(gridYIter.hasNext()) { Integer i = gridYIter.next(); int newY = i + endY - startY; if(newY > getHeight()) newY -= getHeight()/pixelsPerMeter*pixelsPerMeter; else if(newY < 0) newY += getHeight()/pixelsPerMeter*pixelsPerMeter; gridYIter.set(newY); } startX = endX; startY = endY; repaint(); } }); } public void paint(Graphics g) { // clear field super.paint(g); // draw grid lines g.setColor(Color.DARK_GRAY); gridXIter = gridX.listIterator(); while(gridXIter.hasNext()) { int x = gridXIter.next(); g.drawLine(x, 0, x, getHeight()); } gridYIter = gridY.listIterator(); while(gridYIter.hasNext()) { int y = gridYIter.next(); g.drawLine(0, y, getWidth(), y); } // draw objects ListIterator<PhysicsObject> iter = Universe.allObjects.listIterator(); while(iter.hasNext()) { PhysicsObject obj = iter.next(); int x = (int)(obj.getX()*pixelsPerMeter + origin.x); int y = (int)(obj.getY()*pixelsPerMeter + origin.y); g.fillOval(x-5, y-5, 10, 10); // TODO update for non-point objects } } }
{ "content_hash": "b2c49c3db049b9cc1e9f061c5de0423c", "timestamp": "", "source": "github", "line_count": 130, "max_line_length": 90, "avg_line_length": 29.523076923076925, "alnum_prop": 0.6354872329338197, "repo_name": "firejake308/fizix-engine", "id": "efb09fe8f7d6c4179e48a991b40dd08f972035ba", "size": "3838", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "PhysicsEngine/src/graphics/UniverseView.java", "mode": "33188", "license": "apache-2.0", "language": [ { "name": "Java", "bytes": "16629" } ], "symlink_target": "" }
TOP=`pwd` CND_PLATFORM=GNU-Linux-x86 CND_CONF=Release CND_DISTDIR=dist CND_BUILDDIR=build NBTMPDIR=${CND_BUILDDIR}/${CND_CONF}/${CND_PLATFORM}/tmp-packaging TMPDIRNAME=tmp-packaging OUTPUT_PATH=${CND_DISTDIR}/${CND_CONF}/${CND_PLATFORM}/hugefilesorter OUTPUT_BASENAME=hugefilesorter PACKAGE_TOP_DIR=hugefilesorter/ # Functions function checkReturnCode { rc=$? if [ $rc != 0 ] then exit $rc fi } function makeDirectory # $1 directory path # $2 permission (optional) { mkdir -p "$1" checkReturnCode if [ "$2" != "" ] then chmod $2 "$1" checkReturnCode fi } function copyFileToTmpDir # $1 from-file path # $2 to-file path # $3 permission { cp "$1" "$2" checkReturnCode if [ "$3" != "" ] then chmod $3 "$2" checkReturnCode fi } # Setup cd "${TOP}" mkdir -p ${CND_DISTDIR}/${CND_CONF}/${CND_PLATFORM}/package rm -rf ${NBTMPDIR} mkdir -p ${NBTMPDIR} # Copy files and create directories and links cd "${TOP}" makeDirectory "${NBTMPDIR}/hugefilesorter/bin" copyFileToTmpDir "${OUTPUT_PATH}" "${NBTMPDIR}/${PACKAGE_TOP_DIR}bin/${OUTPUT_BASENAME}" 0755 # Generate tar file cd "${TOP}" rm -f ${CND_DISTDIR}/${CND_CONF}/${CND_PLATFORM}/package/hugefilesorter.tar cd ${NBTMPDIR} tar -vcf ../../../../${CND_DISTDIR}/${CND_CONF}/${CND_PLATFORM}/package/hugefilesorter.tar * checkReturnCode # Cleanup cd "${TOP}" rm -rf ${NBTMPDIR}
{ "content_hash": "43365110aff318dd60f72ef9568d808a", "timestamp": "", "source": "github", "line_count": 68, "max_line_length": 93, "avg_line_length": 20.794117647058822, "alnum_prop": 0.6534653465346535, "repo_name": "hanv89/hugefilesorter", "id": "d4035e31702bc5fdd9becec5f539f774d6699a99", "size": "1471", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "HugeFileSorter/nbproject/Package-Release.bash", "mode": "33188", "license": "apache-2.0", "language": [ { "name": "C++", "bytes": "12931" }, { "name": "Shell", "bytes": "2972" } ], "symlink_target": "" }
var html=require("./html.js"); console.log(html({ md:process.argv[2] ,template:process.argv[3] }));
{ "content_hash": "5361b8841ed2ae8b3e07ee774860f0e9", "timestamp": "", "source": "github", "line_count": 6, "max_line_length": 30, "avg_line_length": 17.5, "alnum_prop": 0.6476190476190476, "repo_name": "ansuz/unmon", "id": "7d98fd5b2442d4dea7bba2bedb351c274efda75f", "size": "105", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "lib/html/static.js", "mode": "33188", "license": "mit", "language": [ { "name": "CSS", "bytes": "22352" }, { "name": "HTML", "bytes": "2770" }, { "name": "JavaScript", "bytes": "93937" } ], "symlink_target": "" }
// Generated by the protocol buffer compiler. DO NOT EDIT! // source: google/ads/googleads/v12/services/customer_label_service.proto package com.google.ads.googleads.v12.services; public interface MutateCustomerLabelsResponseOrBuilder extends // @@protoc_insertion_point(interface_extends:google.ads.googleads.v12.services.MutateCustomerLabelsResponse) com.google.protobuf.MessageOrBuilder { /** * <pre> * Errors that pertain to operation failures in the partial failure mode. * Returned only when partial_failure = true and all errors occur inside the * operations. If any errors occur outside the operations (for example, auth * errors), we return an RPC level error. * </pre> * * <code>.google.rpc.Status partial_failure_error = 3;</code> * @return Whether the partialFailureError field is set. */ boolean hasPartialFailureError(); /** * <pre> * Errors that pertain to operation failures in the partial failure mode. * Returned only when partial_failure = true and all errors occur inside the * operations. If any errors occur outside the operations (for example, auth * errors), we return an RPC level error. * </pre> * * <code>.google.rpc.Status partial_failure_error = 3;</code> * @return The partialFailureError. */ com.google.rpc.Status getPartialFailureError(); /** * <pre> * Errors that pertain to operation failures in the partial failure mode. * Returned only when partial_failure = true and all errors occur inside the * operations. If any errors occur outside the operations (for example, auth * errors), we return an RPC level error. * </pre> * * <code>.google.rpc.Status partial_failure_error = 3;</code> */ com.google.rpc.StatusOrBuilder getPartialFailureErrorOrBuilder(); /** * <pre> * All results for the mutate. * </pre> * * <code>repeated .google.ads.googleads.v12.services.MutateCustomerLabelResult results = 2;</code> */ java.util.List<com.google.ads.googleads.v12.services.MutateCustomerLabelResult> getResultsList(); /** * <pre> * All results for the mutate. * </pre> * * <code>repeated .google.ads.googleads.v12.services.MutateCustomerLabelResult results = 2;</code> */ com.google.ads.googleads.v12.services.MutateCustomerLabelResult getResults(int index); /** * <pre> * All results for the mutate. * </pre> * * <code>repeated .google.ads.googleads.v12.services.MutateCustomerLabelResult results = 2;</code> */ int getResultsCount(); /** * <pre> * All results for the mutate. * </pre> * * <code>repeated .google.ads.googleads.v12.services.MutateCustomerLabelResult results = 2;</code> */ java.util.List<? extends com.google.ads.googleads.v12.services.MutateCustomerLabelResultOrBuilder> getResultsOrBuilderList(); /** * <pre> * All results for the mutate. * </pre> * * <code>repeated .google.ads.googleads.v12.services.MutateCustomerLabelResult results = 2;</code> */ com.google.ads.googleads.v12.services.MutateCustomerLabelResultOrBuilder getResultsOrBuilder( int index); }
{ "content_hash": "e767c60a623b81de358227bfc9a4fb74", "timestamp": "", "source": "github", "line_count": 89, "max_line_length": 113, "avg_line_length": 35.325842696629216, "alnum_prop": 0.7019720101781171, "repo_name": "googleads/google-ads-java", "id": "eba3aee68422321970994d3d89863c575e43f56d", "size": "3144", "binary": false, "copies": "1", "ref": "refs/heads/main", "path": "google-ads-stubs-v12/src/main/java/com/google/ads/googleads/v12/services/MutateCustomerLabelsResponseOrBuilder.java", "mode": "33188", "license": "apache-2.0", "language": [ { "name": "Java", "bytes": "28701198" } ], "symlink_target": "" }
<!DOCTYPE html> <script src=../../../../resources/testharness.js></script> <script src=../../../../resources/testharnessreport.js></script> <script> // http:// resources are considered cross-origin from the current file://. const IMAGE_URL = "http://localhost:8080/security/resources/abe.png"; const VIDEO_URL = "http://localhost:8080/imported/wpt/media/white.webm"; // Returns a Promise that is resolve()d if detect() is rejected. Needs an input // |element| (e.g. an HTMLImageElement or HTMLVideoElement) and a |url| to load. function detectFaceOnElementAndExpectError(element, url) { return new Promise(function(resolve, reject) { var tryFaceDetection = function() { var faceDetector = new FaceDetector(); faceDetector.detect(element) .then(faceDetectionResult => { reject("Promise should have been rejected."); }) .catch(error => { resolve(error); }); }; element.onload = tryFaceDetection; element.onerror = tryFaceDetection; element.src = url; }); } function detectFaceOnImageBitmapAndExpectError(imageUrl) { return new Promise(function(resolve, reject) { var image = new Image(); image.onload = function() { createImageBitmap(image) .then(imageBitmap => { var faceDetector = new FaceDetector(); return faceDetector.detect(imageBitmap); }) .then(faceDetectionResult => { reject("Promise should have been rejected."); }) .catch(error => { resolve(error); }); }; image.onerror = () => {}; // Explicitly ignore expected error events. image.src = imageUrl; }); } // Verifies that FaceDetector rejects a cross-origin HTMLImageElement. promise_test(function(t) { var image = new Image(); return detectFaceOnElementAndExpectError(image, IMAGE_URL) .then(error => { assert_equals(error.name, "SecurityError"); }); }, "FaceDetector should reject cross-origin HTMLImageElements with a SecurityError."); // Verifies that FaceDetector rejects a cross-origin ImageBitmap. promise_test(function(t) { return detectFaceOnImageBitmapAndExpectError(IMAGE_URL) .then(error => { assert_equals(error.name, "SecurityError"); }); }, "FaceDetector should reject cross-origin ImageBitmaps with a SecurityError."); // Verifies that FaceDetector rejects a cross-origin HTMLVideoElement. promise_test(function(t) { var video = document.createElement('video'); return detectFaceOnElementAndExpectError(video, VIDEO_URL) .then(error => { assert_equals(error.name, "SecurityError"); }); }, "FaceDetector should reject cross-origin HTMLImageElements with a SecurityError."); </script>
{ "content_hash": "2fbe04fcdbb7534ace49a2c61e8131bd", "timestamp": "", "source": "github", "line_count": 80, "max_line_length": 83, "avg_line_length": 34.675, "alnum_prop": 0.665465032444124, "repo_name": "Samsung/ChromiumGStreamerBackend", "id": "d54c4fe56841be8f4553d2d72d26b6829e10b4a6", "size": "2774", "binary": false, "copies": "3", "ref": "refs/heads/master", "path": "third_party/WebKit/LayoutTests/http/tests/shapedetection/shapedetection-cross-origin.html", "mode": "33188", "license": "bsd-3-clause", "language": [], "symlink_target": "" }
<?xml version="1.0" ?><!DOCTYPE TS><TS language="uk" version="2.0"> <defaultcodec>UTF-8</defaultcodec> <context> <name>AboutDialog</name> <message> <location filename="../forms/aboutdialog.ui" line="+14"/> <source>About Execoin</source> <translation>Про Execoin</translation> </message> <message> <location line="+39"/> <source>&lt;b&gt;Execoin&lt;/b&gt; version</source> <translation>Версія &lt;b&gt;Execoin&apos;a&lt;b&gt;</translation> </message> <message> <location line="+57"/> <source> This is experimental software. Distributed under the MIT/X11 software license, see the accompanying file COPYING or http://www.opensource.org/licenses/mit-license.php. This product includes software developed by the OpenSSL Project for use in the OpenSSL Toolkit (http://www.openssl.org/) and cryptographic software written by Eric Young ([email protected]) and UPnP software written by Thomas Bernard.</source> <translation> Це програмне забезпечення є експериментальним. Поширюється за ліцензією MIT/X11, додаткова інформація міститься у файлі COPYING, а також за адресою http://www.opensource.org/licenses/mit-license.php. Цей продукт включає в себе програмне забезпечення, розроблене в рамках проекту OpenSSL (http://www.openssl.org/), криптографічне програмне забезпечення, написане Еріком Янгом ([email protected]), та функції для роботи з UPnP, написані Томасом Бернардом.</translation> </message> <message> <location filename="../aboutdialog.cpp" line="+14"/> <source>Copyright</source> <translation>Авторське право</translation> </message> <message> <location line="+0"/> <source>The Execoin developers</source> <translation type="unfinished"/> </message> </context> <context> <name>AddressBookPage</name> <message> <location filename="../forms/addressbookpage.ui" line="+14"/> <source>Address Book</source> <translation>Адресна книга</translation> </message> <message> <location line="+19"/> <source>Double-click to edit address or label</source> <translation>Двічі клікніть на адресу чи назву для їх зміни</translation> </message> <message> <location line="+27"/> <source>Create a new address</source> <translation>Створити нову адресу</translation> </message> <message> <location line="+14"/> <source>Copy the currently selected address to the system clipboard</source> <translation>Копіювати виділену адресу в буфер обміну</translation> </message> <message> <location line="-11"/> <source>&amp;New Address</source> <translation>&amp;Створити адресу</translation> </message> <message> <location filename="../addressbookpage.cpp" line="+63"/> <source>These are your Execoin addresses for receiving payments. You may want to give a different one to each sender so you can keep track of who is paying you.</source> <translation>Це ваші адреси для отримання платежів. Ви можете давати різні адреси різним людям, таким чином маючи можливість відслідкувати хто конкретно і скільки вам заплатив.</translation> </message> <message> <location filename="../forms/addressbookpage.ui" line="+14"/> <source>&amp;Copy Address</source> <translation>&amp;Скопіювати адресу</translation> </message> <message> <location line="+11"/> <source>Show &amp;QR Code</source> <translation>Показати QR-&amp;Код</translation> </message> <message> <location line="+11"/> <source>Sign a message to prove you own a Execoin address</source> <translation>Підпишіть повідомлення щоб довести, що ви є власником цієї адреси</translation> </message> <message> <location line="+3"/> <source>Sign &amp;Message</source> <translation>&amp;Підписати повідомлення</translation> </message> <message> <location line="+25"/> <source>Delete the currently selected address from the list</source> <translation>Вилучити вибрані адреси з переліку</translation> </message> <message> <location line="+27"/> <source>Export the data in the current tab to a file</source> <translation>Експортувати дані з поточної вкладки в файл</translation> </message> <message> <location line="+3"/> <source>&amp;Export</source> <translation type="unfinished"/> </message> <message> <location line="-44"/> <source>Verify a message to ensure it was signed with a specified Execoin address</source> <translation>Перевірте повідомлення для впевненості, що воно підписано вказаною Execoin-адресою</translation> </message> <message> <location line="+3"/> <source>&amp;Verify Message</source> <translation>Перевірити повідомлення</translation> </message> <message> <location line="+14"/> <source>&amp;Delete</source> <translation>&amp;Видалити</translation> </message> <message> <location filename="../addressbookpage.cpp" line="-5"/> <source>These are your Execoin addresses for sending payments. Always check the amount and the receiving address before sending coins.</source> <translation type="unfinished"/> </message> <message> <location line="+13"/> <source>Copy &amp;Label</source> <translation>Скопіювати &amp;мітку</translation> </message> <message> <location line="+1"/> <source>&amp;Edit</source> <translation>&amp;Редагувати</translation> </message> <message> <location line="+1"/> <source>Send &amp;Coins</source> <translation type="unfinished"/> </message> <message> <location line="+260"/> <source>Export Address Book Data</source> <translation>Експортувати адресну книгу</translation> </message> <message> <location line="+1"/> <source>Comma separated file (*.csv)</source> <translation>Файли відділені комами (*.csv)</translation> </message> <message> <location line="+13"/> <source>Error exporting</source> <translation>Помилка при експортуванні</translation> </message> <message> <location line="+0"/> <source>Could not write to file %1.</source> <translation>Неможливо записати у файл %1.</translation> </message> </context> <context> <name>AddressTableModel</name> <message> <location filename="../addresstablemodel.cpp" line="+144"/> <source>Label</source> <translation>Назва</translation> </message> <message> <location line="+0"/> <source>Address</source> <translation>Адреса</translation> </message> <message> <location line="+36"/> <source>(no label)</source> <translation>(немає назви)</translation> </message> </context> <context> <name>AskPassphraseDialog</name> <message> <location filename="../forms/askpassphrasedialog.ui" line="+26"/> <source>Passphrase Dialog</source> <translation>Діалог введення паролю</translation> </message> <message> <location line="+21"/> <source>Enter passphrase</source> <translation>Введіть пароль</translation> </message> <message> <location line="+14"/> <source>New passphrase</source> <translation>Новий пароль</translation> </message> <message> <location line="+14"/> <source>Repeat new passphrase</source> <translation>Повторіть пароль</translation> </message> <message> <location filename="../askpassphrasedialog.cpp" line="+33"/> <source>Enter the new passphrase to the wallet.&lt;br/&gt;Please use a passphrase of &lt;b&gt;10 or more random characters&lt;/b&gt;, or &lt;b&gt;eight or more words&lt;/b&gt;.</source> <translation>Введіть новий пароль для гаманця.&lt;br/&gt;Будь ласка, використовуйте паролі що містять &lt;b&gt;як мінімум 10 випадкових символів&lt;/b&gt;, або &lt;b&gt;як мінімум 8 слів&lt;/b&gt;.</translation> </message> <message> <location line="+1"/> <source>Encrypt wallet</source> <translation>Зашифрувати гаманець</translation> </message> <message> <location line="+3"/> <source>This operation needs your wallet passphrase to unlock the wallet.</source> <translation>Ця операція потребує пароль для розблокування гаманця.</translation> </message> <message> <location line="+5"/> <source>Unlock wallet</source> <translation>Розблокувати гаманець</translation> </message> <message> <location line="+3"/> <source>This operation needs your wallet passphrase to decrypt the wallet.</source> <translation>Ця операція потребує пароль для дешифрування гаманця.</translation> </message> <message> <location line="+5"/> <source>Decrypt wallet</source> <translation>Дешифрувати гаманець</translation> </message> <message> <location line="+3"/> <source>Change passphrase</source> <translation>Змінити пароль</translation> </message> <message> <location line="+1"/> <source>Enter the old and new passphrase to the wallet.</source> <translation>Ввести старий та новий паролі для гаманця.</translation> </message> <message> <location line="+46"/> <source>Confirm wallet encryption</source> <translation>Підтвердити шифрування гаманця</translation> </message> <message> <location line="+1"/> <source>Warning: If you encrypt your wallet and lose your passphrase, you will &lt;b&gt;LOSE ALL OF YOUR EXECOINS&lt;/b&gt;!</source> <translation>УВАГА: Якщо ви зашифруєте гаманець і забудете пароль, ви &lt;b&gt;ВТРАТИТЕ ВСІ СВОЇ БІТКОІНИ&lt;/b&gt;!</translation> </message> <message> <location line="+0"/> <source>Are you sure you wish to encrypt your wallet?</source> <translation>Ви дійсно хочете зашифрувати свій гаманець?</translation> </message> <message> <location line="+15"/> <source>IMPORTANT: Any previous backups you have made of your wallet file should be replaced with the newly generated, encrypted wallet file. For security reasons, previous backups of the unencrypted wallet file will become useless as soon as you start using the new, encrypted wallet.</source> <translation type="unfinished"/> </message> <message> <location line="+100"/> <location line="+24"/> <source>Warning: The Caps Lock key is on!</source> <translation>Увага: Ввімкнено Caps Lock!</translation> </message> <message> <location line="-130"/> <location line="+58"/> <source>Wallet encrypted</source> <translation>Гаманець зашифровано</translation> </message> <message> <location line="-56"/> <source>Execoin will close now to finish the encryption process. Remember that encrypting your wallet cannot fully protect your execoins from being stolen by malware infecting your computer.</source> <translation>Біткоін-клієнт буде закрито для завершення процесу шифрування. Пам&apos;ятайте, що шифрування гаманця не може повністю захистити ваші біткоіни від крадіжки, у випадку якщо ваш комп&apos;ютер буде інфіковано шкідливими програмами.</translation> </message> <message> <location line="+13"/> <location line="+7"/> <location line="+42"/> <location line="+6"/> <source>Wallet encryption failed</source> <translation>Не вдалося зашифрувати гаманець</translation> </message> <message> <location line="-54"/> <source>Wallet encryption failed due to an internal error. Your wallet was not encrypted.</source> <translation>Виникла помилка під час шифрування гаманця. Ваш гаманець не було зашифровано.</translation> </message> <message> <location line="+7"/> <location line="+48"/> <source>The supplied passphrases do not match.</source> <translation>Введені паролі не співпадають.</translation> </message> <message> <location line="-37"/> <source>Wallet unlock failed</source> <translation>Не вдалося розблокувати гаманець</translation> </message> <message> <location line="+1"/> <location line="+11"/> <location line="+19"/> <source>The passphrase entered for the wallet decryption was incorrect.</source> <translation>Введений пароль є невірним.</translation> </message> <message> <location line="-20"/> <source>Wallet decryption failed</source> <translation>Не вдалося розшифрувати гаманець</translation> </message> <message> <location line="+14"/> <source>Wallet passphrase was successfully changed.</source> <translation>Пароль було успішно змінено.</translation> </message> </context> <context> <name>BitcoinGUI</name> <message> <location filename="../bitcoingui.cpp" line="+233"/> <source>Sign &amp;message...</source> <translation>&amp;Підписати повідомлення...</translation> </message> <message> <location line="+280"/> <source>Synchronizing with network...</source> <translation>Синхронізація з мережею...</translation> </message> <message> <location line="-349"/> <source>&amp;Overview</source> <translation>&amp;Огляд</translation> </message> <message> <location line="+1"/> <source>Show general overview of wallet</source> <translation>Показати загальний огляд гаманця</translation> </message> <message> <location line="+20"/> <source>&amp;Transactions</source> <translation>Транзакції</translation> </message> <message> <location line="+1"/> <source>Browse transaction history</source> <translation>Переглянути історію транзакцій</translation> </message> <message> <location line="+7"/> <source>Edit the list of stored addresses and labels</source> <translation>Редагувати список збережених адрес та міток</translation> </message> <message> <location line="-14"/> <source>Show the list of addresses for receiving payments</source> <translation>Показати список адрес для отримання платежів</translation> </message> <message> <location line="+31"/> <source>E&amp;xit</source> <translation>&amp;Вихід</translation> </message> <message> <location line="+1"/> <source>Quit application</source> <translation>Вийти</translation> </message> <message> <location line="+4"/> <source>Show information about Execoin</source> <translation>Показати інформацію про Execoin</translation> </message> <message> <location line="+2"/> <source>About &amp;Qt</source> <translation>&amp;Про Qt</translation> </message> <message> <location line="+1"/> <source>Show information about Qt</source> <translation>Показати інформацію про Qt</translation> </message> <message> <location line="+2"/> <source>&amp;Options...</source> <translation>&amp;Параметри...</translation> </message> <message> <location line="+6"/> <source>&amp;Encrypt Wallet...</source> <translation>&amp;Шифрування гаманця...</translation> </message> <message> <location line="+3"/> <source>&amp;Backup Wallet...</source> <translation>&amp;Резервне копіювання гаманця...</translation> </message> <message> <location line="+2"/> <source>&amp;Change Passphrase...</source> <translation>Змінити парол&amp;ь...</translation> </message> <message> <location line="+285"/> <source>Importing blocks from disk...</source> <translation>Імпорт блоків з диску...</translation> </message> <message> <location line="+3"/> <source>Reindexing blocks on disk...</source> <translation type="unfinished"/> </message> <message> <location line="-347"/> <source>Send coins to a Execoin address</source> <translation>Відправити монети на вказану адресу</translation> </message> <message> <location line="+49"/> <source>Modify configuration options for Execoin</source> <translation>Редагувати параметри</translation> </message> <message> <location line="+9"/> <source>Backup wallet to another location</source> <translation>Резервне копіювання гаманця в інше місце</translation> </message> <message> <location line="+2"/> <source>Change the passphrase used for wallet encryption</source> <translation>Змінити пароль, який використовується для шифрування гаманця</translation> </message> <message> <location line="+6"/> <source>&amp;Debug window</source> <translation>Вікно зневадження</translation> </message> <message> <location line="+1"/> <source>Open debugging and diagnostic console</source> <translation>Відкрити консоль зневадження і діагностики</translation> </message> <message> <location line="-4"/> <source>&amp;Verify message...</source> <translation>Перевірити повідомлення...</translation> </message> <message> <location line="-165"/> <location line="+530"/> <source>Execoin</source> <translation>Execoin</translation> </message> <message> <location line="-530"/> <source>Wallet</source> <translation>Гаманець</translation> </message> <message> <location line="+101"/> <source>&amp;Send</source> <translation type="unfinished"/> </message> <message> <location line="+7"/> <source>&amp;Receive</source> <translation type="unfinished"/> </message> <message> <location line="+14"/> <source>&amp;Addresses</source> <translation type="unfinished"/> </message> <message> <location line="+22"/> <source>&amp;About Execoin</source> <translation>&amp;Про Execoin</translation> </message> <message> <location line="+9"/> <source>&amp;Show / Hide</source> <translation>Показати / Приховати</translation> </message> <message> <location line="+1"/> <source>Show or hide the main Window</source> <translation>Показує або приховує головне вікно</translation> </message> <message> <location line="+3"/> <source>Encrypt the private keys that belong to your wallet</source> <translation type="unfinished"/> </message> <message> <location line="+7"/> <source>Sign messages with your Execoin addresses to prove you own them</source> <translation>Підтвердіть, що Ви є власником повідомлення підписавши його Вашою Execoin-адресою </translation> </message> <message> <location line="+2"/> <source>Verify messages to ensure they were signed with specified Execoin addresses</source> <translation>Перевірте повідомлення для впевненості, що воно підписано вказаною Execoin-адресою</translation> </message> <message> <location line="+28"/> <source>&amp;File</source> <translation>&amp;Файл</translation> </message> <message> <location line="+7"/> <source>&amp;Settings</source> <translation>&amp;Налаштування</translation> </message> <message> <location line="+6"/> <source>&amp;Help</source> <translation>&amp;Довідка</translation> </message> <message> <location line="+9"/> <source>Tabs toolbar</source> <translation>Панель вкладок</translation> </message> <message> <location line="+17"/> <location line="+10"/> <source>[testnet]</source> <translation>[тестова мережа]</translation> </message> <message> <location line="+47"/> <source>Execoin client</source> <translation>Execoin-клієнт</translation> </message> <message numerus="yes"> <location line="+141"/> <source>%n active connection(s) to Execoin network</source> <translation><numerusform>%n активне з&apos;єднання з мережею</numerusform><numerusform>%n активні з&apos;єднання з мережею</numerusform><numerusform>%n активних з&apos;єднань з мережею</numerusform></translation> </message> <message> <location line="+22"/> <source>No block source available...</source> <translation type="unfinished"/> </message> <message> <location line="+12"/> <source>Processed %1 of %2 (estimated) blocks of transaction history.</source> <translation type="unfinished"/> </message> <message> <location line="+4"/> <source>Processed %1 blocks of transaction history.</source> <translation>Оброблено %1 блоків історії транзакцій.</translation> </message> <message numerus="yes"> <location line="+20"/> <source>%n hour(s)</source> <translation type="unfinished"><numerusform></numerusform><numerusform></numerusform><numerusform></numerusform></translation> </message> <message numerus="yes"> <location line="+4"/> <source>%n day(s)</source> <translation type="unfinished"><numerusform></numerusform><numerusform></numerusform><numerusform></numerusform></translation> </message> <message numerus="yes"> <location line="+4"/> <source>%n week(s)</source> <translation type="unfinished"><numerusform></numerusform><numerusform></numerusform><numerusform></numerusform></translation> </message> <message> <location line="+4"/> <source>%1 behind</source> <translation type="unfinished"/> </message> <message> <location line="+14"/> <source>Last received block was generated %1 ago.</source> <translation type="unfinished"/> </message> <message> <location line="+2"/> <source>Transactions after this will not yet be visible.</source> <translation type="unfinished"/> </message> <message> <location line="+22"/> <source>Error</source> <translation>Помилка</translation> </message> <message> <location line="+3"/> <source>Warning</source> <translation>Увага</translation> </message> <message> <location line="+3"/> <source>Information</source> <translation>Інформація</translation> </message> <message> <location line="+70"/> <source>This transaction is over the size limit. You can still send it for a fee of %1, which goes to the nodes that process your transaction and helps to support the network. Do you want to pay the fee?</source> <translation type="unfinished"/> </message> <message> <location line="-140"/> <source>Up to date</source> <translation>Синхронізовано</translation> </message> <message> <location line="+31"/> <source>Catching up...</source> <translation>Синхронізується...</translation> </message> <message> <location line="+113"/> <source>Confirm transaction fee</source> <translation>Підтвердити комісію</translation> </message> <message> <location line="+8"/> <source>Sent transaction</source> <translation>Надіслані транзакції</translation> </message> <message> <location line="+0"/> <source>Incoming transaction</source> <translation>Отримані перекази</translation> </message> <message> <location line="+1"/> <source>Date: %1 Amount: %2 Type: %3 Address: %4 </source> <translation>Дата: %1 Кількість: %2 Тип: %3 Адреса: %4 </translation> </message> <message> <location line="+33"/> <location line="+23"/> <source>URI handling</source> <translation>Обробка URI</translation> </message> <message> <location line="-23"/> <location line="+23"/> <source>URI can not be parsed! This can be caused by an invalid Execoin address or malformed URI parameters.</source> <translation>Неможливо обробити URI! Це може бути викликано неправильною Execoin-адресою, чи невірними параметрами URI.</translation> </message> <message> <location line="+17"/> <source>Wallet is &lt;b&gt;encrypted&lt;/b&gt; and currently &lt;b&gt;unlocked&lt;/b&gt;</source> <translation>&lt;b&gt;Зашифрований&lt;/b&gt; гаманець &lt;b&gt;розблоковано&lt;/b&gt;</translation> </message> <message> <location line="+8"/> <source>Wallet is &lt;b&gt;encrypted&lt;/b&gt; and currently &lt;b&gt;locked&lt;/b&gt;</source> <translation>&lt;b&gt;Зашифрований&lt;/b&gt; гаманець &lt;b&gt;заблоковано&lt;/b&gt;</translation> </message> <message> <location filename="../bitcoin.cpp" line="+111"/> <source>A fatal error occurred. Execoin can no longer continue safely and will quit.</source> <translation type="unfinished"/> </message> </context> <context> <name>ClientModel</name> <message> <location filename="../clientmodel.cpp" line="+104"/> <source>Network Alert</source> <translation>Сповіщення мережі</translation> </message> </context> <context> <name>EditAddressDialog</name> <message> <location filename="../forms/editaddressdialog.ui" line="+14"/> <source>Edit Address</source> <translation>Редагувати адресу</translation> </message> <message> <location line="+11"/> <source>&amp;Label</source> <translation>&amp;Мітка</translation> </message> <message> <location line="+10"/> <source>The label associated with this address book entry</source> <translation>Мітка, пов&apos;язана з цим записом адресної книги</translation> </message> <message> <location line="+7"/> <source>&amp;Address</source> <translation>&amp;Адреса</translation> </message> <message> <location line="+10"/> <source>The address associated with this address book entry. This can only be modified for sending addresses.</source> <translation>Адреса, пов&apos;язана з цим записом адресної книги. Може бути змінено тільки для адреси відправника.</translation> </message> <message> <location filename="../editaddressdialog.cpp" line="+21"/> <source>New receiving address</source> <translation>Нова адреса для отримання</translation> </message> <message> <location line="+4"/> <source>New sending address</source> <translation>Нова адреса для відправлення</translation> </message> <message> <location line="+3"/> <source>Edit receiving address</source> <translation>Редагувати адресу для отримання</translation> </message> <message> <location line="+4"/> <source>Edit sending address</source> <translation>Редагувати адресу для відправлення</translation> </message> <message> <location line="+76"/> <source>The entered address &quot;%1&quot; is already in the address book.</source> <translation>Введена адреса «%1» вже присутня в адресній книзі.</translation> </message> <message> <location line="-5"/> <source>The entered address &quot;%1&quot; is not a valid Execoin address.</source> <translation>Введена адреса «%1» не є коректною адресою в мережі Execoin.</translation> </message> <message> <location line="+10"/> <source>Could not unlock wallet.</source> <translation>Неможливо розблокувати гаманець.</translation> </message> <message> <location line="+5"/> <source>New key generation failed.</source> <translation>Не вдалося згенерувати нові ключі.</translation> </message> </context> <context> <name>GUIUtil::HelpMessageBox</name> <message> <location filename="../guiutil.cpp" line="+424"/> <location line="+12"/> <source>Execoin-Qt</source> <translation>Execoin-Qt</translation> </message> <message> <location line="-12"/> <source>version</source> <translation>версія</translation> </message> <message> <location line="+2"/> <source>Usage:</source> <translation>Використання:</translation> </message> <message> <location line="+1"/> <source>command-line options</source> <translation>параметри командного рядка</translation> </message> <message> <location line="+4"/> <source>UI options</source> <translation>Параметри інтерфейсу</translation> </message> <message> <location line="+1"/> <source>Set language, for example &quot;de_DE&quot; (default: system locale)</source> <translation>Встановлення мови, наприклад &quot;de_DE&quot; (типово: системна)</translation> </message> <message> <location line="+1"/> <source>Start minimized</source> <translation>Запускати згорнутим</translation> </message> <message> <location line="+1"/> <source>Show splash screen on startup (default: 1)</source> <translation>Показувати заставку під час запуску (типово: 1)</translation> </message> </context> <context> <name>OptionsDialog</name> <message> <location filename="../forms/optionsdialog.ui" line="+14"/> <source>Options</source> <translation>Параметри</translation> </message> <message> <location line="+16"/> <source>&amp;Main</source> <translation>&amp;Головні</translation> </message> <message> <location line="+6"/> <source>Optional transaction fee per kB that helps make sure your transactions are processed quickly. Most transactions are 1 kB.</source> <translation type="unfinished"/> </message> <message> <location line="+15"/> <source>Pay transaction &amp;fee</source> <translation>Заплатити комісі&amp;ю</translation> </message> <message> <location line="+31"/> <source>Automatically start Execoin after logging in to the system.</source> <translation>Автоматично запускати гаманець при вході до системи.</translation> </message> <message> <location line="+3"/> <source>&amp;Start Execoin on system login</source> <translation>&amp;Запускати гаманець при вході в систему</translation> </message> <message> <location line="+35"/> <source>Reset all client options to default.</source> <translation>Скинути всі параметри клієнта на типові.</translation> </message> <message> <location line="+3"/> <source>&amp;Reset Options</source> <translation>Скинути параметри</translation> </message> <message> <location line="+13"/> <source>&amp;Network</source> <translation>&amp;Мережа</translation> </message> <message> <location line="+6"/> <source>Automatically open the Execoin client port on the router. This only works when your router supports UPnP and it is enabled.</source> <translation>Автоматично відкривати порт для клієнту біткоін на роутері. Працює лише якщо ваш роутер підтримує UPnP і ця функція увімкнена.</translation> </message> <message> <location line="+3"/> <source>Map port using &amp;UPnP</source> <translation>Відображення порту через &amp;UPnP</translation> </message> <message> <location line="+7"/> <source>Connect to the Execoin network through a SOCKS proxy (e.g. when connecting through Tor).</source> <translation>Підключатись до мережі Execoin через SOCKS-проксі (наприклад при використанні Tor).</translation> </message> <message> <location line="+3"/> <source>&amp;Connect through SOCKS proxy:</source> <translation>Підключатись через &amp;SOCKS-проксі:</translation> </message> <message> <location line="+9"/> <source>Proxy &amp;IP:</source> <translation>&amp;IP проксі:</translation> </message> <message> <location line="+19"/> <source>IP address of the proxy (e.g. 127.0.0.1)</source> <translation>IP-адреса проксі-сервера (наприклад 127.0.0.1)</translation> </message> <message> <location line="+7"/> <source>&amp;Port:</source> <translation>&amp;Порт:</translation> </message> <message> <location line="+19"/> <source>Port of the proxy (e.g. 9050)</source> <translation>Порт проксі-сервера (наприклад 9050)</translation> </message> <message> <location line="+7"/> <source>SOCKS &amp;Version:</source> <translation>SOCKS версії:</translation> </message> <message> <location line="+13"/> <source>SOCKS version of the proxy (e.g. 5)</source> <translation>Версія SOCKS-проксі (наприклад 5)</translation> </message> <message> <location line="+36"/> <source>&amp;Window</source> <translation>&amp;Вікно</translation> </message> <message> <location line="+6"/> <source>Show only a tray icon after minimizing the window.</source> <translation>Показувати лише іконку в треї після згортання вікна.</translation> </message> <message> <location line="+3"/> <source>&amp;Minimize to the tray instead of the taskbar</source> <translation>Мінімізувати &amp;у трей</translation> </message> <message> <location line="+7"/> <source>Minimize instead of exit the application when the window is closed. When this option is enabled, the application will be closed only after selecting Quit in the menu.</source> <translation>Згортати замість закриття. Якщо ця опція включена, програма закриється лише після вибору відповідного пункту в меню.</translation> </message> <message> <location line="+3"/> <source>M&amp;inimize on close</source> <translation>Згортати замість закритт&amp;я</translation> </message> <message> <location line="+21"/> <source>&amp;Display</source> <translation>&amp;Відображення</translation> </message> <message> <location line="+8"/> <source>User Interface &amp;language:</source> <translation>Мова інтерфейсу користувача:</translation> </message> <message> <location line="+13"/> <source>The user interface language can be set here. This setting will take effect after restarting Execoin.</source> <translation>Встановлює мову інтерфейсу. Зміни набудуть чинності після перезапуску Execoin.</translation> </message> <message> <location line="+11"/> <source>&amp;Unit to show amounts in:</source> <translation>В&amp;имірювати монети в:</translation> </message> <message> <location line="+13"/> <source>Choose the default subdivision unit to show in the interface and when sending coins.</source> <translation>Виберіть одиницю вимірювання монет, яка буде відображатись в гаманці та при відправленні.</translation> </message> <message> <location line="+9"/> <source>Whether to show Execoin addresses in the transaction list or not.</source> <translation type="unfinished"/> </message> <message> <location line="+3"/> <source>&amp;Display addresses in transaction list</source> <translation>&amp;Відображати адресу в списку транзакцій</translation> </message> <message> <location line="+71"/> <source>&amp;OK</source> <translation>&amp;Гаразд</translation> </message> <message> <location line="+7"/> <source>&amp;Cancel</source> <translation>&amp;Скасувати</translation> </message> <message> <location line="+10"/> <source>&amp;Apply</source> <translation>&amp;Застосувати</translation> </message> <message> <location filename="../optionsdialog.cpp" line="+53"/> <source>default</source> <translation>типово</translation> </message> <message> <location line="+130"/> <source>Confirm options reset</source> <translation>Підтвердження скидання параметрів</translation> </message> <message> <location line="+1"/> <source>Some settings may require a client restart to take effect.</source> <translation>Деякі параметри потребують перезапуск клієнта для набуття чинності.</translation> </message> <message> <location line="+0"/> <source>Do you want to proceed?</source> <translation>Продовжувати?</translation> </message> <message> <location line="+42"/> <location line="+9"/> <source>Warning</source> <translation>Увага</translation> </message> <message> <location line="-9"/> <location line="+9"/> <source>This setting will take effect after restarting Execoin.</source> <translation>Цей параметр набуде чинності після перезапуску Execoin.</translation> </message> <message> <location line="+29"/> <source>The supplied proxy address is invalid.</source> <translation>Невірно вказано адресу проксі.</translation> </message> </context> <context> <name>OverviewPage</name> <message> <location filename="../forms/overviewpage.ui" line="+14"/> <source>Form</source> <translation>Форма</translation> </message> <message> <location line="+50"/> <location line="+166"/> <source>The displayed information may be out of date. Your wallet automatically synchronizes with the Execoin network after a connection is established, but this process has not completed yet.</source> <translation>Показана інформація вже може бути застарілою. Ваш гаманець буде автоматично синхронізовано з мережею Execoin після встановлення підключення, але цей процес ще не завершено.</translation> </message> <message> <location line="-124"/> <source>Balance:</source> <translation>Баланс:</translation> </message> <message> <location line="+29"/> <source>Unconfirmed:</source> <translation>Непідтверджені:</translation> </message> <message> <location line="-78"/> <source>Wallet</source> <translation>Гаманець</translation> </message> <message> <location line="+107"/> <source>Immature:</source> <translation type="unfinished"/> </message> <message> <location line="+13"/> <source>Mined balance that has not yet matured</source> <translation type="unfinished"/> </message> <message> <location line="+46"/> <source>&lt;b&gt;Recent transactions&lt;/b&gt;</source> <translation>&lt;b&gt;Недавні транзакції&lt;/b&gt;</translation> </message> <message> <location line="-101"/> <source>Your current balance</source> <translation>Ваш поточний баланс</translation> </message> <message> <location line="+29"/> <source>Total of transactions that have yet to be confirmed, and do not yet count toward the current balance</source> <translation>Загальна сума всіх транзакцій, які ще не підтверджені, та до цих пір не враховуються в загальному балансі</translation> </message> <message> <location filename="../overviewpage.cpp" line="+116"/> <location line="+1"/> <source>out of sync</source> <translation>не синхронізовано</translation> </message> </context> <context> <name>PaymentServer</name> <message> <location filename="../paymentserver.cpp" line="+107"/> <source>Cannot start execoin: click-to-pay handler</source> <translation type="unfinished"/> </message> </context> <context> <name>QRCodeDialog</name> <message> <location filename="../forms/qrcodedialog.ui" line="+14"/> <source>QR Code Dialog</source> <translation>Діалог QR-коду</translation> </message> <message> <location line="+59"/> <source>Request Payment</source> <translation>Запросити Платіж</translation> </message> <message> <location line="+56"/> <source>Amount:</source> <translation>Кількість:</translation> </message> <message> <location line="-44"/> <source>Label:</source> <translation>Мітка:</translation> </message> <message> <location line="+19"/> <source>Message:</source> <translation>Повідомлення:</translation> </message> <message> <location line="+71"/> <source>&amp;Save As...</source> <translation>&amp;Зберегти як...</translation> </message> <message> <location filename="../qrcodedialog.cpp" line="+62"/> <source>Error encoding URI into QR Code.</source> <translation>Помилка при кодуванні URI в QR-код.</translation> </message> <message> <location line="+40"/> <source>The entered amount is invalid, please check.</source> <translation>Невірно введено кількість, будь ласка, перевірте.</translation> </message> <message> <location line="+23"/> <source>Resulting URI too long, try to reduce the text for label / message.</source> <translation>Кінцевий URI занадто довгий, спробуйте зменшити текст для мітки / повідомлення.</translation> </message> <message> <location line="+25"/> <source>Save QR Code</source> <translation>Зберегти QR-код</translation> </message> <message> <location line="+0"/> <source>PNG Images (*.png)</source> <translation>PNG-зображення (*.png)</translation> </message> </context> <context> <name>RPCConsole</name> <message> <location filename="../forms/rpcconsole.ui" line="+46"/> <source>Client name</source> <translation>Назва клієнту</translation> </message> <message> <location line="+10"/> <location line="+23"/> <location line="+26"/> <location line="+23"/> <location line="+23"/> <location line="+36"/> <location line="+53"/> <location line="+23"/> <location line="+23"/> <location filename="../rpcconsole.cpp" line="+339"/> <source>N/A</source> <translation>Н/Д</translation> </message> <message> <location line="-217"/> <source>Client version</source> <translation>Версія клієнту</translation> </message> <message> <location line="-45"/> <source>&amp;Information</source> <translation>&amp;Інформація</translation> </message> <message> <location line="+68"/> <source>Using OpenSSL version</source> <translation>Використовується OpenSSL версії</translation> </message> <message> <location line="+49"/> <source>Startup time</source> <translation type="unfinished"/> </message> <message> <location line="+29"/> <source>Network</source> <translation>Мережа</translation> </message> <message> <location line="+7"/> <source>Number of connections</source> <translation>Кількість підключень</translation> </message> <message> <location line="+23"/> <source>On testnet</source> <translation>В тестовій мережі</translation> </message> <message> <location line="+23"/> <source>Block chain</source> <translation type="unfinished"/> </message> <message> <location line="+7"/> <source>Current number of blocks</source> <translation>Поточне число блоків</translation> </message> <message> <location line="+23"/> <source>Estimated total blocks</source> <translation type="unfinished"/> </message> <message> <location line="+23"/> <source>Last block time</source> <translation type="unfinished"/> </message> <message> <location line="+52"/> <source>&amp;Open</source> <translation>Відкрити</translation> </message> <message> <location line="+16"/> <source>Command-line options</source> <translation>Параметри командного рядка</translation> </message> <message> <location line="+7"/> <source>Show the Execoin-Qt help message to get a list with possible Execoin command-line options.</source> <translation>Показати довідку Execoin-Qt для отримання переліку можливих параметрів командного рядка.</translation> </message> <message> <location line="+3"/> <source>&amp;Show</source> <translation>Показати</translation> </message> <message> <location line="+24"/> <source>&amp;Console</source> <translation>Консоль</translation> </message> <message> <location line="-260"/> <source>Build date</source> <translation>Дата збирання</translation> </message> <message> <location line="-104"/> <source>Execoin - Debug window</source> <translation>Execoin - Вікно зневадження</translation> </message> <message> <location line="+25"/> <source>Execoin Core</source> <translation type="unfinished"/> </message> <message> <location line="+279"/> <source>Debug log file</source> <translation>Файл звіту зневадження</translation> </message> <message> <location line="+7"/> <source>Open the Execoin debug log file from the current data directory. This can take a few seconds for large log files.</source> <translation type="unfinished"/> </message> <message> <location line="+102"/> <source>Clear console</source> <translation>Очистити консоль</translation> </message> <message> <location filename="../rpcconsole.cpp" line="-30"/> <source>Welcome to the Execoin RPC console.</source> <translation>Вітаємо у консолі Execoin RPC.</translation> </message> <message> <location line="+1"/> <source>Use up and down arrows to navigate history, and &lt;b&gt;Ctrl-L&lt;/b&gt; to clear screen.</source> <translation>Використовуйте стрілки вгору вниз для навігації по історії, і &lt;b&gt;Ctrl-L&lt;/b&gt; для очищення екрана.</translation> </message> <message> <location line="+1"/> <source>Type &lt;b&gt;help&lt;/b&gt; for an overview of available commands.</source> <translation>Наберіть &lt;b&gt;help&lt;/b&gt; для перегляду доступних команд.</translation> </message> </context> <context> <name>SendCoinsDialog</name> <message> <location filename="../forms/sendcoinsdialog.ui" line="+14"/> <location filename="../sendcoinsdialog.cpp" line="+124"/> <location line="+5"/> <location line="+5"/> <location line="+5"/> <location line="+6"/> <location line="+5"/> <location line="+5"/> <source>Send Coins</source> <translation>Відправити</translation> </message> <message> <location line="+50"/> <source>Send to multiple recipients at once</source> <translation>Відправити на декілька адрес</translation> </message> <message> <location line="+3"/> <source>Add &amp;Recipient</source> <translation>Дод&amp;ати одержувача</translation> </message> <message> <location line="+20"/> <source>Remove all transaction fields</source> <translation>Видалити всі поля транзакції</translation> </message> <message> <location line="+3"/> <source>Clear &amp;All</source> <translation>Очистити &amp;все</translation> </message> <message> <location line="+22"/> <source>Balance:</source> <translation>Баланс:</translation> </message> <message> <location line="+10"/> <source>123.456 BTC</source> <translation>123.456 BTC</translation> </message> <message> <location line="+31"/> <source>Confirm the send action</source> <translation>Підтвердити відправлення</translation> </message> <message> <location line="+3"/> <source>S&amp;end</source> <translation>&amp;Відправити</translation> </message> <message> <location filename="../sendcoinsdialog.cpp" line="-59"/> <source>&lt;b&gt;%1&lt;/b&gt; to %2 (%3)</source> <translation>&lt;b&gt;%1&lt;/b&gt; адресату %2 (%3)</translation> </message> <message> <location line="+5"/> <source>Confirm send coins</source> <translation>Підтвердіть відправлення</translation> </message> <message> <location line="+1"/> <source>Are you sure you want to send %1?</source> <translation>Ви впевнені що хочете відправити %1?</translation> </message> <message> <location line="+0"/> <source> and </source> <translation> і </translation> </message> <message> <location line="+23"/> <source>The recipient address is not valid, please recheck.</source> <translation>Адреса отримувача невірна, будь ласка перепровірте.</translation> </message> <message> <location line="+5"/> <source>The amount to pay must be larger than 0.</source> <translation>Кількість монет для відправлення повинна бути більшою 0.</translation> </message> <message> <location line="+5"/> <source>The amount exceeds your balance.</source> <translation>Кількість монет для відправлення перевищує ваш баланс.</translation> </message> <message> <location line="+5"/> <source>The total exceeds your balance when the %1 transaction fee is included.</source> <translation>Сума перевищить ваш баланс, якщо комісія %1 буде додана до вашої транзакції.</translation> </message> <message> <location line="+6"/> <source>Duplicate address found, can only send to each address once per send operation.</source> <translation>Знайдено адресу що дублюється. Відправлення на кожну адресу дозволяється лише один раз на кожну операцію переказу.</translation> </message> <message> <location line="+5"/> <source>Error: Transaction creation failed!</source> <translation>Помилка: Не вдалося створити транзакцію!</translation> </message> <message> <location line="+5"/> <source>Error: The transaction was rejected. This might happen if some of the coins in your wallet were already spent, such as if you used a copy of wallet.dat and coins were spent in the copy but not marked as spent here.</source> <translation>Помилка: транзакцію було відхилено. Це може статись, якщо декілька монет з вашого гаманця вже використані, наприклад, якщо ви використовуєте одну копію гаманця (wallet.dat), а монети були використані з іншої копії, але не позначені як використані в цій.</translation> </message> </context> <context> <name>SendCoinsEntry</name> <message> <location filename="../forms/sendcoinsentry.ui" line="+14"/> <source>Form</source> <translation>Форма</translation> </message> <message> <location line="+15"/> <source>A&amp;mount:</source> <translation>&amp;Кількість:</translation> </message> <message> <location line="+13"/> <source>Pay &amp;To:</source> <translation>&amp;Отримувач:</translation> </message> <message> <location line="+34"/> <source>The address to send the payment to (e.g. EQsabeCxbbdjoQE4d2VJeTvPqK4RJj1sMo)</source> <translation type="unfinished"/> </message> <message> <location line="+60"/> <location filename="../sendcoinsentry.cpp" line="+26"/> <source>Enter a label for this address to add it to your address book</source> <translation>Введіть мітку для цієї адреси для додавання її в адресну книгу</translation> </message> <message> <location line="-78"/> <source>&amp;Label:</source> <translation>&amp;Мітка:</translation> </message> <message> <location line="+28"/> <source>Choose address from address book</source> <translation>Вибрати адресу з адресної книги</translation> </message> <message> <location line="+10"/> <source>Alt+A</source> <translation>Alt+A</translation> </message> <message> <location line="+7"/> <source>Paste address from clipboard</source> <translation>Вставити адресу</translation> </message> <message> <location line="+10"/> <source>Alt+P</source> <translation>Alt+P</translation> </message> <message> <location line="+7"/> <source>Remove this recipient</source> <translation>Видалити цього отримувача</translation> </message> <message> <location filename="../sendcoinsentry.cpp" line="+1"/> <source>Enter a Execoin address (e.g. EQsabeCxbbdjoQE4d2VJeTvPqK4RJj1sMo)</source> <translation>Введіть адресу Execoin (наприклад EQsabeCxbbdjoQE4d2VJeTvPqK4RJj1sMo)</translation> </message> </context> <context> <name>SignVerifyMessageDialog</name> <message> <location filename="../forms/signverifymessagedialog.ui" line="+14"/> <source>Signatures - Sign / Verify a Message</source> <translation>Підписи - Підпис / Перевірка повідомлення</translation> </message> <message> <location line="+13"/> <source>&amp;Sign Message</source> <translation>&amp;Підписати повідомлення</translation> </message> <message> <location line="+6"/> <source>You can sign messages with your addresses to prove you own them. Be careful not to sign anything vague, as phishing attacks may try to trick you into signing your identity over to them. Only sign fully-detailed statements you agree to.</source> <translation type="unfinished"/> </message> <message> <location line="+18"/> <source>The address to sign the message with (e.g. EQsabeCxbbdjoQE4d2VJeTvPqK4RJj1sMo)</source> <translation>Введіть адресу Execoin (наприклад EQsabeCxbbdjoQE4d2VJeTvPqK4RJj1sMo)</translation> </message> <message> <location line="+10"/> <location line="+213"/> <source>Choose an address from the address book</source> <translation>Вибрати адресу з адресної книги</translation> </message> <message> <location line="-203"/> <location line="+213"/> <source>Alt+A</source> <translation>Alt+A</translation> </message> <message> <location line="-203"/> <source>Paste address from clipboard</source> <translation>Вставити адресу</translation> </message> <message> <location line="+10"/> <source>Alt+P</source> <translation>Alt+P</translation> </message> <message> <location line="+12"/> <source>Enter the message you want to sign here</source> <translation>Введіть повідомлення, яке ви хочете підписати тут</translation> </message> <message> <location line="+7"/> <source>Signature</source> <translation>Підпис</translation> </message> <message> <location line="+27"/> <source>Copy the current signature to the system clipboard</source> <translation>Копіювати поточну сигнатуру до системного буферу обміну</translation> </message> <message> <location line="+21"/> <source>Sign the message to prove you own this Execoin address</source> <translation>Підпишіть повідомлення щоб довести, що ви є власником цієї адреси</translation> </message> <message> <location line="+3"/> <source>Sign &amp;Message</source> <translation>&amp;Підписати повідомлення</translation> </message> <message> <location line="+14"/> <source>Reset all sign message fields</source> <translation>Скинути всі поля підпису повідомлення</translation> </message> <message> <location line="+3"/> <location line="+146"/> <source>Clear &amp;All</source> <translation>Очистити &amp;все</translation> </message> <message> <location line="-87"/> <source>&amp;Verify Message</source> <translation>Перевірити повідомлення</translation> </message> <message> <location line="+6"/> <source>Enter the signing address, message (ensure you copy line breaks, spaces, tabs, etc. exactly) and signature below to verify the message. Be careful not to read more into the signature than what is in the signed message itself, to avoid being tricked by a man-in-the-middle attack.</source> <translation type="unfinished"/> </message> <message> <location line="+21"/> <source>The address the message was signed with (e.g. EQsabeCxbbdjoQE4d2VJeTvPqK4RJj1sMo)</source> <translation>Введіть адресу Execoin (наприклад EQsabeCxbbdjoQE4d2VJeTvPqK4RJj1sMo)</translation> </message> <message> <location line="+40"/> <source>Verify the message to ensure it was signed with the specified Execoin address</source> <translation>Перевірте повідомлення для впевненості, що воно підписано вказаною Execoin-адресою</translation> </message> <message> <location line="+3"/> <source>Verify &amp;Message</source> <translation>Перевірити повідомлення</translation> </message> <message> <location line="+14"/> <source>Reset all verify message fields</source> <translation>Скинути всі поля перевірки повідомлення</translation> </message> <message> <location filename="../signverifymessagedialog.cpp" line="+27"/> <location line="+3"/> <source>Enter a Execoin address (e.g. EQsabeCxbbdjoQE4d2VJeTvPqK4RJj1sMo)</source> <translation>Введіть адресу Execoin (наприклад EQsabeCxbbdjoQE4d2VJeTvPqK4RJj1sMo)</translation> </message> <message> <location line="-2"/> <source>Click &quot;Sign Message&quot; to generate signature</source> <translation>Натисніть кнопку «Підписати повідомлення», для отримання підпису</translation> </message> <message> <location line="+3"/> <source>Enter Execoin signature</source> <translation>Введіть сигнатуру Execoin</translation> </message> <message> <location line="+82"/> <location line="+81"/> <source>The entered address is invalid.</source> <translation>Введена нечинна адреса.</translation> </message> <message> <location line="-81"/> <location line="+8"/> <location line="+73"/> <location line="+8"/> <source>Please check the address and try again.</source> <translation>Будь ласка, перевірте адресу та спробуйте ще.</translation> </message> <message> <location line="-81"/> <location line="+81"/> <source>The entered address does not refer to a key.</source> <translation type="unfinished"/> </message> <message> <location line="-73"/> <source>Wallet unlock was cancelled.</source> <translation type="unfinished"/> </message> <message> <location line="+8"/> <source>Private key for the entered address is not available.</source> <translation type="unfinished"/> </message> <message> <location line="+12"/> <source>Message signing failed.</source> <translation>Не вдалося підписати повідомлення.</translation> </message> <message> <location line="+5"/> <source>Message signed.</source> <translation>Повідомлення підписано.</translation> </message> <message> <location line="+59"/> <source>The signature could not be decoded.</source> <translation>Підпис не можливо декодувати.</translation> </message> <message> <location line="+0"/> <location line="+13"/> <source>Please check the signature and try again.</source> <translation>Будь ласка, перевірте підпис та спробуйте ще.</translation> </message> <message> <location line="+0"/> <source>The signature did not match the message digest.</source> <translation type="unfinished"/> </message> <message> <location line="+7"/> <source>Message verification failed.</source> <translation>Не вдалося перевірити повідомлення.</translation> </message> <message> <location line="+5"/> <source>Message verified.</source> <translation>Повідомлення перевірено.</translation> </message> </context> <context> <name>SplashScreen</name> <message> <location filename="../splashscreen.cpp" line="+22"/> <source>The Execoin developers</source> <translation type="unfinished"/> </message> <message> <location line="+1"/> <source>[testnet]</source> <translation>[тестова мережа]</translation> </message> </context> <context> <name>TransactionDesc</name> <message> <location filename="../transactiondesc.cpp" line="+20"/> <source>Open until %1</source> <translation>Відкрити до %1</translation> </message> <message> <location line="+6"/> <source>%1/offline</source> <translation>%1/поза інтернетом</translation> </message> <message> <location line="+2"/> <source>%1/unconfirmed</source> <translation>%1/не підтверджено</translation> </message> <message> <location line="+2"/> <source>%1 confirmations</source> <translation>%1 підтверджень</translation> </message> <message> <location line="+18"/> <source>Status</source> <translation>Статус</translation> </message> <message numerus="yes"> <location line="+7"/> <source>, broadcast through %n node(s)</source> <translation type="unfinished"><numerusform></numerusform><numerusform></numerusform><numerusform></numerusform></translation> </message> <message> <location line="+4"/> <source>Date</source> <translation>Дата</translation> </message> <message> <location line="+7"/> <source>Source</source> <translation type="unfinished"/> </message> <message> <location line="+0"/> <source>Generated</source> <translation>Згенеровано</translation> </message> <message> <location line="+5"/> <location line="+17"/> <source>From</source> <translation>Відправник</translation> </message> <message> <location line="+1"/> <location line="+22"/> <location line="+58"/> <source>To</source> <translation>Отримувач</translation> </message> <message> <location line="-77"/> <location line="+2"/> <source>own address</source> <translation type="unfinished"/> </message> <message> <location line="-2"/> <source>label</source> <translation>Мітка</translation> </message> <message> <location line="+37"/> <location line="+12"/> <location line="+45"/> <location line="+17"/> <location line="+30"/> <source>Credit</source> <translation>Кредит</translation> </message> <message numerus="yes"> <location line="-102"/> <source>matures in %n more block(s)</source> <translation type="unfinished"><numerusform></numerusform><numerusform></numerusform><numerusform></numerusform></translation> </message> <message> <location line="+2"/> <source>not accepted</source> <translation>не прийнято</translation> </message> <message> <location line="+44"/> <location line="+8"/> <location line="+15"/> <location line="+30"/> <source>Debit</source> <translation>Дебет</translation> </message> <message> <location line="-39"/> <source>Transaction fee</source> <translation>Комісія за транзакцію</translation> </message> <message> <location line="+16"/> <source>Net amount</source> <translation>Загальна сума</translation> </message> <message> <location line="+6"/> <source>Message</source> <translation>Повідомлення</translation> </message> <message> <location line="+2"/> <source>Comment</source> <translation>Коментар</translation> </message> <message> <location line="+2"/> <source>Transaction ID</source> <translation>ID транзакції</translation> </message> <message> <location line="+3"/> <source>Generated coins must mature 120 blocks before they can be spent. When you generated this block, it was broadcast to the network to be added to the block chain. If it fails to get into the chain, its state will change to &quot;not accepted&quot; and it won&apos;t be spendable. This may occasionally happen if another node generates a block within a few seconds of yours.</source> <translation>Після генерації монет, потрібно зачекати 120 блоків, перш ніж їх можна буде використати. Коли ви згенерували цей блок, його було відправлено в мережу для того, щоб він був доданий до ланцюжка блоків. Якщо ця процедура не вдасться, статус буде змінено на «не підтверджено» і ви не зможете потратити згенеровані монету. Таке може статись, якщо хтось інший згенерував блок на декілька секунд раніше.</translation> </message> <message> <location line="+7"/> <source>Debug information</source> <translation type="unfinished"/> </message> <message> <location line="+8"/> <source>Transaction</source> <translation>Транзакція</translation> </message> <message> <location line="+3"/> <source>Inputs</source> <translation type="unfinished"/> </message> <message> <location line="+23"/> <source>Amount</source> <translation>Кількість</translation> </message> <message> <location line="+1"/> <source>true</source> <translation>true</translation> </message> <message> <location line="+0"/> <source>false</source> <translation>false</translation> </message> <message> <location line="-209"/> <source>, has not been successfully broadcast yet</source> <translation>, ще не було успішно розіслано</translation> </message> <message numerus="yes"> <location line="-35"/> <source>Open for %n more block(s)</source> <translation type="unfinished"><numerusform></numerusform><numerusform></numerusform><numerusform></numerusform></translation> </message> <message> <location line="+70"/> <source>unknown</source> <translation>невідомий</translation> </message> </context> <context> <name>TransactionDescDialog</name> <message> <location filename="../forms/transactiondescdialog.ui" line="+14"/> <source>Transaction details</source> <translation>Деталі транзакції</translation> </message> <message> <location line="+6"/> <source>This pane shows a detailed description of the transaction</source> <translation>Даний діалог показує детальну статистику по вибраній транзакції</translation> </message> </context> <context> <name>TransactionTableModel</name> <message> <location filename="../transactiontablemodel.cpp" line="+225"/> <source>Date</source> <translation>Дата</translation> </message> <message> <location line="+0"/> <source>Type</source> <translation>Тип</translation> </message> <message> <location line="+0"/> <source>Address</source> <translation>Адреса</translation> </message> <message> <location line="+0"/> <source>Amount</source> <translation>Кількість</translation> </message> <message numerus="yes"> <location line="+57"/> <source>Open for %n more block(s)</source> <translation type="unfinished"><numerusform></numerusform><numerusform></numerusform><numerusform></numerusform></translation> </message> <message> <location line="+3"/> <source>Open until %1</source> <translation>Відкрити до %1</translation> </message> <message> <location line="+3"/> <source>Offline (%1 confirmations)</source> <translation>Поза інтернетом (%1 підтверджень)</translation> </message> <message> <location line="+3"/> <source>Unconfirmed (%1 of %2 confirmations)</source> <translation>Непідтверджено (%1 із %2 підтверджень)</translation> </message> <message> <location line="+3"/> <source>Confirmed (%1 confirmations)</source> <translation>Підтверджено (%1 підтверджень)</translation> </message> <message numerus="yes"> <location line="+8"/> <source>Mined balance will be available when it matures in %n more block(s)</source> <translation type="unfinished"><numerusform></numerusform><numerusform></numerusform><numerusform></numerusform></translation> </message> <message> <location line="+5"/> <source>This block was not received by any other nodes and will probably not be accepted!</source> <translation>Цей блок не був отриманий жодними іншими вузлами і, ймовірно, не буде прийнятий!</translation> </message> <message> <location line="+3"/> <source>Generated but not accepted</source> <translation>Згенеровано, але не підтверджено</translation> </message> <message> <location line="+43"/> <source>Received with</source> <translation>Отримано</translation> </message> <message> <location line="+2"/> <source>Received from</source> <translation>Отримано від</translation> </message> <message> <location line="+3"/> <source>Sent to</source> <translation>Відправлено</translation> </message> <message> <location line="+2"/> <source>Payment to yourself</source> <translation>Відправлено собі</translation> </message> <message> <location line="+2"/> <source>Mined</source> <translation>Добуто</translation> </message> <message> <location line="+38"/> <source>(n/a)</source> <translation>(недоступно)</translation> </message> <message> <location line="+199"/> <source>Transaction status. Hover over this field to show number of confirmations.</source> <translation>Статус транзакції. Наведіть вказівник на це поле, щоб показати кількість підтверджень.</translation> </message> <message> <location line="+2"/> <source>Date and time that the transaction was received.</source> <translation>Дата і час, коли транзакцію було отримано.</translation> </message> <message> <location line="+2"/> <source>Type of transaction.</source> <translation>Тип транзакції.</translation> </message> <message> <location line="+2"/> <source>Destination address of transaction.</source> <translation>Адреса отримувача транзакції.</translation> </message> <message> <location line="+2"/> <source>Amount removed from or added to balance.</source> <translation>Сума, додана чи знята з балансу.</translation> </message> </context> <context> <name>TransactionView</name> <message> <location filename="../transactionview.cpp" line="+52"/> <location line="+16"/> <source>All</source> <translation>Всі</translation> </message> <message> <location line="-15"/> <source>Today</source> <translation>Сьогодні</translation> </message> <message> <location line="+1"/> <source>This week</source> <translation>На цьому тижні</translation> </message> <message> <location line="+1"/> <source>This month</source> <translation>На цьому місяці</translation> </message> <message> <location line="+1"/> <source>Last month</source> <translation>Минулого місяця</translation> </message> <message> <location line="+1"/> <source>This year</source> <translation>Цього року</translation> </message> <message> <location line="+1"/> <source>Range...</source> <translation>Проміжок...</translation> </message> <message> <location line="+11"/> <source>Received with</source> <translation>Отримані на</translation> </message> <message> <location line="+2"/> <source>Sent to</source> <translation>Відправлені на</translation> </message> <message> <location line="+2"/> <source>To yourself</source> <translation>Відправлені собі</translation> </message> <message> <location line="+1"/> <source>Mined</source> <translation>Добуті</translation> </message> <message> <location line="+1"/> <source>Other</source> <translation>Інше</translation> </message> <message> <location line="+7"/> <source>Enter address or label to search</source> <translation>Введіть адресу чи мітку для пошуку</translation> </message> <message> <location line="+7"/> <source>Min amount</source> <translation>Мінімальна сума</translation> </message> <message> <location line="+34"/> <source>Copy address</source> <translation>Скопіювати адресу</translation> </message> <message> <location line="+1"/> <source>Copy label</source> <translation>Скопіювати мітку</translation> </message> <message> <location line="+1"/> <source>Copy amount</source> <translation>Копіювати кількість</translation> </message> <message> <location line="+1"/> <source>Copy transaction ID</source> <translation type="unfinished"/> </message> <message> <location line="+1"/> <source>Edit label</source> <translation>Редагувати мітку</translation> </message> <message> <location line="+1"/> <source>Show transaction details</source> <translation>Показати деталі транзакції</translation> </message> <message> <location line="+139"/> <source>Export Transaction Data</source> <translation>Експортувати дані транзакцій</translation> </message> <message> <location line="+1"/> <source>Comma separated file (*.csv)</source> <translation>Файли, розділені комою (*.csv)</translation> </message> <message> <location line="+8"/> <source>Confirmed</source> <translation>Підтверджені</translation> </message> <message> <location line="+1"/> <source>Date</source> <translation>Дата</translation> </message> <message> <location line="+1"/> <source>Type</source> <translation>Тип</translation> </message> <message> <location line="+1"/> <source>Label</source> <translation>Мітка</translation> </message> <message> <location line="+1"/> <source>Address</source> <translation>Адреса</translation> </message> <message> <location line="+1"/> <source>Amount</source> <translation>Кількість</translation> </message> <message> <location line="+1"/> <source>ID</source> <translation>Ідентифікатор</translation> </message> <message> <location line="+4"/> <source>Error exporting</source> <translation>Помилка експорту</translation> </message> <message> <location line="+0"/> <source>Could not write to file %1.</source> <translation>Неможливо записати у файл %1.</translation> </message> <message> <location line="+100"/> <source>Range:</source> <translation>Діапазон від:</translation> </message> <message> <location line="+8"/> <source>to</source> <translation>до</translation> </message> </context> <context> <name>WalletModel</name> <message> <location filename="../walletmodel.cpp" line="+193"/> <source>Send Coins</source> <translation>Відправити</translation> </message> </context> <context> <name>WalletView</name> <message> <location filename="../walletview.cpp" line="+42"/> <source>&amp;Export</source> <translation type="unfinished"/> </message> <message> <location line="+1"/> <source>Export the data in the current tab to a file</source> <translation>Експортувати дані з поточної вкладки в файл</translation> </message> <message> <location line="+193"/> <source>Backup Wallet</source> <translation type="unfinished"/> </message> <message> <location line="+0"/> <source>Wallet Data (*.dat)</source> <translation type="unfinished"/> </message> <message> <location line="+3"/> <source>Backup Failed</source> <translation type="unfinished"/> </message> <message> <location line="+0"/> <source>There was an error trying to save the wallet data to the new location.</source> <translation>Виникла помилка при спробі зберегти гаманець в новому місці.</translation> </message> <message> <location line="+4"/> <source>Backup Successful</source> <translation>Успішне створення резервної копії</translation> </message> <message> <location line="+0"/> <source>The wallet data was successfully saved to the new location.</source> <translation>Данні гаманця успішно збережено в новому місці призначення.</translation> </message> </context> <context> <name>bitcoin-core</name> <message> <location filename="../bitcoinstrings.cpp" line="+94"/> <source>Execoin version</source> <translation>Версія</translation> </message> <message> <location line="+102"/> <source>Usage:</source> <translation>Використання:</translation> </message> <message> <location line="-29"/> <source>Send command to -server or execoind</source> <translation>Відправити команду серверу -server чи демону</translation> </message> <message> <location line="-23"/> <source>List commands</source> <translation>Список команд</translation> </message> <message> <location line="-12"/> <source>Get help for a command</source> <translation>Отримати довідку по команді</translation> </message> <message> <location line="+24"/> <source>Options:</source> <translation>Параметри:</translation> </message> <message> <location line="+24"/> <source>Specify configuration file (default: execoin.conf)</source> <translation>Вкажіть файл конфігурації (типово: execoin.conf)</translation> </message> <message> <location line="+3"/> <source>Specify pid file (default: execoind.pid)</source> <translation>Вкажіть pid-файл (типово: execoind.pid)</translation> </message> <message> <location line="-1"/> <source>Specify data directory</source> <translation>Вкажіть робочий каталог</translation> </message> <message> <location line="-9"/> <source>Set database cache size in megabytes (default: 25)</source> <translation>Встановити розмір кешу бази даних в мегабайтах (типово: 25)</translation> </message> <message> <location line="-28"/> <source>Listen for connections on &lt;port&gt; (default: 9333 or testnet: 19333)</source> <translation>Чекати на з&apos;єднання на &lt;port&gt; (типово: 9333 або тестова мережа: 19333)</translation> </message> <message> <location line="+5"/> <source>Maintain at most &lt;n&gt; connections to peers (default: 125)</source> <translation>Підтримувати не більше &lt;n&gt; зв&apos;язків з колегами (типово: 125)</translation> </message> <message> <location line="-48"/> <source>Connect to a node to retrieve peer addresses, and disconnect</source> <translation type="unfinished"/> </message> <message> <location line="+82"/> <source>Specify your own public address</source> <translation type="unfinished"/> </message> <message> <location line="+3"/> <source>Threshold for disconnecting misbehaving peers (default: 100)</source> <translation>Поріг відключення неправильно під&apos;єднаних пірів (типово: 100)</translation> </message> <message> <location line="-134"/> <source>Number of seconds to keep misbehaving peers from reconnecting (default: 86400)</source> <translation>Максимальній розмір вхідного буферу на одне з&apos;єднання (типово: 86400)</translation> </message> <message> <location line="-29"/> <source>An error occurred while setting up the RPC port %u for listening on IPv4: %s</source> <translation type="unfinished"/> </message> <message> <location line="+27"/> <source>Listen for JSON-RPC connections on &lt;port&gt; (default: 9332 or testnet: 19332)</source> <translation>Прослуховувати &lt;port&gt; для JSON-RPC-з&apos;єднань (типово: 9332 або тестова мережа: 19332)</translation> </message> <message> <location line="+37"/> <source>Accept command line and JSON-RPC commands</source> <translation>Приймати команди із командного рядка та команди JSON-RPC</translation> </message> <message> <location line="+76"/> <source>Run in the background as a daemon and accept commands</source> <translation>Запустити в фоновому режимі (як демон) та приймати команди</translation> </message> <message> <location line="+37"/> <source>Use the test network</source> <translation>Використовувати тестову мережу</translation> </message> <message> <location line="-112"/> <source>Accept connections from outside (default: 1 if no -proxy or -connect)</source> <translation type="unfinished"/> </message> <message> <location line="-80"/> <source>%s, you must set a rpcpassword in the configuration file: %s It is recommended you use the following random password: rpcuser=execoinrpc rpcpassword=%s (you do not need to remember this password) The username and password MUST NOT be the same. If the file does not exist, create it with owner-readable-only file permissions. It is also recommended to set alertnotify so you are notified of problems; for example: alertnotify=echo %%s | mail -s &quot;Execoin Alert&quot; [email protected] </source> <translation type="unfinished"/> </message> <message> <location line="+17"/> <source>An error occurred while setting up the RPC port %u for listening on IPv6, falling back to IPv4: %s</source> <translation type="unfinished"/> </message> <message> <location line="+3"/> <source>Bind to given address and always listen on it. Use [host]:port notation for IPv6</source> <translation type="unfinished"/> </message> <message> <location line="+3"/> <source>Cannot obtain a lock on data directory %s. Execoin is probably already running.</source> <translation type="unfinished"/> </message> <message> <location line="+3"/> <source>Error: The transaction was rejected! This might happen if some of the coins in your wallet were already spent, such as if you used a copy of wallet.dat and coins were spent in the copy but not marked as spent here.</source> <translation>Помилка: транзакцію було відхилено. Це може статись, якщо декілька монет з вашого гаманця вже використані, наприклад, якщо ви використовуєте одну копію гаманця (wallet.dat), а монети були використані з іншої копії, але не позначені як використані в цій.</translation> </message> <message> <location line="+4"/> <source>Error: This transaction requires a transaction fee of at least %s because of its amount, complexity, or use of recently received funds!</source> <translation type="unfinished"/> </message> <message> <location line="+3"/> <source>Execute command when a relevant alert is received (%s in cmd is replaced by message)</source> <translation type="unfinished"/> </message> <message> <location line="+3"/> <source>Execute command when a wallet transaction changes (%s in cmd is replaced by TxID)</source> <translation type="unfinished"/> </message> <message> <location line="+11"/> <source>Set maximum size of high-priority/low-fee transactions in bytes (default: 27000)</source> <translation type="unfinished"/> </message> <message> <location line="+6"/> <source>This is a pre-release test build - use at your own risk - do not use for mining or merchant applications</source> <translation type="unfinished"/> </message> <message> <location line="+5"/> <source>Warning: -paytxfee is set very high! This is the transaction fee you will pay if you send a transaction.</source> <translation>Увага: встановлено занадто велику комісію (-paytxfee). Комісія зніматиметься кожен раз коли ви проводитимете транзакції.</translation> </message> <message> <location line="+3"/> <source>Warning: Displayed transactions may not be correct! You may need to upgrade, or other nodes may need to upgrade.</source> <translation type="unfinished"/> </message> <message> <location line="+3"/> <source>Warning: Please check that your computer&apos;s date and time are correct! If your clock is wrong Execoin will not work properly.</source> <translation>Увага: будь ласка, перевірте дату і час на своєму комп&apos;ютері. Якщо ваш годинник йде неправильно, Execoin може працювати некоректно.</translation> </message> <message> <location line="+3"/> <source>Warning: error reading wallet.dat! All keys read correctly, but transaction data or address book entries might be missing or incorrect.</source> <translation>Увага: помилка читання wallet.dat! Всі ключі прочитано коректно, але дані транзакцій чи записи адресної книги можуть бути пропущені, або пошкоджені.</translation> </message> <message> <location line="+3"/> <source>Warning: wallet.dat corrupt, data salvaged! Original wallet.dat saved as wallet.{timestamp}.bak in %s; if your balance or transactions are incorrect you should restore from a backup.</source> <translation>Увага: файл wallet.dat пошкоджено, дані врятовано! Оригінальний wallet.dat збережено як wallet.{timestamp}.bak до %s; якщо Ваш баланс чи транзакції неправильні, Ви можете відновити їх з резервної копії. </translation> </message> <message> <location line="+14"/> <source>Attempt to recover private keys from a corrupt wallet.dat</source> <translation>Спроба відновити закриті ключі з пошкодженого wallet.dat</translation> </message> <message> <location line="+2"/> <source>Block creation options:</source> <translation type="unfinished"/> </message> <message> <location line="+5"/> <source>Connect only to the specified node(s)</source> <translation>Підключитись лише до вказаного вузла</translation> </message> <message> <location line="+3"/> <source>Corrupted block database detected</source> <translation type="unfinished"/> </message> <message> <location line="+1"/> <source>Discover own IP address (default: 1 when listening and no -externalip)</source> <translation type="unfinished"/> </message> <message> <location line="+1"/> <source>Do you want to rebuild the block database now?</source> <translation type="unfinished"/> </message> <message> <location line="+2"/> <source>Error initializing block database</source> <translation>Помилка ініціалізації бази даних блоків</translation> </message> <message> <location line="+1"/> <source>Error initializing wallet database environment %s!</source> <translation type="unfinished"/> </message> <message> <location line="+1"/> <source>Error loading block database</source> <translation>Помилка завантаження бази даних блоків</translation> </message> <message> <location line="+4"/> <source>Error opening block database</source> <translation type="unfinished"/> </message> <message> <location line="+2"/> <source>Error: Disk space is low!</source> <translation>Помилка: Мало вільного місця на диску!</translation> </message> <message> <location line="+1"/> <source>Error: Wallet locked, unable to create transaction!</source> <translation>Помилка: Гаманець заблокований, неможливо створити транзакцію!</translation> </message> <message> <location line="+1"/> <source>Error: system error: </source> <translation>Помилка: системна помилка: </translation> </message> <message> <location line="+1"/> <source>Failed to listen on any port. Use -listen=0 if you want this.</source> <translation type="unfinished"/> </message> <message> <location line="+1"/> <source>Failed to read block info</source> <translation type="unfinished"/> </message> <message> <location line="+1"/> <source>Failed to read block</source> <translation type="unfinished"/> </message> <message> <location line="+1"/> <source>Failed to sync block index</source> <translation type="unfinished"/> </message> <message> <location line="+1"/> <source>Failed to write block index</source> <translation type="unfinished"/> </message> <message> <location line="+1"/> <source>Failed to write block info</source> <translation type="unfinished"/> </message> <message> <location line="+1"/> <source>Failed to write block</source> <translation type="unfinished"/> </message> <message> <location line="+1"/> <source>Failed to write file info</source> <translation type="unfinished"/> </message> <message> <location line="+1"/> <source>Failed to write to coin database</source> <translation type="unfinished"/> </message> <message> <location line="+1"/> <source>Failed to write transaction index</source> <translation type="unfinished"/> </message> <message> <location line="+1"/> <source>Failed to write undo data</source> <translation type="unfinished"/> </message> <message> <location line="+2"/> <source>Find peers using DNS lookup (default: 1 unless -connect)</source> <translation type="unfinished"/> </message> <message> <location line="+1"/> <source>Generate coins (default: 0)</source> <translation type="unfinished"/> </message> <message> <location line="+2"/> <source>How many blocks to check at startup (default: 288, 0 = all)</source> <translation>Скільки блоків перевіряти під час запуску (типово: 288, 0 = всі)</translation> </message> <message> <location line="+1"/> <source>How thorough the block verification is (0-4, default: 3)</source> <translation type="unfinished"/> </message> <message> <location line="+19"/> <source>Not enough file descriptors available.</source> <translation type="unfinished"/> </message> <message> <location line="+8"/> <source>Rebuild block chain index from current blk000??.dat files</source> <translation type="unfinished"/> </message> <message> <location line="+16"/> <source>Set the number of threads to service RPC calls (default: 4)</source> <translation type="unfinished"/> </message> <message> <location line="+26"/> <source>Verifying blocks...</source> <translation type="unfinished"/> </message> <message> <location line="+1"/> <source>Verifying wallet...</source> <translation type="unfinished"/> </message> <message> <location line="-69"/> <source>Imports blocks from external blk000??.dat file</source> <translation>Імпорт блоків з зовнішнього файлу blk000??.dat</translation> </message> <message> <location line="-76"/> <source>Set the number of script verification threads (up to 16, 0 = auto, &lt;0 = leave that many cores free, default: 0)</source> <translation type="unfinished"/> </message> <message> <location line="+77"/> <source>Information</source> <translation>Інформація</translation> </message> <message> <location line="+3"/> <source>Invalid -tor address: &apos;%s&apos;</source> <translation>Помилка в адресі -tor: «%s»</translation> </message> <message> <location line="+1"/> <source>Invalid amount for -minrelaytxfee=&lt;amount&gt;: &apos;%s&apos;</source> <translation type="unfinished"/> </message> <message> <location line="+1"/> <source>Invalid amount for -mintxfee=&lt;amount&gt;: &apos;%s&apos;</source> <translation type="unfinished"/> </message> <message> <location line="+8"/> <source>Maintain a full transaction index (default: 0)</source> <translation type="unfinished"/> </message> <message> <location line="+2"/> <source>Maximum per-connection receive buffer, &lt;n&gt;*1000 bytes (default: 5000)</source> <translation>Максимальний буфер, &lt;n&gt;*1000 байт (типово: 5000)</translation> </message> <message> <location line="+1"/> <source>Maximum per-connection send buffer, &lt;n&gt;*1000 bytes (default: 1000)</source> <translation>Максимальній розмір вихідного буферу на одне з&apos;єднання, &lt;n&gt;*1000 байт (типово: 1000)</translation> </message> <message> <location line="+2"/> <source>Only accept block chain matching built-in checkpoints (default: 1)</source> <translation type="unfinished"/> </message> <message> <location line="+1"/> <source>Only connect to nodes in network &lt;net&gt; (IPv4, IPv6 or Tor)</source> <translation type="unfinished"/> </message> <message> <location line="+2"/> <source>Output extra debugging information. Implies all other -debug* options</source> <translation>Виводити більше налагоджувальної інформації. Мається на увазі всі шнші -debug* параметри</translation> </message> <message> <location line="+1"/> <source>Output extra network debugging information</source> <translation type="unfinished"/> </message> <message> <location line="+2"/> <source>Prepend debug output with timestamp</source> <translation>Доповнювати налагоджувальний вивід відміткою часу</translation> </message> <message> <location line="+5"/> <source>SSL options: (see the Execoin Wiki for SSL setup instructions)</source> <translation>Параметри SSL: (див. Execoin Wiki для налаштування SSL)</translation> </message> <message> <location line="+1"/> <source>Select the version of socks proxy to use (4-5, default: 5)</source> <translation>Вибір версії socks-проксі для використання (4-5, типово: 5)</translation> </message> <message> <location line="+3"/> <source>Send trace/debug info to console instead of debug.log file</source> <translation>Відсилати налагоджувальну інформацію на консоль, а не у файл debug.log</translation> </message> <message> <location line="+1"/> <source>Send trace/debug info to debugger</source> <translation>Відсилати налагоджувальну інформацію до налагоджувача</translation> </message> <message> <location line="+5"/> <source>Set maximum block size in bytes (default: 250000)</source> <translation>Встановити максимальний розмір блоку у байтах (типово: 250000)</translation> </message> <message> <location line="+1"/> <source>Set minimum block size in bytes (default: 0)</source> <translation>Встановити мінімальний розмір блоку у байтах (типово: 0)</translation> </message> <message> <location line="+2"/> <source>Shrink debug.log file on client startup (default: 1 when no -debug)</source> <translation>Стискати файл debug.log під час старту клієнта (типово: 1 коли відсутутній параметр -debug)</translation> </message> <message> <location line="+1"/> <source>Signing transaction failed</source> <translation type="unfinished"/> </message> <message> <location line="+2"/> <source>Specify connection timeout in milliseconds (default: 5000)</source> <translation>Вказати тайм-аут підключення у мілісекундах (типово: 5000)</translation> </message> <message> <location line="+4"/> <source>System error: </source> <translation>Системна помилка: </translation> </message> <message> <location line="+4"/> <source>Transaction amount too small</source> <translation type="unfinished"/> </message> <message> <location line="+1"/> <source>Transaction amounts must be positive</source> <translation type="unfinished"/> </message> <message> <location line="+1"/> <source>Transaction too large</source> <translation type="unfinished"/> </message> <message> <location line="+7"/> <source>Use UPnP to map the listening port (default: 0)</source> <translation>Намагатись використовувати UPnP для відображення порту, що прослуховується на роутері (default: 0)</translation> </message> <message> <location line="+1"/> <source>Use UPnP to map the listening port (default: 1 when listening)</source> <translation>Намагатись використовувати UPnP для відображення порту, що прослуховується на роутері (default: 1 when listening)</translation> </message> <message> <location line="+1"/> <source>Use proxy to reach tor hidden services (default: same as -proxy)</source> <translation type="unfinished"/> </message> <message> <location line="+2"/> <source>Username for JSON-RPC connections</source> <translation>Ім&apos;я користувача для JSON-RPC-з&apos;єднань</translation> </message> <message> <location line="+4"/> <source>Warning</source> <translation>Попередження</translation> </message> <message> <location line="+1"/> <source>Warning: This version is obsolete, upgrade required!</source> <translation>Увага: Поточна версія застаріла, необхідне оновлення!</translation> </message> <message> <location line="+1"/> <source>You need to rebuild the databases using -reindex to change -txindex</source> <translation type="unfinished"/> </message> <message> <location line="+1"/> <source>wallet.dat corrupt, salvage failed</source> <translation>wallet.dat пошкоджено, відновлення не вдалося</translation> </message> <message> <location line="-50"/> <source>Password for JSON-RPC connections</source> <translation>Пароль для JSON-RPC-з&apos;єднань</translation> </message> <message> <location line="-67"/> <source>Allow JSON-RPC connections from specified IP address</source> <translation>Дозволити JSON-RPC-з&apos;єднання з вказаної IP-адреси</translation> </message> <message> <location line="+76"/> <source>Send commands to node running on &lt;ip&gt; (default: 127.0.0.1)</source> <translation>Відправляти команди на вузол, запущений на &lt;ip&gt; (типово: 127.0.0.1)</translation> </message> <message> <location line="-120"/> <source>Execute command when the best block changes (%s in cmd is replaced by block hash)</source> <translation type="unfinished"/> </message> <message> <location line="+147"/> <source>Upgrade wallet to latest format</source> <translation>Модернізувати гаманець до останнього формату</translation> </message> <message> <location line="-21"/> <source>Set key pool size to &lt;n&gt; (default: 100)</source> <translation>Встановити розмір пулу ключів &lt;n&gt; (типово: 100)</translation> </message> <message> <location line="-12"/> <source>Rescan the block chain for missing wallet transactions</source> <translation>Пересканувати ланцюжок блоків, в пошуку втрачених транзакцій</translation> </message> <message> <location line="+35"/> <source>Use OpenSSL (https) for JSON-RPC connections</source> <translation>Використовувати OpenSSL (https) для JSON-RPC-з&apos;єднань</translation> </message> <message> <location line="-26"/> <source>Server certificate file (default: server.cert)</source> <translation>Файл сертифіката сервера (типово: server.cert)</translation> </message> <message> <location line="+1"/> <source>Server private key (default: server.pem)</source> <translation>Закритий ключ сервера (типово: server.pem)</translation> </message> <message> <location line="-151"/> <source>Acceptable ciphers (default: TLSv1+HIGH:!SSLv2:!aNULL:!eNULL:!AH:!3DES:@STRENGTH)</source> <translation>Допустимі шифри (типово: TLSv1+HIGH:!SSLv2:!aNULL:!eNULL:!AH:!3DES:@STRENGTH)</translation> </message> <message> <location line="+165"/> <source>This help message</source> <translation>Дана довідка</translation> </message> <message> <location line="+6"/> <source>Unable to bind to %s on this computer (bind returned error %d, %s)</source> <translation>Неможливо прив&apos;язати до порту %s на цьому комп&apos;ютері (bind returned error %d, %s)</translation> </message> <message> <location line="-91"/> <source>Connect through socks proxy</source> <translation>Підключитись через SOCKS-проксі</translation> </message> <message> <location line="-10"/> <source>Allow DNS lookups for -addnode, -seednode and -connect</source> <translation>Дозволити пошук в DNS для команд -addnode, -seednode та -connect</translation> </message> <message> <location line="+55"/> <source>Loading addresses...</source> <translation>Завантаження адрес...</translation> </message> <message> <location line="-35"/> <source>Error loading wallet.dat: Wallet corrupted</source> <translation>Помилка при завантаженні wallet.dat: Гаманець пошкоджено</translation> </message> <message> <location line="+1"/> <source>Error loading wallet.dat: Wallet requires newer version of Execoin</source> <translation>Помилка при завантаженні wallet.dat: Гаманець потребує новішої версії Біткоін-клієнта</translation> </message> <message> <location line="+93"/> <source>Wallet needed to be rewritten: restart Execoin to complete</source> <translation>Потрібно перезаписати гаманець: перезапустіть Біткоін-клієнт для завершення</translation> </message> <message> <location line="-95"/> <source>Error loading wallet.dat</source> <translation>Помилка при завантаженні wallet.dat</translation> </message> <message> <location line="+28"/> <source>Invalid -proxy address: &apos;%s&apos;</source> <translation>Помилка в адресі проксі-сервера: «%s»</translation> </message> <message> <location line="+56"/> <source>Unknown network specified in -onlynet: &apos;%s&apos;</source> <translation>Невідома мережа вказана в -onlynet: «%s»</translation> </message> <message> <location line="-1"/> <source>Unknown -socks proxy version requested: %i</source> <translation type="unfinished"/> </message> <message> <location line="-96"/> <source>Cannot resolve -bind address: &apos;%s&apos;</source> <translation type="unfinished"/> </message> <message> <location line="+1"/> <source>Cannot resolve -externalip address: &apos;%s&apos;</source> <translation type="unfinished"/> </message> <message> <location line="+44"/> <source>Invalid amount for -paytxfee=&lt;amount&gt;: &apos;%s&apos;</source> <translation>Помилка у величині комісії -paytxfee=&lt;amount&gt;: «%s»</translation> </message> <message> <location line="+1"/> <source>Invalid amount</source> <translation>Некоректна кількість</translation> </message> <message> <location line="-6"/> <source>Insufficient funds</source> <translation>Недостатньо коштів</translation> </message> <message> <location line="+10"/> <source>Loading block index...</source> <translation>Завантаження індексу блоків...</translation> </message> <message> <location line="-57"/> <source>Add a node to connect to and attempt to keep the connection open</source> <translation>Додати вузол до підключення і лишити його відкритим</translation> </message> <message> <location line="-25"/> <source>Unable to bind to %s on this computer. Execoin is probably already running.</source> <translation>Неможливо прив&apos;язати до порту %s на цьому комп&apos;ютері. Можливо гаманець вже запущено.</translation> </message> <message> <location line="+64"/> <source>Fee per KB to add to transactions you send</source> <translation>Комісія за КБ</translation> </message> <message> <location line="+19"/> <source>Loading wallet...</source> <translation>Завантаження гаманця...</translation> </message> <message> <location line="-52"/> <source>Cannot downgrade wallet</source> <translation type="unfinished"/> </message> <message> <location line="+3"/> <source>Cannot write default address</source> <translation>Неможливо записати типову адресу</translation> </message> <message> <location line="+64"/> <source>Rescanning...</source> <translation>Сканування...</translation> </message> <message> <location line="-57"/> <source>Done loading</source> <translation>Завантаження завершене</translation> </message> <message> <location line="+82"/> <source>To use the %s option</source> <translation type="unfinished"/> </message> <message> <location line="-74"/> <source>Error</source> <translation>Помилка</translation> </message> <message> <location line="-31"/> <source>You must set rpcpassword=&lt;password&gt; in the configuration file: %s If the file does not exist, create it with owner-readable-only file permissions.</source> <translation>Ви мусите встановити rpcpassword=&lt;password&gt; в файлі конфігурації: %s Якщо файл не існує, створіть його із правами тільки для читання власником (owner-readable-only).</translation> </message> </context> </TS>
{ "content_hash": "a2970b4a954bde351c37917fd80b7260", "timestamp": "", "source": "github", "line_count": 2928, "max_line_length": 431, "avg_line_length": 37.884562841530055, "alnum_prop": 0.6237852261868273, "repo_name": "roucoin/roucoin", "id": "1aa0aaab0ba8559f10718d81982f03ad406d1cac", "size": "123317", "binary": false, "copies": "3", "ref": "refs/heads/master", "path": "src/qt/locale/bitcoin_uk.ts", "mode": "33188", "license": "mit", "language": [ { "name": "C", "bytes": "102879" }, { "name": "C++", "bytes": "2527444" }, { "name": "CSS", "bytes": "1127" }, { "name": "IDL", "bytes": "15763" }, { "name": "Objective-C", "bytes": "5864" }, { "name": "Python", "bytes": "69709" }, { "name": "Shell", "bytes": "9813" }, { "name": "TypeScript", "bytes": "5232065" } ], "symlink_target": "" }
package com.alibaba.dubbo.config; import java.util.ArrayList; import java.util.List; import org.hibernate.validator.constraints.NotBlank; import com.alibaba.dubbo.common.Constants; import com.alibaba.dubbo.common.compiler.support.AdaptiveCompiler; import com.alibaba.dubbo.common.logger.LoggerFactory; import com.alibaba.dubbo.config.support.Parameter; /** * 应用配置类:应用名称、版本、负责人、注册中心等 * */ public class ApplicationConfig extends AbstractConfig { private static final long serialVersionUID = 5508512956753757169L; /** * 当前应用的名称(一般取项目名称) ,必填, *<br>作用:用于计算应用间依赖关系 ,在注册中心方便管理 *<br>注意: * */ @NotBlank private String name; /** * 当前应用版本号 */ private String version; /** * 应用负责人,一般填写负责人"公司邮箱前缀" * <br> */ private String owner; /** * 组织名(BU或部门),注册中心区分服务来源 */ private String organization; // 分层 private String architecture; // 环境,如:dev/test/run private String environment; // Java代码编译器 private String compiler; // 日志输出方式 private String logger; // 注册中心 private List<RegistryConfig> registries; // 服务监控 private MonitorConfig monitor; // 是否为缺省 private Boolean isDefault; public ApplicationConfig() { } public ApplicationConfig(String name) { setName(name); } @Parameter(key = Constants.APPLICATION_KEY, required = true) public String getName() { return name; } public void setName(String name) { checkName("name", name); this.name = name; if (id == null || id.length() == 0) { id = name; } } @Parameter(key = "application.version") public String getVersion() { return version; } public void setVersion(String version) { this.version = version; } public String getOwner() { return owner; } public void setOwner(String owner) { checkMultiName("owner", owner); this.owner = owner; } public String getOrganization() { return organization; } public void setOrganization(String organization) { checkName("organization", organization); this.organization = organization; } public String getArchitecture() { return architecture; } public void setArchitecture(String architecture) { checkName("architecture", architecture); this.architecture = architecture; } public String getEnvironment() { return environment; } public void setEnvironment(String environment) { checkName("environment", environment); if (environment != null) { if (!("develop".equals(environment) || "test".equals(environment) || "product".equals(environment))) { throw new IllegalStateException("Unsupported environment: " + environment + ", only support develop/test/product, default is product."); } } this.environment = environment; } public RegistryConfig getRegistry() { return registries == null || registries.size() == 0 ? null : registries.get(0); } public void setRegistry(RegistryConfig registry) { List<RegistryConfig> registries = new ArrayList<RegistryConfig>(1); registries.add(registry); this.registries = registries; } public List<RegistryConfig> getRegistries() { return registries; } @SuppressWarnings({ "unchecked" }) public void setRegistries(List<? extends RegistryConfig> registries) { this.registries = (List<RegistryConfig>) registries; } public MonitorConfig getMonitor() { return monitor; } public void setMonitor(MonitorConfig monitor) { this.monitor = monitor; } public void setMonitor(String monitor) { this.monitor = new MonitorConfig(monitor); } public String getCompiler() { return compiler; } public void setCompiler(String compiler) { this.compiler = compiler; AdaptiveCompiler.setDefaultCompiler(compiler); } public String getLogger() { return logger; } public void setLogger(String logger) { this.logger = logger; LoggerFactory.setLoggerAdapter(logger); } public Boolean isDefault() { return isDefault; } public void setDefault(Boolean isDefault) { this.isDefault = isDefault; } }
{ "content_hash": "637c518862bc46c439d17b356c492088", "timestamp": "", "source": "github", "line_count": 194, "max_line_length": 105, "avg_line_length": 21.355670103092784, "alnum_prop": 0.6768042481293749, "repo_name": "sshling/dubbo", "id": "41f78a60f0b3009e6fa60f6fc80229f537b35961", "size": "4425", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "dubbo-config/dubbo-config-api/src/main/java/com/alibaba/dubbo/config/ApplicationConfig.java", "mode": "33188", "license": "apache-2.0", "language": [ { "name": "CSS", "bytes": "18582" }, { "name": "Java", "bytes": "4948643" }, { "name": "JavaScript", "bytes": "63148" }, { "name": "Shell", "bytes": "10458" } ], "symlink_target": "" }
import { IconDefinition, IconPrefix, IconName } from "@fortawesome/fontawesome-common-types"; export const definition: IconDefinition; export const faCompressAlt: IconDefinition; export const prefix: IconPrefix; export const iconName: IconName; export const width: number; export const height: number; export const ligatures: (string | number)[]; export const unicode: string; export const svgPathData: string; export const aliases: (string | number)[];
{ "content_hash": "1ae51bfc6cd10aeaa052d90ec390b5cf", "timestamp": "", "source": "github", "line_count": 11, "max_line_length": 93, "avg_line_length": 41.18181818181818, "alnum_prop": 0.7969094922737306, "repo_name": "victorbrodsky/order-lab", "id": "502d13c3f543f56e097a149a8f7eff227e844815", "size": "453", "binary": false, "copies": "5", "ref": "refs/heads/master", "path": "orderflex/public/orderassets/AppUserdirectoryBundle/fontawesome/js-packages/@fortawesome/free-solid-svg-icons/faCompressAlt.d.ts", "mode": "33188", "license": "apache-2.0", "language": [ { "name": "Batchfile", "bytes": "29" }, { "name": "C++", "bytes": "5768" }, { "name": "CSS", "bytes": "421734" }, { "name": "EJS", "bytes": "1868" }, { "name": "HTML", "bytes": "4395237" }, { "name": "JavaScript", "bytes": "33901027" }, { "name": "Less", "bytes": "160320" }, { "name": "Makefile", "bytes": "4438" }, { "name": "PHP", "bytes": "19666485" }, { "name": "Perl", "bytes": "2570" }, { "name": "PostScript", "bytes": "915057" }, { "name": "Python", "bytes": "43841" }, { "name": "Ruby", "bytes": "5029" }, { "name": "SCSS", "bytes": "79869" }, { "name": "Shell", "bytes": "113247" }, { "name": "Stylus", "bytes": "7850" }, { "name": "TSQL", "bytes": "6675" }, { "name": "Twig", "bytes": "3845422" }, { "name": "TypeScript", "bytes": "50736" } ], "symlink_target": "" }
import unittest import tempfile import uuid as _uuid import pathlib import io from qiime2.core.testing.type import IntSequence1 from qiime2.core.testing.format import IntSequenceDirectoryFormat from qiime2.core.archive.archiver import _ZipArchive, ArchiveRecord from qiime2.core.archive.format.v0 import ArchiveFormat class TestArchiveFormat(unittest.TestCase): def setUp(self): prefix = "qiime2-test-temp-" self.temp_dir = tempfile.TemporaryDirectory(prefix=prefix) def test_format_metadata(self): uuid = _uuid.uuid4() with io.StringIO() as fh: ArchiveFormat._format_metadata(fh, uuid, IntSequence1, IntSequenceDirectoryFormat) result = fh.getvalue() self.assertEqual(result, "uuid: %s\ntype: IntSequence1\nformat: " "IntSequenceDirectoryFormat\n" % uuid) def test_format_metadata_none(self): uuid = _uuid.uuid4() with io.StringIO() as fh: ArchiveFormat._format_metadata(fh, uuid, IntSequence1, None) result = fh.getvalue() self.assertEqual(result, "uuid: %s\ntype: IntSequence1\nformat: null\n" % uuid) def test_load_root_dir_metadata_uuid_mismatch(self): fp = pathlib.Path(self.temp_dir.name) / 'root-dir-metadata-mismatch' fp.mkdir() r = _ZipArchive.setup(fp, 'foo', 'bar') fake = ArchiveRecord(r.root, r.version_fp, _uuid.uuid4(), # This will trick the format r.version, r.framework_version) ArchiveFormat.write(fake, IntSequence1, IntSequenceDirectoryFormat, lambda x: None, None) with self.assertRaisesRegex( ValueError, 'root directory must match UUID.*metadata'): ArchiveFormat(r) if __name__ == '__main__': unittest.main()
{ "content_hash": "1f9f4b344f7575f1c715da6ff18d631d", "timestamp": "", "source": "github", "line_count": 55, "max_line_length": 79, "avg_line_length": 35.6, "alnum_prop": 0.6087844739530133, "repo_name": "ebolyen/qiime2", "id": "59cf949c22f5d4d391e8358bb1988c2a7e2f5d48", "size": "2307", "binary": false, "copies": "3", "ref": "refs/heads/master", "path": "qiime2/core/archive/format/tests/test_v0.py", "mode": "33188", "license": "bsd-3-clause", "language": [ { "name": "Python", "bytes": "492020" } ], "symlink_target": "" }
using Moq; using NUnit.Framework; using DotNetNuke.Entities.Tabs; using DotNetNuke.Entities.Portals; using Dnn.PersonaBar.Library.Helper; using Dnn.PersonaBar.Library.Prompt; using Dnn.PersonaBar.Library.Prompt.Models; using Dnn.PersonaBar.Pages.Components.Security; using Dnn.PersonaBar.Pages.Components.Prompt.Commands; namespace Dnn.PersonaBar.Pages.Tests { [TestFixture] public class GetPageUnitTests { private Mock<ITabController> _tabControllerMock; private Mock<IContentVerifier> _contentVerifierMock; private Mock<ISecurityService> _securityServiceMock; private PortalSettings _portalSettings; private IConsoleCommand _getCommand; private TabInfo _tab; private int _tabId = 21; private int _testPortalId = 1; [SetUp] public void RunBeforeAnyTest() { _tab = new TabInfo(); _tab.TabID = _tabId; _tab.PortalID = _testPortalId; _portalSettings = new PortalSettings(); _portalSettings.PortalId = _testPortalId; _tabControllerMock = new Mock<ITabController>(); _securityServiceMock = new Mock<ISecurityService>(); _contentVerifierMock = new Mock<IContentVerifier>(); _tabControllerMock.SetReturnsDefault(_tab); _securityServiceMock.SetReturnsDefault(true); _contentVerifierMock.SetReturnsDefault(true); } [Test] public void Run_GetPageWithValidCommand_ShouldSuccessResponse() { // Arrange _tabControllerMock.Setup(t => t.GetTab(_tabId, _testPortalId)).Returns(_tab); SetupCommand(); // Act var result = _getCommand.Run(); // Assert Assert.IsFalse(result.IsError); Assert.IsNotNull(result.Data); Assert.AreEqual(1, result.Records); Assert.IsFalse(result is ConsoleErrorResultModel); } [Test] public void Run_GetPageWithValidCommandForNonExistingTab_ShouldErrorResponse() { // Arrange _tab = null; _tabControllerMock.Setup(t => t.GetTab(_tabId, _testPortalId)).Returns(_tab); SetupCommand(); // Act var result = _getCommand.Run(); // Assert Assert.IsTrue(result.IsError); Assert.IsTrue(result is ConsoleErrorResultModel); } [Test] public void Run_GetPageWithValidCommandForRequestedPortalNotAllowed_ShouldErrorResponse() { // Arrange _contentVerifierMock.Setup(c => c.IsContentExistsForRequestedPortal(_testPortalId, _portalSettings, false)).Returns(false); SetupCommand(); // Act var result = _getCommand.Run(); // Assert Assert.IsTrue(result.IsError); Assert.IsTrue(result is ConsoleErrorResultModel); } [Test] public void Run_GetPageWithValidCommandForPortalNotAllowed_ShouldErrorResponse() { // Arrange _securityServiceMock.Setup(s => s.CanManagePage(_tabId)).Returns(false); SetupCommand(); // Act var result = _getCommand.Run(); // Assert Assert.IsTrue(result.IsError); Assert.IsTrue(result is ConsoleErrorResultModel); } private void SetupCommand() { _getCommand = new GetPage(_tabControllerMock.Object, _securityServiceMock.Object, _contentVerifierMock.Object); var args = new[] { "get-page", _tabId.ToString() }; _getCommand.Initialize(args, _portalSettings, null, _tabId); } } }
{ "content_hash": "f5e94f98ee99b93731c889015848b658", "timestamp": "", "source": "github", "line_count": 121, "max_line_length": 135, "avg_line_length": 31.40495867768595, "alnum_prop": 0.6010526315789474, "repo_name": "RichardHowells/Dnn.Platform", "id": "8d1eaee46115778497f4997998f1acd2e1ed4338", "size": "3802", "binary": false, "copies": "3", "ref": "refs/heads/development", "path": "Dnn.AdminExperience/Tests/Dnn.PersonaBar.Pages.Tests/GetPageUnitTests.cs", "mode": "33188", "license": "mit", "language": [ { "name": "ASP", "bytes": "1325033" }, { "name": "Batchfile", "bytes": "374" }, { "name": "C#", "bytes": "20877202" }, { "name": "CSS", "bytes": "1028965" }, { "name": "Erlang", "bytes": "2168" }, { "name": "HTML", "bytes": "629809" }, { "name": "JavaScript", "bytes": "3825173" }, { "name": "PHP", "bytes": "2199" }, { "name": "Smalltalk", "bytes": "66184" }, { "name": "Visual Basic", "bytes": "139461" }, { "name": "XSLT", "bytes": "16560" } ], "symlink_target": "" }
<?php declare(strict_types=1); namespace Darvin\MenuBundle\Twig\Extension; use Darvin\MenuBundle\Breadcrumbs\BreadcrumbsBuilderInterface; use Knp\Menu\Twig\Helper; use Twig\Extension\AbstractExtension; use Twig\TwigFunction; /** * Breadcrumbs Twig extension */ class BreadcrumbsExtension extends AbstractExtension { /** * @var \Darvin\MenuBundle\Breadcrumbs\BreadcrumbsBuilderInterface */ private $breadcrumbsBuilder; /** * @var \Knp\Menu\Twig\Helper */ private $helper; /** * @var string */ private $defaultTemplate; /** * @param \Darvin\MenuBundle\Breadcrumbs\BreadcrumbsBuilderInterface $breadcrumbsBuilder Breadcrumbs builder * @param \Knp\Menu\Twig\Helper $helper Helper * @param string $defaultTemplate Default template */ public function __construct(BreadcrumbsBuilderInterface $breadcrumbsBuilder, Helper $helper, string $defaultTemplate) { $this->breadcrumbsBuilder = $breadcrumbsBuilder; $this->helper = $helper; $this->defaultTemplate = $defaultTemplate; } /** * {@inheritDoc} */ public function getFunctions(): array { return [ new TwigFunction('darvin_menu_breadcrumbs', [$this, 'renderBreadcrumbs'], [ 'is_safe' => ['html'], ]), ]; } /** * @param string|null $fallback Fallback * @param array|null $firstCrumbs First breadcrumbs * @param array|null $mainCrumbs Main breadcrumbs * @param array|null $lastCrumbs Last breadcrumbs * @param array $options Options * @param string|null $renderer Renderer * * @return string */ public function renderBreadcrumbs( ?string $fallback = null, ?array $firstCrumbs = null, ?array $mainCrumbs = null, ?array $lastCrumbs = null, array $options = [], ?string $renderer = null ): string { if (!isset($options['template'])) { $options['template'] = $this->defaultTemplate; } return $this->helper->render( $this->breadcrumbsBuilder->buildBreadcrumbs($fallback, $firstCrumbs, $mainCrumbs, $lastCrumbs), $options, $renderer ); } }
{ "content_hash": "0946648aba153f257cb526a9266712af", "timestamp": "", "source": "github", "line_count": 83, "max_line_length": 121, "avg_line_length": 28.867469879518072, "alnum_prop": 0.5897328881469115, "repo_name": "DarvinStudio/DarvinMenuBundle", "id": "5c1c98713351c487caf5150a06891f3199f12fd9", "size": "2679", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "Twig/Extension/BreadcrumbsExtension.php", "mode": "33188", "license": "mit", "language": [ { "name": "HTML", "bytes": "3074" }, { "name": "PHP", "bytes": "142100" } ], "symlink_target": "" }
//------------------------------------------------------------------------------ // <auto-generated> // This code was generated by a tool. // Runtime Version:4.0.30319.34011 // // Changes to this file may cause incorrect behavior and will be lost if // the code is regenerated. // </auto-generated> //------------------------------------------------------------------------------ namespace qcalc_gui.Properties { [global::System.Runtime.CompilerServices.CompilerGeneratedAttribute()] [global::System.CodeDom.Compiler.GeneratedCodeAttribute("Microsoft.VisualStudio.Editors.SettingsDesigner.SettingsSingleFileGenerator", "11.0.0.0")] internal sealed partial class Settings : global::System.Configuration.ApplicationSettingsBase { private static Settings defaultInstance = ((Settings)(global::System.Configuration.ApplicationSettingsBase.Synchronized(new Settings()))); public static Settings Default { get { return defaultInstance; } } } }
{ "content_hash": "177b19ffd06c3a00d11c02454e4fefad", "timestamp": "", "source": "github", "line_count": 30, "max_line_length": 151, "avg_line_length": 35.46666666666667, "alnum_prop": 0.5798872180451128, "repo_name": "summea/qcalc-gui", "id": "63205a7555095d5bb1599263b059a6eaa3c4ac54", "size": "1066", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "qcalc-gui/qcalc-gui/Properties/Settings.Designer.cs", "mode": "33188", "license": "mit", "language": [ { "name": "C#", "bytes": "21798" } ], "symlink_target": "" }
ACCEPTED #### According to The Catalogue of Life, 3rd January 2011 #### Published in null #### Original name null ### Remarks null
{ "content_hash": "ad7290feb7fa5eeebffe2060f45c4232", "timestamp": "", "source": "github", "line_count": 13, "max_line_length": 39, "avg_line_length": 10.307692307692308, "alnum_prop": 0.6940298507462687, "repo_name": "mdoering/backbone", "id": "4ab611fb55800511dc41b13f5ad8a2f6566b3720", "size": "198", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "life/Plantae/Magnoliophyta/Magnoliopsida/Apiales/Araliaceae/Schefflera/Schefflera subdivaricata/README.md", "mode": "33188", "license": "apache-2.0", "language": [], "symlink_target": "" }
SPHINXOPTS = SPHINXBUILD = sphinx-build PAPER = BUILDDIR = _build # User-friendly check for sphinx-build ifeq ($(shell which $(SPHINXBUILD) >/dev/null 2>&1; echo $$?), 1) $(error The '$(SPHINXBUILD)' command was not found. Make sure you have Sphinx installed, then set the SPHINXBUILD environment variable to point to the full path of the '$(SPHINXBUILD)' executable. Alternatively you can add the directory with the executable to your PATH. If you don't have Sphinx installed, grab it from http://sphinx-doc.org/) endif # Internal variables. PAPEROPT_a4 = -D latex_paper_size=a4 PAPEROPT_letter = -D latex_paper_size=letter ALLSPHINXOPTS = -d $(BUILDDIR)/doctrees $(PAPEROPT_$(PAPER)) $(SPHINXOPTS) . # the i18n builder cannot share the environment and doctrees with the others I18NSPHINXOPTS = $(PAPEROPT_$(PAPER)) $(SPHINXOPTS) . .PHONY: help clean html dirhtml singlehtml pickle json htmlhelp qthelp devhelp epub latex latexpdf text man changes linkcheck doctest gettext help: @echo "Please use \`make <target>' where <target> is one of" @echo " html to make standalone HTML files" @echo " dirhtml to make HTML files named index.html in directories" @echo " singlehtml to make a single large HTML file" @echo " pickle to make pickle files" @echo " json to make JSON files" @echo " htmlhelp to make HTML files and a HTML help project" @echo " qthelp to make HTML files and a qthelp project" @echo " devhelp to make HTML files and a Devhelp project" @echo " epub to make an epub" @echo " latex to make LaTeX files, you can set PAPER=a4 or PAPER=letter" @echo " latexpdf to make LaTeX files and run them through pdflatex" @echo " latexpdfja to make LaTeX files and run them through platex/dvipdfmx" @echo " text to make text files" @echo " man to make manual pages" @echo " texinfo to make Texinfo files" @echo " info to make Texinfo files and run them through makeinfo" @echo " gettext to make PO message catalogs" @echo " changes to make an overview of all changed/added/deprecated items" @echo " xml to make Docutils-native XML files" @echo " pseudoxml to make pseudoxml-XML files for display purposes" @echo " linkcheck to check all external links for integrity" @echo " doctest to run all doctests embedded in the documentation (if enabled)" clean: rm -rf $(BUILDDIR)/* html: $(SPHINXBUILD) -b html $(ALLSPHINXOPTS) $(BUILDDIR)/html @echo @echo "Build finished. The HTML pages are in $(BUILDDIR)/html." dirhtml: $(SPHINXBUILD) -b dirhtml $(ALLSPHINXOPTS) $(BUILDDIR)/dirhtml @echo @echo "Build finished. The HTML pages are in $(BUILDDIR)/dirhtml." singlehtml: $(SPHINXBUILD) -b singlehtml $(ALLSPHINXOPTS) $(BUILDDIR)/singlehtml @echo @echo "Build finished. The HTML page is in $(BUILDDIR)/singlehtml." pickle: $(SPHINXBUILD) -b pickle $(ALLSPHINXOPTS) $(BUILDDIR)/pickle @echo @echo "Build finished; now you can process the pickle files." json: $(SPHINXBUILD) -b json $(ALLSPHINXOPTS) $(BUILDDIR)/json @echo @echo "Build finished; now you can process the JSON files." htmlhelp: $(SPHINXBUILD) -b htmlhelp $(ALLSPHINXOPTS) $(BUILDDIR)/htmlhelp @echo @echo "Build finished; now you can run HTML Help Workshop with the" \ ".hhp project file in $(BUILDDIR)/htmlhelp." qthelp: $(SPHINXBUILD) -b qthelp $(ALLSPHINXOPTS) $(BUILDDIR)/qthelp @echo @echo "Build finished; now you can run "qcollectiongenerator" with the" \ ".qhcp project file in $(BUILDDIR)/qthelp, like this:" @echo "# qcollectiongenerator $(BUILDDIR)/qthelp/Envy.qhcp" @echo "To view the help file:" @echo "# assistant -collectionFile $(BUILDDIR)/qthelp/Envy.qhc" devhelp: $(SPHINXBUILD) -b devhelp $(ALLSPHINXOPTS) $(BUILDDIR)/devhelp @echo @echo "Build finished." @echo "To view the help file:" @echo "# mkdir -p $$HOME/.local/share/devhelp/Envy" @echo "# ln -s $(BUILDDIR)/devhelp $$HOME/.local/share/devhelp/Envy" @echo "# devhelp" epub: $(SPHINXBUILD) -b epub $(ALLSPHINXOPTS) $(BUILDDIR)/epub @echo @echo "Build finished. The epub file is in $(BUILDDIR)/epub." latex: $(SPHINXBUILD) -b latex $(ALLSPHINXOPTS) $(BUILDDIR)/latex @echo @echo "Build finished; the LaTeX files are in $(BUILDDIR)/latex." @echo "Run \`make' in that directory to run these through (pdf)latex" \ "(use \`make latexpdf' here to do that automatically)." latexpdf: $(SPHINXBUILD) -b latex $(ALLSPHINXOPTS) $(BUILDDIR)/latex @echo "Running LaTeX files through pdflatex..." $(MAKE) -C $(BUILDDIR)/latex all-pdf @echo "pdflatex finished; the PDF files are in $(BUILDDIR)/latex." latexpdfja: $(SPHINXBUILD) -b latex $(ALLSPHINXOPTS) $(BUILDDIR)/latex @echo "Running LaTeX files through platex and dvipdfmx..." $(MAKE) -C $(BUILDDIR)/latex all-pdf-ja @echo "pdflatex finished; the PDF files are in $(BUILDDIR)/latex." text: $(SPHINXBUILD) -b text $(ALLSPHINXOPTS) $(BUILDDIR)/text @echo @echo "Build finished. The text files are in $(BUILDDIR)/text." man: $(SPHINXBUILD) -b man $(ALLSPHINXOPTS) $(BUILDDIR)/man @echo @echo "Build finished. The manual pages are in $(BUILDDIR)/man." texinfo: $(SPHINXBUILD) -b texinfo $(ALLSPHINXOPTS) $(BUILDDIR)/texinfo @echo @echo "Build finished. The Texinfo files are in $(BUILDDIR)/texinfo." @echo "Run \`make' in that directory to run these through makeinfo" \ "(use \`make info' here to do that automatically)." info: $(SPHINXBUILD) -b texinfo $(ALLSPHINXOPTS) $(BUILDDIR)/texinfo @echo "Running Texinfo files through makeinfo..." make -C $(BUILDDIR)/texinfo info @echo "makeinfo finished; the Info files are in $(BUILDDIR)/texinfo." gettext: $(SPHINXBUILD) -b gettext $(I18NSPHINXOPTS) $(BUILDDIR)/locale @echo @echo "Build finished. The message catalogs are in $(BUILDDIR)/locale." changes: $(SPHINXBUILD) -b changes $(ALLSPHINXOPTS) $(BUILDDIR)/changes @echo @echo "The overview file is in $(BUILDDIR)/changes." linkcheck: $(SPHINXBUILD) -b linkcheck $(ALLSPHINXOPTS) $(BUILDDIR)/linkcheck @echo @echo "Link check complete; look for any errors in the above output " \ "or in $(BUILDDIR)/linkcheck/output.txt." doctest: $(SPHINXBUILD) -b doctest $(ALLSPHINXOPTS) $(BUILDDIR)/doctest @echo "Testing of doctests in the sources finished, look at the " \ "results in $(BUILDDIR)/doctest/output.txt." xml: $(SPHINXBUILD) -b xml $(ALLSPHINXOPTS) $(BUILDDIR)/xml @echo @echo "Build finished. The XML files are in $(BUILDDIR)/xml." pseudoxml: $(SPHINXBUILD) -b pseudoxml $(ALLSPHINXOPTS) $(BUILDDIR)/pseudoxml @echo @echo "Build finished. The pseudo-XML files are in $(BUILDDIR)/pseudoxml."
{ "content_hash": "307f367ba3395685b7d34a23cc12c5e3", "timestamp": "", "source": "github", "line_count": 173, "max_line_length": 343, "avg_line_length": 38.50867052023121, "alnum_prop": 0.7062443710597418, "repo_name": "jerluc/envy", "id": "97ef408dae21e69872426227f155adfb007bca9d", "size": "6754", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "docs/Makefile", "mode": "33188", "license": "apache-2.0", "language": [ { "name": "Python", "bytes": "9670" } ], "symlink_target": "" }
// Generates PHP gRPC service interface out of Protobuf IDL. #include <memory> #include "src/compiler/config.h" #include "src/compiler/php_generator.h" #include "src/compiler/php_generator_helpers.h" using grpc_php_generator::GenerateFile; using grpc_php_generator::GetPHPServiceFilename; class PHPGrpcGenerator : public grpc::protobuf::compiler::CodeGenerator { public: PHPGrpcGenerator() {} ~PHPGrpcGenerator() {} bool Generate(const grpc::protobuf::FileDescriptor *file, const grpc::string &parameter, grpc::protobuf::compiler::GeneratorContext *context, grpc::string *error) const { if (file->service_count() == 0) { return true; } for (int i = 0; i < file->service_count(); i++) { grpc::string code = GenerateFile(file, file->service(i), parameter); // Get output file name grpc::string file_name = GetPHPServiceFilename(file, file->service(i), parameter); std::unique_ptr<grpc::protobuf::io::ZeroCopyOutputStream> output( context->Open(file_name)); grpc::protobuf::io::CodedOutputStream coded_out(output.get()); coded_out.WriteRaw(code.data(), code.size()); } return true; } }; int main(int argc, char *argv[]) { PHPGrpcGenerator generator; return grpc::protobuf::compiler::PluginMain(argc, argv, &generator); }
{ "content_hash": "fc231c59470a6711eee297e934ab44af", "timestamp": "", "source": "github", "line_count": 47, "max_line_length": 74, "avg_line_length": 29.21276595744681, "alnum_prop": 0.6627822286962856, "repo_name": "kskalski/grpc", "id": "bbe91656d5e4e4bb7031eb1cf5e27bffaedeb35b", "size": "1975", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "src/compiler/php_plugin.cc", "mode": "33188", "license": "apache-2.0", "language": [ { "name": "Batchfile", "bytes": "14215" }, { "name": "C", "bytes": "6593116" }, { "name": "C#", "bytes": "1419650" }, { "name": "C++", "bytes": "1994429" }, { "name": "CMake", "bytes": "449240" }, { "name": "DTrace", "bytes": "147" }, { "name": "JavaScript", "bytes": "370036" }, { "name": "M4", "bytes": "42266" }, { "name": "Makefile", "bytes": "852253" }, { "name": "Objective-C", "bytes": "269113" }, { "name": "PHP", "bytes": "275617" }, { "name": "Protocol Buffer", "bytes": "93110" }, { "name": "PureBasic", "bytes": "147" }, { "name": "Python", "bytes": "1263861" }, { "name": "Ruby", "bytes": "625583" }, { "name": "Shell", "bytes": "35036" }, { "name": "Swift", "bytes": "3486" } ], "symlink_target": "" }
<?php /** * Created by PhpStorm. * User: reinier * Date: 22-03-16 * Time: 11:04 */ namespace frontend\controllers; use common\models\ComputerSummary; use common\models\Customer; use common\models\MaintenanceRequest; use common\models\User; use frontend\components\web\FrontendController; use frontend\models\MaintenanceRequestForm; use Yii; use yii\web\Response; use yii\web\UnauthorizedHttpException; use yii\widgets\ActiveForm; class MaintenanceRequestController extends FrontendController { public $defaultAction = 'index'; public function behaviors() { return [ [ 'class' => 'yii\filters\HttpCache', 'only' => ['index'], 'lastModified' => function ($action, $params) { if (is_null(Yii::$app->session->getAllFlashes())) { return time(); } return filemtime(Yii::getAlias('@frontend') . '/views/maintenance-request/requestForm.php'); }, 'sessionCacheLimiter' => 'public', ], ]; } public function actionIndex() { if (Yii::$app->user->isGuest) { $model = new MaintenanceRequestForm(); if ($model->load(Yii::$app->request->post())) { if (Yii::$app->request->isAjax) { Yii::$app->response->format = Response::FORMAT_JSON; return ActiveForm::validate($model); } else if ($model->validate()) { //create models $user = new User(); $customer = new Customer(); $computerSummary = new ComputerSummary(['scenario' => ComputerSummary::SCENARIO_FRONTEND]); $maintenanceRequest = new MaintenanceRequest(['scenario' => MaintenanceRequest::SCENARIO_FRONTEND]); //set userPassword $model->userPassword = Yii::$app->security->generateRandomString(8); //set user attributes $user->setAttributes(['username' => $model->email, 'email' => $model->email, 'password' => $user->setPassword($model->userPassword), 'status' => User::STATUS_ACTIVE], false); //set customer attributes $customer->setAttributes(['name' => $model->customerName, 'email' => $model->email, 'zipcode' => $model->zipcode, 'adres' => $model->address, 'city' => $model->city, 'phone' => $model->phone], false); //set computer attributes $computerSummary->setAttribute('name', "{$model->customerName}s, computer"); //set maintenance request attributes $maintenanceRequest->setAttribute('description', $model->description); //save kopel en save if ($user->save()) { $customer->user_id = $user->id; //rbac $auth = Yii::$app->authManager; $customerRule = $auth->getRole('customer'); $auth->assign($customerRule, $user->id); if ($customer->save()) { $computerSummary->customer_id = $customer->id; if ($computerSummary->save()) { $maintenanceRequest->computer_id = $computerSummary->id; if ($maintenanceRequest->save()) { //set status message Yii::$app->session->setFlash('success', Yii::t('maintenaceRequest', 'Thanks, we will send you a mail with your account')); //send mail Yii::$app->mailer->compose('maintenanceRequest', ['model' => $model]) ->setFrom([Yii::$app->params['adminEmail'] => Yii::$app->params['adminName']]) ->setTo([$model->email => $model->customerName]) ->setBcc(Yii::$app->params['adminEmail']) ->setSubject(Yii::t('maintenaceRequest', 'Your request has revered')) ->send(); return $this->redirect('/maintenance-request'); } } } } } } return $this->render('requestForm', ['model' => $model]); } throw new UnauthorizedHttpException(Yii::t('maintenanceRequest', 'This page is only available voor guests')); } public function actionExistingComputer($id) { if (!empty(($computer = ComputerSummary::findOne($id))) && Yii::$app->user->can('viewOwnComputer', ['id' => $id])) { $model = new MaintenanceRequest(['scenario' => MaintenanceRequest::SCENARIO_FRONTEND]); $model->setAttribute('computer_id', $computer->id); if ($model->load(Yii::$app->request->post()) && $model->save()) { //send mail Yii::$app->mailer->compose('maintenanceRequestExisting', ['model' => $model]) ->setFrom([Yii::$app->params['adminEmail'] => Yii::$app->params['adminName']]) ->setTo([$computer->customer->email => $computer->customer->name]) ->setSubject(Yii::t('maintenaceRequest', 'Your request has revered')) ->send(); return $this->redirect(['/dashboard/view-computer', 'id' => $computer->id]); } return $this->render('existingComputerForm', [ 'computer' => $computer, 'model' => $model, ]); } } }
{ "content_hash": "7ca62ca1a8c697033ce89d03ab899ddd", "timestamp": "", "source": "github", "line_count": 122, "max_line_length": 220, "avg_line_length": 48.26229508196721, "alnum_prop": 0.49422554347826086, "repo_name": "foxoffire33/computerManager", "id": "0c483731e976dda95ea32f47d12f23d2209b0edc", "size": "5888", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "frontend/controllers/MaintenanceRequestController.php", "mode": "33188", "license": "bsd-3-clause", "language": [ { "name": "ApacheConf", "bytes": "2963" }, { "name": "Batchfile", "bytes": "1541" }, { "name": "CSS", "bytes": "138074" }, { "name": "JavaScript", "bytes": "763949" }, { "name": "PHP", "bytes": "348581" } ], "symlink_target": "" }
import logging import urllib import uuid from collections import defaultdict from copy import copy from dataclasses import dataclass, field from typing import Callable, Dict, List, Optional, Set, Union, cast, overload import requests from typing_extensions import Literal, Protocol import mbq.metrics from .. import ServiceClient logger = logging.getLogger(__name__) UUIDType = Union[str, uuid.UUID] # External type returned from internal and external OS Core clients. Keys # are the org refs if UUIDs, or {ref_type}:{ref_id} if legacy int types. # Values are lists of scopes. Should also include a "global" literal key. FetchedPermissionsDoc = Dict[str, List[str]] # Internal type stored in the cache. Keys are cache keys with prefixes, colons, etc. # Values are pipe-delimited strings with an additional pipe on the end. CachedPermissionsDoc = Dict[str, str] RefType = Union[Literal["company", "vendor"]] @dataclass class RefSpec: ref: Union[UUIDType, Literal["global"], int] type: Optional[RefType] = None @dataclass class StaffPermissionsDoc: is_superuser: bool permissions: List[str] @dataclass class ConvenientOrgRefs: org_refs: Set[str] = field(default_factory=set) company_ids: Set[int] = field(default_factory=set) vendor_ids: Set[int] = field(default_factory=set) class ClientError(Exception): """Raised from within OSCoreClient implementations to denote the fetch failed due to a client-side error. """ pass class ServerError(Exception): """Raised from within OSCoreClient implementations to denote the fetch failed due to a server-side error. """ pass class OSCoreClient(Protocol): def fetch_permissions( self, person_id: UUIDType, org_ref: UUIDType ) -> FetchedPermissionsDoc: ... def fetch_permissions_for_location( self, person_id: UUIDType, location_id: int, location_type: RefType ) -> FetchedPermissionsDoc: ... def fetch_all_permissions(self, person_id: UUIDType) -> FetchedPermissionsDoc: ... def fetch_staff_permissions(self, person_id: UUIDType) -> StaffPermissionsDoc: ... def fetch_org_refs_for_permission( self, person_id: UUIDType, scope: str ) -> List[str]: ... def fetch_persons_with_permission(self, scope: str, org_ref: UUIDType) -> List[str]: ... def fetch_persons_with_permission_for_location( self, scope: str, location_type: RefType, location_id: int ) -> List[str]: ... class OSCoreServiceClient: def __init__(self, client: ServiceClient): # The copying and munging here is attempting to deal with differences # in how the individual ServiceClients are configured. We can get rid # of it if we standardize within the services. # Note that we are doing a shallow copy so the Authenticator instance # will be shared self.client = copy(client) self.client._post_process_response = None self.client._headers = None parsed = urllib.parse.urlparse(self.client._api_url) self.client._api_url = f"{parsed.scheme}://{parsed.netloc}" def _make_get_request(self, *args, **kwargs): try: return self.client.get(*args, **kwargs) except requests.exceptions.HTTPError as e: response = getattr(e, "response", None) if response is not None and response.status_code // 100 == 4: raise ClientError("Invalid request") from e raise ServerError("Server error") from e except Exception as e: raise ServerError("Server error") from e def fetch_permissions( self, person_id: UUIDType, org_ref: UUIDType ) -> FetchedPermissionsDoc: logger.debug(f"Fetching permissions from OS Core: {person_id}, {org_ref}") return self._make_get_request( f"/api/v1/people/{person_id}/permissions/by-org-ref", params={"org_ref": org_ref}, ) def fetch_permissions_for_location( self, person_id: UUIDType, location_id: int, location_type: RefType ) -> FetchedPermissionsDoc: logger.debug( f"Fetching permissions from OS Core: {person_id}, {location_type} {location_id}" ) return self._make_get_request( f"/api/v1/people/{person_id}/permissions/by-location", params={"location_id": location_id, "location_type": location_type}, ) def fetch_all_permissions(self, person_id: UUIDType) -> FetchedPermissionsDoc: logger.debug(f"Fetching all permissions from OS Core: {person_id}") return self._make_get_request(f"/api/v1/people/{person_id}/permissions/all") def fetch_staff_permissions(self, person_id: UUIDType) -> StaffPermissionsDoc: logger.debug(f"Fetching staff permissions from OS Core: {person_id}") data = self._make_get_request(f"/api/v1/people/{person_id}/internal-user-permissions") return StaffPermissionsDoc( is_superuser=data['is_superuser'], permissions=data['permissions'], ) def fetch_org_refs_for_permission( self, person_id: UUIDType, scope: str ) -> List[str]: logger.debug( f"Fetching all orgs for which Person {person_id} has permission '{scope}'" ) return self._make_get_request( f"/api/v1/people/{person_id}/permissions/{scope}/orgs" )["objects"] def fetch_persons_with_permission(self, scope: str, org_ref: UUIDType) -> List[str]: logger.debug( f"Fetching all persons with permission '{scope}' in org {org_ref}" ) return self._make_get_request( f"/api/v1/permissions/people/by-org-ref", params={'scope': scope, 'org_ref': org_ref} )["objects"] def fetch_persons_with_permission_for_location( self, scope: str, location_type: RefType, location_id: int ) -> List[str]: logger.debug( f"Fetching all persons with permission '{scope}' in location " "{location_id}, {location_type}" ) return self._make_get_request( f"/api/v1/permissions/people/by-location", params={'scope': scope, 'location_type': location_type, 'location_id': location_id} )["objects"] class Registrar: def __init__(self): self._callback_error_name = "callback_error" self._registry: Dict[str, List[Callable[..., None]]] = defaultdict(list) def register_error_handler(self, fn: Callable[[str, Exception], None]) -> None: """ Use this method to add a callback (fn) which will be executed when a callback raises an exception """ self._registry[self._callback_error_name].append(fn) def register(self, name: str, fn: Callable[..., None]) -> None: """ Use this method to add a callback (fn) which will be executed when an event (name) is emitted """ self._registry[name].append(fn) def emit(self, name: str, *args, **kwargs) -> None: """ Use this method to emit an event and trigger registered callbacks""" for fn in self._registry[name]: try: fn(*args, **kwargs) except Exception as e: if name != self._callback_error_name: self.emit(self._callback_error_name, name, e) else: raise class PermissionsClient: """Cache-aware client for consuming the Permissions API from OS Core. os_core_client: OSCoreClient Protocol implementation used to talk to OS Core. From remote services, this should be a wrapped ServiceClient instance. Use the provided OSCoreServiceClient wrapper in this contrib. From OS Core itself, this should make local function calls. cache_name: Name of the Django cache to use, default "default". Pass None to disable caching. cache_period_seconds: Expiration time on cache keys in seconds. """ _cache_prefix = "permissions_client" _collector = None def __init__( self, os_core_client: OSCoreClient, cache_name="default", cache_period_seconds=120, ): self.registrar = Registrar() self.os_core_client = os_core_client if cache_name is not None: from django.core.cache import caches # type: ignore self.cache = caches[cache_name] if cache_name else None self.cache_period_seconds = cache_period_seconds else: self.cache = None self.cache_period_seconds = None @property def collector(self): if self._collector is None: if mbq.metrics._initialized is False: raise RuntimeError("mbq.metrics is not initialized") self._collector = mbq.metrics.Collector( namespace="mbq.client.permissions", tags={ "service": mbq.metrics._service, "env": mbq.metrics._env.long_name, }, ) return self._collector def _cache_key(self, person_id: str, spec: RefSpec) -> str: if spec.type is not None: return f"{self._cache_prefix}:{person_id}:{spec.ref}:{spec.type}" return f"{self._cache_prefix}:{person_id}:{spec.ref}" def _global_cache_key(self, person_id: str) -> str: return f"{self._cache_prefix}:{person_id}:global" def _cache_read( self, person_id: str, ref_specs: List[RefSpec] ) -> Optional[CachedPermissionsDoc]: if not self.cache: return None keys = [self._global_cache_key(person_id)] for spec in ref_specs: if spec.ref != "global": keys.append(self._cache_key(person_id, spec)) try: with self.collector.timed("cache.read.time"): fetched = self.cache.get_many(keys) except Exception as e: raise ServerError("Error reading from cache") from e if len(fetched.keys()) != len(keys): logger.debug(f"Not all keys found in cache, got: {fetched}") self.collector.increment("cache.read", tags={"result": "miss"}) return None logger.debug(f"Successful cache read: {fetched}") self.collector.increment("cache.read", tags={"result": "hit"}) return fetched def _cache_transform( self, person_id: str, permissions_doc: FetchedPermissionsDoc ) -> CachedPermissionsDoc: logger.debug(f"Transforming to cache representation: {permissions_doc}") cache_doc = {} for ref, scopes in permissions_doc.items(): org_ref: str ref_type: Optional[RefType] = None if ":" in ref: split = ref.split(":") ref_type, org_ref = cast(RefType, split[0]), split[1] else: org_ref = ref joined_scopes = f"{'|'.join(scopes)}|" cache_doc[ self._cache_key(person_id, RefSpec(org_ref, ref_type)) ] = joined_scopes return cache_doc def _cache_write(self, doc: CachedPermissionsDoc) -> None: if self.cache: logger.debug(f"Writing to cache: {doc}") try: with self.collector.timed("cache.write.time"): self.cache.set_many(doc, timeout=self.cache_period_seconds) self.collector.increment("cache.write") except Exception as e: raise ServerError("Error writing to cache") from e def _has_permission( self, person_id: UUIDType, scope: str, specs: List[RefSpec] ) -> bool: """Returns bool of whether the given person has the given scope on ALL RefSpecs specified. """ person_id = str(person_id) cached_doc = self._cache_read(person_id, specs) if not cached_doc: if len(specs) > 1 or specs[0].ref == "global": logger.debug("Using fetch_all_permissions") fetched_doc = self.os_core_client.fetch_all_permissions(person_id) else: spec = specs[0] if spec.type is not None: logger.debug("Using fetch_permissions_for_location") fetched_doc = self.os_core_client.fetch_permissions_for_location( person_id, int(spec.ref), spec.type ) else: logger.debug("Using fetch_permissions") assert isinstance(spec.ref, (uuid.UUID, str)) fetched_doc = self.os_core_client.fetch_permissions( person_id, spec.ref ) cached_doc = self._cache_transform(person_id, fetched_doc) self._cache_write(cached_doc) found = True if f"{scope}|" in cached_doc.get(self._global_cache_key(person_id), ""): pass else: for spec in specs: cache_key = self._cache_key(person_id, spec) if f"{scope}|" not in cached_doc.get(cache_key, ""): found = False break return found def has_global_permission(self, person_id: UUIDType, scope: str) -> bool: """Test whether the scope is granted to the person on the global scope.""" with self.collector.timed( "has_permission.time", tags={"call": "has_global_permission"} ): result = self._has_permission(person_id, scope, [RefSpec("global")]) self.collector.increment( "has_permission", tags={ "call": "has_global_permission", "result": str(result), "scope": scope, }, ) self.registrar.emit( "has_global_permission_completed", person_id, scope, result=result ) return result @overload # noqa: F811 def has_permission( self, person_id: UUIDType, scope: str, org_ref: UUIDType ) -> bool: ... @overload # noqa: F811 def has_permission( self, person_id: UUIDType, scope: str, org_ref: int, ref_type: RefType ) -> bool: ... def has_permission( # noqa: F811 self, person_id: UUIDType, scope: str, org_ref: Union[UUIDType, int], ref_type: Optional[RefType] = None, ) -> bool: """Test whether the scope is granted to the person on the provided org or location references. This should not be used to test for explicit global permissions, prefer has_global_permission instead. """ with self.collector.timed( "has_permission.time", tags={"call": "has_permission"} ): result = self._has_permission( person_id, scope, [RefSpec(org_ref, ref_type)] ) self.collector.increment( "has_permission", tags={"call": "has_permission", "result": str(result), "scope": scope}, ) self.registrar.emit( "has_permission_completed", person_id, scope, org_ref, ref_type=ref_type, result=result, ) return result @overload # noqa: F811 def has_all_permissions( self, person_id: UUIDType, scope: str, *, org_refs: List[UUIDType] ) -> bool: ... @overload # noqa: F811 def has_all_permissions( self, person_id: UUIDType, scope: str, *, org_refs: List[int], ref_type: RefType ) -> bool: ... def has_all_permissions( # noqa: F811 self, person_id: UUIDType, scope: str, *, org_refs: Union[List[UUIDType], List[int]], ref_type: Optional[RefType] = None, ) -> bool: """Test whether the scope is granted to the person on ALL of the provided org or location references. This should not be used to test for explicit global permissions, prefer has_global_permission instead. """ with self.collector.timed( "has_permission.time", tags={"type": "has_all_permissions"} ): specs = [RefSpec(ref, ref_type) for ref in org_refs] result = self._has_permission(person_id, scope, specs) self.collector.increment( "has_permission", tags={"call": "has_all_permissions", "result": str(result), "scope": scope}, ) self.registrar.emit( "has_all_permissions_completed", person_id, scope, org_refs=org_refs, ref_type=ref_type, result=result, ) return result def _parse_raw_org_refs(self, raw_org_refs: List[str]) -> ConvenientOrgRefs: company_ids, vendor_ids, org_refs = set(), set(), set() for raw_ref in raw_org_refs: if raw_ref.startswith("company"): company_ids.add(int(raw_ref.split(":")[1])) elif raw_ref.startswith("vendor"): vendor_ids.add(int(raw_ref.split(":")[1])) else: org_refs.add(raw_ref) return ConvenientOrgRefs(org_refs, company_ids, vendor_ids) def get_org_refs_for_permission( self, person_id: UUIDType, scope: str ) -> ConvenientOrgRefs: """ Given a person and permission scope return all of the org or location references where the person has that permission. """ with self.collector.timed( "get_org_refs_for_permission.time", tags={"type": "get_org_refs_for_permission"} ): result = self._parse_raw_org_refs( self.os_core_client.fetch_org_refs_for_permission(person_id, scope) ) self.collector.increment( "get_org_refs_for_permission", tags={"call": "get_org_refs_for_permission", "scope": scope}, ) self.registrar.emit( "get_org_refs_for_permission_completed", person_id, scope, result=result ) return result @overload # noqa: F811 def get_persons_with_permission( self, scope: str, org_ref: UUIDType ) -> List[str]: ... @overload # noqa: F811 def get_persons_with_permission( self, scope: str, org_ref: int, ref_type: RefType ) -> List[str]: ... def get_persons_with_permission( # noqa: F811 self, scope: str, org_ref: Union[UUIDType, int], ref_type: Optional[RefType] = None, ) -> List[str]: with self.collector.timed( "get_persons_with_permission.time", tags={"type": "get_persons_with_permission"} ): if ref_type: result = self.os_core_client.fetch_persons_with_permission_for_location( scope, ref_type, int(org_ref) ) else: result = self.os_core_client.fetch_persons_with_permission( scope, str(org_ref) ) self.collector.increment( "get_persons_with_permission", tags={"call": "get_persons_with_permission", "scope": scope}, ) self.registrar.emit( "get_persons_with_permission_completed", scope, org_ref, ref_type=ref_type, result=result, ) return result def get_staff_permissions(self, person_id: UUIDType) -> StaffPermissionsDoc: with self.collector.timed( "get_staff_permissions.time", tags={"type": "get_staff_permissions"} ): result = self.os_core_client.fetch_staff_permissions(person_id) self.collector.increment( "get_staff_permissions", tags={"call": "get_staff_permissions", "person_id": person_id}, ) self.registrar.emit( "get_staff_permissions_completed", person_id, result=result, ) return result def has_staff_permission(self, person_id: UUIDType, scope: str) -> bool: with self.collector.timed( "has_staff_permission.time", tags={"type": "has_staff_permission"} ): staff_permissions_doc = self.os_core_client.fetch_staff_permissions(person_id) result = ( staff_permissions_doc.is_superuser or scope in staff_permissions_doc.permissions ) self.collector.increment( "has_staff_permission", tags={"call": "has_staff_permission", "person_id": person_id, "scope": scope}, ) self.registrar.emit( "has_staff_permission_completed", person_id, scope, result=result, ) return result
{ "content_hash": "323a2bcfa697d265bca3f124f7147167", "timestamp": "", "source": "github", "line_count": 607, "max_line_length": 95, "avg_line_length": 34.634266886326195, "alnum_prop": 0.5796508585834562, "repo_name": "managedbyq/mbq.client", "id": "a79de208d40f0e27c637b8f19bd19f78fe03a90b", "size": "21023", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "mbq/client/contrib/permissions.py", "mode": "33188", "license": "apache-2.0", "language": [ { "name": "Python", "bytes": "51978" } ], "symlink_target": "" }
OpenFOAM case files for simulating the UBC vertical axis turbine(s) with the turbinesFoam actuator line model. ## Purpose The main goal of this simulation is to replicate Fig. 6a in Li and Calisal (2010) "Modeling of twin-turbine systems with vertical axis tidal current turbines: Part I—Power output" to test the ability of turbinesFoam to model the interaction of two cross-flow turbines w.r.t. power output. ## License Code is MIT licensed. See LICENSE for details. <a rel="license" href="http://creativecommons.org/licenses/by/4.0/"> <img alt="Creative Commons License" style="border-width:0" src="http://i.creativecommons.org/l/by/4.0/88x31.png" /> </a><br />All other materials licensed under a <a rel="license" href="http://creativecommons.org/licenses/by/4.0/"/> Creative Commons Attribution 4.0 International License</a>.
{ "content_hash": "40dbb74ffcccdfbb0922eb1f9e9dc2c6", "timestamp": "", "source": "github", "line_count": 20, "max_line_length": 116, "avg_line_length": 41.9, "alnum_prop": 0.7613365155131265, "repo_name": "petebachant/CFT-array-turbinesFoam", "id": "eaa4da8b3e1ac65dc446c994436013495aeb0179", "size": "875", "binary": false, "copies": "2", "ref": "refs/heads/master", "path": "README.md", "mode": "33188", "license": "mit", "language": [ { "name": "C++", "bytes": "41125" }, { "name": "Python", "bytes": "9096" }, { "name": "Shell", "bytes": "636" } ], "symlink_target": "" }
<?xml version="1.0" encoding="UTF-8" ?> <routes xmlns="http://symfony.com/schema/routing" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" xsi:schemaLocation="http://symfony.com/schema/routing http://symfony.com/schema/routing/routing-1.0.xsd"> <route id="sulu_security.template.role.form" path="/template/role/form.html"> <default key="_controller">SuluSecurityBundle:Template:roleForm</default> </route> <route id="sulu_security.template.permission.form" path="/template/permission/form.html"> <default key="_controller">SuluSecurityBundle:Template:permissionform</default> </route> <route id="sulu_security.template.role.list" path="/template/role/list.html"> <default key="_controller">SuluSecurityBundle:Template:roleList</default> </route> <route id="sulu_security.reset_password.email" path="reset/email"> <default key="_controller">SuluSecurityBundle:Resetting:sendEmail</default> </route> <route id="sulu_security.reset_password.email.resend" path="reset/email/resend"> <default key="_controller">SuluSecurityBundle:Resetting:sendEmail</default> <default key="generateNewKey">false</default> </route> <route id="sulu_security.reset_password.reset" path="reset"> <default key="_controller">SuluSecurityBundle:Resetting:reset</default> </route> <route id="sulu_security.permission_tab.form" path="/template/permission-tab/form.html"> <default key="_controller">SuluSecurityBundle:Template:permissionTabForm</default> </route> <import type="rest" resource="sulu_security.profile_controller"/> </routes>
{ "content_hash": "14bb6da34cdfff326726d74c80b3259a", "timestamp": "", "source": "github", "line_count": 30, "max_line_length": 93, "avg_line_length": 55.43333333333333, "alnum_prop": 0.7071557426337943, "repo_name": "fahadonline/sulu", "id": "61edccb313ff1572e2b8a6be6487fcb7af8d0f64", "size": "1663", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "vendor/sulu/sulu/src/Sulu/Bundle/SecurityBundle/Resources/config/routing.xml", "mode": "33261", "license": "mit", "language": [ { "name": "ApacheConf", "bytes": "3764" }, { "name": "CSS", "bytes": "120902" }, { "name": "HTML", "bytes": "76011" }, { "name": "JavaScript", "bytes": "43258" }, { "name": "PHP", "bytes": "56167" }, { "name": "Shell", "bytes": "1956" } ], "symlink_target": "" }
package com.google.api.ads.adwords.jaxws.v201502.cm; import javax.xml.bind.annotation.XmlAccessType; import javax.xml.bind.annotation.XmlAccessorType; import javax.xml.bind.annotation.XmlSchemaType; import javax.xml.bind.annotation.XmlType; /** * * Represents errors thrown by the get operation. * * * <p>Java class for DataError complex type. * * <p>The following schema fragment specifies the expected content contained within this class. * * <pre> * &lt;complexType name="DataError"> * &lt;complexContent> * &lt;extension base="{https://adwords.google.com/api/adwords/cm/v201502}ApiError"> * &lt;sequence> * &lt;element name="reason" type="{https://adwords.google.com/api/adwords/cm/v201502}DataError.Reason" minOccurs="0"/> * &lt;/sequence> * &lt;/extension> * &lt;/complexContent> * &lt;/complexType> * </pre> * * */ @XmlAccessorType(XmlAccessType.FIELD) @XmlType(name = "DataError", propOrder = { "reason" }) public class DataError extends ApiError { @XmlSchemaType(name = "string") protected DataErrorReason reason; /** * Gets the value of the reason property. * * @return * possible object is * {@link DataErrorReason } * */ public DataErrorReason getReason() { return reason; } /** * Sets the value of the reason property. * * @param value * allowed object is * {@link DataErrorReason } * */ public void setReason(DataErrorReason value) { this.reason = value; } }
{ "content_hash": "44ff125b8afbb8f3154613c1d765afc0", "timestamp": "", "source": "github", "line_count": 68, "max_line_length": 127, "avg_line_length": 23.794117647058822, "alnum_prop": 0.6248454882571075, "repo_name": "ya7lelkom/googleads-java-lib", "id": "b0ba07e4535a6e9d66e8a776428b8bdd25000521", "size": "1618", "binary": false, "copies": "5", "ref": "refs/heads/master", "path": "modules/adwords_appengine/src/main/java/com/google/api/ads/adwords/jaxws/v201502/cm/DataError.java", "mode": "33188", "license": "apache-2.0", "language": [ { "name": "Java", "bytes": "93553686" } ], "symlink_target": "" }
<RelativeLayout xmlns:android="http://schemas.android.com/apk/res/android" xmlns:tools="http://schemas.android.com/tools" android:layout_width="match_parent" android:layout_height="match_parent" tools:context="com.eworkplaceapps.ed.LoginToLinkedIn"> <WebView android:id="@+id/webkitWebView1" android:layout_width="fill_parent" android:layout_height="fill_parent" /> </RelativeLayout>
{ "content_hash": "1a6507256ff10518a7e8953cafac4b61", "timestamp": "", "source": "github", "line_count": 12, "max_line_length": 74, "avg_line_length": 35.833333333333336, "alnum_prop": 0.7069767441860465, "repo_name": "rishabh05/ED", "id": "f62ce2a12c9e12bdad4c46e13ff25814bf0fda10", "size": "430", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "app/src/main/res/layout/activity_login_to_linked_in.xml", "mode": "33188", "license": "apache-2.0", "language": [ { "name": "Java", "bytes": "2639519" } ], "symlink_target": "" }
A JavaScript PDF generation library for Node and the browser. [![](https://img.shields.io/gratipay/devongovett.svg)](https://gratipay.com/devongovett) ## Description PDFKit is a PDF document generation library for Node and the browser that makes creating complex, multi-page, printable documents easy. It's written in CoffeeScript, but you can choose to use the API in plain 'ol JavaScript if you like. The API embraces chainability, and includes both low level functions as well as abstractions for higher level functionality. The PDFKit API is designed to be simple, so generating complex documents is often as simple as a few function calls. Check out some of the [documentation and examples](http://pdfkit.org/docs/getting_started.html) to see for yourself! You can also read the guide as a [self-generated PDF](http://pdfkit.org/docs/guide.pdf) with example output displayed inline. If you'd like to see how it was generated, check out the README in the [docs](https://github.com/devongovett/pdfkit/tree/master/docs) folder. You can also try out an interactive in-browser demo of PDFKit [here](http://pdfkit.org/demo/browser.html). ## Installation Installation uses the [npm](http://npmjs.org/) package manager. Just type the following command after installing npm. npm install pdfkit ## Features * Vector graphics * HTML5 canvas-like API * Path operations * SVG path parser for easy path creation * Transformations * Linear and radial gradients * Text * Line wrapping * Text alignments * Bulleted lists * Font embedding * Supports TrueType (.ttf), TrueType Collections (.ttc), and Datafork TrueType (.dfont) fonts * Font subsetting * Image embedding * Supports JPEG and PNG files (including indexed PNGs, and PNGs with transparency) * Annotations * Links * Notes * Highlights * Underlines * etc. ## Coming soon! * Patterns fills * Outlines * PDF Security * Higher level APIs for creating tables and laying out content * More performance optimizations * Even more awesomeness, perhaps written by you! Please fork this repository and send me pull requests. ## Example ```coffeescript PDFDocument = require 'pdfkit' # Create a document doc = new PDFDocument # Pipe it's output somewhere, like to a file or HTTP response # See below for browser usage doc.pipe fs.createWriteStream('output.pdf') # Embed a font, set the font size, and render some text doc.font('fonts/PalatinoBold.ttf') .fontSize(25) .text('Some text with an embedded font!', 100, 100) # Add another page doc.addPage() .fontSize(25) .text('Here is some vector graphics...', 100, 100) # Draw a triangle doc.save() .moveTo(100, 150) .lineTo(100, 250) .lineTo(200, 250) .fill("#FF3300") # Apply some transforms and render an SVG path with the 'even-odd' fill rule doc.scale(0.6) .translate(470, -380) .path('M 250,75 L 323,301 131,161 369,161 177,301 z') .fill('red', 'even-odd') .restore() # Add some text with annotations doc.addPage() .fillColor("blue") .text('Here is a link!', 100, 100) .underline(100, 100, 160, 27, color: "#0000FF") .link(100, 100, 160, 27, 'http://google.com/') # Finalize PDF file doc.end() ``` [The PDF output from this example](http://pdfkit.org/demo/out.pdf) (with a few additions) shows the power of PDFKit — producing complex documents with a very small amount of code. For more, see the `demo` folder and the [PDFKit programming guide](http://pdfkit.org/docs/getting_started.html). ## Browser Usage There are two ways to use PDFKit in the browser. The first is to use [Browserify](http://browserify.org/), which is a Node module packager for the browser with the familiar `require` syntax. The second is to use a prebuilt version of PDFKit, which you can [download from Github](https://github.com/devongovett/pdfkit/releases). In addition to PDFKit, you'll need somewhere to stream the output to. HTML5 has a [Blob](https://developer.mozilla.org/en-US/docs/Web/API/Blob) object which can be used to store binary data, and get URLs to this data in order to display PDF output inside an iframe, or upload to a server, etc. In order to get a Blob from the output of PDFKit, you can use the [blob-stream](https://github.com/devongovett/blob-stream) module. The following example uses Browserify to load `PDFKit` and `blob-stream`, but if you're not using Browserify, you can load them in whatever way you'd like (e.g. script tags). ```coffeescript # require dependencies PDFDocument = require 'pdfkit' blobStream = require 'blob-stream' # create a document the same way as above doc = new PDFDocument # pipe the document to a blob stream = doc.pipe(blobStream()) # add your content to the document here, as usual # get a blob when you're done doc.end() stream.on 'finish', -> # get a blob you can do whatever you like with blob = stream.toBlob('application/pdf') # or get a blob URL for display in the browser url = stream.toBlobURL('application/pdf') iframe.src = url ``` You can see an interactive in-browser demo of PDFKit [here](http://pdfkit.org/demo/browser.html). Note that in order to Browserify a project using PDFKit, you need to install the `brfs` module with npm, which is used to load built-in font data into the package. It is listed as a `devDependency` in PDFKit's `package.json`, so it isn't installed by default for Node users. If you forget to install it, Browserify will print an error message. ## Documentation For complete API documentation and more examples, see the [PDFKit website](http://pdfkit.org/). ## License PDFKit is available under the MIT license.
{ "content_hash": "193ceca792a69a9cba374a206f7e1786", "timestamp": "", "source": "github", "line_count": 161, "max_line_length": 136, "avg_line_length": 34.98757763975155, "alnum_prop": 0.7372625599147878, "repo_name": "backspace/pdfkit", "id": "afd5fef1086622880bea3eff95700078f36c91ae", "size": "5645", "binary": false, "copies": "7", "ref": "refs/heads/master", "path": "README.md", "mode": "33188", "license": "mit", "language": [ { "name": "CoffeeScript", "bytes": "130455" }, { "name": "JavaScript", "bytes": "3397" }, { "name": "Makefile", "bytes": "691" } ], "symlink_target": "" }
<?php defined('JPATH_PLATFORM') or die; jimport('joomla.filesystem.folder'); /** * Component installer * * @since 3.1 */ class JInstallerAdapterComponent extends JInstallerAdapter { /** * The list of current files fo the Joomla! CMS administrator that are installed and is read * from the manifest on disk in the update area to handle doing a diff * and deleting files that are in the old files list and not in the new * files list. * * @var array * @since 3.1 * */ protected $oldAdminFiles = null; /** * The list of current files that are installed and is read * from the manifest on disk in the update area to handle doing a diff * and deleting files that are in the old files list and not in the new * files list. * * @var array * @since 3.1 * */ protected $oldFiles = null; /** * A path to the PHP file that the scriptfile declaration in * the manifest refers to. * * @var string * @since 3.1 * */ protected $manifest_script = null; /** * For legacy installations this is a path to the PHP file that the scriptfile declaration in the * manifest refers to. * * @var string * @since 3.1 * */ protected $install_script = null; /** * Method to check if the extension is present in the filesystem * * @return boolean * * @since 3.4 * @throws RuntimeException */ protected function checkExtensionInFilesystem() { /* * If the component site or admin directory already exists, then we will assume that the component is already * installed or another component is using that directory. */ if (file_exists($this->parent->getPath('extension_site')) || file_exists($this->parent->getPath('extension_administrator'))) { // Look for an update function or update tag $updateElement = $this->getManifest()->update; // Upgrade manually set or update function available or update tag detected if ($this->parent->isUpgrade() || ($this->parent->manifestClass && method_exists($this->parent->manifestClass, 'update')) || $updateElement) { // If there is a matching extension mark this as an update $this->setRoute('update'); } elseif (!$this->parent->isOverwrite()) { // We didn't have overwrite set, find an update function or find an update tag so lets call it safe if (file_exists($this->parent->getPath('extension_site'))) { // If the site exists say so. throw new RuntimeException( JText::sprintf( 'JLIB_INSTALLER_ERROR_COMP_INSTALL_DIR_SITE', $this->parent->getPath('extension_site') ) ); } // If the admin exists say so throw new RuntimeException( JText::sprintf( 'JLIB_INSTALLER_ERROR_COMP_INSTALL_DIR_ADMIN', $this->parent->getPath('extension_administrator') ) ); } } return false; } /** * Method to copy the extension's base files from the <files> tag(s) and the manifest file * * @return void * * @since 3.4 * @throws RuntimeException */ protected function copyBaseFiles() { // Copy site files if ($this->getManifest()->files) { if ($this->route == 'update') { $result = $this->parent->parseFiles($this->getManifest()->files, 0, $this->oldFiles); } else { $result = $this->parent->parseFiles($this->getManifest()->files); } if ($result === false) { throw new RuntimeException( JText::sprintf( 'JLIB_INSTALLER_ABORT_COMP_FAIL_SITE_FILES', JText::_('JLIB_INSTALLER_' . strtoupper($this->route)) ) ); } } // Copy admin files if ($this->getManifest()->administration->files) { if ($this->route == 'update') { $result = $this->parent->parseFiles($this->getManifest()->administration->files, 1, $this->oldAdminFiles); } else { $result = $this->parent->parseFiles($this->getManifest()->administration->files, 1); } if ($result === false) { throw new RuntimeException( JText::sprintf( 'JLIB_INSTALLER_ABORT_COMP_FAIL_ADMIN_FILES', JText::_('JLIB_INSTALLER_' . strtoupper($this->route)) ) ); } } // If there is a manifest script, let's copy it. if ($this->manifest_script) { $path['src'] = $this->parent->getPath('source') . '/' . $this->manifest_script; $path['dest'] = $this->parent->getPath('extension_administrator') . '/' . $this->manifest_script; if (!file_exists($path['dest']) || $this->parent->isOverwrite()) { if (!$this->parent->copyFiles(array($path))) { throw new RuntimeException( JText::sprintf( 'JLIB_INSTALLER_ABORT_COMP_COPY_MANIFEST', JText::_('JLIB_INSTALLER_' . strtoupper($this->route)) ) ); } } } } /** * Method to create the extension root path if necessary * * @return void * * @since 3.4 * @throws RuntimeException */ protected function createExtensionRoot() { // If the component directory does not exist, let's create it $created = false; if (!file_exists($this->parent->getPath('extension_site'))) { if (!$created = JFolder::create($this->parent->getPath('extension_site'))) { throw new RuntimeException( JText::sprintf( 'JLIB_INSTALLER_ERROR_COMP_FAILED_TO_CREATE_DIRECTORY', JText::_('JLIB_INSTALLER_' . strtoupper($this->route)), $this->parent->getPath('extension_site') ) ); } } /* * Since we created the component directory and we will want to remove it if we have to roll back * the installation, let's add it to the installation step stack */ if ($created) { $this->parent->pushStep( array( 'type' => 'folder', 'path' => $this->parent->getPath('extension_site') ) ); } // If the component admin directory does not exist, let's create it $created = false; if (!file_exists($this->parent->getPath('extension_administrator'))) { if (!$created = JFolder::create($this->parent->getPath('extension_administrator'))) { throw new RuntimeException( JText::sprintf( 'JLIB_INSTALLER_ERROR_COMP_FAILED_TO_CREATE_DIRECTORY', JText::_('JLIB_INSTALLER_' . strtoupper($this->route)), $this->parent->getPath('extension_site') ) ); } } /* * Since we created the component admin directory and we will want to remove it if we have to roll * back the installation, let's add it to the installation step stack */ if ($created) { $this->parent->pushStep( array( 'type' => 'folder', 'path' => $this->parent->getPath('extension_administrator') ) ); } } /** * Method to finalise the installation processing * * @return void * * @since 3.4 * @throws RuntimeException */ protected function finaliseInstall() { /** @var JTableUpdate $update */ $update = JTable::getInstance('update'); // Clobber any possible pending updates $uid = $update->find( array( 'element' => $this->element, 'type' => $this->extension->type, 'client_id' => 1 ) ); if ($uid) { $update->delete($uid); } // We will copy the manifest file to its appropriate place. if ($this->route != 'discover_install') { if (!$this->parent->copyManifest()) { // Install failed, roll back changes throw new RuntimeException( JText::sprintf( 'JLIB_INSTALLER_ABORT_COMP_COPY_SETUP', JText::_('JLIB_INSTALLER_' . strtoupper($this->route)) ) ); } } // Time to build the admin menus if (!$this->_buildAdminMenus($this->extension->extension_id)) { JLog::add(JText::_('JLIB_INSTALLER_ABORT_COMP_BUILDADMINMENUS_FAILED'), JLog::WARNING, 'jerror'); } /** @var JTableAsset $asset */ $asset = JTable::getInstance('Asset'); // Check if an asset already exists for this extension and create it if not if (!$asset->loadByName($this->extension->element)) { // Register the component container just under root in the assets table. $asset->name = $this->extension->element; $asset->parent_id = 1; $asset->rules = '{}'; $asset->title = $this->extension->name; $asset->setLocation(1, 'last-child'); if (!$asset->store()) { // Install failed, roll back changes throw new RuntimeException( JText::sprintf( 'JLIB_INSTALLER_ABORT_ROLLBACK', JText::_('JLIB_INSTALLER_' . strtoupper($this->route)), $this->extension->getError() ) ); } } } /** * Get the filtered extension element from the manifest * * @param string $element Optional element name to be converted * * @return string The filtered element * * @since 3.4 */ public function getElement($element = null) { $element = parent::getElement($element); if (substr($element, 0, 4) != 'com_') { $element = 'com_' . $element; } return $element; } /** * Custom loadLanguage method * * @param string $path The path language files are on. * * @return void * * @since 3.1 */ public function loadLanguage($path = null) { $source = $this->parent->getPath('source'); $client = $this->parent->extension->client_id ? JPATH_ADMINISTRATOR : JPATH_SITE; if (!$source) { $this->parent->setPath('source', $client . '/components/' . $this->parent->extension->element); } $extension = $this->getElement(); $source = $path ? $path : $client . '/components/' . $extension; if ($this->getManifest()->administration->files) { $element = $this->getManifest()->administration->files; } elseif ($this->getManifest()->files) { $element = $this->getManifest()->files; } else { $element = null; } if ($element) { $folder = (string) $element->attributes()->folder; if ($folder && file_exists($path . '/' . $folder)) { $source = $path . '/' . $folder; } } $this->doLoadLanguage($extension, $source); } /** * Method to parse optional tags in the manifest * * @return void * * @since 3.4 */ protected function parseOptionalTags() { // Parse optional tags $this->parent->parseMedia($this->getManifest()->media); $this->parent->parseLanguages($this->getManifest()->languages); $this->parent->parseLanguages($this->getManifest()->administration->languages, 1); } /** * Prepares the adapter for a discover_install task * * @return void * * @since 3.4 * @throws RuntimeException */ public function prepareDiscoverInstall() { // Need to find to find where the XML file is since we don't store this normally $client = JApplicationHelper::getClientInfo($this->extension->client_id); $short_element = str_replace('com_', '', $this->extension->element); $manifestPath = $client->path . '/components/' . $this->extension->element . '/' . $short_element . '.xml'; $this->parent->manifest = $this->parent->isManifest($manifestPath); $this->parent->setPath('manifest', $manifestPath); $this->parent->setPath('source', $client->path . '/components/' . $this->extension->element); $this->parent->setPath('extension_root', $this->parent->getPath('source')); $this->setManifest($this->parent->getManifest()); $manifest_details = JInstaller::parseXMLInstallFile($this->parent->getPath('manifest')); $this->extension->manifest_cache = json_encode($manifest_details); $this->extension->state = 0; $this->extension->name = $manifest_details['name']; $this->extension->enabled = 1; $this->extension->params = $this->parent->getParams(); $stored = false; try { $this->extension->store(); $stored = true; } catch (RuntimeException $e) { // Try to delete existing failed records before retrying $db = $this->db; $query = $db->getQuery(true) ->select($db->qn('extension_id')) ->from($db->qn('#__extensions')) ->where($db->qn('name') . ' = ' . $db->q($this->extension->name)) ->where($db->qn('type') . ' = ' . $db->q($this->extension->type)) ->where($db->qn('element') . ' = ' . $db->q($this->extension->element)); $db->setQuery($query); $extension_ids = $db->loadColumn(); if (!empty($extension_ids)) { foreach ($extension_ids as $eid) { // Remove leftover admin menus for this extension ID $this->_removeAdminMenus($eid); // Remove the extension record itself /** @var JTableExtension $extensionTable */ $extensionTable = JTable::getInstance('extension'); $extensionTable->delete($eid); } } } if (!$stored) { try { $this->extension->store(); } catch (RuntimeException $e) { throw new RuntimeException(JText::_('JLIB_INSTALLER_ERROR_COMP_DISCOVER_STORE_DETAILS')); } } } /** * Method to do any prechecks and setup the install paths for the extension * * @return void * * @since 3.4 * @throws RuntimeException */ protected function setupInstallPaths() { // Set the installation target paths $this->parent->setPath('extension_site', JPath::clean(JPATH_SITE . '/components/' . $this->element)); $this->parent->setPath('extension_administrator', JPath::clean(JPATH_ADMINISTRATOR . '/components/' . $this->element)); // Copy the admin path as it's used as a common base $this->parent->setPath('extension_root', $this->parent->getPath('extension_administrator')); // Make sure that we have an admin element if (!$this->getManifest()->administration) { throw new RuntimeException(JText::_('JLIB_INSTALLER_ERROR_COMP_INSTALL_ADMIN_ELEMENT')); } } /** * Method to setup the update routine for the adapter * * @return void * * @since 3.4 */ protected function setupUpdates() { // Hunt for the original XML file $old_manifest = null; // Use a temporary instance due to side effects; start in the administrator first $tmpInstaller = new JInstaller; $tmpInstaller->setPath('source', $this->parent->getPath('extension_administrator')); if (!$tmpInstaller->findManifest()) { // Then the site $tmpInstaller->setPath('source', $this->parent->getPath('extension_site')); if ($tmpInstaller->findManifest()) { $old_manifest = $tmpInstaller->getManifest(); } } else { $old_manifest = $tmpInstaller->getManifest(); } if ($old_manifest) { $this->oldAdminFiles = $old_manifest->administration->files; $this->oldFiles = $old_manifest->files; } } /** * Method to store the extension to the database * * @param bool $deleteExisting Should I try to delete existing records of the same component? * * @return void * * @since 3.4 * @throws RuntimeException */ protected function storeExtension($deleteExisting = false) { // The extension is stored during prepareDiscoverInstall for discover installs if ($this->route == 'discover_install') { return; } // Add or update an entry to the extension table $this->extension->name = $this->name; $this->extension->type = 'component'; $this->extension->element = $this->element; // If we are told to delete existing extension entries then do so. if ($deleteExisting) { $db = $this->parent->getDBO(); $query = $db->getQuery(true) ->select($db->qn('extension_id')) ->from($db->qn('#__extensions')) ->where($db->qn('name') . ' = ' . $db->q($this->extension->name)) ->where($db->qn('type') . ' = ' . $db->q($this->extension->type)) ->where($db->qn('element') . ' = ' . $db->q($this->extension->element)); $db->setQuery($query); $extension_ids = $db->loadColumn(); if (!empty($extension_ids)) { foreach ($extension_ids as $eid) { // Remove leftover admin menus for this extension ID $this->_removeAdminMenus($eid); // Remove the extension record itself /** @var JTableExtension $extensionTable */ $extensionTable = JTable::getInstance('extension'); $extensionTable->delete($eid); } } } // If there is not already a row, generate a heap of defaults if (!$this->currentExtensionId) { $this->extension->folder = ''; $this->extension->enabled = 1; $this->extension->protected = 0; $this->extension->access = 0; $this->extension->client_id = 1; $this->extension->params = $this->parent->getParams(); } $this->extension->manifest_cache = $this->parent->generateManifestCache(); $couldStore = $this->extension->store(); if (!$couldStore && $deleteExisting) { // Install failed, roll back changes throw new RuntimeException( JText::sprintf( 'JLIB_INSTALLER_ABORT_COMP_INSTALL_ROLLBACK', $this->extension->getError() ) ); } if (!$couldStore && !$deleteExisting) { // Maybe we have a failed installation (e.g. timeout). Let's retry after deleting old records. $this->storeExtension(true); } } /** * Custom uninstall method for components * * @param integer $id The unique extension id of the component to uninstall * * @return mixed Return value for uninstall method in component uninstall file * * @since 3.1 */ public function uninstall($id) { $db = $this->db; $retval = true; // First order of business will be to load the component object table from the database. // This should give us the necessary information to proceed. if (!$this->extension->load((int) $id)) { JLog::add(JText::_('JLIB_INSTALLER_ERROR_COMP_UNINSTALL_ERRORUNKOWNEXTENSION'), JLog::WARNING, 'jerror'); return false; } // Is the component we are trying to uninstall a core one? // Because that is not a good idea... if ($this->extension->protected) { JLog::add(JText::_('JLIB_INSTALLER_ERROR_COMP_UNINSTALL_WARNCORECOMPONENT'), JLog::WARNING, 'jerror'); return false; } // Get the admin and site paths for the component $this->parent->setPath('extension_administrator', JPath::clean(JPATH_ADMINISTRATOR . '/components/' . $this->extension->element)); $this->parent->setPath('extension_site', JPath::clean(JPATH_SITE . '/components/' . $this->extension->element)); // Copy the admin path as it's used as a common base $this->parent->setPath('extension_root', $this->parent->getPath('extension_administrator')); /** * --------------------------------------------------------------------------------------------- * Manifest Document Setup Section * --------------------------------------------------------------------------------------------- */ // Find and load the XML install file for the component $this->parent->setPath('source', $this->parent->getPath('extension_administrator')); // Get the package manifest object // We do findManifest to avoid problem when uninstalling a list of extension: getManifest cache its manifest file $this->parent->findManifest(); $this->setManifest($this->parent->getManifest()); if (!$this->getManifest()) { // Make sure we delete the folders if no manifest exists JFolder::delete($this->parent->getPath('extension_administrator')); JFolder::delete($this->parent->getPath('extension_site')); // Remove the menu $this->_removeAdminMenus($this->extension->extension_id); // Raise a warning JLog::add(JText::_('JLIB_INSTALLER_ERROR_COMP_UNINSTALL_ERRORREMOVEMANUALLY'), JLog::WARNING, 'jerror'); // Return return false; } // Set the extensions name $this->set('name', $this->getName()); $this->set('element', $this->getElement()); // Attempt to load the admin language file; might have uninstall strings $this->loadLanguage(JPATH_ADMINISTRATOR . '/components/' . $this->element); /** * --------------------------------------------------------------------------------------------- * Installer Trigger Loading and Uninstall * --------------------------------------------------------------------------------------------- */ $this->setupScriptfile(); try { $this->triggerManifestScript('uninstall'); } catch (RuntimeException $e) { // Ignore errors for now } /** * --------------------------------------------------------------------------------------------- * Database Processing Section * --------------------------------------------------------------------------------------------- */ // Let's run the uninstall queries for the component try { $this->parseQueries(); } catch (RuntimeException $e) { JLog::add($e->getMessage(), JLog::WARNING, 'jerror'); $retval = false; } $this->_removeAdminMenus($this->extension->extension_id); /** * --------------------------------------------------------------------------------------------- * Filesystem Processing Section * --------------------------------------------------------------------------------------------- */ // Let's remove those language files and media in the JROOT/images/ folder that are // associated with the component we are uninstalling $this->parent->removeFiles($this->getManifest()->media); $this->parent->removeFiles($this->getManifest()->languages); $this->parent->removeFiles($this->getManifest()->administration->languages, 1); // Remove the schema version $query = $db->getQuery(true) ->delete('#__schemas') ->where('extension_id = ' . $id); $db->setQuery($query); $db->execute(); // Remove the component container in the assets table. $asset = JTable::getInstance('Asset'); if ($asset->loadByName($this->element)) { $asset->delete(); } // Remove categories for this component $query->clear() ->delete('#__categories') ->where('extension=' . $db->quote($this->element), 'OR') ->where('extension LIKE ' . $db->quote($this->element . '.%')); $db->setQuery($query); $db->execute(); // Clobber any possible pending updates $update = JTable::getInstance('update'); $uid = $update->find( array( 'element' => $this->extension->element, 'type' => 'component', 'client_id' => 1, 'folder' => '' ) ); if ($uid) { $update->delete($uid); } // Now we need to delete the installation directories. This is the final step in uninstalling the component. if (trim($this->extension->element)) { // Delete the component site directory if (is_dir($this->parent->getPath('extension_site'))) { if (!JFolder::delete($this->parent->getPath('extension_site'))) { JLog::add(JText::_('JLIB_INSTALLER_ERROR_COMP_UNINSTALL_FAILED_REMOVE_DIRECTORY_SITE'), JLog::WARNING, 'jerror'); $retval = false; } } // Delete the component admin directory if (is_dir($this->parent->getPath('extension_administrator'))) { if (!JFolder::delete($this->parent->getPath('extension_administrator'))) { JLog::add(JText::_('JLIB_INSTALLER_ERROR_COMP_UNINSTALL_FAILED_REMOVE_DIRECTORY_ADMIN'), JLog::WARNING, 'jerror'); $retval = false; } } // Now we will no longer need the extension object, so let's delete it $this->extension->delete($this->extension->extension_id); return $retval; } else { // No component option defined... cannot delete what we don't know about JLog::add(JText::_('JLIB_INSTALLER_ERROR_COMP_UNINSTALL_NO_OPTION'), JLog::WARNING, 'jerror'); return false; } } /** * Method to build menu database entries for a component * * @param int|null $component_id The component ID for which I'm building menus * * @return boolean True if successful * * @since 3.1 */ protected function _buildAdminMenus($component_id = null) { $db = $this->parent->getDbo(); $option = $this->get('element'); // If a component exists with this option in the table then we don't need to add menus $query = $db->getQuery(true) ->select('m.id, e.extension_id') ->from('#__menu AS m') ->join('LEFT', '#__extensions AS e ON m.component_id = e.extension_id') ->where('m.parent_id = 1') ->where('m.client_id = 1') ->where('e.element = ' . $db->quote($option)); $db->setQuery($query); // In case of a failed installation (e.g. timeout error) we may have duplicate menu item and extension records. $componentrows = $db->loadObjectList(); // Check if menu items exist if (!empty($componentrows)) { // Don't do anything if overwrite has not been enabled if (!$this->parent->isOverwrite()) { return true; } // Remove all menu items foreach ($componentrows as $componentrow) { // Remove existing menu items if overwrite has been enabled if ($option) { // If something goes wrong, there's no way to rollback TODO: Search for better solution $this->_removeAdminMenus($componentrow->extension_id); } } } // Only try to detect the component ID if it's not provided if (empty($component_id)) { // Lets find the extension id $query->clear() ->select('e.extension_id') ->from('#__extensions AS e') ->where('e.type = ' . $db->quote('component')) ->where('e.element = ' . $db->quote($option)); $db->setQuery($query); $component_id = $db->loadResult(); } // Ok, now its time to handle the menus. Start with the component root menu, then handle submenus. $menuElement = $this->getManifest()->administration->menu; // Just do not create the menu if $menuElement not exist if (!$menuElement) { return true; } // If the menu item is hidden do nothing more, just return if (in_array((string) $menuElement['hidden'], array('true', 'hidden'))) { return true; } // Let's figure out what the menu item data should look like $data = array(); if ($menuElement) { // I have a menu element, use this information $data['menutype'] = 'main'; $data['client_id'] = 1; $data['title'] = (string) trim($menuElement); $data['alias'] = (string) $menuElement; $data['link'] = 'index.php?option=' . $option; $data['type'] = 'component'; $data['published'] = 0; $data['parent_id'] = 1; $data['component_id'] = $component_id; $data['img'] = ((string) $menuElement->attributes()->img) ? (string) $menuElement->attributes()->img : 'class:component'; $data['home'] = 0; } else { // No menu element was specified, Let's make a generic menu item $data = array(); $data['menutype'] = 'main'; $data['client_id'] = 1; $data['title'] = $option; $data['alias'] = $option; $data['link'] = 'index.php?option=' . $option; $data['type'] = 'component'; $data['published'] = 0; $data['parent_id'] = 1; $data['component_id'] = $component_id; $data['img'] = 'class:component'; $data['home'] = 0; } // Try to create the menu item in the database $parent_id = $this->_createAdminMenuItem($data, 1); if ($parent_id === false) { return false; } /* * Process SubMenus */ if (!$this->getManifest()->administration->submenu) { // No submenu? We're done. return true; } foreach ($this->getManifest()->administration->submenu->menu as $child) { $data = array(); $data['menutype'] = 'main'; $data['client_id'] = 1; $data['title'] = (string) trim($child); $data['alias'] = (string) $child; $data['type'] = 'component'; $data['published'] = 0; $data['parent_id'] = $parent_id; $data['component_id'] = $component_id; $data['img'] = ((string) $child->attributes()->img) ? (string) $child->attributes()->img : 'class:component'; $data['home'] = 0; // Set the sub menu link if ((string) $child->attributes()->link) { $data['link'] = 'index.php?' . $child->attributes()->link; } else { $request = array(); if ((string) $child->attributes()->act) { $request[] = 'act=' . $child->attributes()->act; } if ((string) $child->attributes()->task) { $request[] = 'task=' . $child->attributes()->task; } if ((string) $child->attributes()->controller) { $request[] = 'controller=' . $child->attributes()->controller; } if ((string) $child->attributes()->view) { $request[] = 'view=' . $child->attributes()->view; } if ((string) $child->attributes()->layout) { $request[] = 'layout=' . $child->attributes()->layout; } if ((string) $child->attributes()->sub) { $request[] = 'sub=' . $child->attributes()->sub; } $qstring = (count($request)) ? '&' . implode('&', $request) : ''; $data['link'] = 'index.php?option=' . $option . $qstring; } $submenuId = $this->_createAdminMenuItem($data, $parent_id); if ($submenuId === false) { return false; } /* * Since we have created a menu item, we add it to the installation step stack * so that if we have to rollback the changes we can undo it. */ $this->parent->pushStep(array('type' => 'menu', 'id' => $component_id)); } return true; } /** * Method to remove admin menu references to a component * * @param int $id The ID of the extension whose admin menus will be removed * * @return boolean True if successful. * * @since 3.1 */ protected function _removeAdminMenus($id) { $db = $this->parent->getDbo(); /** @var JTableMenu $table */ $table = JTable::getInstance('menu'); // Get the ids of the menu items $query = $db->getQuery(true) ->select('id') ->from('#__menu') ->where($db->quoteName('client_id') . ' = 1') ->where($db->quoteName('component_id') . ' = ' . (int) $id); $db->setQuery($query); $ids = $db->loadColumn(); $result = true; // Check for error if (!empty($ids)) { // Iterate the items to delete each one. foreach ($ids as $menuid) { if (!$table->delete((int) $menuid)) { $this->setError($table->getError()); $result = false; } } // Rebuild the whole tree $table->rebuild(); } return $result; } /** * Custom rollback method * - Roll back the component menu item * * @param array $step Installation step to rollback. * * @return boolean True on success * * @since 3.1 */ protected function _rollback_menu($step) { return $this->_removeAdminMenus($step['id']); } /** * Discover unregistered extensions. * * @return array A list of extensions. * * @since 3.1 */ public function discover() { $results = array(); $site_components = JFolder::folders(JPATH_SITE . '/components'); $admin_components = JFolder::folders(JPATH_ADMINISTRATOR . '/components'); foreach ($site_components as $component) { if (file_exists(JPATH_SITE . '/components/' . $component . '/' . str_replace('com_', '', $component) . '.xml')) { $manifest_details = JInstaller::parseXMLInstallFile( JPATH_SITE . '/components/' . $component . '/' . str_replace('com_', '', $component) . '.xml' ); $extension = JTable::getInstance('extension'); $extension->set('type', 'component'); $extension->set('client_id', 0); $extension->set('element', $component); $extension->set('folder', ''); $extension->set('name', $component); $extension->set('state', -1); $extension->set('manifest_cache', json_encode($manifest_details)); $extension->set('params', '{}'); $results[] = $extension; } } foreach ($admin_components as $component) { if (file_exists(JPATH_ADMINISTRATOR . '/components/' . $component . '/' . str_replace('com_', '', $component) . '.xml')) { $manifest_details = JInstaller::parseXMLInstallFile( JPATH_ADMINISTRATOR . '/components/' . $component . '/' . str_replace('com_', '', $component) . '.xml' ); $extension = JTable::getInstance('extension'); $extension->set('type', 'component'); $extension->set('client_id', 1); $extension->set('element', $component); $extension->set('folder', ''); $extension->set('name', $component); $extension->set('state', -1); $extension->set('manifest_cache', json_encode($manifest_details)); $extension->set('params', '{}'); $results[] = $extension; } } return $results; } /** * Refreshes the extension table cache * * @return boolean Result of operation, true if updated, false on failure * * @since 3.1 */ public function refreshManifestCache() { // Need to find to find where the XML file is since we don't store this normally $client = JApplicationHelper::getClientInfo($this->parent->extension->client_id); $short_element = str_replace('com_', '', $this->parent->extension->element); $manifestPath = $client->path . '/components/' . $this->parent->extension->element . '/' . $short_element . '.xml'; $this->parent->manifest = $this->parent->isManifest($manifestPath); $this->parent->setPath('manifest', $manifestPath); $manifest_details = JInstaller::parseXMLInstallFile($this->parent->getPath('manifest')); $this->parent->extension->manifest_cache = json_encode($manifest_details); $this->parent->extension->name = $manifest_details['name']; try { return $this->parent->extension->store(); } catch (RuntimeException $e) { JLog::add(JText::_('JLIB_INSTALLER_ERROR_COMP_REFRESH_MANIFEST_CACHE'), JLog::WARNING, 'jerror'); return false; } } /** * Creates the menu item in the database. If the item already exists it tries to remove it and create it afresh. * * @param array &$data The menu item data to create * @param integer $parentId The parent menu item ID * * @return bool|int Menu item ID on success, false on failure */ protected function _createAdminMenuItem(array &$data, $parentId) { $db = $this->parent->getDbo(); /** @var JTableMenu $table */ $table = JTable::getInstance('menu'); try { $table->setLocation($parentId, 'last-child'); } catch (InvalidArgumentException $e) { JLog::add($e->getMessage(), JLog::WARNING, 'jerror'); return false; } if ( !$table->bind($data) || !$table->check() || !$table->store()) { // The menu item already exists. Delete it and retry instead of throwing an error. $query = $db->getQuery(true) ->select('id') ->from('#__menu') ->where('menutype = ' . $db->q($data['menutype'])) ->where('client_id = 1') ->where('link = ' . $db->q($data['link'])) ->where('type = ' . $db->q($data['type'])) ->where('parent_id = ' . $db->q($data['parent_id'])) ->where('home = ' . $db->q($data['home'])); $db->setQuery($query); $menu_id = $db->loadResult(); if ( !$menu_id) { // Oops! Could not get the menu ID. Go back and rollback changes. JError::raiseWarning(1, $table->getError()); return false; } else { /** @var JTableMenu $temporaryTable */ $temporaryTable = JTable::getInstance('menu'); $temporaryTable->delete($menu_id, true); $temporaryTable->rebuild($data['parent_id']); // Retry creating the menu item $table->setLocation($parentId, 'last-child'); if ( !$table->bind($data) || !$table->check() || !$table->store()) { // Install failed, warn user and rollback changes JError::raiseWarning(1, $table->getError()); return false; } } } return $table->id; } } /** * Deprecated class placeholder. You should use JInstallerAdapterComponent instead. * * @since 3.1 * @deprecated 4.0 * @codeCoverageIgnore */ class JInstallerComponent extends JInstallerAdapterComponent { }
{ "content_hash": "bb18d236459f58f245c294f76888b9c8", "timestamp": "", "source": "github", "line_count": 1286, "max_line_length": 132, "avg_line_length": 27.360031104199066, "alnum_prop": 0.6075884609919, "repo_name": "prabirmsp/prabirmsp.github.io", "id": "a5e90d19253ed6e6cc809f652a17df413e9ef679", "size": "35418", "binary": false, "copies": "109", "ref": "refs/heads/cached_mas", "path": "ws/joomla/libraries/cms/installer/adapter/component.php", "mode": "33188", "license": "mit", "language": [ { "name": "CSS", "bytes": "1553905" }, { "name": "HTML", "bytes": "40776" }, { "name": "JavaScript", "bytes": "1592025" }, { "name": "PHP", "bytes": "11122154" }, { "name": "PLpgSQL", "bytes": "1088252" } ], "symlink_target": "" }
.class Lcom/android/systemui/qs/customize/TileAdapter$TileItemDecoration; .super Landroid/support/v7/widget/RecyclerView$ItemDecoration; .source "TileAdapter.java" # annotations .annotation system Ldalvik/annotation/EnclosingClass; value = Lcom/android/systemui/qs/customize/TileAdapter; .end annotation .annotation system Ldalvik/annotation/InnerClass; accessFlags = 0x2 name = "TileItemDecoration" .end annotation # instance fields .field private final mDrawable:Landroid/graphics/drawable/ColorDrawable; .field final synthetic this$0:Lcom/android/systemui/qs/customize/TileAdapter; # direct methods .method private constructor <init>(Lcom/android/systemui/qs/customize/TileAdapter;Landroid/content/Context;)V .locals 4 const/4 v3, 0x0 iput-object p1, p0, Lcom/android/systemui/qs/customize/TileAdapter$TileItemDecoration;->this$0:Lcom/android/systemui/qs/customize/TileAdapter; invoke-direct {p0}, Landroid/support/v7/widget/RecyclerView$ItemDecoration;-><init>()V const/4 v1, 0x1 new-array v1, v1, [I const v2, 0x1010530 aput v2, v1, v3 invoke-virtual {p2, v1}, Landroid/content/Context;->obtainStyledAttributes([I)Landroid/content/res/TypedArray; move-result-object v0 new-instance v1, Landroid/graphics/drawable/ColorDrawable; invoke-virtual {v0, v3, v3}, Landroid/content/res/TypedArray;->getColor(II)I move-result v2 invoke-direct {v1, v2}, Landroid/graphics/drawable/ColorDrawable;-><init>(I)V iput-object v1, p0, Lcom/android/systemui/qs/customize/TileAdapter$TileItemDecoration;->mDrawable:Landroid/graphics/drawable/ColorDrawable; invoke-virtual {v0}, Landroid/content/res/TypedArray;->recycle()V return-void .end method .method synthetic constructor <init>(Lcom/android/systemui/qs/customize/TileAdapter;Landroid/content/Context;Lcom/android/systemui/qs/customize/TileAdapter$TileItemDecoration;)V .locals 0 invoke-direct {p0, p1, p2}, Lcom/android/systemui/qs/customize/TileAdapter$TileItemDecoration;-><init>(Lcom/android/systemui/qs/customize/TileAdapter;Landroid/content/Context;)V return-void .end method # virtual methods .method public onDraw(Landroid/graphics/Canvas;Landroid/support/v7/widget/RecyclerView;Landroid/support/v7/widget/RecyclerView$State;)V .locals 10 invoke-super {p0, p1, p2, p3}, Landroid/support/v7/widget/RecyclerView$ItemDecoration;->onDraw(Landroid/graphics/Canvas;Landroid/support/v7/widget/RecyclerView;Landroid/support/v7/widget/RecyclerView$State;)V invoke-virtual {p2}, Landroid/support/v7/widget/RecyclerView;->getChildCount()I move-result v2 invoke-virtual {p2}, Landroid/support/v7/widget/RecyclerView;->getWidth()I move-result v7 invoke-virtual {p2}, Landroid/support/v7/widget/RecyclerView;->getBottom()I move-result v0 const/4 v4, 0x0 :goto_0 if-ge v4, v2, :cond_1 invoke-virtual {p2, v4}, Landroid/support/v7/widget/RecyclerView;->getChildAt(I)Landroid/view/View; move-result-object v1 invoke-virtual {p2, v1}, Landroid/support/v7/widget/RecyclerView;->getChildViewHolder(Landroid/view/View;)Landroid/support/v7/widget/RecyclerView$ViewHolder; move-result-object v3 invoke-virtual {v3}, Landroid/support/v7/widget/RecyclerView$ViewHolder;->getAdapterPosition()I move-result v8 iget-object v9, p0, Lcom/android/systemui/qs/customize/TileAdapter$TileItemDecoration;->this$0:Lcom/android/systemui/qs/customize/TileAdapter; invoke-static {v9}, Lcom/android/systemui/qs/customize/TileAdapter;->-get2(Lcom/android/systemui/qs/customize/TileAdapter;)I move-result v9 if-ge v8, v9, :cond_0 instance-of v8, v1, Landroid/widget/TextView; xor-int/lit8 v8, v8, 0x1 if-eqz v8, :cond_0 add-int/lit8 v4, v4, 0x1 goto :goto_0 :cond_0 invoke-virtual {v1}, Landroid/view/View;->getLayoutParams()Landroid/view/ViewGroup$LayoutParams; move-result-object v5 check-cast v5, Landroid/support/v7/widget/RecyclerView$LayoutParams; invoke-virtual {v1}, Landroid/view/View;->getTop()I move-result v8 iget v9, v5, Landroid/support/v7/widget/RecyclerView$LayoutParams;->topMargin:I add-int/2addr v8, v9 invoke-static {v1}, Landroid/support/v4/view/ViewCompat;->getTranslationY(Landroid/view/View;)F move-result v9 invoke-static {v9}, Ljava/lang/Math;->round(F)I move-result v9 add-int v6, v8, v9 iget-object v8, p0, Lcom/android/systemui/qs/customize/TileAdapter$TileItemDecoration;->mDrawable:Landroid/graphics/drawable/ColorDrawable; const/4 v9, 0x0 invoke-virtual {v8, v9, v6, v7, v0}, Landroid/graphics/drawable/ColorDrawable;->setBounds(IIII)V iget-object v8, p0, Lcom/android/systemui/qs/customize/TileAdapter$TileItemDecoration;->mDrawable:Landroid/graphics/drawable/ColorDrawable; invoke-virtual {v8, p1}, Landroid/graphics/drawable/ColorDrawable;->draw(Landroid/graphics/Canvas;)V :cond_1 return-void .end method
{ "content_hash": "e7dab66069058b55bdd613d9bc762813", "timestamp": "", "source": "github", "line_count": 159, "max_line_length": 212, "avg_line_length": 31.41509433962264, "alnum_prop": 0.7499499499499499, "repo_name": "BatMan-Rom/ModdedFiles", "id": "87abe3af17933700a716aa6b29e524057654060f", "size": "4995", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "SystemUI/smali/com/android/systemui/qs/customize/TileAdapter$TileItemDecoration.smali", "mode": "33188", "license": "apache-2.0", "language": [ { "name": "GLSL", "bytes": "15069" }, { "name": "HTML", "bytes": "139176" }, { "name": "Smali", "bytes": "541934400" } ], "symlink_target": "" }
/** * This code was auto-generated by a tool. * * Changes to this file may cause incorrect behavior and will be lost if * the code is regenerated. */ package com.mozu.api.contracts.appdev; import java.io.Serializable; import com.fasterxml.jackson.annotation.JsonIgnoreProperties; import org.joda.time.DateTime; import com.mozu.api.contracts.core.AuditInfo; @JsonIgnoreProperties(ignoreUnknown = true) public class Package implements Serializable { // Default Serial Version UID private static final long serialVersionUID = 1L; protected Integer applicationVersionId; public Integer getApplicationVersionId() { return this.applicationVersionId; } public void setApplicationVersionId(Integer applicationVersionId) { this.applicationVersionId = applicationVersionId; } protected Integer assetFileCount; public Integer getAssetFileCount() { return this.assetFileCount; } public void setAssetFileCount(Integer assetFileCount) { this.assetFileCount = assetFileCount; } protected Integer id; public Integer getId() { return this.id; } public void setId(Integer id) { this.id = id; } protected Boolean isDeleted; public Boolean getIsDeleted() { return this.isDeleted; } public void setIsDeleted(Boolean isDeleted) { this.isDeleted = isDeleted; } protected Boolean isLocked; public Boolean getIsLocked() { return this.isLocked; } public void setIsLocked(Boolean isLocked) { this.isLocked = isLocked; } protected Boolean isReleasePackage; public Boolean getIsReleasePackage() { return this.isReleasePackage; } public void setIsReleasePackage(Boolean isReleasePackage) { this.isReleasePackage = isReleasePackage; } protected String name; public String getName() { return this.name; } public void setName(String name) { this.name = name; } protected String userId; public String getUserId() { return this.userId; } public void setUserId(String userId) { this.userId = userId; } protected AuditInfo auditInfo; public AuditInfo getAuditInfo() { return this.auditInfo; } public void setAuditInfo(AuditInfo auditInfo) { this.auditInfo = auditInfo; } }
{ "content_hash": "1da6af7fcd011518a08ab66b081a10a7", "timestamp": "", "source": "github", "line_count": 110, "max_line_length": 76, "avg_line_length": 19.736363636363638, "alnum_prop": 0.751727314601566, "repo_name": "carsonreinke/mozu-java-sdk", "id": "b92a36871324a9b7084d9ff30c746c9d490084ff", "size": "2171", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "src/main/java/com/mozu/api/contracts/appdev/Package.java", "mode": "33188", "license": "mit", "language": [ { "name": "Groovy", "bytes": "1166" }, { "name": "Java", "bytes": "2435266" }, { "name": "Shell", "bytes": "2314" } ], "symlink_target": "" }
class Target < ActiveRecord::Base validates_uniqueness_of :uid def Target.find_or_create(uid) ret = find(:first, :conditions => ["uid = ?", uid]) return ret if ret ret = Target.new ret.uid = uid return ret if ret.save Target.find_or_create(uid) end def fill(u) require 'yaml' return if sample_end && sample_end >= Time.now - 7.days look = u.look(self.uid, sample_end) arr = look[:array] self.samples = nil arr.each {|t| t.utc} arr = arr.collect {|t| t.soroe} # arr = YAML::load(self.samples) + arr if self.samples arr.sort!.uniq! self.samples = YAML::dump(arr) self.sample_end = Time.now self.save! end end
{ "content_hash": "5c9c831b362635b6ae90c6d4b454655d", "timestamp": "", "source": "github", "line_count": 25, "max_line_length": 59, "avg_line_length": 27.56, "alnum_prop": 0.6168359941944848, "repo_name": "pirapira/kietter", "id": "99f22ee65733f7d70369fba00dcfd271c5dacc25", "size": "689", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "app/models/target.rb", "mode": "33188", "license": "bsd-3-clause", "language": [ { "name": "CoffeeScript", "bytes": "458" }, { "name": "JavaScript", "bytes": "463" }, { "name": "Ruby", "bytes": "21610" }, { "name": "Shell", "bytes": "43" } ], "symlink_target": "" }
{-# LANGUAGE DeriveGeneric #-} {-# LANGUAGE DeriveLift #-} {-# LANGUAGE LambdaCase #-} {-# LANGUAGE MultiParamTypeClasses #-} {-# LANGUAGE OverloadedStrings #-} {-# LANGUAGE TemplateHaskell #-} -- | The STG language syntax tree, modeled after the description in the -- 1992 paper -- <http://research.microsoft.com/apps/pubs/default.aspx?id=67083 (link)>. -- -- A 'Program' is typically created using functionality provided by the -- "Stg.Parser" module, as opposed to manually combining the data types given -- in this module. -- -- For plenty of comparisons of STG language source and generated parse trees, -- have a look at the "Stg.Parser.QuasiQuoter" module. module Stg.Language ( Program (..), Binds (..), LambdaForm (..), prettyLambda, UpdateFlag (..), Rec (..), Expr (..), Alts (..), NonDefaultAlts (..), AlgebraicAlt (..), PrimitiveAlt (..), DefaultAlt (..), Literal (..), PrimOp (..), Var (..), Atom (..), Constr (..), Pretty (..), -- * Meta information classify, LambdaType(..), ) where import Control.DeepSeq import Data.List.NonEmpty (NonEmpty (..)) import qualified Data.List.NonEmpty as NonEmpty import Data.Map (Map) import qualified Data.Map as M import qualified Data.Semigroup as Semigroup import Data.Text (Text) import qualified Data.Text as T import Data.Text.Prettyprint.Doc import GHC.Exts import GHC.Generics import Language.Haskell.TH.Syntax (Lift(liftTyped)) import Stg.Language.Prettyprint -- $setup -- >>> :set -XQuasiQuotes -- >>> import Stg.Parser.QuasiQuoter -- | An STG 'Program' is the unit that can be loaded by the STG machine. It -- consists of a set of bindings. newtype Program = Program Binds deriving (Eq, Ord, Show, Generic, Lift) -- | __Right-biased union__ of the contained bindings. This makes for a poor man's -- module system by appending multiple, potentially partially incomplete, -- 'Programs' to each other. -- -- @ -- 'Stg.Prelude.map' <> 'Stg.Prelude.filter' <> ['Stg.Parser.QuasiQuoter.stg'| … actual source … |] -- @ instance Monoid Program where mempty = Program mempty mappend = (Semigroup.<>) instance Semigroup.Semigroup Program where Program x <> Program y = Program (x <> y) -- | Bindings are collections of lambda forms, indexed over variables. -- -- They exist at the top level, or as part of a let(rec) binding. newtype Binds = Binds (Map Var LambdaForm) deriving (Eq, Ord, Generic) -- | __Right-biased__ union. See 'Monoid' 'Program' for further information. instance Monoid Binds where mempty = Binds mempty mappend = (Semigroup.<>) instance Semigroup.Semigroup Binds where Binds x <> Binds y = Binds (x <> y) instance Show Binds where show (Binds binds) = "(Binds " <> show (M.assocs binds) <> ")" -- | A lambda form unifies free and bound variables associated with a function -- body. The lambda body must not be of primitive type, as this would imply -- the value is both boxed and unboxed. -- -- >>> [stg| \(x) y z -> expr x z |] -- LambdaForm [Var "x"] NoUpdate [Var "y",Var "z"] (AppF (Var "expr") [AtomVar (Var "x"),AtomVar (Var "z")]) data LambdaForm = LambdaForm ![Var] !UpdateFlag ![Var] !Expr -- ^ * Free variables (excluding globals) -- * Update flag -- * Bound variables -- * Body deriving (Eq, Ord, Show, Generic, Lift) -- | Possible classification of lambda forms. data LambdaType = LambdaCon -- ^ Data constructor ('AppC' as body) | LambdaFun -- ^ Function (lambda with non-empty argument list) | LambdaThunk -- ^ Thunk (everything else) deriving (Eq, Ord, Show) instance PrettyStgi LambdaType where prettyStgi = \case LambdaCon -> "Con" LambdaFun -> "Fun" LambdaThunk -> "Thunk" -- | Classify the type of a lambda form based on its shape. classify :: LambdaForm -> LambdaType classify = \case LambdaForm _ _ [] AppC{} -> LambdaCon LambdaForm _ _ (_:_) _ -> LambdaFun LambdaForm _ _ [] _ -> LambdaThunk -- | The update flag distinguishes updatable from non-updatable lambda forms. data UpdateFlag = Update -- ^ Overwrite the heap object in-place with its reduced value -- once available, making recurring access cheap | NoUpdate -- ^ Don't touch the heap object after evaluation deriving (Eq, Ord, Show, Generic, Enum, Bounded, Lift) -- | Distinguishes @let@ from @letrec@. data Rec = NonRecursive -- ^ Bindings have no access to each other | Recursive -- ^ Bindings can be given to each other as free variables deriving (Eq, Ord, Show, Generic, Enum, Bounded, Lift) -- | An expression in the STG language. data Expr = Let !Rec !Binds !Expr -- ^ Let expression @let(rec) ... in ...@ | Case !Expr !Alts -- ^ Case expression @case ... of ... x -> y@ | AppF !Var ![Atom] -- ^ Function application @f x y z@ | AppC !Constr ![Atom] -- ^ Saturated constructor application @Just a@ | AppP !PrimOp !Atom !Atom -- ^ Primitive function application @+# 1# 2#@ | LitE !Literal -- ^ Literal expression @1#@ deriving (Eq, Ord, Show, Generic, Lift) -- | List of possible alternatives in a 'Case' expression. -- -- The list of alts has to be homogeneous. This is not ensured by the type -- system, and should be handled by the parser instead. data Alts = Alts !NonDefaultAlts !DefaultAlt deriving (Eq, Ord, Show, Generic, Lift) -- | The part of a 'Case' alternative that's not the default. data NonDefaultAlts = NoNonDefaultAlts -- ^ Used in 'case' statements that consist only of a default -- alternative. These can be useful to force or unpack values. | AlgebraicAlts !(NonEmpty AlgebraicAlt) -- ^ Algebraic alternative, like @Cons x xs@. | PrimitiveAlts !(NonEmpty PrimitiveAlt) -- ^ Primitive alternative, like @1#@. deriving (Eq, Ord, Show, Generic) -- | As in @True | False@ data AlgebraicAlt = AlgebraicAlt !Constr ![Var] !Expr deriving (Eq, Ord, Show, Generic, Lift) -- | As in @1#@, @2#@, @3#@ data PrimitiveAlt = PrimitiveAlt !Literal !Expr deriving (Eq, Ord, Show, Generic, Lift) -- | If no viable alternative is found in a pattern match, use a 'DefaultAlt' -- as fallback. data DefaultAlt = DefaultNotBound !Expr | DefaultBound !Var !Expr deriving (Eq, Ord, Show, Generic, Lift) -- | Literals are the basis of primitive operations. newtype Literal = Literal Integer deriving (Eq, Ord, Show, Generic, Lift) -- | Primitive operations. data PrimOp = Add -- ^ @+@ | Sub -- ^ @-@ | Mul -- ^ @*@ | Div -- ^ @/@ | Mod -- ^ @%@ | Eq -- ^ @==@ | Lt -- ^ @<@ | Leq -- ^ @<=@ | Gt -- ^ @>@ | Geq -- ^ @>=@ | Neq -- ^ @/=@ deriving (Eq, Ord, Show, Generic, Bounded, Enum, Lift) -- | Variable. newtype Var = Var Text deriving (Eq, Ord, Show, Generic) instance IsString Var where fromString = coerce . T.pack -- | Smallest unit of data. Atoms unify variables and literals, and are what -- functions take as arguments. data Atom = AtomVar !Var | AtomLit !Literal deriving (Eq, Ord, Show, Generic, Lift) -- | Constructors of algebraic data types. newtype Constr = Constr Text deriving (Eq, Ord, Show, Generic) instance IsString Constr where fromString = coerce . T.pack -------------------------------------------------------------------------------- -- Lift instances instance Lift NonDefaultAlts where liftTyped NoNonDefaultAlts = [|| NoNonDefaultAlts ||] liftTyped (AlgebraicAlts alts) = [|| AlgebraicAlts (NonEmpty.fromList $$(liftTyped (toList alts))) ||] liftTyped (PrimitiveAlts alts) = [|| PrimitiveAlts (NonEmpty.fromList $$(liftTyped (toList alts))) ||] instance Lift Binds where liftTyped (Binds binds) = [|| Binds (M.fromList $$(liftTyped (M.assocs binds))) ||] instance Lift Constr where liftTyped (Constr con) = [|| Constr (T.pack $$(liftTyped (T.unpack con))) ||] instance Lift Var where liftTyped (Var var) = [|| Var (T.pack $$(liftTyped (T.unpack var))) ||] -------------------------------------------------------------------------------- -- Pretty instances semicolonTerminated :: [Doc StgiAnn] -> Doc StgiAnn semicolonTerminated = align . vsep . punctuate (annotate (AstAnn Semicolon) ";") instance PrettyStgi Program where prettyStgi (Program binds) = prettyStgi binds instance PrettyStgi Binds where prettyStgi (Binds bs) = (semicolonTerminated . map prettyBinding . M.assocs) bs where prettyBinding (var, lambda) = prettyStgi var <+> "=" <+> prettyStgi lambda -- | Prettyprint a 'LambdaForm', given prettyprinters for the free variable -- list. -- -- Introduced so 'Stg.Machine.Types.Closure' can hijack it to display -- the free value list differently. prettyLambda :: ([Var] -> Doc StgiAnn) -- ^ Free variable list printer -> LambdaForm -> Doc StgiAnn prettyLambda pprFree (LambdaForm free upd bound expr) = (prettyExp . prettyUpd . prettyBound . prettyFree) "\\" where prettyFree | null free = id | otherwise = (<> lparen <> pprFree free <> rparen) prettyUpd = (<+> case upd of Update -> "=>" NoUpdate -> "->" ) prettyBound | null bound = id | null free = (<> hsep (map prettyStgi bound)) | otherwise = (<+> hsep (map prettyStgi bound)) prettyExp = (<+> prettyStgi expr) instance PrettyStgi LambdaForm where prettyStgi = prettyLambda (hsep . map prettyStgi) instance PrettyStgi Rec where prettyStgi = \case NonRecursive -> "" Recursive -> "rec" instance PrettyStgi Expr where prettyStgi = \case Let rec binds expr -> let inBlock = indent 4 (annotate (AstAnn Keyword) "in" <+> prettyStgi expr) bindingBlock = line <> indent 4 ( annotate (AstAnn Keyword) ("let" <> prettyStgi rec) <+> prettyStgi binds ) in vsep [bindingBlock, inBlock] Case expr alts -> vsep [ hsep [ annotate (AstAnn Keyword) "case" , prettyStgi expr , annotate (AstAnn Keyword) "of" ] , indent 4 (align (prettyStgi alts)) ] AppF var [] -> prettyStgi var AppF var args -> prettyStgi var <+> hsep (map prettyStgi args) AppC con [] -> prettyStgi con AppC con args -> prettyStgi con <+> hsep (map prettyStgi args) AppP op arg1 arg2 -> prettyStgi op <+> prettyStgi arg1 <+> prettyStgi arg2 LitE lit -> prettyStgi lit instance PrettyStgi Alts where prettyStgi (Alts NoNonDefaultAlts def) = prettyStgi def prettyStgi (Alts (AlgebraicAlts alts) def) = semicolonTerminated (map prettyStgi (toList alts) <> [prettyStgi def]) prettyStgi (Alts (PrimitiveAlts alts) def) = semicolonTerminated (map prettyStgi (toList alts) <> [prettyStgi def]) instance PrettyStgi AlgebraicAlt where prettyStgi (AlgebraicAlt con [] expr) = prettyStgi con <+> "->" <+> prettyStgi expr prettyStgi (AlgebraicAlt con args expr) = prettyStgi con <+> hsep (map prettyStgi args) <+> "->" <+> prettyStgi expr instance PrettyStgi PrimitiveAlt where prettyStgi (PrimitiveAlt lit expr) = prettyStgi lit <+> "->" <+> prettyStgi expr instance PrettyStgi DefaultAlt where prettyStgi = \case DefaultNotBound expr -> "default" <+> "->" <+> prettyStgi expr DefaultBound var expr -> prettyStgi var <+> "->" <+> prettyStgi expr instance PrettyStgi Literal where prettyStgi (Literal i) = annotate (AstAnn Prim) (pretty i <> "#") instance PrettyStgi PrimOp where prettyStgi op = annotate (AstAnn Prim) (case op of Add -> "+#" Sub -> "-#" Mul -> "*#" Div -> "/#" Mod -> "%#" Eq -> "==#" Lt -> "<#" Leq -> "<=#" Gt -> ">#" Geq -> ">=#" Neq -> "/=#" ) instance PrettyStgi Var where prettyStgi (Var name) = annotate (AstAnn Variable) (pretty name) instance PrettyStgi Atom where prettyStgi = \case AtomVar var -> prettyStgi var AtomLit lit -> prettyStgi lit instance PrettyStgi Constr where prettyStgi (Constr name) = annotate (AstAnn Constructor) (pretty name) instance NFData Program instance NFData Binds instance NFData LambdaForm instance NFData UpdateFlag instance NFData Rec instance NFData Expr instance NFData Alts instance NFData NonDefaultAlts instance NFData AlgebraicAlt instance NFData PrimitiveAlt instance NFData DefaultAlt instance NFData Literal instance NFData PrimOp instance NFData Var instance NFData Atom instance NFData Constr
{ "content_hash": "6d561aa6dfaf6b1bf01693cb49303e01", "timestamp": "", "source": "github", "line_count": 383, "max_line_length": 108, "avg_line_length": 34.19582245430809, "alnum_prop": 0.6167061159044056, "repo_name": "quchen/stg", "id": "7a6e28b0b54ecd5570eae16ee490237021a99b02", "size": "13101", "binary": false, "copies": "2", "ref": "refs/heads/master", "path": "src/Stg/Language.hs", "mode": "33188", "license": "bsd-3-clause", "language": [ { "name": "Haskell", "bytes": "220821" }, { "name": "Shell", "bytes": "187" } ], "symlink_target": "" }
using namespace std; int main() { string yourName; cout << "Enter your name: "; cin >> yourName; string friendsName; cout << "Enter your friend's name: "; cin >> friendsName; string* ptrCurrentName; cout << "1. Your name's address: " << &yourName << endl; cout << "2. Your friend's name's address: " << &friendsName << endl; int choice; while ( choice != 3 ) { cout << "Point to which address?" << endl; cin >> choice; if ( choice == 1 ) { ptrCurrentName = &yourName; } else { ptrCurrentName = &friendsName; } cout << "Memory address: " << ptrCurrentName << endl; } return 0; }
{ "content_hash": "0100082ce1ecd304c5358a3c82cd8fc2", "timestamp": "", "source": "github", "line_count": 37, "max_line_length": 73, "avg_line_length": 20.243243243243242, "alnum_prop": 0.5020026702269693, "repo_name": "Rachels-Courses/Course-Common-Files", "id": "fe50f4fea218201204efa860e00127187b321da7", "size": "787", "binary": false, "copies": "1", "ref": "refs/heads/organized", "path": "STUDENT_REFERENCE/EXAMPLE_CODE/Pointers and Memory Management/02 Pointers/Simple Pointers B/pointers.cpp", "mode": "33188", "license": "mit", "language": [ { "name": "C++", "bytes": "350974" }, { "name": "CSS", "bytes": "90738" }, { "name": "HTML", "bytes": "494331" }, { "name": "Java", "bytes": "114002" }, { "name": "Python", "bytes": "15289" }, { "name": "Shell", "bytes": "84" }, { "name": "TeX", "bytes": "73021" } ], "symlink_target": "" }
If you didn't go through Chapters 2-6, the simplest way to catch up is to copy data from my bucket: #### Catch up from Chapters 2-5 * Open CloudShell and git clone this repo: ``` git clone https://github.com/GoogleCloudPlatform/data-science-on-gcp ``` * Go to the 02_ingest folder of the repo, run the program ./ingest_from_crsbucket.sh and specify your bucket name. * Go to the 04_streaming folder of the repo, run the program ./ingest_from_crsbucket.sh and specify your bucket name. * Go to the 05_bqnotebook folder of the repo, run the script to load data into BigQuery: ``` bash create_trainday.sh <BUCKET-NAME> ``` #### [Optional] Catch up from Chapter 6 * Use the instructions in the <a href="../06_dataproc/README.md">Chapter 6 README</a> to: * launch a minimal Cloud Dataproc cluster with initialization actions for Jupyter (`./create_cluster.sh BUCKET ZONE`) * Start a new notebook and in a cell, download a read-only clone of this repository: ``` %bash git clone https://github.com/GoogleCloudPlatform/data-science-on-gcp rm -rf data-science-on-gcp/.git ``` * Browse to data-science-on-gcp/07_sparkml_and_bqml/logistic_regression.ipynb and run the cells in the notebook (change the BUCKET appropriately). ## This Chapter ### Logistic regression using Spark * Launch a large Dataproc cluster: ``` ./create_large_cluster.sh BUCKET ZONE ``` * If it fails with quota issues, get increased quota. If you can't have more quota, reduce the number of workers appropriately. * Submit a Spark job to run the full dataset (change the BUCKET appropriately). ``` ./submit_spark.sh BUCKET logistic.py ``` ### Feature engineering * Submit a Spark job to do experimentation: `./submit_spark.sh BUCKET experiment.py` ### Cleanup * Delete the cluster either from the GCP web console or by typing in CloudShell, `../06_dataproc/delete_cluster.sh`
{ "content_hash": "96900dc23d1b22e845340e83018f10a1", "timestamp": "", "source": "github", "line_count": 48, "max_line_length": 119, "avg_line_length": 39.854166666666664, "alnum_prop": 0.7219027705175117, "repo_name": "GoogleCloudPlatform/data-science-on-gcp", "id": "646fe744f8ff0bcccdb701bc321493f9c487e34f", "size": "2015", "binary": false, "copies": "1", "ref": "refs/heads/main", "path": "07_sparkml/README.md", "mode": "33188", "license": "apache-2.0", "language": [ { "name": "Dockerfile", "bytes": "801" }, { "name": "Jupyter Notebook", "bytes": "1503901" }, { "name": "Python", "bytes": "134422" }, { "name": "Shell", "bytes": "18451" } ], "symlink_target": "" }
.class public Lcom/samsung/android/settings/GlobalLteRoaming; .super Lcom/android/settings/SettingsPreferenceFragment; .source "GlobalLteRoaming.java" # annotations .annotation system Ldalvik/annotation/MemberClasses; value = { Lcom/samsung/android/settings/GlobalLteRoaming$1;, Lcom/samsung/android/settings/GlobalLteRoaming$2; } .end annotation # static fields .field private static mContext:Landroid/content/Context; # instance fields .field private mAirplaneModeChangeReceiver:Landroid/content/BroadcastReceiver; .field private mDialog:Landroid/app/AlertDialog; .field private mLteRoamingSettings:Landroid/support/v14/preference/SwitchPreference; .field private mUseLTERoamingObserver:Landroid/database/ContentObserver; # direct methods .method static synthetic -get0()Landroid/content/Context; .locals 1 sget-object v0, Lcom/samsung/android/settings/GlobalLteRoaming;->mContext:Landroid/content/Context; return-object v0 .end method .method static synthetic -get1(Lcom/samsung/android/settings/GlobalLteRoaming;)Landroid/support/v14/preference/SwitchPreference; .locals 1 iget-object v0, p0, Lcom/samsung/android/settings/GlobalLteRoaming;->mLteRoamingSettings:Landroid/support/v14/preference/SwitchPreference; return-object v0 .end method .method static synthetic -wrap0(Lcom/samsung/android/settings/GlobalLteRoaming;)Landroid/content/ContentResolver; .locals 1 invoke-virtual {p0}, Lcom/samsung/android/settings/GlobalLteRoaming;->getContentResolver()Landroid/content/ContentResolver; move-result-object v0 return-object v0 .end method .method static synthetic -wrap1(Lcom/samsung/android/settings/GlobalLteRoaming;)Z .locals 1 invoke-direct {p0}, Lcom/samsung/android/settings/GlobalLteRoaming;->getLteRoamingState()Z move-result v0 return v0 .end method .method static synthetic -wrap2(Lcom/samsung/android/settings/GlobalLteRoaming;)V .locals 0 invoke-direct {p0}, Lcom/samsung/android/settings/GlobalLteRoaming;->showChargeDialog()V return-void .end method .method static synthetic -wrap3(Lcom/samsung/android/settings/GlobalLteRoaming;Z)V .locals 0 invoke-direct {p0, p1}, Lcom/samsung/android/settings/GlobalLteRoaming;->toggleLteRoaming(Z)V return-void .end method .method public constructor <init>()V .locals 2 invoke-direct {p0}, Lcom/android/settings/SettingsPreferenceFragment;-><init>()V const/4 v0, 0x0 iput-object v0, p0, Lcom/samsung/android/settings/GlobalLteRoaming;->mDialog:Landroid/app/AlertDialog; new-instance v0, Lcom/samsung/android/settings/GlobalLteRoaming$1; invoke-direct {v0, p0}, Lcom/samsung/android/settings/GlobalLteRoaming$1;-><init>(Lcom/samsung/android/settings/GlobalLteRoaming;)V iput-object v0, p0, Lcom/samsung/android/settings/GlobalLteRoaming;->mAirplaneModeChangeReceiver:Landroid/content/BroadcastReceiver; new-instance v0, Lcom/samsung/android/settings/GlobalLteRoaming$2; new-instance v1, Landroid/os/Handler; invoke-direct {v1}, Landroid/os/Handler;-><init>()V invoke-direct {v0, p0, v1}, Lcom/samsung/android/settings/GlobalLteRoaming$2;-><init>(Lcom/samsung/android/settings/GlobalLteRoaming;Landroid/os/Handler;)V iput-object v0, p0, Lcom/samsung/android/settings/GlobalLteRoaming;->mUseLTERoamingObserver:Landroid/database/ContentObserver; return-void .end method .method private getLteRoamingState()Z .locals 4 const/4 v1, 0x1 const/4 v2, 0x0 sget-object v3, Lcom/samsung/android/settings/GlobalLteRoaming;->mContext:Landroid/content/Context; invoke-virtual {v3}, Landroid/content/Context;->getContentResolver()Landroid/content/ContentResolver; move-result-object v0 const-string/jumbo v3, "lte_roaming_mode_on" invoke-static {v0, v3, v1}, Landroid/provider/Settings$System;->getInt(Landroid/content/ContentResolver;Ljava/lang/String;I)I move-result v3 if-eqz v3, :cond_0 :goto_0 return v1 :cond_0 move v1, v2 goto :goto_0 .end method .method private showChargeDialog()V .locals 5 iget-object v2, p0, Lcom/samsung/android/settings/GlobalLteRoaming;->mDialog:Landroid/app/AlertDialog; if-eqz v2, :cond_0 iget-object v2, p0, Lcom/samsung/android/settings/GlobalLteRoaming;->mDialog:Landroid/app/AlertDialog; invoke-virtual {v2}, Landroid/app/AlertDialog;->isShowing()Z move-result v2 if-eqz v2, :cond_0 iget-object v2, p0, Lcom/samsung/android/settings/GlobalLteRoaming;->mDialog:Landroid/app/AlertDialog; invoke-virtual {v2}, Landroid/app/AlertDialog;->dismiss()V :cond_0 new-instance v0, Landroid/app/AlertDialog$Builder; invoke-virtual {p0}, Lcom/samsung/android/settings/GlobalLteRoaming;->getActivity()Landroid/app/Activity; move-result-object v2 invoke-direct {v0, v2}, Landroid/app/AlertDialog$Builder;-><init>(Landroid/content/Context;)V const v2, 0x7f121654 invoke-virtual {v0, v2}, Landroid/app/AlertDialog$Builder;->setTitle(I)Landroid/app/AlertDialog$Builder; iget-object v2, p0, Lcom/samsung/android/settings/GlobalLteRoaming;->mLteRoamingSettings:Landroid/support/v14/preference/SwitchPreference; invoke-virtual {v2}, Landroid/support/v14/preference/SwitchPreference;->isChecked()Z move-result v1 const-string/jumbo v2, "GlobalLteRoaming" new-instance v3, Ljava/lang/StringBuilder; invoke-direct {v3}, Ljava/lang/StringBuilder;-><init>()V const-string/jumbo v4, "showChargeDialog: mLteRoamingOnOff : " invoke-virtual {v3, v4}, Ljava/lang/StringBuilder;->append(Ljava/lang/String;)Ljava/lang/StringBuilder; move-result-object v3 invoke-virtual {v3, v1}, Ljava/lang/StringBuilder;->append(Z)Ljava/lang/StringBuilder; move-result-object v3 invoke-virtual {v3}, Ljava/lang/StringBuilder;->toString()Ljava/lang/String; move-result-object v3 invoke-static {v2, v3}, Landroid/util/Log;->d(Ljava/lang/String;Ljava/lang/String;)I const v2, 0x7f121655 invoke-virtual {v0, v2}, Landroid/app/AlertDialog$Builder;->setMessage(I)Landroid/app/AlertDialog$Builder; new-instance v2, Lcom/samsung/android/settings/GlobalLteRoaming$4; invoke-direct {v2, p0, v1}, Lcom/samsung/android/settings/GlobalLteRoaming$4;-><init>(Lcom/samsung/android/settings/GlobalLteRoaming;Z)V const v3, 0x7f120890 invoke-virtual {v0, v3, v2}, Landroid/app/AlertDialog$Builder;->setPositiveButton(ILandroid/content/DialogInterface$OnClickListener;)Landroid/app/AlertDialog$Builder; new-instance v2, Lcom/samsung/android/settings/GlobalLteRoaming$5; invoke-direct {v2, p0, v1}, Lcom/samsung/android/settings/GlobalLteRoaming$5;-><init>(Lcom/samsung/android/settings/GlobalLteRoaming;Z)V const v3, 0x7f120550 invoke-virtual {v0, v3, v2}, Landroid/app/AlertDialog$Builder;->setNegativeButton(ILandroid/content/DialogInterface$OnClickListener;)Landroid/app/AlertDialog$Builder; new-instance v2, Lcom/samsung/android/settings/GlobalLteRoaming$6; invoke-direct {v2, p0}, Lcom/samsung/android/settings/GlobalLteRoaming$6;-><init>(Lcom/samsung/android/settings/GlobalLteRoaming;)V invoke-virtual {v0, v2}, Landroid/app/AlertDialog$Builder;->setOnDismissListener(Landroid/content/DialogInterface$OnDismissListener;)Landroid/app/AlertDialog$Builder; invoke-virtual {v0}, Landroid/app/AlertDialog$Builder;->create()Landroid/app/AlertDialog; move-result-object v2 iput-object v2, p0, Lcom/samsung/android/settings/GlobalLteRoaming;->mDialog:Landroid/app/AlertDialog; iget-object v2, p0, Lcom/samsung/android/settings/GlobalLteRoaming;->mDialog:Landroid/app/AlertDialog; invoke-virtual {v2}, Landroid/app/AlertDialog;->show()V return-void .end method .method private toggleLteRoaming(Z)V .locals 4 const-string/jumbo v1, "GlobalLteRoaming" new-instance v2, Ljava/lang/StringBuilder; invoke-direct {v2}, Ljava/lang/StringBuilder;-><init>()V const-string/jumbo v3, "toggleLteRoaming: " invoke-virtual {v2, v3}, Ljava/lang/StringBuilder;->append(Ljava/lang/String;)Ljava/lang/StringBuilder; move-result-object v2 invoke-virtual {v2, p1}, Ljava/lang/StringBuilder;->append(Z)Ljava/lang/StringBuilder; move-result-object v2 invoke-virtual {v2}, Ljava/lang/StringBuilder;->toString()Ljava/lang/String; move-result-object v2 invoke-static {v1, v2}, Landroid/util/Log;->d(Ljava/lang/String;Ljava/lang/String;)I iget-object v1, p0, Lcom/samsung/android/settings/GlobalLteRoaming;->mLteRoamingSettings:Landroid/support/v14/preference/SwitchPreference; invoke-virtual {v1, p1}, Landroid/support/v14/preference/SwitchPreference;->setChecked(Z)V new-instance v0, Landroid/content/Intent; const-string/jumbo v1, "kr.co.uplus.SET_LTE_ROAMING_IMSI" invoke-direct {v0, v1}, Landroid/content/Intent;-><init>(Ljava/lang/String;)V const-string/jumbo v1, "lte_roaming" invoke-virtual {v0, v1, p1}, Landroid/content/Intent;->putExtra(Ljava/lang/String;Z)Landroid/content/Intent; invoke-virtual {p0}, Lcom/samsung/android/settings/GlobalLteRoaming;->getActivity()Landroid/app/Activity; move-result-object v1 invoke-virtual {v1, v0}, Landroid/app/Activity;->sendBroadcast(Landroid/content/Intent;)V return-void .end method # virtual methods .method public getMetricsCategory()I .locals 1 const/4 v0, 0x1 return v0 .end method .method public onCreate(Landroid/os/Bundle;)V .locals 2 invoke-super {p0, p1}, Lcom/android/settings/SettingsPreferenceFragment;->onCreate(Landroid/os/Bundle;)V invoke-static {}, Lcom/android/settings/Utils;->isDomesticLGTModel()Z move-result v0 if-nez v0, :cond_0 invoke-virtual {p0}, Lcom/samsung/android/settings/GlobalLteRoaming;->finish()V :cond_0 invoke-virtual {p0}, Lcom/samsung/android/settings/GlobalLteRoaming;->getActivity()Landroid/app/Activity; move-result-object v0 sput-object v0, Lcom/samsung/android/settings/GlobalLteRoaming;->mContext:Landroid/content/Context; const v0, 0x7f150071 invoke-virtual {p0, v0}, Lcom/samsung/android/settings/GlobalLteRoaming;->addPreferencesFromResource(I)V const-string/jumbo v0, "button_lte_roaming" invoke-virtual {p0, v0}, Lcom/samsung/android/settings/GlobalLteRoaming;->findPreference(Ljava/lang/CharSequence;)Landroid/support/v7/preference/Preference; move-result-object v0 check-cast v0, Landroid/support/v14/preference/SwitchPreference; iput-object v0, p0, Lcom/samsung/android/settings/GlobalLteRoaming;->mLteRoamingSettings:Landroid/support/v14/preference/SwitchPreference; iget-object v0, p0, Lcom/samsung/android/settings/GlobalLteRoaming;->mLteRoamingSettings:Landroid/support/v14/preference/SwitchPreference; new-instance v1, Lcom/samsung/android/settings/GlobalLteRoaming$3; invoke-direct {v1, p0}, Lcom/samsung/android/settings/GlobalLteRoaming$3;-><init>(Lcom/samsung/android/settings/GlobalLteRoaming;)V invoke-virtual {v0, v1}, Landroid/support/v14/preference/SwitchPreference;->setOnPreferenceChangeListener(Landroid/support/v7/preference/Preference$OnPreferenceChangeListener;)V return-void .end method .method public onPause()V .locals 3 invoke-super {p0}, Lcom/android/settings/SettingsPreferenceFragment;->onPause()V :try_start_0 iget-object v1, p0, Lcom/samsung/android/settings/GlobalLteRoaming;->mAirplaneModeChangeReceiver:Landroid/content/BroadcastReceiver; if-eqz v1, :cond_0 sget-object v1, Lcom/samsung/android/settings/GlobalLteRoaming;->mContext:Landroid/content/Context; iget-object v2, p0, Lcom/samsung/android/settings/GlobalLteRoaming;->mAirplaneModeChangeReceiver:Landroid/content/BroadcastReceiver; invoke-virtual {v1, v2}, Landroid/content/Context;->unregisterReceiver(Landroid/content/BroadcastReceiver;)V :try_end_0 .catch Ljava/lang/IllegalArgumentException; {:try_start_0 .. :try_end_0} :catch_0 :cond_0 :goto_0 return-void :catch_0 move-exception v0 invoke-virtual {v0}, Ljava/lang/IllegalArgumentException;->printStackTrace()V goto :goto_0 .end method .method public onResume()V .locals 5 const/4 v4, 0x0 invoke-super {p0}, Lcom/android/settings/SettingsPreferenceFragment;->onResume()V sget-object v0, Lcom/samsung/android/settings/GlobalLteRoaming;->mContext:Landroid/content/Context; iget-object v1, p0, Lcom/samsung/android/settings/GlobalLteRoaming;->mAirplaneModeChangeReceiver:Landroid/content/BroadcastReceiver; new-instance v2, Landroid/content/IntentFilter; const-string/jumbo v3, "android.intent.action.AIRPLANE_MODE" invoke-direct {v2, v3}, Landroid/content/IntentFilter;-><init>(Ljava/lang/String;)V invoke-virtual {v0, v1, v2}, Landroid/content/Context;->registerReceiver(Landroid/content/BroadcastReceiver;Landroid/content/IntentFilter;)Landroid/content/Intent; invoke-virtual {p0}, Lcom/samsung/android/settings/GlobalLteRoaming;->getContentResolver()Landroid/content/ContentResolver; move-result-object v0 const-string/jumbo v1, "lte_roaming_mode_on" invoke-static {v1}, Landroid/provider/Settings$System;->getUriFor(Ljava/lang/String;)Landroid/net/Uri; move-result-object v1 iget-object v2, p0, Lcom/samsung/android/settings/GlobalLteRoaming;->mUseLTERoamingObserver:Landroid/database/ContentObserver; invoke-virtual {v0, v1, v4, v2}, Landroid/content/ContentResolver;->registerContentObserver(Landroid/net/Uri;ZLandroid/database/ContentObserver;)V sget-object v0, Lcom/samsung/android/settings/GlobalLteRoaming;->mContext:Landroid/content/Context; invoke-static {v0}, Lcom/android/settings/Utils;->isAirplaneModeEnabled(Landroid/content/Context;)Z move-result v0 if-nez v0, :cond_0 sget-object v0, Lcom/samsung/android/settings/GlobalLteRoaming;->mContext:Landroid/content/Context; invoke-static {v0}, Lcom/android/settings/Utils;->isSupportKorRoamingConcept(Landroid/content/Context;)Z move-result v0 xor-int/lit8 v0, v0, 0x1 if-nez v0, :cond_0 invoke-static {}, Lcom/android/settings/Utils;->isExceptionalUSIM()Z move-result v0 if-eqz v0, :cond_1 :cond_0 iget-object v0, p0, Lcom/samsung/android/settings/GlobalLteRoaming;->mLteRoamingSettings:Landroid/support/v14/preference/SwitchPreference; invoke-virtual {v0, v4}, Landroid/support/v14/preference/SwitchPreference;->setEnabled(Z)V iget-object v0, p0, Lcom/samsung/android/settings/GlobalLteRoaming;->mLteRoamingSettings:Landroid/support/v14/preference/SwitchPreference; invoke-virtual {v0, v4}, Landroid/support/v14/preference/SwitchPreference;->setChecked(Z)V :goto_0 return-void :cond_1 iget-object v0, p0, Lcom/samsung/android/settings/GlobalLteRoaming;->mLteRoamingSettings:Landroid/support/v14/preference/SwitchPreference; invoke-direct {p0}, Lcom/samsung/android/settings/GlobalLteRoaming;->getLteRoamingState()Z move-result v1 invoke-virtual {v0, v1}, Landroid/support/v14/preference/SwitchPreference;->setChecked(Z)V goto :goto_0 .end method
{ "content_hash": "49514c297681a2b0a4b7296ccad90295", "timestamp": "", "source": "github", "line_count": 451, "max_line_length": 181, "avg_line_length": 33.65631929046563, "alnum_prop": 0.7578233085183477, "repo_name": "BatMan-Rom/ModdedFiles", "id": "c2bea19fcadafef39b11ccdd6f6f3aecf6c5760d", "size": "15179", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "SecSettings/smali/com/samsung/android/settings/GlobalLteRoaming.smali", "mode": "33188", "license": "apache-2.0", "language": [ { "name": "GLSL", "bytes": "15069" }, { "name": "HTML", "bytes": "139176" }, { "name": "Smali", "bytes": "541934400" } ], "symlink_target": "" }
/* * script_test.cpp * * Created on: 2014Äê8ÔÂ11ÈÕ * Author: wangqiying */ #include "ardb.hpp" #include <string> using namespace ardb; void test_scripts_eval(Context& ctx, Ardb& db) { RedisCommandFrame del; del.SetFullCommand("del foo"); db.Call(ctx, del, 0); RedisCommandFrame eval; eval.SetFullCommand("eval \"return {KEYS[1],KEYS[2],ARGV[1],ARGV[2]}\" 2 key1 key2 first second"); db.Call(ctx, eval, 0); CHECK_FATAL(ctx.reply.MemberSize() != 4, "eval failed"); eval.SetFullCommand("eval \"return redis.call('set','foo','bar')\" 0"); db.Call(ctx, eval, 0); CHECK_FATAL(ctx.reply.str != "OK", "eval failed"); eval.SetFullCommand("eval \"return redis.call('set',KEYS[1],'bar')\" 1 foo"); db.Call(ctx, eval, 0); CHECK_FATAL(ctx.reply.str != "OK", "eval failed"); eval.SetFullCommand("eval \"return 10\" 0"); db.Call(ctx, eval, 0); CHECK_FATAL(ctx.reply.integer != 10, "eval failed"); eval.SetFullCommand("eval \"return redis.call('get','foo')\" 0"); db.Call(ctx, eval, 0); CHECK_FATAL(ctx.reply.str != "bar", "eval failed"); } void test_scripts(Ardb& db) { Context ctx; test_scripts_eval(ctx, db); }
{ "content_hash": "350e6a8cfd706975cd812f6f25f41be7", "timestamp": "", "source": "github", "line_count": 45, "max_line_length": 102, "avg_line_length": 26.711111111111112, "alnum_prop": 0.6214642262895175, "repo_name": "cloudrain21/ardb", "id": "eae77c319263687c1eac1fdcb186a972da90f7c1", "size": "1202", "binary": false, "copies": "7", "ref": "refs/heads/master", "path": "test/script_test.cpp", "mode": "33261", "license": "bsd-3-clause", "language": [ { "name": "C", "bytes": "239502" }, { "name": "C++", "bytes": "2086822" }, { "name": "Makefile", "bytes": "11851" } ], "symlink_target": "" }
/* TEMPLATE GENERATED TESTCASE FILE Filename: CWE252_Unchecked_Return_Value__wchar_t_sscanf_04.c Label Definition File: CWE252_Unchecked_Return_Value.label.xml Template File: point-flaw-04.tmpl.c */ /* * @description * CWE: 252 Unchecked Return Value * Sinks: sscanf * GoodSink: Check if swscanf() fails * BadSink : Do not check if swscanf() fails * Flow Variant: 04 Control flow: if(STATIC_CONST_TRUE) and if(STATIC_CONST_FALSE) * * */ #include "std_testcase.h" #ifndef _WIN32 #include <wchar.h> #endif #define SRC L"sscanf" /* The two variables below are declared "const", so a tool should be able to identify that reads of these will always return their initialized values. */ static const int STATIC_CONST_TRUE = 1; /* true */ static const int STATIC_CONST_FALSE = 0; /* false */ #ifndef OMITBAD void CWE252_Unchecked_Return_Value__wchar_t_sscanf_04_bad() { if(STATIC_CONST_TRUE) { { /* By initializing dataBuffer, we ensure this will not be the * CWE 690 (Unchecked Return Value To NULL Pointer) flaw for fgetws() and other variants */ wchar_t dataBuffer[100] = L""; wchar_t * data = dataBuffer; /* FLAW: Do not check the return value */ swscanf(SRC, L"%99s\0", data); } } } #endif /* OMITBAD */ #ifndef OMITGOOD /* good1() uses if(STATIC_CONST_FALSE) instead of if(STATIC_CONST_TRUE) */ static void good1() { if(STATIC_CONST_FALSE) { /* INCIDENTAL: CWE 561 Dead Code, the code below will never run */ printLine("Benign, fixed string"); } else { { /* By initializing dataBuffer, we ensure this will not be the * CWE 690 (Unchecked Return Value To NULL Pointer) flaw for fgetws() and other variants */ wchar_t dataBuffer[100] = L""; wchar_t * data = dataBuffer; /* FIX: check the return value */ if (swscanf(SRC, L"%99s\0", data) == EOF) { printLine("swscanf failed!"); } } } } /* good2() reverses the bodies in the if statement */ static void good2() { if(STATIC_CONST_TRUE) { { /* By initializing dataBuffer, we ensure this will not be the * CWE 690 (Unchecked Return Value To NULL Pointer) flaw for fgetws() and other variants */ wchar_t dataBuffer[100] = L""; wchar_t * data = dataBuffer; /* FIX: check the return value */ if (swscanf(SRC, L"%99s\0", data) == EOF) { printLine("swscanf failed!"); } } } } void CWE252_Unchecked_Return_Value__wchar_t_sscanf_04_good() { good1(); good2(); } #endif /* OMITGOOD */ /* Below is the main(). It is only used when building this testcase on its own for testing or for building a binary to use in testing binary analysis tools. It is not used when compiling all the testcases as one application, which is how source code analysis tools are tested. */ #ifdef INCLUDEMAIN int main(int argc, char * argv[]) { /* seed randomness */ srand( (unsigned)time(NULL) ); #ifndef OMITGOOD printLine("Calling good()..."); CWE252_Unchecked_Return_Value__wchar_t_sscanf_04_good(); printLine("Finished good()"); #endif /* OMITGOOD */ #ifndef OMITBAD printLine("Calling bad()..."); CWE252_Unchecked_Return_Value__wchar_t_sscanf_04_bad(); printLine("Finished bad()"); #endif /* OMITBAD */ return 0; } #endif
{ "content_hash": "e4fa6f7e4b997701914259c26494bc36", "timestamp": "", "source": "github", "line_count": 126, "max_line_length": 103, "avg_line_length": 29.063492063492063, "alnum_prop": 0.5901146914254506, "repo_name": "JianpingZeng/xcc", "id": "380307d3c159cb96ea05faf8010e8f38935ee51b", "size": "3662", "binary": false, "copies": "2", "ref": "refs/heads/master", "path": "xcc/test/juliet/testcases/CWE252_Unchecked_Return_Value/CWE252_Unchecked_Return_Value__wchar_t_sscanf_04.c", "mode": "33188", "license": "bsd-3-clause", "language": [], "symlink_target": "" }
'use strict'; module.exports = [ '$compile', function CompileHtmlDirective($compile) { return { restrict: 'A', link: function($scope, $el, attrs) { $scope.$watch( function($scope) { // watch the 'compile' expression for changes return $scope.$eval(attrs.assCompileHtml); }, function(value) { $el.html(value); $compile($el.contents())($scope); } ); } }; } ];
{ "content_hash": "a1dc090e52f44cd82509182ceb7c2cc1", "timestamp": "", "source": "github", "line_count": 22, "max_line_length": 57, "avg_line_length": 22.454545454545453, "alnum_prop": 0.48785425101214575, "repo_name": "unkhz/almost-static-site", "id": "51f0e41aa3792fee73ea3113cbe7a99d5aa48a0a", "size": "494", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "main/directives/compileHtml.js", "mode": "33188", "license": "mit", "language": [ { "name": "CSS", "bytes": "9480" }, { "name": "HTML", "bytes": "5741" }, { "name": "JavaScript", "bytes": "41451" } ], "symlink_target": "" }
'use strict';var _jestHasteMap; function _load_jestHasteMap() {return _jestHasteMap = _interopRequireDefault(require('jest-haste-map'));}var _jestMessageUtil; function _load_jestMessageUtil() {return _jestMessageUtil = require('jest-message-util');}var _jestRuntime; function _load_jestRuntime() {return _jestRuntime = _interopRequireDefault(require('jest-runtime'));}var _run_test; function _load_run_test() {return _run_test = _interopRequireDefault(require('./run_test'));}function _interopRequireDefault(obj) {return obj && obj.__esModule ? obj : { default: obj };} // Make sure uncaught errors are logged before we exit. process.on('uncaughtException', err => {console.error(err.stack);process.exit(1);}); const formatError = error => { if (typeof error === 'string') {var _separateMessageFromS = (0, (_jestMessageUtil || _load_jestMessageUtil()).separateMessageFromStack)(error);const message = _separateMessageFromS.message,stack = _separateMessageFromS.stack; return { message, stack, type: 'Error' }; } return { code: error.code || undefined, message: error.message, stack: error.stack, type: 'Error' }; }; const resolvers = Object.create(null); const getResolver = (config, rawModuleMap) => { // In watch mode, the raw module map with all haste modules is passed from // the test runner to the watch command. This is because jest-haste-map's // watch mode does not persist the haste map on disk after every file change. // To make this fast and consistent, we pass it from the TestRunner. if (rawModuleMap) { return (_jestRuntime || _load_jestRuntime()).default.createResolver(config, new (_jestHasteMap || _load_jestHasteMap()).default.ModuleMap(rawModuleMap)); } else { const name = config.name; if (!resolvers[name]) { resolvers[name] = (_jestRuntime || _load_jestRuntime()).default.createResolver( config, (_jestRuntime || _load_jestRuntime()).default.createHasteMap(config).readModuleMap()); } return resolvers[name]; } }; module.exports = (_ref, callback) => {let config = _ref.config,globalConfig = _ref.globalConfig,path = _ref.path,rawModuleMap = _ref.rawModuleMap; let parentExited = false; const disconnectCallback = () => parentExited = true; const removeListener = () => process.removeListener('disconnect', disconnectCallback); process.on('disconnect', disconnectCallback); try { (0, (_run_test || _load_run_test()).default)(path, globalConfig, config, getResolver(config, rawModuleMap)).then( result => { removeListener(); if (!parentExited) { callback(null, result); } }, error => { removeListener(); if (!parentExited) { callback(formatError(error)); } }); } catch (error) { callback(formatError(error)); } };
{ "content_hash": "ef447c4db4fd40f613d7794c85c52327", "timestamp": "", "source": "github", "line_count": 93, "max_line_length": 242, "avg_line_length": 30.731182795698924, "alnum_prop": 0.6770468859342197, "repo_name": "knightsj/RN_Demo", "id": "1f3ac972bb7de4d5d4c90d25c5823a9f3c58ba11", "size": "3850", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "[3]. Demo_native/rn_into_ios/node_modules/jest-runner/build/test_worker.js", "mode": "33188", "license": "mit", "language": [ { "name": "C", "bytes": "380498" }, { "name": "C++", "bytes": "5164" }, { "name": "CSS", "bytes": "6730" }, { "name": "HTML", "bytes": "405" }, { "name": "Java", "bytes": "8072" }, { "name": "JavaScript", "bytes": "259595" }, { "name": "Objective-C", "bytes": "540045" }, { "name": "Python", "bytes": "10198" }, { "name": "Ruby", "bytes": "885" }, { "name": "Shell", "bytes": "18336" } ], "symlink_target": "" }
@implementation CGNetworkData +(void)postData:(NSDictionary *)dict withUrl:(NSString *)url{ //NSString *urlData=[NSString stringWithFormat:@"%@",] // 请求管理者 AFHTTPSessionManager *manager = [AFHTTPSessionManager manager]; manager.responseSerializer = [AFHTTPResponseSerializer serializer]; // 拼接请求参数 NSMutableDictionary *params = [NSMutableDictionary dictionary]; [params setDictionary:dict]; [manager POST:url parameters:params progress:^(NSProgress * _Nonnull uploadProgress) { } success:^(NSURLSessionDataTask * _Nonnull task, id _Nullable responseObject) { NSLog(@"请求成功:%@", responseObject); NSDictionary *JSON = [NSJSONSerialization JSONObjectWithData:responseObject options:NSJSONReadingMutableContainers error:nil]; NSLog(@"请求成功JSON:%@", JSON); } failure:^(NSURLSessionDataTask * _Nullable task, NSError * _Nonnull error) { NSLog(@"请求失败:%@", error.description); }]; } @end
{ "content_hash": "112031f6e89e466f88ae725e38eae4fe", "timestamp": "", "source": "github", "line_count": 31, "max_line_length": 140, "avg_line_length": 35.38709677419355, "alnum_prop": 0.6216955332725616, "repo_name": "Wallenone/ChineseGirl", "id": "783b9dc9f04e1ce72a5aa7249c11ac85bce8490a", "size": "1357", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "Example/ChineseGirl/CGNetworkData.m", "mode": "33188", "license": "mit", "language": [ { "name": "C", "bytes": "25482" }, { "name": "C++", "bytes": "2983" }, { "name": "Objective-C", "bytes": "1298492" }, { "name": "Ruby", "bytes": "2167" } ], "symlink_target": "" }
<!DOCTYPE html> <script> onload = function() { document.body.offsetTop; // trigger layout var elm = document.getElementById('elm'); elm.style.display = 'none'; document.body.offsetTop; // trigger layout var elm2 = document.getElementById('elm2'); elm2.style.display = 'block'; } </script> <style> .spanner { -webkit-column-span:all; } </style> <p>Test removal of of a block right before a spanner, then insertion of another block at the same position.</p> <p>You should see two lines with the word "PASS" on a lime background below. Letter spacing is expected to vary.</p> <div style="-webkit-columns:4; -webkit-column-gap:0; overflow:hidden; width:4em; orphans:1; widows:1; background:lime;"><div id="elm" style="background:red;">F<br>A<br>I<br>L</div><div id="elm2" style="display:none;">P<br>A<br>S<br>S</div><div class="spanner">PASS</div> </div>
{ "content_hash": "d7f7094a13ad40b1afa7c1a40e76cb1a", "timestamp": "", "source": "github", "line_count": 18, "max_line_length": 270, "avg_line_length": 50.611111111111114, "alnum_prop": 0.6695938529088913, "repo_name": "axinging/chromium-crosswalk", "id": "217d481d34f098abad45c9a112b1aa7073ee22d2", "size": "911", "binary": false, "copies": "19", "ref": "refs/heads/master", "path": "third_party/WebKit/LayoutTests/fast/multicol/dynamic/remove-and-insert-block-before-spanner.html", "mode": "33188", "license": "bsd-3-clause", "language": [ { "name": "ApacheConf", "bytes": "8242" }, { "name": "AppleScript", "bytes": "6973" }, { "name": "Arduino", "bytes": "464" }, { "name": "Assembly", "bytes": "23945" }, { "name": "C", "bytes": "4103204" }, { "name": "C++", "bytes": "225022948" }, { "name": "CSS", "bytes": "949808" }, { "name": "Dart", "bytes": "74976" }, { "name": "Go", "bytes": "18155" }, { "name": "HTML", "bytes": "28206993" }, { "name": "Java", "bytes": "7651204" }, { "name": "JavaScript", "bytes": "18831169" }, { "name": "Makefile", "bytes": "96270" }, { "name": "Objective-C", "bytes": "1228122" }, { "name": "Objective-C++", "bytes": "7563676" }, { "name": "PHP", "bytes": "97817" }, { "name": "Perl", "bytes": "63937" }, { "name": "Protocol Buffer", "bytes": "418221" }, { "name": "Python", "bytes": "7855597" }, { "name": "Shell", "bytes": "472586" }, { "name": "Standard ML", "bytes": "4965" }, { "name": "XSLT", "bytes": "418" }, { "name": "nesC", "bytes": "18335" } ], "symlink_target": "" }
package com.baidu.cc.configuration.dao; import com.baidu.bjf.dao.SqlMapDao; import com.baidu.cc.configuration.bo.ConfigItem; /** * Dao interface class for model com.baidu.cc.configuration.bo.ConfigItemBase * * @author BJF */ public interface ConfigItemDao extends SqlMapDao<ConfigItem, Long> { /** * 删除某groupId下所有的配置项. * * @param groupId * groupId */ void deleteByGroupId(Long groupId); }
{ "content_hash": "09203f2df2b3291e85feee0379215edb", "timestamp": "", "source": "github", "line_count": 21, "max_line_length": 77, "avg_line_length": 21.047619047619047, "alnum_prop": 0.6787330316742082, "repo_name": "sdgdsffdsfff/configcenter-1", "id": "ee50f525f9414a7c4291d8c88dc5ffd39d64d723", "size": "1077", "binary": false, "copies": "3", "ref": "refs/heads/master", "path": "src/main/java/com/baidu/cc/configuration/dao/ConfigItemDao.java", "mode": "33188", "license": "apache-2.0", "language": [ { "name": "Batchfile", "bytes": "1007" }, { "name": "CSS", "bytes": "98514" }, { "name": "HTML", "bytes": "9436" }, { "name": "Java", "bytes": "778253" }, { "name": "JavaScript", "bytes": "43087" }, { "name": "Shell", "bytes": "3912" } ], "symlink_target": "" }
package com.intel.image_loader; import java.awt.image.BufferedImage; import java.util.Optional; import java.util.concurrent.*; /** * Parallel worker to write image file into sequence files */ public class Worker { private final DataSet dataSet; private final int parallel; private final ExecutorService threadPool; public Worker(DataSet dataSet, int parallel) { this.dataSet = dataSet; this.parallel = parallel; this.threadPool = Executors.newFixedThreadPool(parallel); } public int process(final String target) { Future<Integer>[] results = new Future[parallel]; for(int i = 0; i < parallel; i++) { final int tid = i; results[i] = threadPool.submit(new Callable<Integer>() { public Integer call() throws Exception { String file = String.format("%s-%d.seq", target, tid); Writer writer = new Writer(file); Optional<Image> imgOpt = dataSet.fetch(); int processed = 0; while(imgOpt.isPresent()) { Image img = imgOpt.get(); try { byte[] data = img.load(); writer.write(img.key, data, img.getWidth(), img.getHeight()); processed++; } catch (Exception e) { e.printStackTrace(); System.err.println("Can't write img " + img.path + " to sequence file " + file); } imgOpt = dataSet.fetch(); } writer.close(); return processed; } }); } threadPool.shutdown(); int processed = 0; for(int i = 0; i < parallel; i++) { try { processed += results[i].get(); } catch (InterruptedException e) { System.err.println("Processing is interrupted"); return processed; } catch (ExecutionException e) { System.err.println("Processing meet error, exit"); return processed; } } return processed; } }
{ "content_hash": "06dac09f282599532278f2d25efb62c5", "timestamp": "", "source": "github", "line_count": 66, "max_line_length": 112, "avg_line_length": 35.15151515151515, "alnum_prop": 0.49008620689655175, "repo_name": "yiheng/imagenet-loader", "id": "3f828978d44ac69f2886c96e89721a85699cdce6", "size": "2320", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "src/main/java/com/intel/image_loader/Worker.java", "mode": "33188", "license": "apache-2.0", "language": [ { "name": "Java", "bytes": "13011" } ], "symlink_target": "" }
function HtmlImageBlender(img) { var canvas = document.createElement('canvas'); canvas.width = img.naturalWidth; canvas.height = img.naturalHeight; var ctx = canvas.getContext('2d'); if(!ctx) return; ctx.drawImage(img, 0, 0); var imageData = ctx.getImageData(0, 0, canvas.width, canvas.height); var pixels = imageData.data, r, g, b; for (var i = 0, il = pixels.length; i < il; i += 4) { // generate "noise" pixel r = pixels[i]; g = pixels[i + 1]; b = pixels[i + 2]; // alpha compositing if(r >= 150 && g >= 150 && b >= 150){ pixels[i + 3] = 0; } } ctx.putImageData(imageData, 0, 0); img.src = canvas.toDataURL(); }
{ "content_hash": "d85847a57fd603c7a386eb6c0c21874f", "timestamp": "", "source": "github", "line_count": 22, "max_line_length": 71, "avg_line_length": 31.90909090909091, "alnum_prop": 0.5740740740740741, "repo_name": "SolRey/Html-Image-Blender", "id": "3127032466b753c70821b9db2f1be9861206bd75", "size": "702", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "HtmlImageBlender.js", "mode": "33188", "license": "mit", "language": [ { "name": "JavaScript", "bytes": "688" } ], "symlink_target": "" }
from nose.tools import assert_raises, raises from rx import Observable, Observer from rx.testing import TestScheduler, ReactiveTest, is_prime, MockDisposable from rx.disposables import Disposable, SerialDisposable from rx.subjects import AsyncSubject from rx.internal.exceptions import DisposedException on_next = ReactiveTest.on_next on_completed = ReactiveTest.on_completed on_error = ReactiveTest.on_error subscribe = ReactiveTest.subscribe subscribed = ReactiveTest.subscribed disposed = ReactiveTest.disposed created = ReactiveTest.created class RxException(Exception): pass # Helper function for raising exceptions within lambdas def _raise(ex): raise RxException(ex) def test_infinite(): subject = None subscription = None subscription1 = None subscription2 = None subscription3 = None scheduler = TestScheduler() xs = scheduler.create_hot_observable( on_next(70, 1), on_next(110, 2), on_next(220, 3), on_next(270, 4), on_next(340, 5), on_next(410, 6), on_next(520, 7), on_next(630, 8), on_next(710, 9), on_next(870, 10), on_next(940, 11), on_next(1020, 12) ) results1 = scheduler.create_observer() results2 = scheduler.create_observer() results3 = scheduler.create_observer() def action1(scheduler, state=None): nonlocal subject subject = AsyncSubject() scheduler.schedule_absolute(100, action1) def action2(scheduler, state=None): nonlocal subscription subscription = xs.subscribe(subject) scheduler.schedule_absolute(200, action2) def action3(scheduler, state=None): subscription.dispose() scheduler.schedule_absolute(1000, action3) def action4(scheduler, state=None): nonlocal subscription1 subscription1 = subject.subscribe(results1) scheduler.schedule_absolute(300, action4) def action5(scheduler, state=None): nonlocal subscription2 subscription2 = subject.subscribe(results2) scheduler.schedule_absolute(400, action5) def action6(scheduler, state=None): nonlocal subscription3 subscription3 = subject.subscribe(results3) scheduler.schedule_absolute(900, action6) def action7(scheduler, state=None): subscription1.dispose() scheduler.schedule_absolute(600, action7) def action8(scheduler, state=None): subscription2.dispose() scheduler.schedule_absolute(700, action8) def action9(scheduler, state=None): subscription1.dispose() scheduler.schedule_absolute(800, action9) def action10(scheduler, state=None): subscription3.dispose() scheduler.schedule_absolute(950, action10) scheduler.start() results1.messages.assert_equal() results2.messages.assert_equal() results3.messages.assert_equal() def test_finite(): subject = None subscription = None subscription1 = None subscription2 = None subscription3 = None scheduler = TestScheduler() xs = scheduler.create_hot_observable( on_next(70, 1), on_next(110, 2), on_next(220, 3), on_next(270, 4), on_next(340, 5), on_next(410, 6), on_next(520, 7), on_completed(630), on_next(640, 9), on_completed(650), on_error(660, 'ex') ) results1 = scheduler.create_observer() results2 = scheduler.create_observer() results3 = scheduler.create_observer() def action1(scheduler, state=None): nonlocal subject subject = AsyncSubject() scheduler.schedule_absolute(100, action1) def action2(scheduler, state=None): nonlocal subscription subscription = xs.subscribe(subject) scheduler.schedule_absolute(200, action2) def action3(scheduler, state=None): subscription.dispose() scheduler.schedule_absolute(1000, action3) def action4(scheduler, state=None): nonlocal subscription1 subscription1 = subject.subscribe(results1) scheduler.schedule_absolute(300, action4) def action5(scheduler, state=None): nonlocal subscription2 subscription2 = subject.subscribe(results2) scheduler.schedule_absolute(400, action5) def action6(scheduler, state=None): nonlocal subscription3 subscription3 = subject.subscribe(results3) scheduler.schedule_absolute(900, action6) def action7(scheduler, state=None): subscription1.dispose() scheduler.schedule_absolute(600, action7) def action8(scheduler, state=None): subscription2.dispose() scheduler.schedule_absolute(700, action8) def action9(scheduler, state=None): subscription1.dispose() scheduler.schedule_absolute(800, action9) def action10(scheduler, state=None): subscription3.dispose() scheduler.schedule_absolute(950, action10) scheduler.start() results1.messages.assert_equal() results2.messages.assert_equal(on_next(630, 7), on_completed(630)) results3.messages.assert_equal(on_next(900, 7), on_completed(900)) def test_error(): subject = None subscription = None subscription1 = None subscription2 = None subscription3 = None ex = 'ex' scheduler = TestScheduler() xs = scheduler.create_hot_observable( on_next(70, 1), on_next(110, 2), on_next(220, 3), on_next(270, 4), on_next(340, 5), on_next(410, 6), on_next(520, 7), on_error(630, ex), on_next(640, 9), on_completed(650), on_error(660, 'ex2') ) results1 = scheduler.create_observer() results2 = scheduler.create_observer() results3 = scheduler.create_observer() def action(scheduler, state=None): nonlocal subject subject = AsyncSubject() scheduler.schedule_absolute(100, action) def action1(scheduler, state=None): nonlocal subscription subscription = xs.subscribe(subject) scheduler.schedule_absolute(200, action1) def action2(scheduler, state=None): subscription.dispose() scheduler.schedule_absolute(1000, action2) def action3(scheduler, state=None): nonlocal subscription1 subscription1 = subject.subscribe(results1) scheduler.schedule_absolute(300, action3) def action4(scheduler, state=None): nonlocal subscription2 subscription2 = subject.subscribe(results2) scheduler.schedule_absolute(400, action4) def action5(scheduler, state=None): nonlocal subscription3 subscription3 = subject.subscribe(results3) scheduler.schedule_absolute(900, action5) def action6(scheduler, state=None): subscription1.dispose() scheduler.schedule_absolute(600, action6) def action7(scheduler, state=None): subscription2.dispose() scheduler.schedule_absolute(700, action7) def action8(scheduler, state=None): subscription1.dispose() scheduler.schedule_absolute(800, action8) def action9(scheduler, state=None): subscription3.dispose() scheduler.schedule_absolute(950, action9) scheduler.start() results1.messages.assert_equal() results2.messages.assert_equal(on_error(630, ex)) results3.messages.assert_equal(on_error(900, ex)) def test_canceled(): subject = None subscription = None subscription1 = None subscription2 = None subscription3 = None scheduler = TestScheduler() xs = scheduler.create_hot_observable( on_completed(630), on_next(640, 9), on_completed(650), on_error(660, 'ex') ) results1 = scheduler.create_observer() results2 = scheduler.create_observer() results3 = scheduler.create_observer() def action1(scheduler, state=None): nonlocal subject subject = AsyncSubject() scheduler.schedule_absolute(100, action1) def action2(scheduler, state=None): nonlocal subscription subscription = xs.subscribe(subject) scheduler.schedule_absolute(200, action2) def action3(scheduler, state=None): subscription.dispose() scheduler.schedule_absolute(1000, action3) def action4(scheduler, state=None): nonlocal subscription1 subscription1 = subject.subscribe(results1) scheduler.schedule_absolute(300, action4) def action5(scheduler, state=None): nonlocal subscription2 subscription2 = subject.subscribe(results2) scheduler.schedule_absolute(400, action5) def action6(scheduler, state=None): nonlocal subscription3 subscription3 = subject.subscribe(results3) scheduler.schedule_absolute(900, action6) def action7(scheduler, state=None): subscription1.dispose() scheduler.schedule_absolute(600, action7) def action8(scheduler, state=None): subscription2.dispose() scheduler.schedule_absolute(700, action8) def action9(scheduler, state=None): subscription1.dispose() scheduler.schedule_absolute(800, action9) def action10(scheduler, state=None): subscription3.dispose() scheduler.schedule_absolute(950, action10) scheduler.start() results1.messages.assert_equal() results2.messages.assert_equal(on_completed(630)) results3.messages.assert_equal(on_completed(900)) def test_subject_disposed(): subject = None subscription1 = None subscription2 = None subscription3 = None scheduler = TestScheduler() results1 = scheduler.create_observer() results2 = scheduler.create_observer() results3 = scheduler.create_observer() def action1(scheduler, state=None): nonlocal subject subject = AsyncSubject() scheduler.schedule_absolute(100, action1) def action2(scheduler, state=None): nonlocal subscription1 subscription1 = subject.subscribe(results1) scheduler.schedule_absolute(200, action2) def action3(scheduler, state=None): nonlocal subscription2 subscription2 = subject.subscribe(results2) scheduler.schedule_absolute(300, action3) def action4(scheduler, state=None): nonlocal subscription3 subscription3 = subject.subscribe(results3) scheduler.schedule_absolute(400, action4) def action5(scheduler, state=None): subscription1.dispose() scheduler.schedule_absolute(500, action5) def action6(scheduler, state=None): subject.dispose() scheduler.schedule_absolute(600, action6) def action7(scheduler, state=None): subscription2.dispose() scheduler.schedule_absolute(700, action7) def action8(scheduler, state=None): subscription3.dispose() scheduler.schedule_absolute(800, action8) def action9(scheduler, state=None): subject.on_next(1) scheduler.schedule_absolute(150, action9) def action10(scheduler, state=None): subject.on_next(2) scheduler.schedule_absolute(250, action10) def action11(scheduler, state=None): subject.on_next(3) scheduler.schedule_absolute(350, action11) def action12(scheduler, state=None): subject.on_next(4) scheduler.schedule_absolute(450, action12) def action13(scheduler, state=None): subject.on_next(5) scheduler.schedule_absolute(550, action13) @raises(DisposedException) def action14(scheduler, state=None): subject.on_next(6) scheduler.schedule_absolute(650, action14) @raises(DisposedException) def action15(scheduler, state=None): subject.on_completed() scheduler.schedule_absolute(750, action15) @raises(DisposedException) def action16(scheduler, state=None): subject.on_error('ex') scheduler.schedule_absolute(850, action16) @raises(DisposedException) def action17(scheduler, state=None): subject.subscribe(None) scheduler.schedule_absolute(950, action17) scheduler.start() results1.messages.assert_equal() results2.messages.assert_equal() results3.messages.assert_equal()
{ "content_hash": "7d413451e427f4a9b43dc62856931b3b", "timestamp": "", "source": "github", "line_count": 410, "max_line_length": 76, "avg_line_length": 30.148780487804878, "alnum_prop": 0.6677453280478926, "repo_name": "Reactive-Extensions/RxPy", "id": "c9d7c08a2b87463cc06e8d7a527884f58e80c23f", "size": "12361", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "tests/test_asyncsubject.py", "mode": "33188", "license": "apache-2.0", "language": [ { "name": "Python", "bytes": "862477" } ], "symlink_target": "" }
class ApplicationController < ActionController::Base # Prevent CSRF attacks by raising an exception. # For APIs, you may want to use :null_session instead. protect_from_forgery with: :exception def index end end
{ "content_hash": "5b0f08436d12b0be812c973587db9196", "timestamp": "", "source": "github", "line_count": 10, "max_line_length": 56, "avg_line_length": 22.5, "alnum_prop": 0.7511111111111111, "repo_name": "oliver-nowak/adam", "id": "4833910b87388e47ff0025ecccf17bfedb6ffb17", "size": "225", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "app/controllers/application_controller.rb", "mode": "33188", "license": "mit", "language": [ { "name": "CSS", "bytes": "1184" }, { "name": "JavaScript", "bytes": "7067" }, { "name": "Ruby", "bytes": "49885" } ], "symlink_target": "" }
<!-- @license Apache-2.0 Copyright (c) 2018 The Stdlib Authors. 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. --> <!DOCTYPE html> <html lang="en"> <head> <meta charset="utf-8"> <meta http-equiv="x-ua-compatible" content="ie=edge"> <meta name="viewport" content="width=device-width, initial-scale=1, shrink-to-fit=no"> <title></title> <style> /* http://meyerweb.com/eric/tools/css/reset/ v2.0 | 20110126 License: none (public domain) */ html, body, div, span, applet, object, iframe, h1, h2, h3, h4, h5, h6, p, blockquote, pre, a, abbr, acronym, address, big, cite, code, del, dfn, em, img, ins, kbd, q, s, samp, small, strike, strong, sub, sup, tt, var, b, u, i, center, dl, dt, dd, ol, ul, li, fieldset, form, label, legend, table, caption, tbody, tfoot, thead, tr, th, td, article, aside, canvas, details, embed, figure, figcaption, footer, header, hgroup, menu, nav, output, ruby, section, summary, time, mark, audio, video { margin: 0; padding: 0; border: 0; font-size: 100%; font: inherit; vertical-align: baseline; } /* HTML5 display-role reset for older browsers */ article, aside, details, figcaption, figure, footer, header, hgroup, menu, nav, section { display: block; } body { line-height: 1; } ol, ul { list-style: none; } blockquote, q { quotes: none; } blockquote:before, blockquote:after, q:before, q:after { content: ''; content: none; } table { border-collapse: collapse; border-spacing: 0; } </style> <style> body { box-sizing: border-box; width: 100%; padding: 40px; } #console { width: 100%; } </style> </head> <body> <p id="status">Running...</p> <br> <div id="console"></div> <script type="text/javascript"> (function() { 'use strict'; // VARIABLES // var methods = [ 'log', 'error', 'warn', 'dir', 'debug', 'info', 'trace' ]; // MAIN // /** * Main. * * @private */ function main() { var console; var str; var el; var i; // FIXME: IE9 has a non-standard `console.log` object (http://stackoverflow.com/questions/5538972/console-log-apply-not-working-in-ie9) console = window.console || {}; for ( i = 0; i < methods.length; i++ ) { console[ methods[ i ] ] = write; } el = document.querySelector( '#console' ); str = el.innerHTML; /** * Writes content to a DOM element. Note that this assumes a single argument and no substitution strings. * * @private * @param {string} message - message */ function write( message ) { str += '<p>'+message+'</p>'; el.innerHTML = str; } } main(); })(); </script> <script type="text/javascript" src="/docs/api/latest/@stdlib/random/iter/box-muller/benchmark_bundle.js"></script> </body> </html>
{ "content_hash": "7fb9580f62ed37959a5292ec558c1d4b", "timestamp": "", "source": "github", "line_count": 150, "max_line_length": 139, "avg_line_length": 22.30666666666667, "alnum_prop": 0.6228332337118948, "repo_name": "stdlib-js/www", "id": "ffde5e3085dfe7811998425a0b50f7bbcd2513c0", "size": "3346", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "public/docs/api/latest/@stdlib/random/iter/box-muller/benchmark.html", "mode": "33188", "license": "apache-2.0", "language": [ { "name": "CSS", "bytes": "190538" }, { "name": "HTML", "bytes": "158086013" }, { "name": "Io", "bytes": "14873" }, { "name": "JavaScript", "bytes": "5395746994" }, { "name": "Makefile", "bytes": "40479" }, { "name": "Shell", "bytes": "9744" } ], "symlink_target": "" }
class ComputedSeasonRanking < ApplicationRecord belongs_to :team belongs_to :season validates_associated :team validates_associated :season validates :rank, presence: true validates :total_points, presence: true validates :rank, numericality: true validates :total_points, numericality: true scope :for_team, ->(team) { where(team_id: team.id) } scope :for_season, ->(season) { where(season_id: season.id) } scope :sort_by_rank, ->(dir = 'ASC') { order("rank #{dir}") } delegate :name, to: :team, prefix: true delegate :description, to: :season, prefix: true # FIXME: for Rails 4+, move required/permitted check to the controller using the model # attr_accessible :season_id, :team_id, :rank, :total_points # ---------------------------------------------------------------------------- # Base methods: # ---------------------------------------------------------------------------- #++ # Computes a shorter description for the name associated with this data def get_full_name "#{season_description} - #{team_name}: #{rank}" end # Computes a verbose or formal description for the name associated with this data def get_verbose_name "#{season_description} - #{team_name}: #{rank}, #{total_points}" end # ---------------------------------------------------------------------------- end
{ "content_hash": "2866c4a1c5da9efa8b0bbe355e6dfa55", "timestamp": "", "source": "github", "line_count": 39, "max_line_length": 88, "avg_line_length": 35.61538461538461, "alnum_prop": 0.5543556515478761, "repo_name": "steveoro/goggles_core", "id": "1e4f9f0636d3ce8a0fcd1ea3c8f8d7d801269324", "size": "1711", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "app/models/computed_season_ranking.rb", "mode": "33188", "license": "mit", "language": [ { "name": "CSS", "bytes": "674" }, { "name": "HTML", "bytes": "3787" }, { "name": "JavaScript", "bytes": "1252" }, { "name": "Ruby", "bytes": "2366031" }, { "name": "Shell", "bytes": "30" } ], "symlink_target": "" }
This is a small application built with [Laravel] 5.3, where you can send files from a Dropbox folder of choice to a remote server via SFTP. You can also check the actual contents of two other folders (one in Dropbox and the other in a different SFTP disk). Files are downloaded locally and put in a backup folder in the Storage disk, then sent to the remote server and deleted from Dropbox. Made it for practicing purposes based on a real-case necessity. ## Installation You need npm and gulp Rename the env.example file to .env ```sh $ git clone https://github.com/lucagentile/dropboxtosftp.git yourprojectname $ cd yourprojectname $ composer install $ composer dump-autoload $ npm install $ gulp $ php artisan key:generate ``` Fill the .env file with proper info for Dropbox and SFTP auth. ## Features - Home index - SFTP service provider and adapter for Laravel's Filesystem - List files from 2 folders in Dropbox and 2 in the remote server - Sync 1 folder of Dropbox to another one in the remote server ## Packages included - Composer - [league/flysystem-sftp] - [graham-campbell/dropbox] License ---- MIT [Laravel]: <https://laravel.com/docs/5.3> [league/flysystem-sftp]: <https://github.com/thephpleague/flysystem-sftp> [graham-campbell/dropbox]: <https://github.com/GrahamCampbell/Laravel-Dropbox>
{ "content_hash": "16764c20181377b11c42bae9ac03ced1", "timestamp": "", "source": "github", "line_count": 40, "max_line_length": 139, "avg_line_length": 33.225, "alnum_prop": 0.7599699021820918, "repo_name": "lucagentile/dropboxtosftp", "id": "1803108f67e5e7d4126a0579a42924ff01120f0c", "size": "1355", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "readme.md", "mode": "33188", "license": "mit", "language": [ { "name": "CSS", "bytes": "1164" }, { "name": "HTML", "bytes": "6713" }, { "name": "JavaScript", "bytes": "1762" }, { "name": "PHP", "bytes": "81354" }, { "name": "Vue", "bytes": "561" } ], "symlink_target": "" }
<?xml version="1.0" encoding="UTF-8"?> <!-- Licensed to the Apache Software Foundation (ASF) under one or more contributor license agreements. See the NOTICE file distributed with this work for additional information regarding copyright ownership. The ASF licenses this file to You under the Apache License, Version 2.0 (the "License"); you may not use this file except in compliance with the License. You may obtain a copy of the License at http://www.apache.org/licenses/LICENSE-2.0 Unless required by applicable law or agreed to in writing, software distributed under the License is distributed on an "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the License for the specific language governing permissions and limitations under the License. --> <project xmlns="http://maven.apache.org/POM/4.0.0" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" xsi:schemaLocation="http://maven.apache.org/POM/4.0.0 http://maven.apache.org/maven-v4_0_0.xsd"> <modelVersion>4.0.0</modelVersion> <parent> <groupId>org.apache.camel</groupId> <artifactId>camel-olingo2-parent</artifactId> <version>2.18.0-SNAPSHOT</version> </parent> <artifactId>camel-olingo2-api</artifactId> <name>Camel :: Olingo2 :: API</name> <description>Camel Olingo2 API</description> <packaging>jar</packaging> <properties> <camel.osgi.export.pkg>org.apache.camel.component.olingo2.api*</camel.osgi.export.pkg> </properties> <dependencies> <dependency> <groupId>org.apache.olingo</groupId> <artifactId>olingo-odata2-api</artifactId> <version>${olingo2-version}</version> </dependency> <dependency> <groupId>org.apache.olingo</groupId> <artifactId>olingo-odata2-core</artifactId> <version>${olingo2-version}</version> <scope>runtime</scope> <exclusions> <exclusion> <groupId>javax.ws.rs</groupId> <artifactId>javax.ws.rs-api</artifactId> </exclusion> </exclusions> </dependency> <dependency> <groupId>org.apache.httpcomponents</groupId> <artifactId>httpasyncclient</artifactId> <version>${httpasyncclient-version}</version> </dependency> <!-- logging --> <dependency> <groupId>org.apache.logging.log4j</groupId> <artifactId>log4j-api</artifactId> <scope>test</scope> </dependency> <dependency> <groupId>org.apache.logging.log4j</groupId> <artifactId>log4j-core</artifactId> <scope>test</scope> </dependency> <dependency> <groupId>org.apache.logging.log4j</groupId> <artifactId>log4j-slf4j-impl</artifactId> <scope>test</scope> </dependency> <!-- testing --> <dependency> <groupId>org.apache.camel</groupId> <artifactId>camel-test</artifactId> <scope>test</scope> </dependency> </dependencies> <build> <defaultGoal>install</defaultGoal> <plugins> <!-- to generate API Javadoc --> <plugin> <groupId>org.apache.maven.plugins</groupId> <artifactId>maven-javadoc-plugin</artifactId> <version>2.9.1</version> <executions> <execution> <id>add-javadoc</id> <goals> <goal>jar</goal> </goals> <configuration> <attach>true</attach> <source>${jdk.version}</source> <quiet>true</quiet> <detectOfflineLinks>false</detectOfflineLinks> <javadocVersion>${jdk.version}</javadocVersion> <encoding>UTF-8</encoding> </configuration> </execution> </executions> </plugin> </plugins> </build> <!-- Disable Java 8 doclint checks to avoid Javadoc plugin failures --> <profiles> <profile> <id>doclint-java8-disable</id> <activation> <jdk>[1.8,</jdk> </activation> <build> <plugins> <plugin> <groupId>org.apache.maven.plugins</groupId> <artifactId>maven-javadoc-plugin</artifactId> <configuration> <additionalparam>-Xdoclint:none</additionalparam> </configuration> </plugin> </plugins> </build> </profile> </profiles> </project>
{ "content_hash": "2dc37b6e3bbacac40c52a563bad4292a", "timestamp": "", "source": "github", "line_count": 138, "max_line_length": 201, "avg_line_length": 31.536231884057973, "alnum_prop": 0.6314338235294118, "repo_name": "jarst/camel", "id": "05a5f19b17aaf032694cc24f75a394f08863ea19", "size": "4352", "binary": false, "copies": "3", "ref": "refs/heads/master", "path": "components/camel-olingo2/camel-olingo2-api/pom.xml", "mode": "33188", "license": "apache-2.0", "language": [ { "name": "Batchfile", "bytes": "106" }, { "name": "CSS", "bytes": "30373" }, { "name": "Eagle", "bytes": "2898" }, { "name": "Elm", "bytes": "5970" }, { "name": "FreeMarker", "bytes": "12394" }, { "name": "Groovy", "bytes": "52623" }, { "name": "HTML", "bytes": "176896" }, { "name": "Java", "bytes": "50759378" }, { "name": "JavaScript", "bytes": "89427" }, { "name": "Protocol Buffer", "bytes": "578" }, { "name": "Python", "bytes": "36" }, { "name": "Ruby", "bytes": "4802" }, { "name": "Scala", "bytes": "321434" }, { "name": "Shell", "bytes": "8776" }, { "name": "Tcl", "bytes": "4974" }, { "name": "XQuery", "bytes": "546" }, { "name": "XSLT", "bytes": "289093" } ], "symlink_target": "" }
<?xml version="1.0" encoding="UTF-8" ?> <!DOCTYPE mapper PUBLIC "-//mybatis.org//DTD Mapper 3.0//EN" "http://mybatis.org/dtd/mybatis-3-mapper.dtd"> <mapper namespace="org.activiti.engine.impl.persistence.entity.IdentityLinkEntity"> <!-- INSERT IDENTITY LINK --> <insert id="insertIdentityLink" parameterType="org.activiti.engine.impl.persistence.entity.IdentityLinkEntity"> insert into ${prefix}ACT_RU_IDENTITYLINK (ID_, REV_, TYPE_, USER_ID_, GROUP_ID_, TASK_ID_, PROC_INST_ID_, PROC_DEF_ID_) values (#{id, jdbcType=VARCHAR}, 1, #{type, jdbcType=VARCHAR}, #{userId, jdbcType=VARCHAR}, #{groupId, jdbcType=VARCHAR}, #{taskId, jdbcType=VARCHAR}, #{processInstanceId, jdbcType=VARCHAR}, #{processDefId, jdbcType=VARCHAR}) </insert> <insert id="bulkInsertIdentityLink" parameterType="org.activiti.engine.impl.persistence.entity.IdentityLinkEntity"> insert into ${prefix}ACT_RU_IDENTITYLINK (ID_, REV_, TYPE_, USER_ID_, GROUP_ID_, TASK_ID_, PROC_INST_ID_, PROC_DEF_ID_) values <foreach collection="list" item="identityLink" index="index" separator=","> (#{identityLink.id, jdbcType=VARCHAR}, 1, #{identityLink.type, jdbcType=VARCHAR}, #{identityLink.userId, jdbcType=VARCHAR}, #{identityLink.groupId, jdbcType=VARCHAR}, #{identityLink.taskId, jdbcType=VARCHAR}, #{identityLink.processInstanceId, jdbcType=VARCHAR}, #{identityLink.processDefId, jdbcType=VARCHAR}) </foreach> </insert> <insert id="bulkInsertIdentityLink_oracle" parameterType="org.activiti.engine.impl.persistence.entity.IdentityLinkEntity"> INSERT ALL <foreach collection="list" item="identityLink" index="index"> into ${prefix}ACT_RU_IDENTITYLINK (ID_, REV_, TYPE_, USER_ID_, GROUP_ID_, TASK_ID_, PROC_INST_ID_, PROC_DEF_ID_) VALUES (#{identityLink.id, jdbcType=VARCHAR}, 1, #{identityLink.type, jdbcType=VARCHAR}, #{identityLink.userId, jdbcType=VARCHAR}, #{identityLink.groupId, jdbcType=VARCHAR}, #{identityLink.taskId, jdbcType=VARCHAR}, #{identityLink.processInstanceId, jdbcType=VARCHAR}, #{identityLink.processDefId, jdbcType=VARCHAR}) </foreach> SELECT * FROM dual </insert> <!-- IDENTITY LINK DELETE --> <delete id="deleteIdentityLink" parameterType="string"> delete from ${prefix}ACT_RU_IDENTITYLINK where ID_ = #{id} </delete> <delete id="bulkDeleteIdentityLink" parameterType="java.util.Collection"> delete from ${prefix}ACT_RU_IDENTITYLINK where <foreach item="identityLink" collection="list" index="index" separator=" or "> ID_ = #{identityLink.id, jdbcType=VARCHAR} </foreach> </delete> <delete id="deleteIdentityLinkByProcDef" parameterType="string"> delete from ${prefix}ACT_RU_IDENTITYLINK where PROC_DEF_ID_ = #{id} </delete> <!-- IDENTITY LINK RESULTMAP --> <resultMap id="identityLinkResultMap" type="org.activiti.engine.impl.persistence.entity.IdentityLinkEntity"> <id property="id" column="ID_" jdbcType="VARCHAR" /> <result property="type" column="TYPE_" jdbcType="VARCHAR" /> <result property="userId" column="USER_ID_" jdbcType="VARCHAR" /> <result property="groupId" column="GROUP_ID_" jdbcType="VARCHAR" /> <result property="taskId" column="TASK_ID_" jdbcType="VARCHAR" /> <result property="processInstanceId" column="PROC_INST_ID_" jdbcType="VARCHAR" /> <result property="processDefId" column="PROC_DEF_ID_" jdbcType="VARCHAR" /> </resultMap> <!-- IDENTITY LINK SELECT --> <select id="selectIdentityLink" parameterType="string" resultMap="identityLinkResultMap"> select * from ${prefix}ACT_RU_IDENTITYLINK where ID_ = #{id} </select> <select id="selectIdentityLinksByTask" parameterType="org.activiti.engine.impl.db.ListQueryParameterObject" resultMap="identityLinkResultMap"> select * from ${prefix}ACT_RU_IDENTITYLINK where TASK_ID_ = #{parameter} </select> <select id="selectIdentityLinksByProcessInstance" parameterType="org.activiti.engine.impl.db.ListQueryParameterObject" resultMap="identityLinkResultMap"> select * from ${prefix}ACT_RU_IDENTITYLINK where PROC_INST_ID_ = #{parameter} </select> <select id="selectIdentityLinksByProcessDefinition" parameterType="org.activiti.engine.impl.db.ListQueryParameterObject" resultMap="identityLinkResultMap"> select * from ${prefix}ACT_RU_IDENTITYLINK where PROC_DEF_ID_ = #{parameter} </select> <select id="selectIdentityLinks" resultMap="identityLinkResultMap"> select * from ${prefix}ACT_RU_IDENTITYLINK </select> <select id="selectIdentityLinkByTaskUserGroupAndType" parameterType="org.activiti.engine.impl.db.ListQueryParameterObject" resultMap="identityLinkResultMap"> select * from ${prefix}ACT_RU_IDENTITYLINK where TASK_ID_ = #{parameter.taskId} <if test="parameter.userId != null"> and USER_ID_ = #{parameter.userId} </if> <if test="parameter.groupId != null"> and GROUP_ID_ = #{parameter.groupId} </if> <if test="parameter.type != null"> and TYPE_ = #{parameter.type} </if> </select> <select id="selectIdentityLinkByProcessInstanceUserGroupAndType" parameterType="org.activiti.engine.impl.db.ListQueryParameterObject" resultMap="identityLinkResultMap"> select * from ${prefix}ACT_RU_IDENTITYLINK where PROC_INST_ID_ = #{parameter.processInstanceId} <if test="parameter.userId != null"> and USER_ID_ = #{parameter.userId} </if> <if test="parameter.groupId != null"> and GROUP_ID_ = #{parameter.groupId} </if> <if test="parameter.type != null"> and TYPE_ = #{parameter.type} </if> </select> <select id="selectIdentityLinkByProcessDefinitionUserAndGroup" parameterType="org.activiti.engine.impl.db.ListQueryParameterObject" resultMap="identityLinkResultMap"> select * from ${prefix}ACT_RU_IDENTITYLINK where PROC_DEF_ID_ = #{parameter.processDefinitionId} <if test="parameter.userId != null"> and USER_ID_ = #{parameter.userId} </if> <if test="parameter.groupId != null"> and GROUP_ID_ = #{parameter.groupId} </if> </select> </mapper>
{ "content_hash": "cc16a3a031e3ee7149ffe81d7c75e8d9", "timestamp": "", "source": "github", "line_count": 147, "max_line_length": 171, "avg_line_length": 43.57142857142857, "alnum_prop": 0.6733801717408274, "repo_name": "firzhan/carbon-business-process", "id": "c869151886099bc0c8b63c56dd8622f8e15c801f", "size": "6405", "binary": false, "copies": "25", "ref": "refs/heads/master", "path": "features/bpmn/org.wso2.carbon.bpmn.server.feature/resources/dbscripts/mapping/entity/IdentityLink.xml", "mode": "33188", "license": "apache-2.0", "language": [ { "name": "CSS", "bytes": "151907" }, { "name": "HTML", "bytes": "33350" }, { "name": "Java", "bytes": "5250788" }, { "name": "JavaScript", "bytes": "1073961" } ], "symlink_target": "" }
package net.ernstsson.sqlbuilder; import static net.ernstsson.sqlbuilder.StringValidator.isValidName; import static org.apache.commons.lang3.builder.EqualsBuilder.reflectionEquals; import static org.apache.commons.lang3.builder.HashCodeBuilder.reflectionHashCode; import static org.apache.commons.lang3.builder.ToStringBuilder.reflectionToString; public final class Table implements Comparable<Table>, Statement { private final String name; private Table(final String name) { assert isValidName(name); this.name = name; } public static Table table(final String name) { return new Table(name); } public String getName() { return name; } @Override public int compareTo(final Table table) { return getName().compareTo(table.getName()); } @Override public String toSql() { return getName(); } @Override public String toString() { return reflectionToString(this); } @Override public boolean equals(final Object object) { return reflectionEquals(this, object); } @Override public int hashCode() { return reflectionHashCode(this); } }
{ "content_hash": "8405436e26e54782bc81befe9842014d", "timestamp": "", "source": "github", "line_count": 48, "max_line_length": 82, "avg_line_length": 24.958333333333332, "alnum_prop": 0.6869782971619366, "repo_name": "ernstsson/sqlbuilder", "id": "ecb053af195e2db74184e0f41f039fb1102a6f49", "size": "1198", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "src/main/java/net/ernstsson/sqlbuilder/Table.java", "mode": "33188", "license": "mit", "language": [ { "name": "Groovy", "bytes": "477" }, { "name": "Java", "bytes": "116661" } ], "symlink_target": "" }
package com.mozu.quickbooks.generated; import javax.xml.bind.annotation.XmlAccessType; import javax.xml.bind.annotation.XmlAccessorType; import javax.xml.bind.annotation.XmlRootElement; import javax.xml.bind.annotation.XmlType; /** * <p>Java class for anonymous complex type. * * <p>The following schema fragment specifies the expected content contained within this class. * * <pre> * &lt;complexType> * &lt;complexContent> * &lt;restriction base="{http://www.w3.org/2001/XMLSchema}anyType"> * &lt;sequence> * &lt;element name="ticket" type="{http://www.w3.org/2001/XMLSchema}string" minOccurs="0"/> * &lt;/sequence> * &lt;/restriction> * &lt;/complexContent> * &lt;/complexType> * </pre> * * */ @XmlAccessorType(XmlAccessType.FIELD) @XmlType(name = "", propOrder = { "ticket" }) @XmlRootElement(name = "closeConnection") public class CloseConnection { protected String ticket; /** * Gets the value of the ticket property. * * @return * possible object is * {@link String } * */ public String getTicket() { return ticket; } /** * Sets the value of the ticket property. * * @param value * allowed object is * {@link String } * */ public void setTicket(String value) { this.ticket = value; } }
{ "content_hash": "70a07255cfc032f84d6e0ac0bb2ef610", "timestamp": "", "source": "github", "line_count": 62, "max_line_length": 100, "avg_line_length": 23.580645161290324, "alnum_prop": 0.5889192886456909, "repo_name": "Mozu/Mozu.Integrations.Quickbooks", "id": "99077de540b54231f28a9ac48723e9e9c5710272", "size": "1462", "binary": false, "copies": "2", "ref": "refs/heads/master", "path": "src/main/java/com/mozu/quickbooks/generated/CloseConnection.java", "mode": "33188", "license": "mit", "language": [ { "name": "Batchfile", "bytes": "103" }, { "name": "CSS", "bytes": "41639" }, { "name": "HTML", "bytes": "38859" }, { "name": "Java", "bytes": "9578806" }, { "name": "JavaScript", "bytes": "558615" } ], "symlink_target": "" }
package com.amazonaws.services.apigatewayv2.model.transform; import javax.annotation.Generated; import com.amazonaws.SdkClientException; import com.amazonaws.Request; import com.amazonaws.http.HttpMethodName; import com.amazonaws.services.apigatewayv2.model.*; import com.amazonaws.transform.Marshaller; import com.amazonaws.protocol.*; import com.amazonaws.protocol.Protocol; import com.amazonaws.annotation.SdkInternalApi; /** * GetRouteResponseRequest Marshaller */ @Generated("com.amazonaws:aws-java-sdk-code-generator") @SdkInternalApi public class GetRouteResponseRequestProtocolMarshaller implements Marshaller<Request<GetRouteResponseRequest>, GetRouteResponseRequest> { private static final OperationInfo SDK_OPERATION_BINDING = OperationInfo.builder().protocol(Protocol.REST_JSON) .requestUri("/v2/apis/{apiId}/routes/{routeId}/routeresponses/{routeResponseId}").httpMethodName(HttpMethodName.GET) .hasExplicitPayloadMember(false).hasPayloadMembers(false).serviceName("AmazonApiGatewayV2").build(); private final com.amazonaws.protocol.json.SdkJsonProtocolFactory protocolFactory; public GetRouteResponseRequestProtocolMarshaller(com.amazonaws.protocol.json.SdkJsonProtocolFactory protocolFactory) { this.protocolFactory = protocolFactory; } public Request<GetRouteResponseRequest> marshall(GetRouteResponseRequest getRouteResponseRequest) { if (getRouteResponseRequest == null) { throw new SdkClientException("Invalid argument passed to marshall(...)"); } try { final ProtocolRequestMarshaller<GetRouteResponseRequest> protocolMarshaller = protocolFactory.createProtocolMarshaller(SDK_OPERATION_BINDING, getRouteResponseRequest); protocolMarshaller.startMarshalling(); GetRouteResponseRequestMarshaller.getInstance().marshall(getRouteResponseRequest, protocolMarshaller); return protocolMarshaller.finishMarshalling(); } catch (Exception e) { throw new SdkClientException("Unable to marshall request to JSON: " + e.getMessage(), e); } } }
{ "content_hash": "bf10e636ed93115e962e56e3ddc2a590", "timestamp": "", "source": "github", "line_count": 52, "max_line_length": 153, "avg_line_length": 41.42307692307692, "alnum_prop": 0.7646239554317549, "repo_name": "aws/aws-sdk-java", "id": "d67fee1963bb839de20967707195cecea1fe52d6", "size": "2734", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "aws-java-sdk-apigatewayv2/src/main/java/com/amazonaws/services/apigatewayv2/model/transform/GetRouteResponseRequestProtocolMarshaller.java", "mode": "33188", "license": "apache-2.0", "language": [], "symlink_target": "" }
from http.client import responses import hashlib from tornado import web, gen from jupyterhub.services.auth import HubOAuthenticated from remoteappmanager.logging.logging_mixin import LoggingMixin from remoteappmanager.handlers.handler_authenticator import HubAuthenticator class BaseHandler(HubOAuthenticated, web.RequestHandler, LoggingMixin): """Base class for the request handler. Each request will be authenticated using JupyterHub as an OAuth provider using the HubOAuthenticated mixin first before being independently validated against the application's user model. https://jupyterhub.readthedocs.io/en/0.8.1/api/services.auth.html """ #: The authenticator that is used to recognize and load #: the internal user model. authenticator = HubAuthenticator @web.authenticated @gen.coroutine def prepare(self): """Runs before any specific handler. """ # Authenticate the user against the hub self.current_user = yield self.authenticator.authenticate(self) if self.current_user is None: self.log.warn( "Failed to authenticate user session with JupyterHub") def render(self, template_name, **kwargs): """Reimplements render to pass well known information to the rendering context. """ command_line_config = self.application.command_line_config file_config = self.application.file_config args = dict( user=self.current_user, base_url=command_line_config.base_urlpath, logout_url=command_line_config.logout_url ) args.update(kwargs) args.update({ "analytics": { "tracking_id": file_config.ga_tracking_id } if file_config.ga_tracking_id else None }) args.update({ "gravatar_id": ( hashlib.md5( str(self.current_user.name).strip().lower().encode( "utf-8")).hexdigest() if self.current_user is not None else None) }) super(BaseHandler, self).render(template_name, **args) def write_error(self, status_code, **kwargs): """Render error page for uncaught errors""" # if it's a 404, just report it as such if status_code == 404: self.render('error.html', status_code=status_code, status_message="Not found", message="Not found") return status_message = responses.get(status_code, 'Unknown HTTP Error') message = "" # If this error was caused by an uncaught exception # log exception message and reference number as well exc_info = kwargs.get('exc_info') if exc_info: exception = exc_info[1] ref = self.log.issue(status_message, exception) reason = getattr(exception, 'reason', '') message = '{} Ref.: {}'.format(reason, ref) self.render('error.html', status_code=status_code, status_message=status_message, message=message)
{ "content_hash": "4873d602ea54fd1232a94e5f77a4e398", "timestamp": "", "source": "github", "line_count": 91, "max_line_length": 78, "avg_line_length": 34.92307692307692, "alnum_prop": 0.6145374449339207, "repo_name": "simphony/simphony-remote", "id": "75db87c983037d0a6d8937d0f756d309c41f9f30", "size": "3178", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "remoteappmanager/handlers/base_handler.py", "mode": "33188", "license": "bsd-3-clause", "language": [ { "name": "HTML", "bytes": "14011" }, { "name": "JavaScript", "bytes": "51718" }, { "name": "Makefile", "bytes": "6052" }, { "name": "Mako", "bytes": "494" }, { "name": "Python", "bytes": "418020" }, { "name": "Shell", "bytes": "1690" }, { "name": "Vue", "bytes": "46644" } ], "symlink_target": "" }
<?php /** * Base class for logger implementation * */ abstract class MPP_Logger { abstract public function log( $args ) ; abstract public function delete( $args ) ; abstract public function log_exists( $args ) ; abstract public function get( $args ); abstract public function get_where_sql( $args ); }
{ "content_hash": "bd7e06307c5f1e3786e9541b4ccf6a58", "timestamp": "", "source": "github", "line_count": 18, "max_line_length": 49, "avg_line_length": 17.944444444444443, "alnum_prop": 0.6780185758513931, "repo_name": "valheinz/coorve", "id": "0baa4a81e68d3faa778453e9b26b7dc93107f334", "size": "323", "binary": false, "copies": "3", "ref": "refs/heads/master", "path": "plugins/mediapress/core/logger/class-mpp-logger.php", "mode": "33188", "license": "mit", "language": [ { "name": "ApacheConf", "bytes": "180" }, { "name": "Batchfile", "bytes": "328" }, { "name": "CSS", "bytes": "1755234" }, { "name": "HTML", "bytes": "237322" }, { "name": "JavaScript", "bytes": "3438075" }, { "name": "Modelica", "bytes": "10338" }, { "name": "PHP", "bytes": "18456652" }, { "name": "Perl", "bytes": "2554" } ], "symlink_target": "" }
<!DOCTYPE html> <html class="no-js" lang="en"> <head> <meta charset="utf-8"> <title>K15t Theme Styleguide</title> <meta name="description" content=""> <meta name="generator" content="kss-node"> <meta name="viewport" content="width=device-width"> <link rel="stylesheet" href="kss-assets/kss.css"> <link rel="stylesheet" href="base.css"> <link rel="stylesheet" href="https://cdnjs.cloudflare.com/ajax/libs/font-awesome/4.7.0/css/font-awesome.css"> </head> <body id="kss-node" class="kss-fullscreen-mode"> <div class="kss-sidebar kss-style"> <header class="kss-header"> <h1 class="kss-doc-title">K15t Theme Styleguide</h1> </header> <nav class="kss-nav"> <ul class="kss-nav__menu"> <li class="kss-nav__menu-item"> <a class="kss-nav__menu-link" href="./"> <span class="kss-nav__ref">0</span ><span class="kss-nav__name">Overview</span> </a> </li> <li class="kss-nav__menu-item"> <a class="kss-nav__menu-link" href="section-admonition.html"> <span class="kss-nav__ref">1</span><span class="kss-nav__name">Admonition</span> </a> </li> <li class="kss-nav__menu-item"> <a class="kss-nav__menu-link" href="section-anchor.html"> <span class="kss-nav__ref">2</span><span class="kss-nav__name">Anchor</span> </a> </li> <li class="kss-nav__menu-item"> <a class="kss-nav__menu-link" href="section-avatar.html"> <span class="kss-nav__ref">3</span><span class="kss-nav__name">Avatar</span> </a> </li> <li class="kss-nav__menu-item"> <a class="kss-nav__menu-link" href="section-badge.html"> <span class="kss-nav__ref">4</span><span class="kss-nav__name">Badge</span> </a> </li> <li class="kss-nav__menu-item"> <a class="kss-nav__menu-link" href="section-benefit.html"> <span class="kss-nav__ref">5</span><span class="kss-nav__name">Benefit</span> </a> </li> <li class="kss-nav__menu-item"> <a class="kss-nav__menu-link" href="section-blogexcerpt.html"> <span class="kss-nav__ref">6</span><span class="kss-nav__name">BlogExcerpt</span> </a> </li> <li class="kss-nav__menu-item"> <a class="kss-nav__menu-link" href="section-button.html"> <span class="kss-nav__ref">7</span><span class="kss-nav__name">Button</span> </a> </li> <li class="kss-nav__menu-item"> <a class="kss-nav__menu-link" href="section-card.html"> <span class="kss-nav__ref">8</span><span class="kss-nav__name">Card</span> </a> </li> <li class="kss-nav__menu-item"> <a class="kss-nav__menu-link" href="section-close.html"> <span class="kss-nav__ref">9</span><span class="kss-nav__name">Close</span> </a> </li> <li class="kss-nav__menu-item"> <a class="kss-nav__menu-link" href="section-expander.html"> <span class="kss-nav__ref">10</span><span class="kss-nav__name">Expander</span> </a> </li> <li class="kss-nav__menu-item"> <a class="kss-nav__menu-link" href="section-hero.html"> <span class="kss-nav__ref">11</span><span class="kss-nav__name">Hero</span> </a> </li> <li class="kss-nav__menu-item"> <a class="kss-nav__menu-link" href="section-image.html"> <span class="kss-nav__ref">12</span><span class="kss-nav__name">Image</span> </a> </li> <li class="kss-nav__menu-item"> <a class="kss-nav__menu-link" href="section-introduction.html"> <span class="kss-nav__ref">13</span><span class="kss-nav__name">Introduction</span> </a> </li> <li class="kss-nav__menu-item"> <a class="kss-nav__menu-link" href="section-list.html"> <span class="kss-nav__ref">14</span><span class="kss-nav__name">List</span> </a> </li> <li class="kss-nav__menu-item"> <a class="kss-nav__menu-link" href="section-navigation.html"> <span class="kss-nav__ref">15</span><span class="kss-nav__name">Navigation</span> </a> </li> <li class="kss-nav__menu-item"> <a class="kss-nav__menu-link" href="section-play.html"> <span class="kss-nav__ref">16</span><span class="kss-nav__name">Play</span> </a> </li> <li class="kss-nav__menu-item"> <a class="kss-nav__menu-link" href="section-pointer.html"> <span class="kss-nav__ref">17</span><span class="kss-nav__name">Pointer</span> </a> </li> <li class="kss-nav__menu-item"> <a class="kss-nav__menu-link" href="section-popover.html"> <span class="kss-nav__ref">18</span><span class="kss-nav__name">Popover</span> </a> </li> <li class="kss-nav__menu-item"> <a class="kss-nav__menu-link" href="section-pricing.html"> <span class="kss-nav__ref">19</span><span class="kss-nav__name">Pricing</span> </a> </li> <li class="kss-nav__menu-item"> <a class="kss-nav__menu-link" href="section-shareicons.html"> <span class="kss-nav__ref">20</span><span class="kss-nav__name">ShareIcons</span> </a> </li> <li class="kss-nav__menu-item"> <a class="kss-nav__menu-link" href="section-stripe.html"> <span class="kss-nav__ref">21</span><span class="kss-nav__name">Stripe</span> </a> </li> <li class="kss-nav__menu-item"> <a class="kss-nav__menu-link" href="section-subscribebar.html"> <span class="kss-nav__ref">22</span><span class="kss-nav__name">SubscribeBar</span> </a> </li> <li class="kss-nav__menu-item"> <a class="kss-nav__menu-link" href="section-teaser.html"> <span class="kss-nav__ref">23</span><span class="kss-nav__name">Teaser</span> </a> </li> <li class="kss-nav__menu-item"> <a class="kss-nav__menu-link" href="section-text.html"> <span class="kss-nav__ref">24</span><span class="kss-nav__name">Text</span> </a> </li> <li class="kss-nav__menu-item"> <a class="kss-nav__menu-link" href="section-text-stripe.html"> <span class="kss-nav__ref">25</span><span class="kss-nav__name">Text Stripe</span> </a> </li> </ul> </nav> </div> <article role="main" class="kss-main"> <div id="kssref-stripe-mixins-striped" class="kss-section kss-section--depth-3 is-fullscreen"> <div class="kss-style"> <h3 class="kss-title kss-title--level-3"> <a class="kss-title__permalink" href="#kssref-stripe-mixins-striped"> <span class="kss-title__ref"> 21.1.5 <span class="kss-title__permalink-hash"> #Stripe - Mixins - Striped </span> </span> c-striped(@size, @color-odd, @color-even) </a> </h3> <div class="kss-description"> <p>Defines a full-width colorful container</p> </div> <div class="kss-parameters__title">Parameters:</div> <ul class="kss-parameters"> <li class="kss-parameters__item"> <div class="kss-parameters__name"><code>@padding</code></div> <div class="kss-parameters__description"> small|medium|large|custom(e.g.:5%) </div> </li> <li class="kss-parameters__item"> <div class="kss-parameters__name"><code>@color-odd</code></div> <div class="kss-parameters__description"> any color </div> </li> <li class="kss-parameters__item"> <div class="kss-parameters__name"><code>@color-even</code></div> <div class="kss-parameters__description"> any color </div> </li> </ul> </div> <div class="kss-source kss-style"> Source: <code>components/stripe.less</code>, line 143 </div> </div> </article> <!-- SCRIPTS --> <script src="kss-assets/kss.js"></script> <script src="kss-assets/scrollspy.js"></script> <script src="kss-assets/prettify.js"></script> <script src="kss-assets/kss-fullscreen.js"></script> <script src="kss-assets/kss-guides.js"></script> <script src="kss-assets/kss-markup.js"></script> <script> prettyPrint(); var spy = new ScrollSpy('#kss-node', { nav: '.kss-nav__menu-child > li > a', className: 'is-in-viewport' }); var kssFullScreen = new KssFullScreen({ idPrefix: 'kss-fullscreen-', bodyClass: 'kss-fullscreen-mode', elementClass: 'is-fullscreen' }); var kssGuides = new KssGuides({ bodyClass: 'kss-guides-mode' }); var kssMarkup = new KssMarkup({ bodyClass: 'kss-markup-mode', detailsClass: 'kss-markup' }); </script> <script src="base.js"></script> <script src="main.js"></script> <!-- Automatically built using <a href="https://github.com/kss-node/kss-node">kss-node</a>. --> </body> </html>
{ "content_hash": "74738edb63a0a3327c7be2b21f2aa92d", "timestamp": "", "source": "github", "line_count": 245, "max_line_length": 109, "avg_line_length": 37.289795918367346, "alnum_prop": 0.5570271453590193, "repo_name": "K15t/k15t-website-styleguide", "id": "8f9dcfea218b8d46249a5dfd916c1848a6baaba1", "size": "9136", "binary": false, "copies": "2", "ref": "refs/heads/master", "path": "6.2.0/item-stripe-mixins-striped.html", "mode": "33188", "license": "mit", "language": [ { "name": "CSS", "bytes": "33338" }, { "name": "HTML", "bytes": "3401665" }, { "name": "JavaScript", "bytes": "63471" } ], "symlink_target": "" }
import socket import threading from django.core.handlers.wsgi import WSGIHandler from django.core.servers import basehttp from django.test.testcases import TransactionTestCase from django.core.management import call_command class StoppableWSGIServer(basehttp.WSGIServer): """WSGIServer with short timeout, so that server thread can stop this server.""" def server_bind(self): """Sets timeout to 1 second.""" basehttp.WSGIServer.server_bind(self) self.socket.settimeout(1) def get_request(self): """Checks for timeout when getting request.""" try: sock, address = self.socket.accept() sock.settimeout(None) return (sock, address) except socket.timeout: raise class TestServerThread(threading.Thread): """Thread for running a http server while tests are running.""" def __init__(self, address, port): self.address = address self.port = port self._stopevent = threading.Event() self.started = threading.Event() self.error = None super(TestServerThread, self).__init__() def run(self): """Sets up test server and database and loops over handling http requests.""" try: handler = WSGIHandler() server_address = (self.address, self.port) httpd = StoppableWSGIServer(server_address, basehttp.WSGIRequestHandler) httpd.set_app(handler) self.started.set() except basehttp.WSGIServerException as e: self.error = e self.started.set() return # Must do database stuff in this new thread if database in memory. from django.conf import settings if settings.DATABASE_ENGINE == 'sqlite3' \ and (not settings.TEST_DATABASE_NAME or settings.TEST_DATABASE_NAME == ':memory:'): # Import the fixture data into the test database. if hasattr(self, 'fixtures'): # We have to use this slightly awkward syntax due to the fact # that we're using *args and **kwargs together. call_command('loaddata', *self.fixtures, **{'verbosity': 0}) # Loop until we get a stop event. while not self._stopevent.isSet(): httpd.handle_request() def join(self, timeout=None): """Stop the thread and wait for it to finish.""" self._stopevent.set() threading.Thread.join(self, timeout) class TestServerTestCase(TransactionTestCase): def start_test_server(self, address='localhost', port=8000): """Creates a live test server object (instance of WSGIServer).""" self.server_thread = TestServerThread(address, port) self.server_thread.start() self.server_thread.started.wait() if self.server_thread.error: raise self.server_thread.error def stop_test_server(self): if self.server_thread: self.server_thread.join()
{ "content_hash": "3eface23d87b823b9eef1445b8a6ec80", "timestamp": "", "source": "github", "line_count": 81, "max_line_length": 95, "avg_line_length": 37.135802469135804, "alnum_prop": 0.6313164893617021, "repo_name": "akvo/django-tastypie", "id": "bd434f217b81963eadf4723db645bcce318a58d5", "size": "3008", "binary": false, "copies": "7", "ref": "refs/heads/master", "path": "tests/testcases.py", "mode": "33188", "license": "bsd-3-clause", "language": [ { "name": "Python", "bytes": "768753" }, { "name": "Shell", "bytes": "980" } ], "symlink_target": "" }
/* ---------------------------------------------------------------------------- * This file was automatically generated by SWIG (http://www.swig.org). * Version 2.0.1 * * Do not make changes to this file unless you know what you are doing--modify * the SWIG interface file instead. * ----------------------------------------------------------------------------- */ namespace RakNet { public enum RNSPerSecondMetrics { USER_MESSAGE_BYTES_PUSHED, USER_MESSAGE_BYTES_SENT, USER_MESSAGE_BYTES_RESENT, USER_MESSAGE_BYTES_RECEIVED_PROCESSED, USER_MESSAGE_BYTES_RECEIVED_IGNORED, ACTUAL_BYTES_SENT, ACTUAL_BYTES_RECEIVED, RNS_PER_SECOND_METRICS_COUNT } }
{ "content_hash": "368831f52b1e87515d437a385dc1ded7", "timestamp": "", "source": "github", "line_count": 22, "max_line_length": 83, "avg_line_length": 30.59090909090909, "alnum_prop": 0.5646359583952452, "repo_name": "MTASZTAKI/ApertusVR", "id": "41a9cec4efd698ec255e93881462b0a3103e3f8f", "size": "673", "binary": false, "copies": "4", "ref": "refs/heads/0.9", "path": "core/sceneManager/network/3rdParty/raknet/DependentExtensions/Swig/InternalSwigItems/InternalSwigWindowsCSharpSample/InternalSwigTestApp/SwigFiles/RNSPerSecondMetrics.cs", "mode": "33188", "license": "mit", "language": [ { "name": "C", "bytes": "7599" }, { "name": "C++", "bytes": "1207412" }, { "name": "CMake", "bytes": "165066" }, { "name": "CSS", "bytes": "1816" }, { "name": "GLSL", "bytes": "223507" }, { "name": "HLSL", "bytes": "141879" }, { "name": "HTML", "bytes": "34827" }, { "name": "JavaScript", "bytes": "140550" }, { "name": "Python", "bytes": "1370" } ], "symlink_target": "" }
'use strict'; module.exports = { /** * Should hook handle policy annotations * @type {Boolean} */ policy: true, /** @type {Boolean} should route annotation be loaded */ route: true };
{ "content_hash": "5cc53923c69e9a845a7c3fb243afd716", "timestamp": "", "source": "github", "line_count": 13, "max_line_length": 58, "avg_line_length": 15.692307692307692, "alnum_prop": 0.6127450980392157, "repo_name": "konstantinzolotarev/sails-hook-annotations", "id": "b1baf6161a26993af9d96819447cc3780a614787", "size": "204", "binary": false, "copies": "2", "ref": "refs/heads/master", "path": "lib/defaults.js", "mode": "33188", "license": "mit", "language": [ { "name": "JavaScript", "bytes": "12899" } ], "symlink_target": "" }
var Happner = require('happner-2'); var path = require('path'); var request = require('request'); var fs = require('fs'); var rimraf = require('rimraf'); var should = require('should'); var http = require('http'); describe(path.basename(__filename), function() { before(function(done) { var _this = this; Happner.create({ name: 'SERVER', host: '127.0.0.1', port: 8080, util: { logLevel: 'debug', logComponents: ['happner-files'] }, modules: { 'happner-files': { path: path.dirname(__dirname) } }, components: { 'happner-files': { path: { routes: { '/': __dirname + path.sep + 'tmp' } }, web: { routes: { files: 'handler' } } } } }).then(function(mesh) { _this.server = mesh; done(); }).catch(done); }); before(function(done) { fs.writeFile(__dirname + path.sep + 'tmp' + path.sep + 'FILENAME', "FILE CONTENT", done); }); after(function(done) { this.server.stop(done); }); after(function(done) { fs.unlink(__dirname + path.sep + 'tmp' + path.sep + 'FILENAME', done); }); after(function(done) { fs.unlink(__dirname + path.sep + 'tmp' + path.sep + 'DOWNLOADED-FILENAME', done); }); it('can get a file from the server', function(done) { var url = 'http://127.0.0.1:8080/happner-files/files/FILENAME'; var saveFilename = __dirname + path.sep + 'tmp' + path.sep + 'DOWNLOADED-FILENAME'; var saveFile = fs.createWriteStream(saveFilename); http.get(url, function(res) { res.headers.should.have.property("access-control-allow-origin", "*") res.headers.should.have.property("access-control-allow-methods", "GET, PUT, OPTIONS") res.headers.should.have.property("access-control-allow-headers", "Content-Type, Content-Size, Access-Control-Allow-Origin") res.pipe(saveFile); saveFile.on('close', function() { fs.readFileSync(saveFilename).toString().should.equal("FILE CONTENT"); done(); }); }); }); });
{ "content_hash": "d3990a2396889324610cf1e777d46229", "timestamp": "", "source": "github", "line_count": 77, "max_line_length": 129, "avg_line_length": 28.116883116883116, "alnum_prop": 0.5570438799076213, "repo_name": "happner/happner-files", "id": "2a8e6b7ea14cb6cc01cec871b94119093e218342", "size": "2165", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "test/func-download-file-insecure.js", "mode": "33188", "license": "mit", "language": [ { "name": "CSS", "bytes": "602" }, { "name": "HTML", "bytes": "1150" }, { "name": "JavaScript", "bytes": "20693" } ], "symlink_target": "" }
package com.tek42.perforce.model; import java.util.List; import java.util.ArrayList; /** * Represents a group in perforce. * * @author Mike * Date: Jul 21, 2008 2:42:09 PM */ public class Group { String name; String maxResults; String maxScanRows; String maxLockTime; Long timeout; List<String> subgroups; List<String> owners; List<String> users; public Group() { maxResults = "unlimited"; maxScanRows = "unlimited"; maxLockTime = "unlimited"; Long timeout = 43200L; subgroups = new ArrayList<String>(0); owners = new ArrayList<String>(0); users = new ArrayList<String>(0); } public String toString() { StringBuilder sb = new StringBuilder(); sb.append("Group: " + name + "\n"); sb.append("MaxResults: " + maxResults + "\n"); sb.append("MaxScanRows: " + maxScanRows + "\n"); sb.append("MaxLockTime: " + maxLockTime + "\n"); sb.append("Timeout: " + timeout + "\n"); sb.append("SubGroups:\n" + getSubgroupsAsString() + "\n"); sb.append("Owners:\n" + getOwnersAsString() + "\n"); sb.append("Users:\n" + getUsersAsString() + "\n"); return sb.toString(); } public String getMaxLockTime() { return maxLockTime; } public void setMaxLockTime(String maxLockTime) { this.maxLockTime = maxLockTime; } public String getMaxResults() { return maxResults; } public void setMaxResults(String maxResults) { this.maxResults = maxResults; } public String getMaxScanRows() { return maxScanRows; } public void setMaxScanRows(String maxScanRows) { this.maxScanRows = maxScanRows; } public String getName() { return name; } public void setName(String name) { this.name = name; } public List<String> getOwners() { return owners; } public String getOwnersAsString() { StringBuilder sb = new StringBuilder(); for(String owner : owners) { sb.append(owner); sb.append("\n"); } return sb.toString(); } public void setOwners(List<String> owners) { this.owners = owners; } public List<String> getSubgroups() { return subgroups; } public String getSubgroupsAsString() { StringBuilder sb = new StringBuilder(); for(String s : subgroups) { sb.append(s); sb.append("\n"); } return sb.toString(); } public void setSubgroups(List<String> subgroups) { this.subgroups = subgroups; } public Long getTimeout() { return timeout; } public void setTimeout(Long timeout) { this.timeout = timeout; } public List<String> getUsers() { return users; } public String getUsersAsString() { StringBuilder sb = new StringBuilder(); for(String s : users) { sb.append(s); sb.append("\n"); } return sb.toString(); } public void setUsers(List<String> users) { this.users = users; } }
{ "content_hash": "0af56e09eaec4ecd52eb0c2b1bf27f3b", "timestamp": "", "source": "github", "line_count": 140, "max_line_length": 60, "avg_line_length": 19.47142857142857, "alnum_prop": 0.6676449009537784, "repo_name": "8nevil8/hudson-perforce-plugin", "id": "6369e4110de6ee4ec5ab1d2ca750cee43fd16f95", "size": "3723", "binary": false, "copies": "3", "ref": "refs/heads/master", "path": "src/main/java/com/tek42/perforce/model/Group.java", "mode": "33188", "license": "mit", "language": [ { "name": "Java", "bytes": "520990" } ], "symlink_target": "" }
// Generated by the protocol buffer compiler. DO NOT EDIT! // source: com/google/protobuf/lite_equals_and_hash.proto package protobuf_unittest.lite_equals_and_hash; public final class LiteEqualsAndHash { private LiteEqualsAndHash() {} public static void registerAllExtensions( com.google.protobuf.ExtensionRegistryLite registry) { } public interface FooOrBuilder extends // @@protoc_insertion_point(interface_extends:protobuf_unittest.lite_equals_and_hash.Foo) com.google.protobuf.MessageLiteOrBuilder { /** * <code>optional int32 value = 1;</code> */ boolean hasValue(); /** * <code>optional int32 value = 1;</code> */ int getValue(); /** * <code>repeated .protobuf_unittest.lite_equals_and_hash.Bar bar = 2;</code> */ java.util.List<protobuf_unittest.lite_equals_and_hash.LiteEqualsAndHash.Bar> getBarList(); /** * <code>repeated .protobuf_unittest.lite_equals_and_hash.Bar bar = 2;</code> */ protobuf_unittest.lite_equals_and_hash.LiteEqualsAndHash.Bar getBar(int index); /** * <code>repeated .protobuf_unittest.lite_equals_and_hash.Bar bar = 2;</code> */ int getBarCount(); } /** * Protobuf type {@code protobuf_unittest.lite_equals_and_hash.Foo} */ public static final class Foo extends com.google.protobuf.GeneratedMessageLite implements // @@protoc_insertion_point(message_implements:protobuf_unittest.lite_equals_and_hash.Foo) FooOrBuilder { // Use Foo.newBuilder() to construct. private Foo(com.google.protobuf.GeneratedMessageLite.Builder builder) { super(builder); this.unknownFields = builder.getUnknownFields(); } private Foo(boolean noInit) { this.unknownFields = com.google.protobuf.ByteString.EMPTY;} private static final Foo defaultInstance; public static Foo getDefaultInstance() { return defaultInstance; } public Foo getDefaultInstanceForType() { return defaultInstance; } private final com.google.protobuf.ByteString unknownFields; private Foo( com.google.protobuf.CodedInputStream input, com.google.protobuf.ExtensionRegistryLite extensionRegistry) throws com.google.protobuf.InvalidProtocolBufferException { initFields(); int mutable_bitField0_ = 0; com.google.protobuf.ByteString.Output unknownFieldsOutput = com.google.protobuf.ByteString.newOutput(); com.google.protobuf.CodedOutputStream unknownFieldsCodedOutput = com.google.protobuf.CodedOutputStream.newInstance( unknownFieldsOutput); try { boolean done = false; while (!done) { int tag = input.readTag(); switch (tag) { case 0: done = true; break; default: { if (!parseUnknownField(input, unknownFieldsCodedOutput, extensionRegistry, tag)) { done = true; } break; } case 8: { bitField0_ |= 0x00000001; value_ = input.readInt32(); break; } case 18: { if (!((mutable_bitField0_ & 0x00000002) == 0x00000002)) { bar_ = new java.util.ArrayList<protobuf_unittest.lite_equals_and_hash.LiteEqualsAndHash.Bar>(); mutable_bitField0_ |= 0x00000002; } bar_.add(input.readMessage(protobuf_unittest.lite_equals_and_hash.LiteEqualsAndHash.Bar.PARSER, extensionRegistry)); break; } } } } catch (com.google.protobuf.InvalidProtocolBufferException e) { throw e.setUnfinishedMessage(this); } catch (java.io.IOException e) { throw new com.google.protobuf.InvalidProtocolBufferException( e.getMessage()).setUnfinishedMessage(this); } finally { if (((mutable_bitField0_ & 0x00000002) == 0x00000002)) { bar_ = java.util.Collections.unmodifiableList(bar_); } try { unknownFieldsCodedOutput.flush(); } catch (java.io.IOException e) { // Should not happen } finally { unknownFields = unknownFieldsOutput.toByteString(); } makeExtensionsImmutable(); } } public static com.google.protobuf.Parser<Foo> PARSER = new com.google.protobuf.AbstractParser<Foo>() { public Foo parsePartialFrom( com.google.protobuf.CodedInputStream input, com.google.protobuf.ExtensionRegistryLite extensionRegistry) throws com.google.protobuf.InvalidProtocolBufferException { return new Foo(input, extensionRegistry); } }; @java.lang.Override public com.google.protobuf.Parser<Foo> getParserForType() { return PARSER; } private int bitField0_; public static final int VALUE_FIELD_NUMBER = 1; private int value_; /** * <code>optional int32 value = 1;</code> */ public boolean hasValue() { return ((bitField0_ & 0x00000001) == 0x00000001); } /** * <code>optional int32 value = 1;</code> */ public int getValue() { return value_; } public static final int BAR_FIELD_NUMBER = 2; private java.util.List<protobuf_unittest.lite_equals_and_hash.LiteEqualsAndHash.Bar> bar_; /** * <code>repeated .protobuf_unittest.lite_equals_and_hash.Bar bar = 2;</code> */ public java.util.List<protobuf_unittest.lite_equals_and_hash.LiteEqualsAndHash.Bar> getBarList() { return bar_; } /** * <code>repeated .protobuf_unittest.lite_equals_and_hash.Bar bar = 2;</code> */ public java.util.List<? extends protobuf_unittest.lite_equals_and_hash.LiteEqualsAndHash.BarOrBuilder> getBarOrBuilderList() { return bar_; } /** * <code>repeated .protobuf_unittest.lite_equals_and_hash.Bar bar = 2;</code> */ public int getBarCount() { return bar_.size(); } /** * <code>repeated .protobuf_unittest.lite_equals_and_hash.Bar bar = 2;</code> */ public protobuf_unittest.lite_equals_and_hash.LiteEqualsAndHash.Bar getBar(int index) { return bar_.get(index); } /** * <code>repeated .protobuf_unittest.lite_equals_and_hash.Bar bar = 2;</code> */ public protobuf_unittest.lite_equals_and_hash.LiteEqualsAndHash.BarOrBuilder getBarOrBuilder( int index) { return bar_.get(index); } private void initFields() { value_ = 0; bar_ = java.util.Collections.emptyList(); } private byte memoizedIsInitialized = -1; public final boolean isInitialized() { byte isInitialized = memoizedIsInitialized; if (isInitialized == 1) return true; if (isInitialized == 0) return false; memoizedIsInitialized = 1; return true; } public void writeTo(com.google.protobuf.CodedOutputStream output) throws java.io.IOException { getSerializedSize(); if (((bitField0_ & 0x00000001) == 0x00000001)) { output.writeInt32(1, value_); } for (int i = 0; i < bar_.size(); i++) { output.writeMessage(2, bar_.get(i)); } output.writeRawBytes(unknownFields); } private int memoizedSerializedSize = -1; public int getSerializedSize() { int size = memoizedSerializedSize; if (size != -1) return size; size = 0; if (((bitField0_ & 0x00000001) == 0x00000001)) { size += com.google.protobuf.CodedOutputStream .computeInt32Size(1, value_); } for (int i = 0; i < bar_.size(); i++) { size += com.google.protobuf.CodedOutputStream .computeMessageSize(2, bar_.get(i)); } size += unknownFields.size(); memoizedSerializedSize = size; return size; } private static final long serialVersionUID = 0L; @java.lang.Override protected java.lang.Object writeReplace() throws java.io.ObjectStreamException { return super.writeReplace(); } @java.lang.Override public boolean equals(final java.lang.Object obj) { if (obj == this) { return true; } if (!(obj instanceof protobuf_unittest.lite_equals_and_hash.LiteEqualsAndHash.Foo)) { return super.equals(obj); } protobuf_unittest.lite_equals_and_hash.LiteEqualsAndHash.Foo other = (protobuf_unittest.lite_equals_and_hash.LiteEqualsAndHash.Foo) obj; boolean result = true; result = result && (hasValue() == other.hasValue()); if (hasValue()) { result = result && (getValue() == other.getValue()); } result = result && getBarList() .equals(other.getBarList()); return result; } @java.lang.Override public int hashCode() { if (memoizedHashCode != 0) { return memoizedHashCode; } int hash = 41; hash = (19 * hash) + protobuf_unittest.lite_equals_and_hash.LiteEqualsAndHash.Foo.class.hashCode(); if (hasValue()) { hash = (37 * hash) + VALUE_FIELD_NUMBER; hash = (53 * hash) + getValue(); } if (getBarCount() > 0) { hash = (37 * hash) + BAR_FIELD_NUMBER; hash = (53 * hash) + getBarList().hashCode(); } hash = (29 * hash) + unknownFields.hashCode(); memoizedHashCode = hash; return hash; } public static protobuf_unittest.lite_equals_and_hash.LiteEqualsAndHash.Foo parseFrom( com.google.protobuf.ByteString data) throws com.google.protobuf.InvalidProtocolBufferException { return PARSER.parseFrom(data); } public static protobuf_unittest.lite_equals_and_hash.LiteEqualsAndHash.Foo parseFrom( com.google.protobuf.ByteString data, com.google.protobuf.ExtensionRegistryLite extensionRegistry) throws com.google.protobuf.InvalidProtocolBufferException { return PARSER.parseFrom(data, extensionRegistry); } public static protobuf_unittest.lite_equals_and_hash.LiteEqualsAndHash.Foo parseFrom(byte[] data) throws com.google.protobuf.InvalidProtocolBufferException { return PARSER.parseFrom(data); } public static protobuf_unittest.lite_equals_and_hash.LiteEqualsAndHash.Foo parseFrom( byte[] data, com.google.protobuf.ExtensionRegistryLite extensionRegistry) throws com.google.protobuf.InvalidProtocolBufferException { return PARSER.parseFrom(data, extensionRegistry); } public static protobuf_unittest.lite_equals_and_hash.LiteEqualsAndHash.Foo parseFrom(java.io.InputStream input) throws java.io.IOException { return PARSER.parseFrom(input); } public static protobuf_unittest.lite_equals_and_hash.LiteEqualsAndHash.Foo parseFrom( java.io.InputStream input, com.google.protobuf.ExtensionRegistryLite extensionRegistry) throws java.io.IOException { return PARSER.parseFrom(input, extensionRegistry); } public static protobuf_unittest.lite_equals_and_hash.LiteEqualsAndHash.Foo parseDelimitedFrom(java.io.InputStream input) throws java.io.IOException { return PARSER.parseDelimitedFrom(input); } public static protobuf_unittest.lite_equals_and_hash.LiteEqualsAndHash.Foo parseDelimitedFrom( java.io.InputStream input, com.google.protobuf.ExtensionRegistryLite extensionRegistry) throws java.io.IOException { return PARSER.parseDelimitedFrom(input, extensionRegistry); } public static protobuf_unittest.lite_equals_and_hash.LiteEqualsAndHash.Foo parseFrom( com.google.protobuf.CodedInputStream input) throws java.io.IOException { return PARSER.parseFrom(input); } public static protobuf_unittest.lite_equals_and_hash.LiteEqualsAndHash.Foo parseFrom( com.google.protobuf.CodedInputStream input, com.google.protobuf.ExtensionRegistryLite extensionRegistry) throws java.io.IOException { return PARSER.parseFrom(input, extensionRegistry); } public static Builder newBuilder() { return Builder.create(); } public Builder newBuilderForType() { return newBuilder(); } public static Builder newBuilder(protobuf_unittest.lite_equals_and_hash.LiteEqualsAndHash.Foo prototype) { return newBuilder().mergeFrom(prototype); } public Builder toBuilder() { return newBuilder(this); } /** * Protobuf type {@code protobuf_unittest.lite_equals_and_hash.Foo} */ public static final class Builder extends com.google.protobuf.GeneratedMessageLite.Builder< protobuf_unittest.lite_equals_and_hash.LiteEqualsAndHash.Foo, Builder> implements // @@protoc_insertion_point(builder_implements:protobuf_unittest.lite_equals_and_hash.Foo) protobuf_unittest.lite_equals_and_hash.LiteEqualsAndHash.FooOrBuilder { // Construct using protobuf_unittest.lite_equals_and_hash.LiteEqualsAndHash.Foo.newBuilder() private Builder() { maybeForceBuilderInitialization(); } private void maybeForceBuilderInitialization() { } private static Builder create() { return new Builder(); } public Builder clear() { super.clear(); value_ = 0; bitField0_ = (bitField0_ & ~0x00000001); bar_ = java.util.Collections.emptyList(); bitField0_ = (bitField0_ & ~0x00000002); return this; } public Builder clone() { return create().mergeFrom(buildPartial()); } public protobuf_unittest.lite_equals_and_hash.LiteEqualsAndHash.Foo getDefaultInstanceForType() { return protobuf_unittest.lite_equals_and_hash.LiteEqualsAndHash.Foo.getDefaultInstance(); } public protobuf_unittest.lite_equals_and_hash.LiteEqualsAndHash.Foo build() { protobuf_unittest.lite_equals_and_hash.LiteEqualsAndHash.Foo result = buildPartial(); if (!result.isInitialized()) { throw newUninitializedMessageException(result); } return result; } public protobuf_unittest.lite_equals_and_hash.LiteEqualsAndHash.Foo buildPartial() { protobuf_unittest.lite_equals_and_hash.LiteEqualsAndHash.Foo result = new protobuf_unittest.lite_equals_and_hash.LiteEqualsAndHash.Foo(this); int from_bitField0_ = bitField0_; int to_bitField0_ = 0; if (((from_bitField0_ & 0x00000001) == 0x00000001)) { to_bitField0_ |= 0x00000001; } result.value_ = value_; if (((bitField0_ & 0x00000002) == 0x00000002)) { bar_ = java.util.Collections.unmodifiableList(bar_); bitField0_ = (bitField0_ & ~0x00000002); } result.bar_ = bar_; result.bitField0_ = to_bitField0_; return result; } public Builder mergeFrom(protobuf_unittest.lite_equals_and_hash.LiteEqualsAndHash.Foo other) { if (other == protobuf_unittest.lite_equals_and_hash.LiteEqualsAndHash.Foo.getDefaultInstance()) return this; if (other.hasValue()) { setValue(other.getValue()); } if (!other.bar_.isEmpty()) { if (bar_.isEmpty()) { bar_ = other.bar_; bitField0_ = (bitField0_ & ~0x00000002); } else { ensureBarIsMutable(); bar_.addAll(other.bar_); } } setUnknownFields( getUnknownFields().concat(other.unknownFields)); return this; } public final boolean isInitialized() { return true; } public Builder mergeFrom( com.google.protobuf.CodedInputStream input, com.google.protobuf.ExtensionRegistryLite extensionRegistry) throws java.io.IOException { protobuf_unittest.lite_equals_and_hash.LiteEqualsAndHash.Foo parsedMessage = null; try { parsedMessage = PARSER.parsePartialFrom(input, extensionRegistry); } catch (com.google.protobuf.InvalidProtocolBufferException e) { parsedMessage = (protobuf_unittest.lite_equals_and_hash.LiteEqualsAndHash.Foo) e.getUnfinishedMessage(); throw e; } finally { if (parsedMessage != null) { mergeFrom(parsedMessage); } } return this; } private int bitField0_; private int value_ ; /** * <code>optional int32 value = 1;</code> */ public boolean hasValue() { return ((bitField0_ & 0x00000001) == 0x00000001); } /** * <code>optional int32 value = 1;</code> */ public int getValue() { return value_; } /** * <code>optional int32 value = 1;</code> */ public Builder setValue(int value) { bitField0_ |= 0x00000001; value_ = value; return this; } /** * <code>optional int32 value = 1;</code> */ public Builder clearValue() { bitField0_ = (bitField0_ & ~0x00000001); value_ = 0; return this; } private java.util.List<protobuf_unittest.lite_equals_and_hash.LiteEqualsAndHash.Bar> bar_ = java.util.Collections.emptyList(); private void ensureBarIsMutable() { if (!((bitField0_ & 0x00000002) == 0x00000002)) { bar_ = new java.util.ArrayList<protobuf_unittest.lite_equals_and_hash.LiteEqualsAndHash.Bar>(bar_); bitField0_ |= 0x00000002; } } /** * <code>repeated .protobuf_unittest.lite_equals_and_hash.Bar bar = 2;</code> */ public java.util.List<protobuf_unittest.lite_equals_and_hash.LiteEqualsAndHash.Bar> getBarList() { return java.util.Collections.unmodifiableList(bar_); } /** * <code>repeated .protobuf_unittest.lite_equals_and_hash.Bar bar = 2;</code> */ public int getBarCount() { return bar_.size(); } /** * <code>repeated .protobuf_unittest.lite_equals_and_hash.Bar bar = 2;</code> */ public protobuf_unittest.lite_equals_and_hash.LiteEqualsAndHash.Bar getBar(int index) { return bar_.get(index); } /** * <code>repeated .protobuf_unittest.lite_equals_and_hash.Bar bar = 2;</code> */ public Builder setBar( int index, protobuf_unittest.lite_equals_and_hash.LiteEqualsAndHash.Bar value) { if (value == null) { throw new NullPointerException(); } ensureBarIsMutable(); bar_.set(index, value); return this; } /** * <code>repeated .protobuf_unittest.lite_equals_and_hash.Bar bar = 2;</code> */ public Builder setBar( int index, protobuf_unittest.lite_equals_and_hash.LiteEqualsAndHash.Bar.Builder builderForValue) { ensureBarIsMutable(); bar_.set(index, builderForValue.build()); return this; } /** * <code>repeated .protobuf_unittest.lite_equals_and_hash.Bar bar = 2;</code> */ public Builder addBar(protobuf_unittest.lite_equals_and_hash.LiteEqualsAndHash.Bar value) { if (value == null) { throw new NullPointerException(); } ensureBarIsMutable(); bar_.add(value); return this; } /** * <code>repeated .protobuf_unittest.lite_equals_and_hash.Bar bar = 2;</code> */ public Builder addBar( int index, protobuf_unittest.lite_equals_and_hash.LiteEqualsAndHash.Bar value) { if (value == null) { throw new NullPointerException(); } ensureBarIsMutable(); bar_.add(index, value); return this; } /** * <code>repeated .protobuf_unittest.lite_equals_and_hash.Bar bar = 2;</code> */ public Builder addBar( protobuf_unittest.lite_equals_and_hash.LiteEqualsAndHash.Bar.Builder builderForValue) { ensureBarIsMutable(); bar_.add(builderForValue.build()); return this; } /** * <code>repeated .protobuf_unittest.lite_equals_and_hash.Bar bar = 2;</code> */ public Builder addBar( int index, protobuf_unittest.lite_equals_and_hash.LiteEqualsAndHash.Bar.Builder builderForValue) { ensureBarIsMutable(); bar_.add(index, builderForValue.build()); return this; } /** * <code>repeated .protobuf_unittest.lite_equals_and_hash.Bar bar = 2;</code> */ public Builder addAllBar( java.lang.Iterable<? extends protobuf_unittest.lite_equals_and_hash.LiteEqualsAndHash.Bar> values) { ensureBarIsMutable(); com.google.protobuf.AbstractMessageLite.Builder.addAll( values, bar_); return this; } /** * <code>repeated .protobuf_unittest.lite_equals_and_hash.Bar bar = 2;</code> */ public Builder clearBar() { bar_ = java.util.Collections.emptyList(); bitField0_ = (bitField0_ & ~0x00000002); return this; } /** * <code>repeated .protobuf_unittest.lite_equals_and_hash.Bar bar = 2;</code> */ public Builder removeBar(int index) { ensureBarIsMutable(); bar_.remove(index); return this; } // @@protoc_insertion_point(builder_scope:protobuf_unittest.lite_equals_and_hash.Foo) } static { defaultInstance = new Foo(true); defaultInstance.initFields(); } // @@protoc_insertion_point(class_scope:protobuf_unittest.lite_equals_and_hash.Foo) } public interface BarOrBuilder extends // @@protoc_insertion_point(interface_extends:protobuf_unittest.lite_equals_and_hash.Bar) com.google.protobuf.MessageLiteOrBuilder { /** * <code>optional string name = 1;</code> */ boolean hasName(); /** * <code>optional string name = 1;</code> */ java.lang.String getName(); /** * <code>optional string name = 1;</code> */ com.google.protobuf.ByteString getNameBytes(); } /** * Protobuf type {@code protobuf_unittest.lite_equals_and_hash.Bar} */ public static final class Bar extends com.google.protobuf.GeneratedMessageLite implements // @@protoc_insertion_point(message_implements:protobuf_unittest.lite_equals_and_hash.Bar) BarOrBuilder { // Use Bar.newBuilder() to construct. private Bar(com.google.protobuf.GeneratedMessageLite.Builder builder) { super(builder); this.unknownFields = builder.getUnknownFields(); } private Bar(boolean noInit) { this.unknownFields = com.google.protobuf.ByteString.EMPTY;} private static final Bar defaultInstance; public static Bar getDefaultInstance() { return defaultInstance; } public Bar getDefaultInstanceForType() { return defaultInstance; } private final com.google.protobuf.ByteString unknownFields; private Bar( com.google.protobuf.CodedInputStream input, com.google.protobuf.ExtensionRegistryLite extensionRegistry) throws com.google.protobuf.InvalidProtocolBufferException { initFields(); int mutable_bitField0_ = 0; com.google.protobuf.ByteString.Output unknownFieldsOutput = com.google.protobuf.ByteString.newOutput(); com.google.protobuf.CodedOutputStream unknownFieldsCodedOutput = com.google.protobuf.CodedOutputStream.newInstance( unknownFieldsOutput); try { boolean done = false; while (!done) { int tag = input.readTag(); switch (tag) { case 0: done = true; break; default: { if (!parseUnknownField(input, unknownFieldsCodedOutput, extensionRegistry, tag)) { done = true; } break; } case 10: { com.google.protobuf.ByteString bs = input.readBytes(); bitField0_ |= 0x00000001; name_ = bs; break; } } } } catch (com.google.protobuf.InvalidProtocolBufferException e) { throw e.setUnfinishedMessage(this); } catch (java.io.IOException e) { throw new com.google.protobuf.InvalidProtocolBufferException( e.getMessage()).setUnfinishedMessage(this); } finally { try { unknownFieldsCodedOutput.flush(); } catch (java.io.IOException e) { // Should not happen } finally { unknownFields = unknownFieldsOutput.toByteString(); } makeExtensionsImmutable(); } } public static com.google.protobuf.Parser<Bar> PARSER = new com.google.protobuf.AbstractParser<Bar>() { public Bar parsePartialFrom( com.google.protobuf.CodedInputStream input, com.google.protobuf.ExtensionRegistryLite extensionRegistry) throws com.google.protobuf.InvalidProtocolBufferException { return new Bar(input, extensionRegistry); } }; @java.lang.Override public com.google.protobuf.Parser<Bar> getParserForType() { return PARSER; } private int bitField0_; public static final int NAME_FIELD_NUMBER = 1; private java.lang.Object name_; /** * <code>optional string name = 1;</code> */ public boolean hasName() { return ((bitField0_ & 0x00000001) == 0x00000001); } /** * <code>optional string name = 1;</code> */ public java.lang.String getName() { java.lang.Object ref = name_; if (ref instanceof java.lang.String) { return (java.lang.String) ref; } else { com.google.protobuf.ByteString bs = (com.google.protobuf.ByteString) ref; java.lang.String s = bs.toStringUtf8(); if (bs.isValidUtf8()) { name_ = s; } return s; } } /** * <code>optional string name = 1;</code> */ public com.google.protobuf.ByteString getNameBytes() { java.lang.Object ref = name_; if (ref instanceof java.lang.String) { com.google.protobuf.ByteString b = com.google.protobuf.ByteString.copyFromUtf8( (java.lang.String) ref); name_ = b; return b; } else { return (com.google.protobuf.ByteString) ref; } } private void initFields() { name_ = ""; } private byte memoizedIsInitialized = -1; public final boolean isInitialized() { byte isInitialized = memoizedIsInitialized; if (isInitialized == 1) return true; if (isInitialized == 0) return false; memoizedIsInitialized = 1; return true; } public void writeTo(com.google.protobuf.CodedOutputStream output) throws java.io.IOException { getSerializedSize(); if (((bitField0_ & 0x00000001) == 0x00000001)) { output.writeBytes(1, getNameBytes()); } output.writeRawBytes(unknownFields); } private int memoizedSerializedSize = -1; public int getSerializedSize() { int size = memoizedSerializedSize; if (size != -1) return size; size = 0; if (((bitField0_ & 0x00000001) == 0x00000001)) { size += com.google.protobuf.CodedOutputStream .computeBytesSize(1, getNameBytes()); } size += unknownFields.size(); memoizedSerializedSize = size; return size; } private static final long serialVersionUID = 0L; @java.lang.Override protected java.lang.Object writeReplace() throws java.io.ObjectStreamException { return super.writeReplace(); } @java.lang.Override public boolean equals(final java.lang.Object obj) { if (obj == this) { return true; } if (!(obj instanceof protobuf_unittest.lite_equals_and_hash.LiteEqualsAndHash.Bar)) { return super.equals(obj); } protobuf_unittest.lite_equals_and_hash.LiteEqualsAndHash.Bar other = (protobuf_unittest.lite_equals_and_hash.LiteEqualsAndHash.Bar) obj; boolean result = true; result = result && (hasName() == other.hasName()); if (hasName()) { result = result && getName() .equals(other.getName()); } return result; } @java.lang.Override public int hashCode() { if (memoizedHashCode != 0) { return memoizedHashCode; } int hash = 41; hash = (19 * hash) + protobuf_unittest.lite_equals_and_hash.LiteEqualsAndHash.Bar.class.hashCode(); if (hasName()) { hash = (37 * hash) + NAME_FIELD_NUMBER; hash = (53 * hash) + getName().hashCode(); } hash = (29 * hash) + unknownFields.hashCode(); memoizedHashCode = hash; return hash; } public static protobuf_unittest.lite_equals_and_hash.LiteEqualsAndHash.Bar parseFrom( com.google.protobuf.ByteString data) throws com.google.protobuf.InvalidProtocolBufferException { return PARSER.parseFrom(data); } public static protobuf_unittest.lite_equals_and_hash.LiteEqualsAndHash.Bar parseFrom( com.google.protobuf.ByteString data, com.google.protobuf.ExtensionRegistryLite extensionRegistry) throws com.google.protobuf.InvalidProtocolBufferException { return PARSER.parseFrom(data, extensionRegistry); } public static protobuf_unittest.lite_equals_and_hash.LiteEqualsAndHash.Bar parseFrom(byte[] data) throws com.google.protobuf.InvalidProtocolBufferException { return PARSER.parseFrom(data); } public static protobuf_unittest.lite_equals_and_hash.LiteEqualsAndHash.Bar parseFrom( byte[] data, com.google.protobuf.ExtensionRegistryLite extensionRegistry) throws com.google.protobuf.InvalidProtocolBufferException { return PARSER.parseFrom(data, extensionRegistry); } public static protobuf_unittest.lite_equals_and_hash.LiteEqualsAndHash.Bar parseFrom(java.io.InputStream input) throws java.io.IOException { return PARSER.parseFrom(input); } public static protobuf_unittest.lite_equals_and_hash.LiteEqualsAndHash.Bar parseFrom( java.io.InputStream input, com.google.protobuf.ExtensionRegistryLite extensionRegistry) throws java.io.IOException { return PARSER.parseFrom(input, extensionRegistry); } public static protobuf_unittest.lite_equals_and_hash.LiteEqualsAndHash.Bar parseDelimitedFrom(java.io.InputStream input) throws java.io.IOException { return PARSER.parseDelimitedFrom(input); } public static protobuf_unittest.lite_equals_and_hash.LiteEqualsAndHash.Bar parseDelimitedFrom( java.io.InputStream input, com.google.protobuf.ExtensionRegistryLite extensionRegistry) throws java.io.IOException { return PARSER.parseDelimitedFrom(input, extensionRegistry); } public static protobuf_unittest.lite_equals_and_hash.LiteEqualsAndHash.Bar parseFrom( com.google.protobuf.CodedInputStream input) throws java.io.IOException { return PARSER.parseFrom(input); } public static protobuf_unittest.lite_equals_and_hash.LiteEqualsAndHash.Bar parseFrom( com.google.protobuf.CodedInputStream input, com.google.protobuf.ExtensionRegistryLite extensionRegistry) throws java.io.IOException { return PARSER.parseFrom(input, extensionRegistry); } public static Builder newBuilder() { return Builder.create(); } public Builder newBuilderForType() { return newBuilder(); } public static Builder newBuilder(protobuf_unittest.lite_equals_and_hash.LiteEqualsAndHash.Bar prototype) { return newBuilder().mergeFrom(prototype); } public Builder toBuilder() { return newBuilder(this); } /** * Protobuf type {@code protobuf_unittest.lite_equals_and_hash.Bar} */ public static final class Builder extends com.google.protobuf.GeneratedMessageLite.Builder< protobuf_unittest.lite_equals_and_hash.LiteEqualsAndHash.Bar, Builder> implements // @@protoc_insertion_point(builder_implements:protobuf_unittest.lite_equals_and_hash.Bar) protobuf_unittest.lite_equals_and_hash.LiteEqualsAndHash.BarOrBuilder { // Construct using protobuf_unittest.lite_equals_and_hash.LiteEqualsAndHash.Bar.newBuilder() private Builder() { maybeForceBuilderInitialization(); } private void maybeForceBuilderInitialization() { } private static Builder create() { return new Builder(); } public Builder clear() { super.clear(); name_ = ""; bitField0_ = (bitField0_ & ~0x00000001); return this; } public Builder clone() { return create().mergeFrom(buildPartial()); } public protobuf_unittest.lite_equals_and_hash.LiteEqualsAndHash.Bar getDefaultInstanceForType() { return protobuf_unittest.lite_equals_and_hash.LiteEqualsAndHash.Bar.getDefaultInstance(); } public protobuf_unittest.lite_equals_and_hash.LiteEqualsAndHash.Bar build() { protobuf_unittest.lite_equals_and_hash.LiteEqualsAndHash.Bar result = buildPartial(); if (!result.isInitialized()) { throw newUninitializedMessageException(result); } return result; } public protobuf_unittest.lite_equals_and_hash.LiteEqualsAndHash.Bar buildPartial() { protobuf_unittest.lite_equals_and_hash.LiteEqualsAndHash.Bar result = new protobuf_unittest.lite_equals_and_hash.LiteEqualsAndHash.Bar(this); int from_bitField0_ = bitField0_; int to_bitField0_ = 0; if (((from_bitField0_ & 0x00000001) == 0x00000001)) { to_bitField0_ |= 0x00000001; } result.name_ = name_; result.bitField0_ = to_bitField0_; return result; } public Builder mergeFrom(protobuf_unittest.lite_equals_and_hash.LiteEqualsAndHash.Bar other) { if (other == protobuf_unittest.lite_equals_and_hash.LiteEqualsAndHash.Bar.getDefaultInstance()) return this; if (other.hasName()) { bitField0_ |= 0x00000001; name_ = other.name_; } setUnknownFields( getUnknownFields().concat(other.unknownFields)); return this; } public final boolean isInitialized() { return true; } public Builder mergeFrom( com.google.protobuf.CodedInputStream input, com.google.protobuf.ExtensionRegistryLite extensionRegistry) throws java.io.IOException { protobuf_unittest.lite_equals_and_hash.LiteEqualsAndHash.Bar parsedMessage = null; try { parsedMessage = PARSER.parsePartialFrom(input, extensionRegistry); } catch (com.google.protobuf.InvalidProtocolBufferException e) { parsedMessage = (protobuf_unittest.lite_equals_and_hash.LiteEqualsAndHash.Bar) e.getUnfinishedMessage(); throw e; } finally { if (parsedMessage != null) { mergeFrom(parsedMessage); } } return this; } private int bitField0_; private java.lang.Object name_ = ""; /** * <code>optional string name = 1;</code> */ public boolean hasName() { return ((bitField0_ & 0x00000001) == 0x00000001); } /** * <code>optional string name = 1;</code> */ public java.lang.String getName() { java.lang.Object ref = name_; if (!(ref instanceof java.lang.String)) { com.google.protobuf.ByteString bs = (com.google.protobuf.ByteString) ref; java.lang.String s = bs.toStringUtf8(); if (bs.isValidUtf8()) { name_ = s; } return s; } else { return (java.lang.String) ref; } } /** * <code>optional string name = 1;</code> */ public com.google.protobuf.ByteString getNameBytes() { java.lang.Object ref = name_; if (ref instanceof String) { com.google.protobuf.ByteString b = com.google.protobuf.ByteString.copyFromUtf8( (java.lang.String) ref); name_ = b; return b; } else { return (com.google.protobuf.ByteString) ref; } } /** * <code>optional string name = 1;</code> */ public Builder setName( java.lang.String value) { if (value == null) { throw new NullPointerException(); } bitField0_ |= 0x00000001; name_ = value; return this; } /** * <code>optional string name = 1;</code> */ public Builder clearName() { bitField0_ = (bitField0_ & ~0x00000001); name_ = getDefaultInstance().getName(); return this; } /** * <code>optional string name = 1;</code> */ public Builder setNameBytes( com.google.protobuf.ByteString value) { if (value == null) { throw new NullPointerException(); } bitField0_ |= 0x00000001; name_ = value; return this; } // @@protoc_insertion_point(builder_scope:protobuf_unittest.lite_equals_and_hash.Bar) } static { defaultInstance = new Bar(true); defaultInstance.initFields(); } // @@protoc_insertion_point(class_scope:protobuf_unittest.lite_equals_and_hash.Bar) } public interface BarPrimeOrBuilder extends // @@protoc_insertion_point(interface_extends:protobuf_unittest.lite_equals_and_hash.BarPrime) com.google.protobuf.MessageLiteOrBuilder { /** * <code>optional string name = 1;</code> */ boolean hasName(); /** * <code>optional string name = 1;</code> */ java.lang.String getName(); /** * <code>optional string name = 1;</code> */ com.google.protobuf.ByteString getNameBytes(); } /** * Protobuf type {@code protobuf_unittest.lite_equals_and_hash.BarPrime} */ public static final class BarPrime extends com.google.protobuf.GeneratedMessageLite implements // @@protoc_insertion_point(message_implements:protobuf_unittest.lite_equals_and_hash.BarPrime) BarPrimeOrBuilder { // Use BarPrime.newBuilder() to construct. private BarPrime(com.google.protobuf.GeneratedMessageLite.Builder builder) { super(builder); this.unknownFields = builder.getUnknownFields(); } private BarPrime(boolean noInit) { this.unknownFields = com.google.protobuf.ByteString.EMPTY;} private static final BarPrime defaultInstance; public static BarPrime getDefaultInstance() { return defaultInstance; } public BarPrime getDefaultInstanceForType() { return defaultInstance; } private final com.google.protobuf.ByteString unknownFields; private BarPrime( com.google.protobuf.CodedInputStream input, com.google.protobuf.ExtensionRegistryLite extensionRegistry) throws com.google.protobuf.InvalidProtocolBufferException { initFields(); int mutable_bitField0_ = 0; com.google.protobuf.ByteString.Output unknownFieldsOutput = com.google.protobuf.ByteString.newOutput(); com.google.protobuf.CodedOutputStream unknownFieldsCodedOutput = com.google.protobuf.CodedOutputStream.newInstance( unknownFieldsOutput); try { boolean done = false; while (!done) { int tag = input.readTag(); switch (tag) { case 0: done = true; break; default: { if (!parseUnknownField(input, unknownFieldsCodedOutput, extensionRegistry, tag)) { done = true; } break; } case 10: { com.google.protobuf.ByteString bs = input.readBytes(); bitField0_ |= 0x00000001; name_ = bs; break; } } } } catch (com.google.protobuf.InvalidProtocolBufferException e) { throw e.setUnfinishedMessage(this); } catch (java.io.IOException e) { throw new com.google.protobuf.InvalidProtocolBufferException( e.getMessage()).setUnfinishedMessage(this); } finally { try { unknownFieldsCodedOutput.flush(); } catch (java.io.IOException e) { // Should not happen } finally { unknownFields = unknownFieldsOutput.toByteString(); } makeExtensionsImmutable(); } } public static com.google.protobuf.Parser<BarPrime> PARSER = new com.google.protobuf.AbstractParser<BarPrime>() { public BarPrime parsePartialFrom( com.google.protobuf.CodedInputStream input, com.google.protobuf.ExtensionRegistryLite extensionRegistry) throws com.google.protobuf.InvalidProtocolBufferException { return new BarPrime(input, extensionRegistry); } }; @java.lang.Override public com.google.protobuf.Parser<BarPrime> getParserForType() { return PARSER; } private int bitField0_; public static final int NAME_FIELD_NUMBER = 1; private java.lang.Object name_; /** * <code>optional string name = 1;</code> */ public boolean hasName() { return ((bitField0_ & 0x00000001) == 0x00000001); } /** * <code>optional string name = 1;</code> */ public java.lang.String getName() { java.lang.Object ref = name_; if (ref instanceof java.lang.String) { return (java.lang.String) ref; } else { com.google.protobuf.ByteString bs = (com.google.protobuf.ByteString) ref; java.lang.String s = bs.toStringUtf8(); if (bs.isValidUtf8()) { name_ = s; } return s; } } /** * <code>optional string name = 1;</code> */ public com.google.protobuf.ByteString getNameBytes() { java.lang.Object ref = name_; if (ref instanceof java.lang.String) { com.google.protobuf.ByteString b = com.google.protobuf.ByteString.copyFromUtf8( (java.lang.String) ref); name_ = b; return b; } else { return (com.google.protobuf.ByteString) ref; } } private void initFields() { name_ = ""; } private byte memoizedIsInitialized = -1; public final boolean isInitialized() { byte isInitialized = memoizedIsInitialized; if (isInitialized == 1) return true; if (isInitialized == 0) return false; memoizedIsInitialized = 1; return true; } public void writeTo(com.google.protobuf.CodedOutputStream output) throws java.io.IOException { getSerializedSize(); if (((bitField0_ & 0x00000001) == 0x00000001)) { output.writeBytes(1, getNameBytes()); } output.writeRawBytes(unknownFields); } private int memoizedSerializedSize = -1; public int getSerializedSize() { int size = memoizedSerializedSize; if (size != -1) return size; size = 0; if (((bitField0_ & 0x00000001) == 0x00000001)) { size += com.google.protobuf.CodedOutputStream .computeBytesSize(1, getNameBytes()); } size += unknownFields.size(); memoizedSerializedSize = size; return size; } private static final long serialVersionUID = 0L; @java.lang.Override protected java.lang.Object writeReplace() throws java.io.ObjectStreamException { return super.writeReplace(); } @java.lang.Override public boolean equals(final java.lang.Object obj) { if (obj == this) { return true; } if (!(obj instanceof protobuf_unittest.lite_equals_and_hash.LiteEqualsAndHash.BarPrime)) { return super.equals(obj); } protobuf_unittest.lite_equals_and_hash.LiteEqualsAndHash.BarPrime other = (protobuf_unittest.lite_equals_and_hash.LiteEqualsAndHash.BarPrime) obj; boolean result = true; result = result && (hasName() == other.hasName()); if (hasName()) { result = result && getName() .equals(other.getName()); } return result; } @java.lang.Override public int hashCode() { if (memoizedHashCode != 0) { return memoizedHashCode; } int hash = 41; hash = (19 * hash) + protobuf_unittest.lite_equals_and_hash.LiteEqualsAndHash.BarPrime.class.hashCode(); if (hasName()) { hash = (37 * hash) + NAME_FIELD_NUMBER; hash = (53 * hash) + getName().hashCode(); } hash = (29 * hash) + unknownFields.hashCode(); memoizedHashCode = hash; return hash; } public static protobuf_unittest.lite_equals_and_hash.LiteEqualsAndHash.BarPrime parseFrom( com.google.protobuf.ByteString data) throws com.google.protobuf.InvalidProtocolBufferException { return PARSER.parseFrom(data); } public static protobuf_unittest.lite_equals_and_hash.LiteEqualsAndHash.BarPrime parseFrom( com.google.protobuf.ByteString data, com.google.protobuf.ExtensionRegistryLite extensionRegistry) throws com.google.protobuf.InvalidProtocolBufferException { return PARSER.parseFrom(data, extensionRegistry); } public static protobuf_unittest.lite_equals_and_hash.LiteEqualsAndHash.BarPrime parseFrom(byte[] data) throws com.google.protobuf.InvalidProtocolBufferException { return PARSER.parseFrom(data); } public static protobuf_unittest.lite_equals_and_hash.LiteEqualsAndHash.BarPrime parseFrom( byte[] data, com.google.protobuf.ExtensionRegistryLite extensionRegistry) throws com.google.protobuf.InvalidProtocolBufferException { return PARSER.parseFrom(data, extensionRegistry); } public static protobuf_unittest.lite_equals_and_hash.LiteEqualsAndHash.BarPrime parseFrom(java.io.InputStream input) throws java.io.IOException { return PARSER.parseFrom(input); } public static protobuf_unittest.lite_equals_and_hash.LiteEqualsAndHash.BarPrime parseFrom( java.io.InputStream input, com.google.protobuf.ExtensionRegistryLite extensionRegistry) throws java.io.IOException { return PARSER.parseFrom(input, extensionRegistry); } public static protobuf_unittest.lite_equals_and_hash.LiteEqualsAndHash.BarPrime parseDelimitedFrom(java.io.InputStream input) throws java.io.IOException { return PARSER.parseDelimitedFrom(input); } public static protobuf_unittest.lite_equals_and_hash.LiteEqualsAndHash.BarPrime parseDelimitedFrom( java.io.InputStream input, com.google.protobuf.ExtensionRegistryLite extensionRegistry) throws java.io.IOException { return PARSER.parseDelimitedFrom(input, extensionRegistry); } public static protobuf_unittest.lite_equals_and_hash.LiteEqualsAndHash.BarPrime parseFrom( com.google.protobuf.CodedInputStream input) throws java.io.IOException { return PARSER.parseFrom(input); } public static protobuf_unittest.lite_equals_and_hash.LiteEqualsAndHash.BarPrime parseFrom( com.google.protobuf.CodedInputStream input, com.google.protobuf.ExtensionRegistryLite extensionRegistry) throws java.io.IOException { return PARSER.parseFrom(input, extensionRegistry); } public static Builder newBuilder() { return Builder.create(); } public Builder newBuilderForType() { return newBuilder(); } public static Builder newBuilder(protobuf_unittest.lite_equals_and_hash.LiteEqualsAndHash.BarPrime prototype) { return newBuilder().mergeFrom(prototype); } public Builder toBuilder() { return newBuilder(this); } /** * Protobuf type {@code protobuf_unittest.lite_equals_and_hash.BarPrime} */ public static final class Builder extends com.google.protobuf.GeneratedMessageLite.Builder< protobuf_unittest.lite_equals_and_hash.LiteEqualsAndHash.BarPrime, Builder> implements // @@protoc_insertion_point(builder_implements:protobuf_unittest.lite_equals_and_hash.BarPrime) protobuf_unittest.lite_equals_and_hash.LiteEqualsAndHash.BarPrimeOrBuilder { // Construct using protobuf_unittest.lite_equals_and_hash.LiteEqualsAndHash.BarPrime.newBuilder() private Builder() { maybeForceBuilderInitialization(); } private void maybeForceBuilderInitialization() { } private static Builder create() { return new Builder(); } public Builder clear() { super.clear(); name_ = ""; bitField0_ = (bitField0_ & ~0x00000001); return this; } public Builder clone() { return create().mergeFrom(buildPartial()); } public protobuf_unittest.lite_equals_and_hash.LiteEqualsAndHash.BarPrime getDefaultInstanceForType() { return protobuf_unittest.lite_equals_and_hash.LiteEqualsAndHash.BarPrime.getDefaultInstance(); } public protobuf_unittest.lite_equals_and_hash.LiteEqualsAndHash.BarPrime build() { protobuf_unittest.lite_equals_and_hash.LiteEqualsAndHash.BarPrime result = buildPartial(); if (!result.isInitialized()) { throw newUninitializedMessageException(result); } return result; } public protobuf_unittest.lite_equals_and_hash.LiteEqualsAndHash.BarPrime buildPartial() { protobuf_unittest.lite_equals_and_hash.LiteEqualsAndHash.BarPrime result = new protobuf_unittest.lite_equals_and_hash.LiteEqualsAndHash.BarPrime(this); int from_bitField0_ = bitField0_; int to_bitField0_ = 0; if (((from_bitField0_ & 0x00000001) == 0x00000001)) { to_bitField0_ |= 0x00000001; } result.name_ = name_; result.bitField0_ = to_bitField0_; return result; } public Builder mergeFrom(protobuf_unittest.lite_equals_and_hash.LiteEqualsAndHash.BarPrime other) { if (other == protobuf_unittest.lite_equals_and_hash.LiteEqualsAndHash.BarPrime.getDefaultInstance()) return this; if (other.hasName()) { bitField0_ |= 0x00000001; name_ = other.name_; } setUnknownFields( getUnknownFields().concat(other.unknownFields)); return this; } public final boolean isInitialized() { return true; } public Builder mergeFrom( com.google.protobuf.CodedInputStream input, com.google.protobuf.ExtensionRegistryLite extensionRegistry) throws java.io.IOException { protobuf_unittest.lite_equals_and_hash.LiteEqualsAndHash.BarPrime parsedMessage = null; try { parsedMessage = PARSER.parsePartialFrom(input, extensionRegistry); } catch (com.google.protobuf.InvalidProtocolBufferException e) { parsedMessage = (protobuf_unittest.lite_equals_and_hash.LiteEqualsAndHash.BarPrime) e.getUnfinishedMessage(); throw e; } finally { if (parsedMessage != null) { mergeFrom(parsedMessage); } } return this; } private int bitField0_; private java.lang.Object name_ = ""; /** * <code>optional string name = 1;</code> */ public boolean hasName() { return ((bitField0_ & 0x00000001) == 0x00000001); } /** * <code>optional string name = 1;</code> */ public java.lang.String getName() { java.lang.Object ref = name_; if (!(ref instanceof java.lang.String)) { com.google.protobuf.ByteString bs = (com.google.protobuf.ByteString) ref; java.lang.String s = bs.toStringUtf8(); if (bs.isValidUtf8()) { name_ = s; } return s; } else { return (java.lang.String) ref; } } /** * <code>optional string name = 1;</code> */ public com.google.protobuf.ByteString getNameBytes() { java.lang.Object ref = name_; if (ref instanceof String) { com.google.protobuf.ByteString b = com.google.protobuf.ByteString.copyFromUtf8( (java.lang.String) ref); name_ = b; return b; } else { return (com.google.protobuf.ByteString) ref; } } /** * <code>optional string name = 1;</code> */ public Builder setName( java.lang.String value) { if (value == null) { throw new NullPointerException(); } bitField0_ |= 0x00000001; name_ = value; return this; } /** * <code>optional string name = 1;</code> */ public Builder clearName() { bitField0_ = (bitField0_ & ~0x00000001); name_ = getDefaultInstance().getName(); return this; } /** * <code>optional string name = 1;</code> */ public Builder setNameBytes( com.google.protobuf.ByteString value) { if (value == null) { throw new NullPointerException(); } bitField0_ |= 0x00000001; name_ = value; return this; } // @@protoc_insertion_point(builder_scope:protobuf_unittest.lite_equals_and_hash.BarPrime) } static { defaultInstance = new BarPrime(true); defaultInstance.initFields(); } // @@protoc_insertion_point(class_scope:protobuf_unittest.lite_equals_and_hash.BarPrime) } public interface EmptyOrBuilder extends // @@protoc_insertion_point(interface_extends:protobuf_unittest.lite_equals_and_hash.Empty) com.google.protobuf.MessageLiteOrBuilder { } /** * Protobuf type {@code protobuf_unittest.lite_equals_and_hash.Empty} */ public static final class Empty extends com.google.protobuf.GeneratedMessageLite implements // @@protoc_insertion_point(message_implements:protobuf_unittest.lite_equals_and_hash.Empty) EmptyOrBuilder { // Use Empty.newBuilder() to construct. private Empty(com.google.protobuf.GeneratedMessageLite.Builder builder) { super(builder); this.unknownFields = builder.getUnknownFields(); } private Empty(boolean noInit) { this.unknownFields = com.google.protobuf.ByteString.EMPTY;} private static final Empty defaultInstance; public static Empty getDefaultInstance() { return defaultInstance; } public Empty getDefaultInstanceForType() { return defaultInstance; } private final com.google.protobuf.ByteString unknownFields; private Empty( com.google.protobuf.CodedInputStream input, com.google.protobuf.ExtensionRegistryLite extensionRegistry) throws com.google.protobuf.InvalidProtocolBufferException { initFields(); com.google.protobuf.ByteString.Output unknownFieldsOutput = com.google.protobuf.ByteString.newOutput(); com.google.protobuf.CodedOutputStream unknownFieldsCodedOutput = com.google.protobuf.CodedOutputStream.newInstance( unknownFieldsOutput); try { boolean done = false; while (!done) { int tag = input.readTag(); switch (tag) { case 0: done = true; break; default: { if (!parseUnknownField(input, unknownFieldsCodedOutput, extensionRegistry, tag)) { done = true; } break; } } } } catch (com.google.protobuf.InvalidProtocolBufferException e) { throw e.setUnfinishedMessage(this); } catch (java.io.IOException e) { throw new com.google.protobuf.InvalidProtocolBufferException( e.getMessage()).setUnfinishedMessage(this); } finally { try { unknownFieldsCodedOutput.flush(); } catch (java.io.IOException e) { // Should not happen } finally { unknownFields = unknownFieldsOutput.toByteString(); } makeExtensionsImmutable(); } } public static com.google.protobuf.Parser<Empty> PARSER = new com.google.protobuf.AbstractParser<Empty>() { public Empty parsePartialFrom( com.google.protobuf.CodedInputStream input, com.google.protobuf.ExtensionRegistryLite extensionRegistry) throws com.google.protobuf.InvalidProtocolBufferException { return new Empty(input, extensionRegistry); } }; @java.lang.Override public com.google.protobuf.Parser<Empty> getParserForType() { return PARSER; } private void initFields() { } private byte memoizedIsInitialized = -1; public final boolean isInitialized() { byte isInitialized = memoizedIsInitialized; if (isInitialized == 1) return true; if (isInitialized == 0) return false; memoizedIsInitialized = 1; return true; } public void writeTo(com.google.protobuf.CodedOutputStream output) throws java.io.IOException { getSerializedSize(); output.writeRawBytes(unknownFields); } private int memoizedSerializedSize = -1; public int getSerializedSize() { int size = memoizedSerializedSize; if (size != -1) return size; size = 0; size += unknownFields.size(); memoizedSerializedSize = size; return size; } private static final long serialVersionUID = 0L; @java.lang.Override protected java.lang.Object writeReplace() throws java.io.ObjectStreamException { return super.writeReplace(); } @java.lang.Override public boolean equals(final java.lang.Object obj) { if (obj == this) { return true; } if (!(obj instanceof protobuf_unittest.lite_equals_and_hash.LiteEqualsAndHash.Empty)) { return super.equals(obj); } protobuf_unittest.lite_equals_and_hash.LiteEqualsAndHash.Empty other = (protobuf_unittest.lite_equals_and_hash.LiteEqualsAndHash.Empty) obj; boolean result = true; return result; } @java.lang.Override public int hashCode() { if (memoizedHashCode != 0) { return memoizedHashCode; } int hash = 41; hash = (19 * hash) + protobuf_unittest.lite_equals_and_hash.LiteEqualsAndHash.Empty.class.hashCode(); hash = (29 * hash) + unknownFields.hashCode(); memoizedHashCode = hash; return hash; } public static protobuf_unittest.lite_equals_and_hash.LiteEqualsAndHash.Empty parseFrom( com.google.protobuf.ByteString data) throws com.google.protobuf.InvalidProtocolBufferException { return PARSER.parseFrom(data); } public static protobuf_unittest.lite_equals_and_hash.LiteEqualsAndHash.Empty parseFrom( com.google.protobuf.ByteString data, com.google.protobuf.ExtensionRegistryLite extensionRegistry) throws com.google.protobuf.InvalidProtocolBufferException { return PARSER.parseFrom(data, extensionRegistry); } public static protobuf_unittest.lite_equals_and_hash.LiteEqualsAndHash.Empty parseFrom(byte[] data) throws com.google.protobuf.InvalidProtocolBufferException { return PARSER.parseFrom(data); } public static protobuf_unittest.lite_equals_and_hash.LiteEqualsAndHash.Empty parseFrom( byte[] data, com.google.protobuf.ExtensionRegistryLite extensionRegistry) throws com.google.protobuf.InvalidProtocolBufferException { return PARSER.parseFrom(data, extensionRegistry); } public static protobuf_unittest.lite_equals_and_hash.LiteEqualsAndHash.Empty parseFrom(java.io.InputStream input) throws java.io.IOException { return PARSER.parseFrom(input); } public static protobuf_unittest.lite_equals_and_hash.LiteEqualsAndHash.Empty parseFrom( java.io.InputStream input, com.google.protobuf.ExtensionRegistryLite extensionRegistry) throws java.io.IOException { return PARSER.parseFrom(input, extensionRegistry); } public static protobuf_unittest.lite_equals_and_hash.LiteEqualsAndHash.Empty parseDelimitedFrom(java.io.InputStream input) throws java.io.IOException { return PARSER.parseDelimitedFrom(input); } public static protobuf_unittest.lite_equals_and_hash.LiteEqualsAndHash.Empty parseDelimitedFrom( java.io.InputStream input, com.google.protobuf.ExtensionRegistryLite extensionRegistry) throws java.io.IOException { return PARSER.parseDelimitedFrom(input, extensionRegistry); } public static protobuf_unittest.lite_equals_and_hash.LiteEqualsAndHash.Empty parseFrom( com.google.protobuf.CodedInputStream input) throws java.io.IOException { return PARSER.parseFrom(input); } public static protobuf_unittest.lite_equals_and_hash.LiteEqualsAndHash.Empty parseFrom( com.google.protobuf.CodedInputStream input, com.google.protobuf.ExtensionRegistryLite extensionRegistry) throws java.io.IOException { return PARSER.parseFrom(input, extensionRegistry); } public static Builder newBuilder() { return Builder.create(); } public Builder newBuilderForType() { return newBuilder(); } public static Builder newBuilder(protobuf_unittest.lite_equals_and_hash.LiteEqualsAndHash.Empty prototype) { return newBuilder().mergeFrom(prototype); } public Builder toBuilder() { return newBuilder(this); } /** * Protobuf type {@code protobuf_unittest.lite_equals_and_hash.Empty} */ public static final class Builder extends com.google.protobuf.GeneratedMessageLite.Builder< protobuf_unittest.lite_equals_and_hash.LiteEqualsAndHash.Empty, Builder> implements // @@protoc_insertion_point(builder_implements:protobuf_unittest.lite_equals_and_hash.Empty) protobuf_unittest.lite_equals_and_hash.LiteEqualsAndHash.EmptyOrBuilder { // Construct using protobuf_unittest.lite_equals_and_hash.LiteEqualsAndHash.Empty.newBuilder() private Builder() { maybeForceBuilderInitialization(); } private void maybeForceBuilderInitialization() { } private static Builder create() { return new Builder(); } public Builder clear() { super.clear(); return this; } public Builder clone() { return create().mergeFrom(buildPartial()); } public protobuf_unittest.lite_equals_and_hash.LiteEqualsAndHash.Empty getDefaultInstanceForType() { return protobuf_unittest.lite_equals_and_hash.LiteEqualsAndHash.Empty.getDefaultInstance(); } public protobuf_unittest.lite_equals_and_hash.LiteEqualsAndHash.Empty build() { protobuf_unittest.lite_equals_and_hash.LiteEqualsAndHash.Empty result = buildPartial(); if (!result.isInitialized()) { throw newUninitializedMessageException(result); } return result; } public protobuf_unittest.lite_equals_and_hash.LiteEqualsAndHash.Empty buildPartial() { protobuf_unittest.lite_equals_and_hash.LiteEqualsAndHash.Empty result = new protobuf_unittest.lite_equals_and_hash.LiteEqualsAndHash.Empty(this); return result; } public Builder mergeFrom(protobuf_unittest.lite_equals_and_hash.LiteEqualsAndHash.Empty other) { if (other == protobuf_unittest.lite_equals_and_hash.LiteEqualsAndHash.Empty.getDefaultInstance()) return this; setUnknownFields( getUnknownFields().concat(other.unknownFields)); return this; } public final boolean isInitialized() { return true; } public Builder mergeFrom( com.google.protobuf.CodedInputStream input, com.google.protobuf.ExtensionRegistryLite extensionRegistry) throws java.io.IOException { protobuf_unittest.lite_equals_and_hash.LiteEqualsAndHash.Empty parsedMessage = null; try { parsedMessage = PARSER.parsePartialFrom(input, extensionRegistry); } catch (com.google.protobuf.InvalidProtocolBufferException e) { parsedMessage = (protobuf_unittest.lite_equals_and_hash.LiteEqualsAndHash.Empty) e.getUnfinishedMessage(); throw e; } finally { if (parsedMessage != null) { mergeFrom(parsedMessage); } } return this; } // @@protoc_insertion_point(builder_scope:protobuf_unittest.lite_equals_and_hash.Empty) } static { defaultInstance = new Empty(true); defaultInstance.initFields(); } // @@protoc_insertion_point(class_scope:protobuf_unittest.lite_equals_and_hash.Empty) } static { } // @@protoc_insertion_point(outer_class_scope) }
{ "content_hash": "0bbb88b8ceb8629fc9fb3c67969defad", "timestamp": "", "source": "github", "line_count": 1845, "max_line_length": 159, "avg_line_length": 35.41355013550135, "alnum_prop": 0.6376534329180569, "repo_name": "protobufel/protobuf-el", "id": "4ea80b231e5d39092ab1b1219320c1daa481b96c", "size": "65338", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "protobufel-protobuf-test-protos/src/main/java/protobuf_unittest/lite_equals_and_hash/LiteEqualsAndHash.java", "mode": "33188", "license": "bsd-3-clause", "language": [ { "name": "ANTLR", "bytes": "30802" }, { "name": "Groovy", "bytes": "3631" }, { "name": "Java", "bytes": "1448857" }, { "name": "Protocol Buffer", "bytes": "539136" } ], "symlink_target": "" }