text
stringlengths
2
1.04M
meta
dict
package com.twotoasters.jazzylistview; import android.content.Context; import android.content.res.TypedArray; import android.util.AttributeSet; import android.view.View; import android.view.animation.AccelerateDecelerateInterpolator; import android.widget.AbsListView; import com.nineoldandroids.view.ViewPropertyAnimator; import com.twotoasters.jazzylistview.effects.CardsEffect; import com.twotoasters.jazzylistview.effects.CurlEffect; import com.twotoasters.jazzylistview.effects.FadeEffect; import com.twotoasters.jazzylistview.effects.FanEffect; import com.twotoasters.jazzylistview.effects.FlipEffect; import com.twotoasters.jazzylistview.effects.FlyEffect; import com.twotoasters.jazzylistview.effects.GrowEffect; import com.twotoasters.jazzylistview.effects.HelixEffect; import com.twotoasters.jazzylistview.effects.ReverseFlyEffect; import com.twotoasters.jazzylistview.effects.SlideInEffect; import com.twotoasters.jazzylistview.effects.StandardEffect; import com.twotoasters.jazzylistview.effects.TiltEffect; import com.twotoasters.jazzylistview.effects.TwirlEffect; import com.twotoasters.jazzylistview.effects.WaveEffect; import com.twotoasters.jazzylistview.effects.ZipperEffect; import java.util.HashSet; public class JazzyHelper implements AbsListView.OnScrollListener { public static final int STANDARD = 0; public static final int GROW = 1; public static final int CARDS = 2; public static final int CURL = 3; public static final int WAVE = 4; public static final int FLIP = 5; public static final int FLY = 6; public static final int REVERSE_FLY = 7; public static final int HELIX = 8; public static final int FAN = 9; public static final int TILT = 10; public static final int ZIPPER = 11; public static final int FADE = 12; public static final int TWIRL = 13; public static final int SLIDE_IN = 14; public static final int OPAQUE = 255, TRANSPARENT = 0; private JazzyEffect mTransitionEffect = null; private boolean mIsScrolling = false; private int mFirstVisibleItem = -1; private int mLastVisibleItem = -1; private int mDuration = 600; private AbsListView.OnScrollListener mAdditionalOnScrollListener; private boolean mOnlyAnimateNewItems; private final HashSet<Integer> mAlreadyAnimatedItems; public JazzyHelper(Context context, AttributeSet attrs) { mAlreadyAnimatedItems = new HashSet<Integer>(); TypedArray a = context.obtainStyledAttributes(attrs, R.styleable.JazzyListView); int transitionEffect = a.getInteger(R.styleable.JazzyListView_effect, STANDARD); mOnlyAnimateNewItems = a.getBoolean(R.styleable.JazzyListView_only_animate_new_items, false); a.recycle(); setTransitionEffect(transitionEffect); } public void setOnScrollListener(AbsListView.OnScrollListener l) { // hijack the scroll listener setter and have this list also notify the additional listener mAdditionalOnScrollListener = l; } /** * @see AbsListView.OnScrollListener#onScroll */ @Override public final void onScroll(AbsListView view, int firstVisibleItem, int visibleItemCount, int totalItemCount) { boolean shouldAnimateItems = (mFirstVisibleItem != -1 && mLastVisibleItem != -1); int lastVisibleItem = firstVisibleItem + visibleItemCount - 1; if (mIsScrolling && shouldAnimateItems) { int indexAfterFirst = 0; while (firstVisibleItem + indexAfterFirst < mFirstVisibleItem) { View item = view.getChildAt(indexAfterFirst); doJazziness(item, firstVisibleItem + indexAfterFirst, -1); indexAfterFirst++; } int indexBeforeLast = 0; while (lastVisibleItem - indexBeforeLast > mLastVisibleItem) { View item = view.getChildAt(lastVisibleItem - firstVisibleItem - indexBeforeLast); doJazziness(item, lastVisibleItem - indexBeforeLast, 1); indexBeforeLast++; } } else if (!shouldAnimateItems) { for (int i = firstVisibleItem; i < visibleItemCount; i++) { mAlreadyAnimatedItems.add(i); } } mFirstVisibleItem = firstVisibleItem; mLastVisibleItem = lastVisibleItem; notifyAdditionalScrollListener(view, firstVisibleItem, visibleItemCount, totalItemCount); } /** * Initializes the item view and triggers the animation. * * @param item The view to be animated. * @param position The index of the view in the list. * @param scrollDirection Positive number indicating scrolling down, or negative number indicating scrolling up. */ private void doJazziness(View item, int position, int scrollDirection) { if (mIsScrolling) { if (mOnlyAnimateNewItems && mAlreadyAnimatedItems.contains(position)) { return; } ViewPropertyAnimator animator = com.nineoldandroids.view.ViewPropertyAnimator .animate(item) .setDuration(mDuration) .setInterpolator(new AccelerateDecelerateInterpolator()); scrollDirection = scrollDirection > 0 ? 1 : -1; mTransitionEffect.initView(item, position, scrollDirection); mTransitionEffect.setupAnimation(item, position, scrollDirection, animator); animator.start(); mAlreadyAnimatedItems.add(position); } } /** * @see AbsListView.OnScrollListener#onScrollStateChanged */ @Override public void onScrollStateChanged(AbsListView view, int scrollState) { switch(scrollState) { case AbsListView.OnScrollListener.SCROLL_STATE_IDLE: mIsScrolling = false; break; case AbsListView.OnScrollListener.SCROLL_STATE_FLING: case AbsListView.OnScrollListener.SCROLL_STATE_TOUCH_SCROLL: mIsScrolling = true; break; default: break; } } public void setTransitionEffect(int transitionEffect) { switch (transitionEffect) { case STANDARD: setTransitionEffect(new StandardEffect()); break; case GROW: setTransitionEffect(new GrowEffect()); break; case CARDS: setTransitionEffect(new CardsEffect()); break; case CURL: setTransitionEffect(new CurlEffect()); break; case WAVE: setTransitionEffect(new WaveEffect()); break; case FLIP: setTransitionEffect(new FlipEffect()); break; case FLY: setTransitionEffect(new FlyEffect()); break; case REVERSE_FLY: setTransitionEffect(new ReverseFlyEffect()); break; case HELIX: setTransitionEffect(new HelixEffect()); break; case FAN: setTransitionEffect(new FanEffect()); break; case TILT: setTransitionEffect(new TiltEffect()); break; case ZIPPER: setTransitionEffect(new ZipperEffect()); break; case FADE: setTransitionEffect(new FadeEffect()); break; case TWIRL: setTransitionEffect(new TwirlEffect()); break; case SLIDE_IN: setTransitionEffect(new SlideInEffect()); break; default: break; } } public void setDuration(int transitionDurationMillis) { mDuration = transitionDurationMillis; } public void setTransitionEffect(JazzyEffect transitionEffect) { mTransitionEffect = transitionEffect; } public void setShouldOnlyAnimateNewItems(boolean onlyAnimateNew) { mOnlyAnimateNewItems = onlyAnimateNew; } /** * Notifies the OnScrollListener of an onScroll event, since JazzyListView is the primary listener for onScroll events. */ private void notifyAdditionalScrollListener(AbsListView view, int firstVisibleItem, int visibleItemCount, int totalItemCount) { if (mAdditionalOnScrollListener != null) { mAdditionalOnScrollListener.onScroll(view, firstVisibleItem, visibleItemCount, totalItemCount); } } }
{ "content_hash": "be18d80d961ae78334b52dde9e91da47", "timestamp": "", "source": "github", "line_count": 197, "max_line_length": 131, "avg_line_length": 41.253807106598984, "alnum_prop": 0.6947212993724622, "repo_name": "cdeange/QuickLink", "id": "5dd30272fcb1acca4034a7dcd485f1590c863a5f", "size": "8127", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "libraries/JazzyListView/src/com/twotoasters/jazzylistview/JazzyHelper.java", "mode": "33188", "license": "apache-2.0", "language": [ { "name": "Groovy", "bytes": "1507" }, { "name": "Java", "bytes": "69474" }, { "name": "Shell", "bytes": "5080" } ], "symlink_target": "" }
package com.amazonaws.services.certificatemanager.smoketests; import javax.annotation.Generated; import com.google.inject.AbstractModule; import com.google.inject.Guice; import com.google.inject.Injector; import com.google.inject.Stage; import cucumber.api.guice.CucumberModules; import cucumber.runtime.java.guice.InjectorSource; import com.amazonaws.AmazonWebServiceClient; import com.amazonaws.services.certificatemanager.AWSCertificateManagerClient; /** * Injector that binds the AmazonWebServiceClient interface to the * com.amazonaws.services.certificatemanager.AWSCertificateManagerClient */ @Generated("com.amazonaws:aws-java-sdk-code-generator") public class AWSCertificateManagerModuleInjector implements InjectorSource { @Override public Injector getInjector() { return Guice.createInjector(Stage.PRODUCTION, CucumberModules.SCENARIO, new AWSCertificateManagerModule()); } static class AWSCertificateManagerModule extends AbstractModule { @Override protected void configure() { bind(AmazonWebServiceClient.class).to(AWSCertificateManagerClient.class); } } }
{ "content_hash": "310b295918684702336b2bb4597843ad", "timestamp": "", "source": "github", "line_count": 36, "max_line_length": 115, "avg_line_length": 31.805555555555557, "alnum_prop": 0.7930131004366813, "repo_name": "jentfoo/aws-sdk-java", "id": "83c232510b688525b972f4fe38c2fe4caa16421e", "size": "1725", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "aws-java-sdk-acm/src/test/java/com/amazonaws/services/certificatemanager/smoketests/AWSCertificateManagerModuleInjector.java", "mode": "33188", "license": "apache-2.0", "language": [ { "name": "Batchfile", "bytes": "270" }, { "name": "FreeMarker", "bytes": "173637" }, { "name": "Gherkin", "bytes": "25063" }, { "name": "Java", "bytes": "356214839" }, { "name": "Scilab", "bytes": "3924" }, { "name": "Shell", "bytes": "295" } ], "symlink_target": "" }
SYNONYM #### According to The Catalogue of Life, 3rd January 2011 #### Published in null #### Original name null ### Remarks null
{ "content_hash": "cb2a738b2b78e9842b09b389a141273f", "timestamp": "", "source": "github", "line_count": 13, "max_line_length": 39, "avg_line_length": 10.23076923076923, "alnum_prop": 0.6917293233082706, "repo_name": "mdoering/backbone", "id": "cf5a19ef0a39efd5e836a16e2e0e5766948a4557", "size": "200", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "life/Plantae/Magnoliophyta/Liliopsida/Arecales/Arecaceae/Bactris/Bactris sphaerocarpa/ Syn. Bactris sphaerocarpa pinnatisecta/README.md", "mode": "33188", "license": "apache-2.0", "language": [], "symlink_target": "" }
from .protected_item import ProtectedItem class DPMProtectedItem(ProtectedItem): """Additional information on Backup engine specific backup item. :param backup_management_type: Type of backup managemenent for the backed up item. Possible values include: 'Invalid', 'AzureIaasVM', 'MAB', 'DPM', 'AzureBackupServer', 'AzureSql' :type backup_management_type: str or :class:`BackupManagementType <azure.mgmt.recoveryservicesbackup.models.BackupManagementType>` :param workload_type: Type of workload this item represents. Possible values include: 'Invalid', 'VM', 'FileFolder', 'AzureSqlDb', 'SQLDB', 'Exchange', 'Sharepoint', 'VMwareVM', 'SystemState', 'Client', 'GenericDataSource' :type workload_type: str or :class:`DataSourceType <azure.mgmt.recoveryservicesbackup.models.DataSourceType>` :param container_name: Unique name of container :type container_name: str :param source_resource_id: ARM ID of the resource to be backed up. :type source_resource_id: str :param policy_id: ID of the backup policy with which this item is backed up. :type policy_id: str :param last_recovery_point: Timestamp when the last (latest) backup copy was created for this backup item. :type last_recovery_point: datetime :param protected_item_type: Polymorphic Discriminator :type protected_item_type: str :param friendly_name: Friendly name of the managed item :type friendly_name: str :param backup_engine_name: Backup Management server protecting this backup item :type backup_engine_name: str :param protection_state: Protection state of the backupengine. Possible values include: 'Invalid', 'IRPending', 'Protected', 'ProtectionError', 'ProtectionStopped', 'ProtectionPaused' :type protection_state: str or :class:`ProtectedItemState <azure.mgmt.recoveryservicesbackup.models.ProtectedItemState>` :param is_scheduled_for_deferred_delete: To check if backup item is scheduled for deferred delete :type is_scheduled_for_deferred_delete: bool :param extended_info: Extended info of the backup item. :type extended_info: :class:`DPMProtectedItemExtendedInfo <azure.mgmt.recoveryservicesbackup.models.DPMProtectedItemExtendedInfo>` """ _validation = { 'protected_item_type': {'required': True}, } _attribute_map = { 'backup_management_type': {'key': 'backupManagementType', 'type': 'str'}, 'workload_type': {'key': 'workloadType', 'type': 'str'}, 'container_name': {'key': 'containerName', 'type': 'str'}, 'source_resource_id': {'key': 'sourceResourceId', 'type': 'str'}, 'policy_id': {'key': 'policyId', 'type': 'str'}, 'last_recovery_point': {'key': 'lastRecoveryPoint', 'type': 'iso-8601'}, 'protected_item_type': {'key': 'protectedItemType', 'type': 'str'}, 'friendly_name': {'key': 'friendlyName', 'type': 'str'}, 'backup_engine_name': {'key': 'backupEngineName', 'type': 'str'}, 'protection_state': {'key': 'protectionState', 'type': 'str'}, 'is_scheduled_for_deferred_delete': {'key': 'isScheduledForDeferredDelete', 'type': 'bool'}, 'extended_info': {'key': 'extendedInfo', 'type': 'DPMProtectedItemExtendedInfo'}, } def __init__(self, backup_management_type=None, workload_type=None, container_name=None, source_resource_id=None, policy_id=None, last_recovery_point=None, friendly_name=None, backup_engine_name=None, protection_state=None, is_scheduled_for_deferred_delete=None, extended_info=None): super(DPMProtectedItem, self).__init__(backup_management_type=backup_management_type, workload_type=workload_type, container_name=container_name, source_resource_id=source_resource_id, policy_id=policy_id, last_recovery_point=last_recovery_point) self.friendly_name = friendly_name self.backup_engine_name = backup_engine_name self.protection_state = protection_state self.is_scheduled_for_deferred_delete = is_scheduled_for_deferred_delete self.extended_info = extended_info self.protected_item_type = 'DPMProtectedItem'
{ "content_hash": "56608e9d28f8998cbb402417ae19e123", "timestamp": "", "source": "github", "line_count": 74, "max_line_length": 287, "avg_line_length": 56.445945945945944, "alnum_prop": 0.6976298779028011, "repo_name": "lmazuel/azure-sdk-for-python", "id": "a718e01852e59fe07d1a84ed121d41d77e88b9a0", "size": "4651", "binary": false, "copies": "4", "ref": "refs/heads/master", "path": "azure-mgmt-recoveryservicesbackup/azure/mgmt/recoveryservicesbackup/models/dpm_protected_item.py", "mode": "33188", "license": "mit", "language": [ { "name": "Python", "bytes": "42572767" } ], "symlink_target": "" }
package OptimizationTests.ShortMethodsInliningNonVirtualInvokes.InvokeDirectACharThrowNullGet_001; // The test checks that stack after NullPointerException occurs is correct despite inlining class Test { char[] thingiesArray; char bean = 'a'; int iterr; public Test (int iter) { this.thingiesArray = new char[iter]; this.iterr = iter; for(int i = 0; i < iter; i++) { this.thingiesArray[i] = (char)(bean + 1); } } private char getThingies(char[] arr, int i) { return arr[i]; } private void setThingies(char[] arr, char newThingy, int i) { arr[i] = newThingy; } public char gimme(char[] arr, int i) { if (i == iterr - 1) arr = null; return getThingies(arr, i); } public void hereyouare(char[] arr, char newThingy, int i) { setThingies(arr, newThingy, i); } }
{ "content_hash": "2c0a87a644e93b9980ba9de6153eb136", "timestamp": "", "source": "github", "line_count": 36, "max_line_length": 98, "avg_line_length": 25.27777777777778, "alnum_prop": 0.5989010989010989, "repo_name": "android-art-intel/marshmallow", "id": "f048a61de4234e05ec12f2d41d37de1164cbd237", "size": "1515", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "art-extension/opttests/src/OptimizationTests/ShortMethodsInliningNonVirtualInvokes/InvokeDirectACharThrowNullGet_001/Test.java", "mode": "33188", "license": "apache-2.0", "language": [ { "name": "Assembly", "bytes": "505427" }, { "name": "C", "bytes": "57031" }, { "name": "C++", "bytes": "16360103" }, { "name": "Java", "bytes": "7260608" }, { "name": "Lex", "bytes": "1775" }, { "name": "Makefile", "bytes": "178336" }, { "name": "Objective-J", "bytes": "892" }, { "name": "Python", "bytes": "78048" }, { "name": "Shell", "bytes": "742921" }, { "name": "Smali", "bytes": "78883" } ], "symlink_target": "" }
.. _default_config: =================== Default Config File =================== .. literalinclude:: ../../../libqtile/resources/default_config.py
{ "content_hash": "32eef1b247ba446fcee33661c1135c38", "timestamp": "", "source": "github", "line_count": 7, "max_line_length": 65, "avg_line_length": 21, "alnum_prop": 0.5170068027210885, "repo_name": "ramnes/qtile", "id": "48cd79cceaaf5419b788e0fb4376ee43e44bf21f", "size": "147", "binary": false, "copies": "2", "ref": "refs/heads/master", "path": "docs/manual/config/default.rst", "mode": "33188", "license": "mit", "language": [ { "name": "Makefile", "bytes": "535" }, { "name": "Python", "bytes": "2135461" }, { "name": "Shell", "bytes": "8090" } ], "symlink_target": "" }
#include <linux/types.h> #include <linux/kernel.h> #include <linux/init.h> #include <linux/spinlock.h> #include <linux/smp.h> #include <linux/interrupt.h> #include <linux/sched.h> #include <linux/atomic.h> #include <linux/bitops.h> #include <linux/percpu.h> #include <linux/notifier.h> #include <linux/cpu.h> #include <linux/mutex.h> #include <linux/export.h> #include <linux/hardirq.h> #include <linux/delay.h> #include <linux/module.h> #include <linux/kthread.h> #include <linux/tick.h> #define CREATE_TRACE_POINTS #include "rcu.h" MODULE_ALIAS("rcupdate"); #ifdef MODULE_PARAM_PREFIX #undef MODULE_PARAM_PREFIX #endif #define MODULE_PARAM_PREFIX "rcupdate." module_param(rcu_expedited, int, 0); #if defined(CONFIG_DEBUG_LOCK_ALLOC) && defined(CONFIG_PREEMPT_COUNT) /** * rcu_read_lock_sched_held() - might we be in RCU-sched read-side critical section? * * If CONFIG_DEBUG_LOCK_ALLOC is selected, returns nonzero iff in an * RCU-sched read-side critical section. In absence of * CONFIG_DEBUG_LOCK_ALLOC, this assumes we are in an RCU-sched read-side * critical section unless it can prove otherwise. Note that disabling * of preemption (including disabling irqs) counts as an RCU-sched * read-side critical section. This is useful for debug checks in functions * that required that they be called within an RCU-sched read-side * critical section. * * Check debug_lockdep_rcu_enabled() to prevent false positives during boot * and while lockdep is disabled. * * Note that if the CPU is in the idle loop from an RCU point of * view (ie: that we are in the section between rcu_idle_enter() and * rcu_idle_exit()) then rcu_read_lock_held() returns false even if the CPU * did an rcu_read_lock(). The reason for this is that RCU ignores CPUs * that are in such a section, considering these as in extended quiescent * state, so such a CPU is effectively never in an RCU read-side critical * section regardless of what RCU primitives it invokes. This state of * affairs is required --- we need to keep an RCU-free window in idle * where the CPU may possibly enter into low power mode. This way we can * notice an extended quiescent state to other CPUs that started a grace * period. Otherwise we would delay any grace period as long as we run in * the idle task. * * Similarly, we avoid claiming an SRCU read lock held if the current * CPU is offline. */ int rcu_read_lock_sched_held(void) { int lockdep_opinion = 0; if (!debug_lockdep_rcu_enabled()) return 1; if (!rcu_is_watching()) return 0; if (!rcu_lockdep_current_cpu_online()) return 0; if (debug_locks) lockdep_opinion = lock_is_held(&rcu_sched_lock_map); return lockdep_opinion || preempt_count() != 0 || irqs_disabled(); } EXPORT_SYMBOL(rcu_read_lock_sched_held); #endif #ifndef CONFIG_TINY_RCU static atomic_t rcu_expedited_nesting = ATOMIC_INIT(IS_ENABLED(CONFIG_RCU_EXPEDITE_BOOT) ? 1 : 0); /* * Should normal grace-period primitives be expedited? Intended for * use within RCU. Note that this function takes the rcu_expedited * sysfs/boot variable into account as well as the rcu_expedite_gp() * nesting. So looping on rcu_unexpedite_gp() until rcu_gp_is_expedited() * returns false is a -really- bad idea. */ bool rcu_gp_is_expedited(void) { return rcu_expedited || atomic_read(&rcu_expedited_nesting); } EXPORT_SYMBOL_GPL(rcu_gp_is_expedited); /** * rcu_expedite_gp - Expedite future RCU grace periods * * After a call to this function, future calls to synchronize_rcu() and * friends act as the corresponding synchronize_rcu_expedited() function * had instead been called. */ void rcu_expedite_gp(void) { atomic_inc(&rcu_expedited_nesting); } EXPORT_SYMBOL_GPL(rcu_expedite_gp); /** * rcu_unexpedite_gp - Cancel prior rcu_expedite_gp() invocation * * Undo a prior call to rcu_expedite_gp(). If all prior calls to * rcu_expedite_gp() are undone by a subsequent call to rcu_unexpedite_gp(), * and if the rcu_expedited sysfs/boot parameter is not set, then all * subsequent calls to synchronize_rcu() and friends will return to * their normal non-expedited behavior. */ void rcu_unexpedite_gp(void) { atomic_dec(&rcu_expedited_nesting); } EXPORT_SYMBOL_GPL(rcu_unexpedite_gp); #endif /* #ifndef CONFIG_TINY_RCU */ /* * Inform RCU of the end of the in-kernel boot sequence. */ void rcu_end_inkernel_boot(void) { if (IS_ENABLED(CONFIG_RCU_EXPEDITE_BOOT)) rcu_unexpedite_gp(); } #ifdef CONFIG_PREEMPT_RCU /* * Preemptible RCU implementation for rcu_read_lock(). * Just increment ->rcu_read_lock_nesting, shared state will be updated * if we block. */ void __rcu_read_lock(void) { current->rcu_read_lock_nesting++; barrier(); /* critical section after entry code. */ } EXPORT_SYMBOL_GPL(__rcu_read_lock); /* * Preemptible RCU implementation for rcu_read_unlock(). * Decrement ->rcu_read_lock_nesting. If the result is zero (outermost * rcu_read_unlock()) and ->rcu_read_unlock_special is non-zero, then * invoke rcu_read_unlock_special() to clean up after a context switch * in an RCU read-side critical section and other special cases. */ void __rcu_read_unlock(void) { struct task_struct *t = current; if (t->rcu_read_lock_nesting != 1) { --t->rcu_read_lock_nesting; } else { barrier(); /* critical section before exit code. */ t->rcu_read_lock_nesting = INT_MIN; barrier(); /* assign before ->rcu_read_unlock_special load */ if (unlikely(READ_ONCE(t->rcu_read_unlock_special.s))) rcu_read_unlock_special(t); barrier(); /* ->rcu_read_unlock_special load before assign */ t->rcu_read_lock_nesting = 0; } #ifdef CONFIG_PROVE_LOCKING { int rrln = READ_ONCE(t->rcu_read_lock_nesting); WARN_ON_ONCE(rrln < 0 && rrln > INT_MIN / 2); } #endif /* #ifdef CONFIG_PROVE_LOCKING */ } EXPORT_SYMBOL_GPL(__rcu_read_unlock); #endif /* #ifdef CONFIG_PREEMPT_RCU */ #ifdef CONFIG_DEBUG_LOCK_ALLOC static struct lock_class_key rcu_lock_key; struct lockdep_map rcu_lock_map = STATIC_LOCKDEP_MAP_INIT("rcu_read_lock", &rcu_lock_key); EXPORT_SYMBOL_GPL(rcu_lock_map); static struct lock_class_key rcu_bh_lock_key; struct lockdep_map rcu_bh_lock_map = STATIC_LOCKDEP_MAP_INIT("rcu_read_lock_bh", &rcu_bh_lock_key); EXPORT_SYMBOL_GPL(rcu_bh_lock_map); static struct lock_class_key rcu_sched_lock_key; struct lockdep_map rcu_sched_lock_map = STATIC_LOCKDEP_MAP_INIT("rcu_read_lock_sched", &rcu_sched_lock_key); EXPORT_SYMBOL_GPL(rcu_sched_lock_map); static struct lock_class_key rcu_callback_key; struct lockdep_map rcu_callback_map = STATIC_LOCKDEP_MAP_INIT("rcu_callback", &rcu_callback_key); EXPORT_SYMBOL_GPL(rcu_callback_map); int notrace debug_lockdep_rcu_enabled(void) { return rcu_scheduler_active && debug_locks && current->lockdep_recursion == 0; } EXPORT_SYMBOL_GPL(debug_lockdep_rcu_enabled); /** * rcu_read_lock_held() - might we be in RCU read-side critical section? * * If CONFIG_DEBUG_LOCK_ALLOC is selected, returns nonzero iff in an RCU * read-side critical section. In absence of CONFIG_DEBUG_LOCK_ALLOC, * this assumes we are in an RCU read-side critical section unless it can * prove otherwise. This is useful for debug checks in functions that * require that they be called within an RCU read-side critical section. * * Checks debug_lockdep_rcu_enabled() to prevent false positives during boot * and while lockdep is disabled. * * Note that rcu_read_lock() and the matching rcu_read_unlock() must * occur in the same context, for example, it is illegal to invoke * rcu_read_unlock() in process context if the matching rcu_read_lock() * was invoked from within an irq handler. * * Note that rcu_read_lock() is disallowed if the CPU is either idle or * offline from an RCU perspective, so check for those as well. */ int rcu_read_lock_held(void) { if (!debug_lockdep_rcu_enabled()) return 1; if (!rcu_is_watching()) return 0; if (!rcu_lockdep_current_cpu_online()) return 0; return lock_is_held(&rcu_lock_map); } EXPORT_SYMBOL_GPL(rcu_read_lock_held); /** * rcu_read_lock_bh_held() - might we be in RCU-bh read-side critical section? * * Check for bottom half being disabled, which covers both the * CONFIG_PROVE_RCU and not cases. Note that if someone uses * rcu_read_lock_bh(), but then later enables BH, lockdep (if enabled) * will show the situation. This is useful for debug checks in functions * that require that they be called within an RCU read-side critical * section. * * Check debug_lockdep_rcu_enabled() to prevent false positives during boot. * * Note that rcu_read_lock() is disallowed if the CPU is either idle or * offline from an RCU perspective, so check for those as well. */ int rcu_read_lock_bh_held(void) { if (!debug_lockdep_rcu_enabled()) return 1; if (!rcu_is_watching()) return 0; if (!rcu_lockdep_current_cpu_online()) return 0; return in_softirq() || irqs_disabled(); } EXPORT_SYMBOL_GPL(rcu_read_lock_bh_held); #endif /* #ifdef CONFIG_DEBUG_LOCK_ALLOC */ /** * wakeme_after_rcu() - Callback function to awaken a task after grace period * @head: Pointer to rcu_head member within rcu_synchronize structure * * Awaken the corresponding task now that a grace period has elapsed. */ void wakeme_after_rcu(struct rcu_head *head) { struct rcu_synchronize *rcu; rcu = container_of(head, struct rcu_synchronize, head); complete(&rcu->completion); } EXPORT_SYMBOL_GPL(wakeme_after_rcu); void __wait_rcu_gp(bool checktiny, int n, call_rcu_func_t *crcu_array, struct rcu_synchronize *rs_array) { int i; /* Initialize and register callbacks for each flavor specified. */ for (i = 0; i < n; i++) { if (checktiny && (crcu_array[i] == call_rcu || crcu_array[i] == call_rcu_bh)) { might_sleep(); continue; } init_rcu_head_on_stack(&rs_array[i].head); init_completion(&rs_array[i].completion); (crcu_array[i])(&rs_array[i].head, wakeme_after_rcu); } /* Wait for all callbacks to be invoked. */ for (i = 0; i < n; i++) { if (checktiny && (crcu_array[i] == call_rcu || crcu_array[i] == call_rcu_bh)) continue; wait_for_completion(&rs_array[i].completion); destroy_rcu_head_on_stack(&rs_array[i].head); } } EXPORT_SYMBOL_GPL(__wait_rcu_gp); #ifdef CONFIG_DEBUG_OBJECTS_RCU_HEAD void init_rcu_head(struct rcu_head *head) { debug_object_init(head, &rcuhead_debug_descr); } void destroy_rcu_head(struct rcu_head *head) { debug_object_free(head, &rcuhead_debug_descr); } /* * fixup_activate is called when: * - an active object is activated * - an unknown object is activated (might be a statically initialized object) * Activation is performed internally by call_rcu(). */ static int rcuhead_fixup_activate(void *addr, enum debug_obj_state state) { struct rcu_head *head = addr; switch (state) { case ODEBUG_STATE_NOTAVAILABLE: /* * This is not really a fixup. We just make sure that it is * tracked in the object tracker. */ debug_object_init(head, &rcuhead_debug_descr); debug_object_activate(head, &rcuhead_debug_descr); return 0; default: return 1; } } /** * init_rcu_head_on_stack() - initialize on-stack rcu_head for debugobjects * @head: pointer to rcu_head structure to be initialized * * This function informs debugobjects of a new rcu_head structure that * has been allocated as an auto variable on the stack. This function * is not required for rcu_head structures that are statically defined or * that are dynamically allocated on the heap. This function has no * effect for !CONFIG_DEBUG_OBJECTS_RCU_HEAD kernel builds. */ void init_rcu_head_on_stack(struct rcu_head *head) { debug_object_init_on_stack(head, &rcuhead_debug_descr); } EXPORT_SYMBOL_GPL(init_rcu_head_on_stack); /** * destroy_rcu_head_on_stack() - destroy on-stack rcu_head for debugobjects * @head: pointer to rcu_head structure to be initialized * * This function informs debugobjects that an on-stack rcu_head structure * is about to go out of scope. As with init_rcu_head_on_stack(), this * function is not required for rcu_head structures that are statically * defined or that are dynamically allocated on the heap. Also as with * init_rcu_head_on_stack(), this function has no effect for * !CONFIG_DEBUG_OBJECTS_RCU_HEAD kernel builds. */ void destroy_rcu_head_on_stack(struct rcu_head *head) { debug_object_free(head, &rcuhead_debug_descr); } EXPORT_SYMBOL_GPL(destroy_rcu_head_on_stack); struct debug_obj_descr rcuhead_debug_descr = { .name = "rcu_head", .fixup_activate = rcuhead_fixup_activate, }; EXPORT_SYMBOL_GPL(rcuhead_debug_descr); #endif /* #ifdef CONFIG_DEBUG_OBJECTS_RCU_HEAD */ #if defined(CONFIG_TREE_RCU) || defined(CONFIG_PREEMPT_RCU) || defined(CONFIG_RCU_TRACE) void do_trace_rcu_torture_read(const char *rcutorturename, struct rcu_head *rhp, unsigned long secs, unsigned long c_old, unsigned long c) { trace_rcu_torture_read(rcutorturename, rhp, secs, c_old, c); } EXPORT_SYMBOL_GPL(do_trace_rcu_torture_read); #else #define do_trace_rcu_torture_read(rcutorturename, rhp, secs, c_old, c) \ do { } while (0) #endif #ifdef CONFIG_RCU_STALL_COMMON #ifdef CONFIG_PROVE_RCU #define RCU_STALL_DELAY_DELTA (5 * HZ) #else #define RCU_STALL_DELAY_DELTA 0 #endif int rcu_cpu_stall_suppress __read_mostly; /* 1 = suppress stall warnings. */ static int rcu_cpu_stall_timeout __read_mostly = CONFIG_RCU_CPU_STALL_TIMEOUT; module_param(rcu_cpu_stall_suppress, int, 0644); module_param(rcu_cpu_stall_timeout, int, 0644); int rcu_jiffies_till_stall_check(void) { int till_stall_check = READ_ONCE(rcu_cpu_stall_timeout); /* * Limit check must be consistent with the Kconfig limits * for CONFIG_RCU_CPU_STALL_TIMEOUT. */ if (till_stall_check < 3) { WRITE_ONCE(rcu_cpu_stall_timeout, 3); till_stall_check = 3; } else if (till_stall_check > 300) { WRITE_ONCE(rcu_cpu_stall_timeout, 300); till_stall_check = 300; } return till_stall_check * HZ + RCU_STALL_DELAY_DELTA; } void rcu_sysrq_start(void) { if (!rcu_cpu_stall_suppress) rcu_cpu_stall_suppress = 2; } void rcu_sysrq_end(void) { if (rcu_cpu_stall_suppress == 2) rcu_cpu_stall_suppress = 0; } static int rcu_panic(struct notifier_block *this, unsigned long ev, void *ptr) { rcu_cpu_stall_suppress = 1; return NOTIFY_DONE; } static struct notifier_block rcu_panic_block = { .notifier_call = rcu_panic, }; static int __init check_cpu_stall_init(void) { atomic_notifier_chain_register(&panic_notifier_list, &rcu_panic_block); return 0; } early_initcall(check_cpu_stall_init); #endif /* #ifdef CONFIG_RCU_STALL_COMMON */ #ifdef CONFIG_TASKS_RCU /* * Simple variant of RCU whose quiescent states are voluntary context switch, * user-space execution, and idle. As such, grace periods can take one good * long time. There are no read-side primitives similar to rcu_read_lock() * and rcu_read_unlock() because this implementation is intended to get * the system into a safe state for some of the manipulations involved in * tracing and the like. Finally, this implementation does not support * high call_rcu_tasks() rates from multiple CPUs. If this is required, * per-CPU callback lists will be needed. */ /* Global list of callbacks and associated lock. */ static struct rcu_head *rcu_tasks_cbs_head; static struct rcu_head **rcu_tasks_cbs_tail = &rcu_tasks_cbs_head; static DECLARE_WAIT_QUEUE_HEAD(rcu_tasks_cbs_wq); static DEFINE_RAW_SPINLOCK(rcu_tasks_cbs_lock); /* Track exiting tasks in order to allow them to be waited for. */ DEFINE_SRCU(tasks_rcu_exit_srcu); /* Control stall timeouts. Disable with <= 0, otherwise jiffies till stall. */ static int rcu_task_stall_timeout __read_mostly = HZ * 60 * 10; module_param(rcu_task_stall_timeout, int, 0644); static void rcu_spawn_tasks_kthread(void); /* * Post an RCU-tasks callback. First call must be from process context * after the scheduler if fully operational. */ void call_rcu_tasks(struct rcu_head *rhp, rcu_callback_t func) { unsigned long flags; bool needwake; rhp->next = NULL; rhp->func = func; raw_spin_lock_irqsave(&rcu_tasks_cbs_lock, flags); needwake = !rcu_tasks_cbs_head; *rcu_tasks_cbs_tail = rhp; rcu_tasks_cbs_tail = &rhp->next; raw_spin_unlock_irqrestore(&rcu_tasks_cbs_lock, flags); if (needwake) { rcu_spawn_tasks_kthread(); wake_up(&rcu_tasks_cbs_wq); } } EXPORT_SYMBOL_GPL(call_rcu_tasks); /** * synchronize_rcu_tasks - wait until an rcu-tasks grace period has elapsed. * * Control will return to the caller some time after a full rcu-tasks * grace period has elapsed, in other words after all currently * executing rcu-tasks read-side critical sections have elapsed. These * read-side critical sections are delimited by calls to schedule(), * cond_resched_rcu_qs(), idle execution, userspace execution, calls * to synchronize_rcu_tasks(), and (in theory, anyway) cond_resched(). * * This is a very specialized primitive, intended only for a few uses in * tracing and other situations requiring manipulation of function * preambles and profiling hooks. The synchronize_rcu_tasks() function * is not (yet) intended for heavy use from multiple CPUs. * * Note that this guarantee implies further memory-ordering guarantees. * On systems with more than one CPU, when synchronize_rcu_tasks() returns, * each CPU is guaranteed to have executed a full memory barrier since the * end of its last RCU-tasks read-side critical section whose beginning * preceded the call to synchronize_rcu_tasks(). In addition, each CPU * having an RCU-tasks read-side critical section that extends beyond * the return from synchronize_rcu_tasks() is guaranteed to have executed * a full memory barrier after the beginning of synchronize_rcu_tasks() * and before the beginning of that RCU-tasks read-side critical section. * Note that these guarantees include CPUs that are offline, idle, or * executing in user mode, as well as CPUs that are executing in the kernel. * * Furthermore, if CPU A invoked synchronize_rcu_tasks(), which returned * to its caller on CPU B, then both CPU A and CPU B are guaranteed * to have executed a full memory barrier during the execution of * synchronize_rcu_tasks() -- even if CPU A and CPU B are the same CPU * (but again only if the system has more than one CPU). */ void synchronize_rcu_tasks(void) { /* Complain if the scheduler has not started. */ RCU_LOCKDEP_WARN(!rcu_scheduler_active, "synchronize_rcu_tasks called too soon"); /* Wait for the grace period. */ wait_rcu_gp(call_rcu_tasks); } EXPORT_SYMBOL_GPL(synchronize_rcu_tasks); /** * rcu_barrier_tasks - Wait for in-flight call_rcu_tasks() callbacks. * * Although the current implementation is guaranteed to wait, it is not * obligated to, for example, if there are no pending callbacks. */ void rcu_barrier_tasks(void) { /* There is only one callback queue, so this is easy. ;-) */ synchronize_rcu_tasks(); } EXPORT_SYMBOL_GPL(rcu_barrier_tasks); /* See if tasks are still holding out, complain if so. */ static void check_holdout_task(struct task_struct *t, bool needreport, bool *firstreport) { int cpu; if (!READ_ONCE(t->rcu_tasks_holdout) || t->rcu_tasks_nvcsw != READ_ONCE(t->nvcsw) || !READ_ONCE(t->on_rq) || (IS_ENABLED(CONFIG_NO_HZ_FULL) && !is_idle_task(t) && t->rcu_tasks_idle_cpu >= 0)) { WRITE_ONCE(t->rcu_tasks_holdout, false); list_del_init(&t->rcu_tasks_holdout_list); put_task_struct(t); return; } if (!needreport) return; if (*firstreport) { pr_err("INFO: rcu_tasks detected stalls on tasks:\n"); *firstreport = false; } cpu = task_cpu(t); pr_alert("%p: %c%c nvcsw: %lu/%lu holdout: %d idle_cpu: %d/%d\n", t, ".I"[is_idle_task(t)], "N."[cpu < 0 || !tick_nohz_full_cpu(cpu)], t->rcu_tasks_nvcsw, t->nvcsw, t->rcu_tasks_holdout, t->rcu_tasks_idle_cpu, cpu); sched_show_task(t); } /* RCU-tasks kthread that detects grace periods and invokes callbacks. */ static int __noreturn rcu_tasks_kthread(void *arg) { unsigned long flags; struct task_struct *g, *t; unsigned long lastreport; struct rcu_head *list; struct rcu_head *next; LIST_HEAD(rcu_tasks_holdouts); /* Run on housekeeping CPUs by default. Sysadm can move if desired. */ housekeeping_affine(current); /* * Each pass through the following loop makes one check for * newly arrived callbacks, and, if there are some, waits for * one RCU-tasks grace period and then invokes the callbacks. * This loop is terminated by the system going down. ;-) */ for (;;) { /* Pick up any new callbacks. */ raw_spin_lock_irqsave(&rcu_tasks_cbs_lock, flags); list = rcu_tasks_cbs_head; rcu_tasks_cbs_head = NULL; rcu_tasks_cbs_tail = &rcu_tasks_cbs_head; raw_spin_unlock_irqrestore(&rcu_tasks_cbs_lock, flags); /* If there were none, wait a bit and start over. */ if (!list) { wait_event_interruptible(rcu_tasks_cbs_wq, rcu_tasks_cbs_head); if (!rcu_tasks_cbs_head) { WARN_ON(signal_pending(current)); schedule_timeout_interruptible(HZ/10); } continue; } /* * Wait for all pre-existing t->on_rq and t->nvcsw * transitions to complete. Invoking synchronize_sched() * suffices because all these transitions occur with * interrupts disabled. Without this synchronize_sched(), * a read-side critical section that started before the * grace period might be incorrectly seen as having started * after the grace period. * * This synchronize_sched() also dispenses with the * need for a memory barrier on the first store to * ->rcu_tasks_holdout, as it forces the store to happen * after the beginning of the grace period. */ synchronize_sched(); /* * There were callbacks, so we need to wait for an * RCU-tasks grace period. Start off by scanning * the task list for tasks that are not already * voluntarily blocked. Mark these tasks and make * a list of them in rcu_tasks_holdouts. */ rcu_read_lock(); for_each_process_thread(g, t) { if (t != current && READ_ONCE(t->on_rq) && !is_idle_task(t)) { get_task_struct(t); t->rcu_tasks_nvcsw = READ_ONCE(t->nvcsw); WRITE_ONCE(t->rcu_tasks_holdout, true); list_add(&t->rcu_tasks_holdout_list, &rcu_tasks_holdouts); } } rcu_read_unlock(); /* * Wait for tasks that are in the process of exiting. * This does only part of the job, ensuring that all * tasks that were previously exiting reach the point * where they have disabled preemption, allowing the * later synchronize_sched() to finish the job. */ synchronize_srcu(&tasks_rcu_exit_srcu); /* * Each pass through the following loop scans the list * of holdout tasks, removing any that are no longer * holdouts. When the list is empty, we are done. */ lastreport = jiffies; while (!list_empty(&rcu_tasks_holdouts)) { bool firstreport; bool needreport; int rtst; struct task_struct *t1; schedule_timeout_interruptible(HZ); rtst = READ_ONCE(rcu_task_stall_timeout); needreport = rtst > 0 && time_after(jiffies, lastreport + rtst); if (needreport) lastreport = jiffies; firstreport = true; WARN_ON(signal_pending(current)); list_for_each_entry_safe(t, t1, &rcu_tasks_holdouts, rcu_tasks_holdout_list) { check_holdout_task(t, needreport, &firstreport); cond_resched(); } } /* * Because ->on_rq and ->nvcsw are not guaranteed * to have a full memory barriers prior to them in the * schedule() path, memory reordering on other CPUs could * cause their RCU-tasks read-side critical sections to * extend past the end of the grace period. However, * because these ->nvcsw updates are carried out with * interrupts disabled, we can use synchronize_sched() * to force the needed ordering on all such CPUs. * * This synchronize_sched() also confines all * ->rcu_tasks_holdout accesses to be within the grace * period, avoiding the need for memory barriers for * ->rcu_tasks_holdout accesses. * * In addition, this synchronize_sched() waits for exiting * tasks to complete their final preempt_disable() region * of execution, cleaning up after the synchronize_srcu() * above. */ synchronize_sched(); /* Invoke the callbacks. */ while (list) { next = list->next; local_bh_disable(); list->func(list); local_bh_enable(); list = next; cond_resched(); } schedule_timeout_uninterruptible(HZ/10); } } /* Spawn rcu_tasks_kthread() at first call to call_rcu_tasks(). */ static void rcu_spawn_tasks_kthread(void) { static DEFINE_MUTEX(rcu_tasks_kthread_mutex); static struct task_struct *rcu_tasks_kthread_ptr; struct task_struct *t; if (READ_ONCE(rcu_tasks_kthread_ptr)) { smp_mb(); /* Ensure caller sees full kthread. */ return; } mutex_lock(&rcu_tasks_kthread_mutex); if (rcu_tasks_kthread_ptr) { mutex_unlock(&rcu_tasks_kthread_mutex); return; } t = kthread_run(rcu_tasks_kthread, NULL, "rcu_tasks_kthread"); BUG_ON(IS_ERR(t)); smp_mb(); /* Ensure others see full kthread. */ WRITE_ONCE(rcu_tasks_kthread_ptr, t); mutex_unlock(&rcu_tasks_kthread_mutex); } #endif /* #ifdef CONFIG_TASKS_RCU */ #ifdef CONFIG_PROVE_RCU /* * Early boot self test parameters, one for each flavor */ static bool rcu_self_test; static bool rcu_self_test_bh; static bool rcu_self_test_sched; module_param(rcu_self_test, bool, 0444); module_param(rcu_self_test_bh, bool, 0444); module_param(rcu_self_test_sched, bool, 0444); static int rcu_self_test_counter; static void test_callback(struct rcu_head *r) { rcu_self_test_counter++; pr_info("RCU test callback executed %d\n", rcu_self_test_counter); } static void early_boot_test_call_rcu(void) { static struct rcu_head head; call_rcu(&head, test_callback); } static void early_boot_test_call_rcu_bh(void) { static struct rcu_head head; call_rcu_bh(&head, test_callback); } static void early_boot_test_call_rcu_sched(void) { static struct rcu_head head; call_rcu_sched(&head, test_callback); } void rcu_early_boot_tests(void) { pr_info("Running RCU self tests\n"); if (rcu_self_test) early_boot_test_call_rcu(); if (rcu_self_test_bh) early_boot_test_call_rcu_bh(); if (rcu_self_test_sched) early_boot_test_call_rcu_sched(); } static int rcu_verify_early_boot_tests(void) { int ret = 0; int early_boot_test_counter = 0; if (rcu_self_test) { early_boot_test_counter++; rcu_barrier(); } if (rcu_self_test_bh) { early_boot_test_counter++; rcu_barrier_bh(); } if (rcu_self_test_sched) { early_boot_test_counter++; rcu_barrier_sched(); } if (rcu_self_test_counter != early_boot_test_counter) { WARN_ON(1); ret = -1; } return ret; } late_initcall(rcu_verify_early_boot_tests); #else void rcu_early_boot_tests(void) {} #endif /* CONFIG_PROVE_RCU */
{ "content_hash": "55bf6a907557c1c197bae708206f77c6", "timestamp": "", "source": "github", "line_count": 866, "max_line_length": 88, "avg_line_length": 30.96189376443418, "alnum_prop": 0.7056278670794018, "repo_name": "KristFoundation/Programs", "id": "5f748c5a40f0756b2d6c97fa615cde551649db4a", "size": "28108", "binary": false, "copies": "141", "ref": "refs/heads/master", "path": "luaide/kernel/rcu/update.c", "mode": "33188", "license": "mit", "language": [ { "name": "Assembly", "bytes": "10201036" }, { "name": "Awk", "bytes": "30879" }, { "name": "C", "bytes": "539626448" }, { "name": "C++", "bytes": "3413466" }, { "name": "Clojure", "bytes": "1570" }, { "name": "Cucumber", "bytes": "4809" }, { "name": "Groff", "bytes": "46837" }, { "name": "Lex", "bytes": "55541" }, { "name": "Lua", "bytes": "59745" }, { "name": "Makefile", "bytes": "1601043" }, { "name": "Objective-C", "bytes": "521706" }, { "name": "Perl", "bytes": "730609" }, { "name": "Perl6", "bytes": "3783" }, { "name": "Python", "bytes": "296036" }, { "name": "Shell", "bytes": "357961" }, { "name": "SourcePawn", "bytes": "4687" }, { "name": "UnrealScript", "bytes": "12797" }, { "name": "XS", "bytes": "1239" }, { "name": "Yacc", "bytes": "115572" } ], "symlink_target": "" }
function __processArg(obj, key) { var arg = null; if (obj) { arg = obj[key] || null; delete obj[key]; } return arg; } function Controller() { require("alloy/controllers/BaseController").apply(this, Array.prototype.slice.call(arguments)); this.__controllerPath = "popover_navwin"; this.args = arguments[0] || {}; if (arguments[0]) { { __processArg(arguments[0], "__parentSymbol"); } { __processArg(arguments[0], "$model"); } { __processArg(arguments[0], "__itemTemplate"); } } var $ = this; var exports = {}; $.__views.popover = Ti.UI.iPad.createPopover({ id: "popover", height: 100, width: 250 }); $.__views.popover && $.addTopLevelView($.__views.popover); $.__views.__alloyId3 = Ti.UI.createWindow({ title: "Navigation Window", id: "__alloyId3" }); $.__views.__alloyId4 = Ti.UI.createLabel({ text: "Popover with a NavigationWindow", id: "__alloyId4" }); $.__views.__alloyId3.add($.__views.__alloyId4); $.__views.popViewNavWin = Ti.UI.iOS.createNavigationWindow({ window: $.__views.__alloyId3, id: "popViewNavWin", backgroundColor: "green", height: 300, width: 250 }); $.__views.popover.contentView = $.__views.popViewNavWin; exports.destroy = function() {}; _.extend($, $.__views); _.extend($, exports); } var Alloy = require("alloy"), Backbone = Alloy.Backbone, _ = Alloy._; module.exports = Controller;
{ "content_hash": "a44ae98afeba7211a28c2a43e4712cd9", "timestamp": "", "source": "github", "line_count": 57, "max_line_length": 99, "avg_line_length": 28.140350877192983, "alnum_prop": 0.5405236907730673, "repo_name": "mobilehero/adamantium", "id": "97e2240f2aba85fb9467112d46d732001b0533ac", "size": "1604", "binary": false, "copies": "3", "ref": "refs/heads/develop", "path": "test/apps/testing/ALOY-983/_generated/ios/alloy/controllers/popover_navwin.js", "mode": "33188", "license": "apache-2.0", "language": [ { "name": "CSS", "bytes": "3828" }, { "name": "CoffeeScript", "bytes": "872" }, { "name": "HTML", "bytes": "5471" }, { "name": "JavaScript", "bytes": "3412153" }, { "name": "Python", "bytes": "5251" } ], "symlink_target": "" }
<?php $mycs=Yii::app()->getClientScript(); if(YII_DEBUG) $ckeditor_asset=Yii::app()->assetManager->publish(Yii::getPathOfAlias('cms.assets.ckeditor'), false, -1, true); else $ckeditor_asset=Yii::app()->assetManager->publish(Yii::getPathOfAlias('cms.assets.ckeditor'), false, -1, false); $urlScript_ckeditor= $ckeditor_asset.'/ckeditor.js'; $urlScript_ckeditor_jquery=$ckeditor_asset.'/adapters/jquery.js'; $mycs->registerScriptFile($urlScript_ckeditor, CClientScript::POS_HEAD); $mycs->registerScriptFile($urlScript_ckeditor_jquery, CClientScript::POS_HEAD); ?> <div class="workplace"> <div class="form"> <?php $this->render('cmswidgets.views.notification'); ?> <?php $form=$this->beginWidget('CActiveForm', array( 'id'=>'themes-form', 'enableAjaxValidation'=>true, 'htmlOptions' => array('enctype' => 'multipart/form-data'), )); ?> <?php echo $form->errorSummary(array($model,$mseo)); ?> <div class="span6" style="float:right;"> </div> <div class="row-fluid"> <div class="span6"> <div class="head"> <div class="isw-target"></div> <h1><?php echo t('Themes'); ?></h1> <div class="clear"></div> </div> <div class="block-fluid"> <div class="row-form"> <div class="span5"><?php echo $form->label($model,'name'); ?></div> <div class="span7"> <?php echo $form->textField($model, 'name',array('id'=>'txt_name')); ?> <span><?php echo $form->error($model,'name'); ?> </span></div> <div class="clear"></div> </div> <div class="row-form"> <div class="span5"><?php echo $form->label($model,'source'); ?></div> <div class="span7"> <?php echo $form->dropDownList($model, 'source', Country::GetAll(false), array()); ?> <span><?php echo $form->error($model,'source'); ?> </span> </div> <div class="clear"></div> </div> <div class="row-form"> <div class="span5"><?php echo $form->label($model,'icon_file'); ?></div> <div class="span7"> <?php echo $form->fileField($model, 'icon_file');?> <span><?php echo $form->error($model,'icon_file'); ?> </span></div> <div class="clear"></div> <?php if($model->icon_file!=''){?> <div style="height:100px;"> <div style="float:right;"><?php echo CHtml::image(Themes::GetThumbnail($model->icon_file),$model->name); ?></div> </div> <?php } ?> </div> <div class="row-form"> <div class="span5"><?php echo $form->label($model,'addtohome'); ?></div> <div class="span7"> <?php echo $form->checkBox($model,'addtohome',array()); ?> <span><?php echo $form->error($model,'addtohome'); ?></span> </div> <div class="clear"></div> </div> </div> </div> </div> <div class="dr"><span></span></div> <div class="row-fluid"> <?php $this->widget('common.components.redactorjs.Redactor', array( 'model' => $model, 'attribute' => 'content' )); ?> </div> <div class="dr"><span></span></div> <div class="row-fluid"> <div class="span6"> <div class="head"> <div class="isw-target"></div> <h1>SEO Info</h1> <div class="clear"></div> </div> <?php $this->render('cmswidgets.views.seoform.seoform_form_widget',array('mseo'=>$mseo,'form'=>$form)); ?> </div> </div> <div class="row-fluid"> <div class="span9"> <p> <button class="btn btn-large" type="submit">Save</button> </p> </div> </div> <br class="clear" /> <?php $this->endWidget(); ?> </div> <div class="head"> <div class="isw-grid"></div> <h1><?php echo t('All Themes'); ?></h1> <div class="clear"></div> </div> <div class="block-fluid table-sorting"> <?php $this->widget('zii.widgets.grid.CGridView', array( 'id'=>'country-grid', 'dataProvider'=>$model->search(), 'filter'=>$model, 'summaryText'=>t('Displaying').' {start} - {end} '.t('in'). ' {count} '.t('results'), 'pager' => array( 'header'=>t('Go to page:'), 'nextPageLabel' => t('Next'), 'prevPageLabel' => t('previous'), 'firstPageLabel' => t('First'), 'lastPageLabel' => t('Last'), 'pageSize'=> Yii::app()->settings->get('system', 'page_size') ), 'columns'=>array( array( 'header'=>'Icon', 'type'=>'image', 'htmlOptions'=>array('class'=>'gridLeft','align'=>'center','border'=>'5px'), 'value'=>'Themes::GetThumbnail($data->icon_file)', 'filter'=>false, 'visible'=>true ), array('name'=>'name', 'type'=>'raw', 'htmlOptions'=>array('class'=>'gridmaxwidth'), 'value'=>'CHtml::link($data->name,array("'.app()->controller->id.'/view","id"=>$data->id))', ), array('name'=>'source', 'type'=>'raw', 'htmlOptions'=>array('class'=>'gridmaxwidth'), 'value'=>'Countrylist::GetName(Country::GetName($data->source))', ), array( 'name'=>'status', 'type'=>'image', 'htmlOptions'=>array('class'=>'gridmaxwidth'), 'value'=>'User::convertUserState($data)', 'filter'=>false ), array ( 'class'=>'CButtonColumn', 'template'=>'{update}', 'buttons'=>array ( 'update' => array ( 'label'=>t('Edit'), 'imageUrl'=>false, 'url'=>'Yii::app()->createUrl("'.app()->controller->id.'/update", array("id"=>$data->id))', ), ), ), array ( 'class'=>'CButtonColumn', 'template'=>'{delete}', 'buttons'=>array ( 'delete' => array ( 'label'=>t('Delete'), 'imageUrl'=>false, ), ), ), ), )); ?> <div class="clear"></div> </div> </div> <!-- //Render Partial for Javascript Stuff --> <?php $this->render('cmswidgets.views.themes.themes_form_javascript',array('model'=>$model,'form'=>$form)); ?>
{ "content_hash": "7caf321a5a3099bec697c75c13b350be", "timestamp": "", "source": "github", "line_count": 180, "max_line_length": 183, "avg_line_length": 35.45, "alnum_prop": 0.5018022253565272, "repo_name": "troikaitsulutions/templeadvisor", "id": "9dd9a1bc81b6877fc615171c2ee8ec6a483993f6", "size": "6381", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "protected/widgets/views/themes/themes_form_widget.php", "mode": "33188", "license": "bsd-3-clause", "language": [ { "name": "ASP", "bytes": "46548" }, { "name": "ApacheConf", "bytes": "7094" }, { "name": "Batchfile", "bytes": "1598" }, { "name": "CSS", "bytes": "6301031" }, { "name": "Groff", "bytes": "8203833" }, { "name": "HTML", "bytes": "7431205" }, { "name": "JavaScript", "bytes": "4942263" }, { "name": "PHP", "bytes": "38217161" }, { "name": "Ruby", "bytes": "1384" }, { "name": "Shell", "bytes": "464" } ], "symlink_target": "" }
import { Directive } from '@angular/core'; @Directive({ selector: '[appScrollParallaxBg]' }) export class ScrollParallaxBgDirective { constructor() { } }
{ "content_hash": "a6511b9570b8b56e54f3c6e9e0c719ac", "timestamp": "", "source": "github", "line_count": 10, "max_line_length": 42, "avg_line_length": 16.1, "alnum_prop": 0.7018633540372671, "repo_name": "molandim/scroll-ui", "id": "904df654ce6e526cdd9a4132cb2c620ae057f333", "size": "161", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "src/app/scroll-parallax-bg.directive.ts", "mode": "33188", "license": "mit", "language": [ { "name": "CSS", "bytes": "278" }, { "name": "HTML", "bytes": "1364" }, { "name": "JavaScript", "bytes": "1996" }, { "name": "TypeScript", "bytes": "14920" } ], "symlink_target": "" }
package microsofia.framework.distributed.slave; import java.lang.annotation.ElementType; import java.lang.annotation.Retention; import java.lang.annotation.RetentionPolicy; import java.lang.annotation.Target; import com.google.inject.BindingAnnotation; @BindingAnnotation @Target({ ElementType.FIELD, ElementType.PARAMETER, ElementType.METHOD }) @Retention(RetentionPolicy.RUNTIME) public @interface SlaveInstance { }
{ "content_hash": "72796ee6cdcf2ea458fe636b12b0bce8", "timestamp": "", "source": "github", "line_count": 13, "max_line_length": 74, "avg_line_length": 32.38461538461539, "alnum_prop": 0.836104513064133, "repo_name": "microsofia/microsofia-framework", "id": "0a039cb4560ee6717e19c9b9b663231c7d8d1cb2", "size": "421", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "distributed-object/src/main/java/microsofia/framework/distributed/slave/SlaveInstance.java", "mode": "33188", "license": "apache-2.0", "language": [ { "name": "Batchfile", "bytes": "159" }, { "name": "Java", "bytes": "190354" } ], "symlink_target": "" }
/* -*- Mode: C; c-basic-offset:4 ; indent-tabs-mode:nil ; -*- */ /* * * (C) 2003 by Argonne National Laboratory. * See COPYRIGHT in top-level directory. */ #include "mpi.h" #include <stdio.h> #include "mpitest.h" /* static char MTEST_Descrip[] = "Put with Post/Start/Complete/Wait"; */ int main( int argc, char *argv[] ) { int errs = 0, err; int rank, size, source, dest; int minsize = 2, count; MPI_Comm comm; MPI_Win win; MPI_Aint extent; MPI_Group wingroup, neighbors; MTestDatatype sendtype, recvtype; MTest_Init( &argc, &argv ); /* The following illustrates the use of the routines to run through a selection of communicators and datatypes. Use subsets of these for tests that do not involve combinations of communicators, datatypes, and counts of datatypes */ while (MTestGetIntracommGeneral( &comm, minsize, 1 )) { if (comm == MPI_COMM_NULL) continue; /* Determine the sender and receiver */ MPI_Comm_rank( comm, &rank ); MPI_Comm_size( comm, &size ); source = 0; dest = size - 1; MTEST_DATATYPE_FOR_EACH_COUNT(count) { while (MTestGetDatatypes( &sendtype, &recvtype, count )) { /* Make sure that everyone has a recv buffer */ recvtype.InitBuf( &recvtype ); MPI_Type_extent( recvtype.datatype, &extent ); MPI_Win_create( recvtype.buf, recvtype.count * extent, (int)extent, MPI_INFO_NULL, comm, &win ); MPI_Win_get_group( win, &wingroup ); if (rank == source) { /* To improve reporting of problems about operations, we change the error handler to errors return */ MPI_Win_set_errhandler( win, MPI_ERRORS_RETURN ); sendtype.InitBuf( &sendtype ); /* Neighbor is dest only */ MPI_Group_incl( wingroup, 1, &dest, &neighbors ); err = MPI_Win_start( neighbors, 0, win ); if (err) { errs++; if (errs < 10) { MTestPrintError( err ); } } MPI_Group_free( &neighbors ); err = MPI_Put( sendtype.buf, sendtype.count, sendtype.datatype, dest, 0, recvtype.count, recvtype.datatype, win ); if (err) { errs++; MTestPrintError( err ); } err = MPI_Win_complete( win ); if (err) { errs++; if (errs < 10) { MTestPrintError( err ); } } } else if (rank == dest) { MPI_Group_incl( wingroup, 1, &source, &neighbors ); MPI_Win_post( neighbors, 0, win ); MPI_Group_free( &neighbors ); MPI_Win_wait( win ); /* This should have the same effect, in terms of transfering data, as a send/recv pair */ err = MTestCheckRecv( 0, &recvtype ); if (err) { errs += errs; } } else { /* Nothing; the other processes need not call any MPI routines */ ; } MPI_Win_free( &win ); MTestFreeDatatype( &sendtype ); MTestFreeDatatype( &recvtype ); MPI_Group_free( &wingroup ); } } MTestFreeComm( &comm ); } MTest_Finalize( errs ); MPI_Finalize(); return 0; }
{ "content_hash": "ef2e7e206da0613b3edb8cc0dc3f5639", "timestamp": "", "source": "github", "line_count": 109, "max_line_length": 71, "avg_line_length": 27.862385321100916, "alnum_prop": 0.5966414224563714, "repo_name": "syftalent/dist-sys-exercises-1", "id": "fb05df589387255343644f2df96499f4f33dbdfb", "size": "3037", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "lec-6/mpi/mpich-3.1.4/test/mpi/rma/putpscw1.c", "mode": "33188", "license": "mit", "language": [ { "name": "C", "bytes": "18527504" }, { "name": "C++", "bytes": "371333" }, { "name": "CSS", "bytes": "2594" }, { "name": "FORTRAN", "bytes": "1807643" }, { "name": "Groff", "bytes": "82714" }, { "name": "HTML", "bytes": "115" }, { "name": "Java", "bytes": "50567" }, { "name": "Makefile", "bytes": "291868" }, { "name": "Objective-C", "bytes": "2350" }, { "name": "PHP", "bytes": "51" }, { "name": "Perl", "bytes": "288111" }, { "name": "Python", "bytes": "2429" }, { "name": "Ruby", "bytes": "2922" }, { "name": "Shell", "bytes": "169588" }, { "name": "TeX", "bytes": "262609" }, { "name": "XSLT", "bytes": "3178" } ], "symlink_target": "" }
package cn.mapway.ui.client.modules.baidu; import cn.mapway.ui.client.mvc.BaseAbstractModule; import cn.mapway.ui.client.mvc.IModule; import cn.mapway.ui.client.mvc.ModuleMarker; import cn.mapway.ui.client.mvc.ModuleParameter; import com.google.gwt.core.client.GWT; import com.google.gwt.dom.client.Element; import com.google.gwt.dom.client.Style.Unit; import com.google.gwt.event.dom.client.ClickEvent; import com.google.gwt.event.dom.client.ClickHandler; import com.google.gwt.uibinder.client.UiBinder; import com.google.gwt.uibinder.client.UiField; import com.google.gwt.user.client.ui.Button; import com.google.gwt.user.client.ui.HTMLPanel; import com.google.gwt.user.client.ui.TextBox; import com.google.gwt.user.client.ui.Widget; @ModuleMarker(value = BaiduModule.MODULE_CODE, name = "百度模块", summary = "XXXXXX", icon = "help.png") public class BaiduModule extends BaseAbstractModule { public static final String MODULE_CODE = "MC_BAIDU"; @Override public String getModuleCode() { return MODULE_CODE; } private static BaiduModuleUiBinder uiBinder = GWT.create(BaiduModuleUiBinder.class); interface BaiduModuleUiBinder extends UiBinder<Widget, BaiduModule> { } public BaiduModule() { initWidget(uiBinder.createAndBindUi(this)); Button btn = new Button("tets"); btn.addClickHandler(new ClickHandler() { @Override public void onClick(ClickEvent event) { if (b) { tr.getStyle().setHeight(1, Unit.PX); b = false; } else { tr.getStyle().setHeight(20, Unit.PX); b = true; } } }); root.add(btn); txt.getElement().setAttribute("placeholder", "DEBUG_ID_PREFIX"); } @Override public boolean initialize(IModule parentModule, ModuleParameter parameters) { boolean b = super.initialize(parentModule, parameters); if (parentModule != null) { parentModule.updateTools(new Button("Back")); } return b; } @Override public Widget getRootWidget() { return this; } @UiField Element tr; boolean b = true; @UiField HTMLPanel root; @UiField TextBox txt; }
{ "content_hash": "1af1a817381e105749cfa93aaed6e5e1", "timestamp": "", "source": "github", "line_count": 85, "max_line_length": 100, "avg_line_length": 26.152941176470588, "alnum_prop": 0.6783625730994152, "repo_name": "mapway/mapway-ui-frame", "id": "f99f8c5aa4641da9a2ef6684557a89d8fbcfe467", "size": "2231", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "src/main/java/cn/mapway/ui/client/modules/baidu/BaiduModule.java", "mode": "33188", "license": "apache-2.0", "language": [ { "name": "CSS", "bytes": "54592" }, { "name": "HTML", "bytes": "420" }, { "name": "Java", "bytes": "348552" } ], "symlink_target": "" }
<?php /** * @author Marcel Edmund Franke <[email protected]> */ namespace AppBundle\Repository; use Donutloop\RestfulApiWorkflowBundle\Library\DatabaseWorkflowRepositoryInterface; use Donutloop\RestfulApiWorkflowBundle\Library\Repository; /** * Class UserRepository * * @package AppBundle\Repository */ class UserRepository extends Repository implements DatabaseWorkflowRepositoryInterface { }
{ "content_hash": "cc2c17ad497e19455eabefad48de51c5", "timestamp": "", "source": "github", "line_count": 18, "max_line_length": 86, "avg_line_length": 22.944444444444443, "alnum_prop": 0.8135593220338984, "repo_name": "donutloop/Blog-Restful-api-Symfony-", "id": "85e28c06e39470a30a2bd092c0637cb44538c816", "size": "413", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "src/AppBundle/Repository/UserRepository.php", "mode": "33188", "license": "mit", "language": [ { "name": "ApacheConf", "bytes": "3605" }, { "name": "PHP", "bytes": "133954" }, { "name": "Shell", "bytes": "1056" } ], "symlink_target": "" }
<?php Class Post extends MY_controller{ function __construct() { parent::__construct(); $this->load->model('product_model'); } function index() { $this->load->model('catalog_model'); $input_catalog['where'] = array('parent_id' => 0); $catalogs = $this->catalog_model->get_list($input_catalog); foreach ($catalogs as $row) { $input_catalog['where'] = array('parent_id' => $row->id); $subs = $this->catalog_model->get_list($input_catalog); $row->subs = $subs; } $this->data['catalogs'] = $catalogs; $this->load->library('form_validation'); $this->load->helper('form'); $this->load->model('user_model'); $user_id = $this->session->userdata('user_id'); $input['where'] = array('id' => $user_id ); $info= $this->user_model->get_list($input); $this ->data['info']=$info; //neu ma co du lieu post len thi kiem tra if($this->input->post()) { $this->form_validation->set_rules('p_name', 'Tên', 'required|min_length[8]'); $this->form_validation->set_rules('p_email', 'Email đăng nhập', 'required|min_length[8]'); $this->form_validation->set_rules('p_phone', 'Số điện thoại', 'required|min_length[8]|numeric'); $this->form_validation->set_rules('p_number', 'Số lượng', 'required|numeric'); $this->form_validation->set_rules('catalog', 'Danh Mục', 'required'); $this->form_validation->set_rules('p_address', 'Địa chỉ', 'required|min_length[8]'); $this->form_validation->set_rules('p_product_name', 'Tên sản phẩm', 'required|min_length[8]'); $this->form_validation->set_rules('p_content', 'Nội dung', 'required|min_length[8]'); //nhập liệu chính xác if($this->form_validation->run()) { //them vao csdl $name = $this->input->post('p_name'); $email = $this->input->post('p_email'); $address = $this->input->post('p_address'); $phone = $this->input->post('p_phone'); $number = $this->input->post('p_number'); $product_name = $this->input->post('p_product_name'); $content =$this->input->post('p_content'); $catalog_id = $this->input->post('catalog'); $user_id = $this->session->userdata('user_id'); $this->load->library('upload_library'); $upload_path = './upload/product'; $upload_data = $this->upload_library->upload($upload_path, 'image'); $image_link = ''; if(isset($upload_data['file_name'])) { $image_link = $upload_data['file_name']; } $image_list = array(); $image_list = $this->upload_library->upload_file($upload_path, 'image_list'); $image_list = json_encode($image_list); $data = array( 'user_name' => $name, 'email' => $email, 'catalog_id'=>$catalog_id, 'image_link' => $image_link, 'image_list' => $image_list, 'address'=> $address, 'phone' => $phone, 'number'=> $number, 'product_name' => $product_name, 'content'=> $content, 'user_id'=> $user_id, 'impression' => 1, 'created' => now(), ); if($this->product_model->create($data)) { //tạo ra nội dung thông báo $this->session->set_flashdata('message', 'Bài đăng thành công'); }else{ $this->session->set_flashdata('message', 'Không đăng bài được '); } //chuyen tới trang danh sách quản trị viên redirect(user_url('post')); } } $this->load->view('site/post/index',$this->data); } } ?>
{ "content_hash": "b1a13bdd52eb580daade54deac2a1022", "timestamp": "", "source": "github", "line_count": 119, "max_line_length": 99, "avg_line_length": 28.974789915966387, "alnum_prop": 0.5756960556844548, "repo_name": "anhptse03395/emarket", "id": "8912dd2a562118a01c9614f8a1407460fbb8cbbb", "size": "3512", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "application/controllers/user/Post.php", "mode": "33188", "license": "mit", "language": [ { "name": "ApacheConf", "bytes": "1189" }, { "name": "CSS", "bytes": "520567" }, { "name": "HTML", "bytes": "533631" }, { "name": "JavaScript", "bytes": "1536201" }, { "name": "PHP", "bytes": "2011042" } ], "symlink_target": "" }
import {getCompilerFacade} from '../../compiler/compiler_facade'; import {reflectDependencies} from '../../di/jit/util'; import {Type} from '../../interface/type'; import {Pipe} from '../../metadata/directives'; import {NG_PIPE_DEF} from '../fields'; import {renderStringify} from '../util/misc_utils'; import {angularCoreEnv} from './environment'; export function compilePipe(type: Type<any>, meta: Pipe): void { let ngPipeDef: any = null; Object.defineProperty(type, NG_PIPE_DEF, { get: () => { if (ngPipeDef === null) { ngPipeDef = getCompilerFacade().compilePipe( angularCoreEnv, `ng://${renderStringify(type)}/ngPipeDef.js`, { type: type, name: type.name, deps: reflectDependencies(type), pipeName: meta.name, pure: meta.pure !== undefined ? meta.pure : true }); } return ngPipeDef; }, // Make the property configurable in dev mode to allow overriding in tests configurable: !!ngDevMode, }); }
{ "content_hash": "be7d9170672785e4696422612acfc3c5", "timestamp": "", "source": "github", "line_count": 31, "max_line_length": 78, "avg_line_length": 33.70967741935484, "alnum_prop": 0.6095693779904306, "repo_name": "hansl/angular", "id": "bf1ea25e920a9fec14a9db4baf871c66175ba70f", "size": "1247", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "packages/core/src/render3/jit/pipe.ts", "mode": "33188", "license": "mit", "language": [ { "name": "Batchfile", "bytes": "247" }, { "name": "CSS", "bytes": "337345" }, { "name": "Dockerfile", "bytes": "14627" }, { "name": "HTML", "bytes": "327986" }, { "name": "JSONiq", "bytes": "410" }, { "name": "JavaScript", "bytes": "794437" }, { "name": "PHP", "bytes": "7222" }, { "name": "PowerShell", "bytes": "4229" }, { "name": "Python", "bytes": "329250" }, { "name": "Shell", "bytes": "67724" }, { "name": "TypeScript", "bytes": "17127977" } ], "symlink_target": "" }
package main import ( "fmt" "log" "os" "strings" "github.com/aws/aws-sdk-go/aws" "github.com/aws/aws-sdk-go/aws/session" "github.com/aws/aws-sdk-go/service/ec2" ) // This example will list instances with a filter // // Usage: // filter_ec2_by_tag <name_filter> func main() { sess := session.Must(session.NewSession()) nameFilter := os.Args[1] awsRegion := "us-east-1" svc := ec2.New(sess, &aws.Config{Region: aws.String(awsRegion)}) fmt.Printf("listing instances with tag %v in: %v\n", nameFilter, awsRegion) params := &ec2.DescribeInstancesInput{ Filters: []*ec2.Filter{ { Name: aws.String("tag:Name"), Values: []*string{ aws.String(strings.Join([]string{"*", nameFilter, "*"}, "")), }, }, }, } resp, err := svc.DescribeInstances(params) if err != nil { fmt.Println("there was an error listing instances in", awsRegion, err.Error()) log.Fatal(err.Error()) } fmt.Printf("%+v\n", *resp) }
{ "content_hash": "4399113e7d7f358e8bc8e5a6caf062ad", "timestamp": "", "source": "github", "line_count": 41, "max_line_length": 80, "avg_line_length": 22.951219512195124, "alnum_prop": 0.6429330499468651, "repo_name": "jasdel/aws-sdk-go", "id": "cb3a7166d07e4e3d6164ebf14bf87e72f38e8307", "size": "979", "binary": false, "copies": "3", "ref": "refs/heads/main", "path": "example/service/ec2/filterInstances/filter_ec2_by_tag.go", "mode": "33188", "license": "apache-2.0", "language": [ { "name": "Go", "bytes": "3378931" }, { "name": "Makefile", "bytes": "6128" }, { "name": "Roff", "bytes": "1330" } ], "symlink_target": "" }
<?php namespace Bkwld\LaravelHaml; // Dependencies use Illuminate\View\Compilers\BladeCompiler; use Illuminate\View\Compilers\CompilerInterface; use Illuminate\Filesystem\Filesystem; use MtHaml\Environment; class HamlBladeCompiler extends BladeCompiler implements CompilerInterface { /** * The MtHaml instance. * * @var \MtHaml\Environment */ protected $mthaml; /** * Create a new compiler instance. * * @param \MtHaml\Environment $mthaml * @param \Illuminate\Filesystem\Filesystem $files * @param string $cachePath * @return void */ public function __construct(Environment $mthaml, Filesystem $files, $cachePath) { $this->mthaml = $mthaml; parent::__construct($files, $cachePath); } /** * Compile the view at the given path. * * @param string $path * @return void */ public function compile($path) { $this->footer = array(); if (is_null($this->cachePath)) return; // First compile the Haml $contents = $this->mthaml->compileString($this->files->get($path), $path); // Then the Blade syntax $contents = $this->compileString($contents); // Save $this->files->put($this->getCompiledPath($path), $contents); } }
{ "content_hash": "b0bb4a5150eb5fac67d9085ff8c89d2c", "timestamp": "", "source": "github", "line_count": 53, "max_line_length": 80, "avg_line_length": 22.433962264150942, "alnum_prop": 0.6871320437342304, "repo_name": "Bit22/laravel-haml", "id": "656dd520c4005fc486ceeceaf86e9c443d91c15a", "size": "1189", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "src/Bkwld/LaravelHaml/HamlBladeCompiler.php", "mode": "33188", "license": "mit", "language": [ { "name": "PHP", "bytes": "6383" } ], "symlink_target": "" }
package org.jfree.util; import java.util.Enumeration; import java.util.Iterator; /** * A wrapper for the extended configuration interface around a plain configuration. * * @author Thomas Morgner */ public class ExtendedConfigurationWrapper implements ExtendedConfiguration { /** The base configuration. */ private Configuration parent; /** * Creates a wrapper around the given configuration. * * @param parent the wrapped up configuration. * @throws NullPointerException if the parent is null. */ public ExtendedConfigurationWrapper (final Configuration parent) { if (parent == null) { throw new NullPointerException("Parent given must not be null"); } this.parent = parent; } /** * Returns the boolean value of a given configuration property. The boolean value true * is returned, if the contained string is equal to 'true'. * * @param name the name of the property * @return the boolean value of the property. */ public boolean getBoolProperty (final String name) { return getBoolProperty(name, false); } /** * Returns the boolean value of a given configuration property. The boolean value true * is returned, if the contained string is equal to 'true'. If the property is not set, * the default value is returned. * * @param name the name of the property * @param defaultValue the default value to be returned if the property is not set * @return the boolean value of the property. */ public boolean getBoolProperty (final String name, final boolean defaultValue) { return "true".equals(parent.getConfigProperty(name, String.valueOf(defaultValue))); } /** * Returns a given property as int value. Zero is returned if the * property value is no number or the property is not set. * * @param name the name of the property * @return the parsed number value or zero */ public int getIntProperty (final String name) { return getIntProperty(name, 0); } /** * Returns a given property as int value. The specified default value is returned if the * property value is no number or the property is not set. * * @param name the name of the property * @param defaultValue the value to be returned if the property is no integer value * @return the parsed number value or the specified default value */ public int getIntProperty (final String name, final int defaultValue) { final String retval = parent.getConfigProperty(name); if (retval == null) { return defaultValue; } try { return Integer.parseInt(retval); } catch (Exception e) { return defaultValue; } } /** * Checks, whether a given property is defined. * * @param name the name of the property * @return true, if the property is defined, false otherwise. */ public boolean isPropertySet (final String name) { return parent.getConfigProperty(name) != null; } /** * Returns all keys with the given prefix. * * @param prefix the prefix * @return the iterator containing all keys with that prefix */ public Iterator findPropertyKeys (final String prefix) { return parent.findPropertyKeys(prefix); } /** * Returns the configuration property with the specified key. * * @param key the property key. * @return the property value. */ public String getConfigProperty (final String key) { return parent.getConfigProperty(key); } /** * Returns the configuration property with the specified key (or the specified default * value if there is no such property). * <p/> * If the property is not defined in this configuration, the code will lookup the * property in the parent configuration. * * @param key the property key. * @param defaultValue the default value. * @return the property value. */ public String getConfigProperty (final String key, final String defaultValue) { return parent.getConfigProperty(key, defaultValue); } public Enumeration getConfigProperties() { return parent.getConfigProperties(); } public Object clone () throws CloneNotSupportedException { ExtendedConfigurationWrapper wrapper = (ExtendedConfigurationWrapper) super.clone(); wrapper.parent = (Configuration) parent.clone(); return parent; } }
{ "content_hash": "82e00922203c2bd72d4a1df8ebdd68f3", "timestamp": "", "source": "github", "line_count": 159, "max_line_length": 90, "avg_line_length": 27.937106918238992, "alnum_prop": 0.6828005402971634, "repo_name": "ibestvina/multithread-centiscape", "id": "403f67fa344fd3ef4e29a86d39db3fb3ea8c45cd", "size": "6115", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "CentiScaPe2.1/src/main/java/org/jfree/util/ExtendedConfigurationWrapper.java", "mode": "33188", "license": "mit", "language": [ { "name": "HTML", "bytes": "13956" }, { "name": "Java", "bytes": "9360441" } ], "symlink_target": "" }
import { Meteor } from 'meteor/meteor'; import { _Bookmark } from '../bookmarks'; import { isAuthRequired } from '../../config/config'; Meteor.publish('bookmarks', function getBookmarks() { if (!isAuthRequired()) { this.ready(); } return _Bookmark.find({}); });
{ "content_hash": "9f0ad4e85232710e9fadef38b4a2c778", "timestamp": "", "source": "github", "line_count": 10, "max_line_length": 53, "avg_line_length": 27.3, "alnum_prop": 0.6446886446886447, "repo_name": "SparkEdUAB/SparkEd", "id": "ef042347b1a3d71ecd78a82b88ea4e218f33b94c", "size": "273", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "imports/api/bookmarks/server/publications.js", "mode": "33188", "license": "mit", "language": [ { "name": "CSS", "bytes": "17660" }, { "name": "Dockerfile", "bytes": "37" }, { "name": "HTML", "bytes": "1050" }, { "name": "JavaScript", "bytes": "432741" }, { "name": "Shell", "bytes": "2891" } ], "symlink_target": "" }
<!DOCTYPE html> <html lang="en"> <head> <meta charset="utf-8"> <meta name="viewport" content="width=device-width, initial-scale=1"> <title>bbv: Not compatible 👼</title> <link rel="shortcut icon" type="image/png" href="../../../../../favicon.png" /> <link href="../../../../../bootstrap.min.css" rel="stylesheet"> <link href="../../../../../bootstrap-custom.css" rel="stylesheet"> <link href="//maxcdn.bootstrapcdn.com/font-awesome/4.2.0/css/font-awesome.min.css" rel="stylesheet"> <script src="../../../../../moment.min.js"></script> <!-- HTML5 Shim and Respond.js IE8 support of HTML5 elements and media queries --> <!-- WARNING: Respond.js doesn't work if you view the page via file:// --> <!--[if lt IE 9]> <script src="https://oss.maxcdn.com/html5shiv/3.7.2/html5shiv.min.js"></script> <script src="https://oss.maxcdn.com/respond/1.4.2/respond.min.js"></script> <![endif]--> </head> <body> <div class="container"> <div class="navbar navbar-default" role="navigation"> <div class="container-fluid"> <div class="navbar-header"> <a class="navbar-brand" href="../../../../.."><i class="fa fa-lg fa-flag-checkered"></i> Coq bench</a> </div> <div id="navbar" class="collapse navbar-collapse"> <ul class="nav navbar-nav"> <li><a href="../..">clean / released</a></li> <li class="active"><a href="">8.14.1 / bbv - 1.1</a></li> </ul> </div> </div> </div> <div class="article"> <div class="row"> <div class="col-md-12"> <a href="../..">« Up</a> <h1> bbv <small> 1.1 <span class="label label-info">Not compatible 👼</span> </small> </h1> <p>📅 <em><script>document.write(moment("2022-05-17 07:36:45 +0000", "YYYY-MM-DD HH:mm:ss Z").fromNow());</script> (2022-05-17 07:36:45 UTC)</em><p> <h2>Context</h2> <pre># Packages matching: installed # Name # Installed # Synopsis base-bigarray base base-threads base base-unix base conf-findutils 1 Virtual package relying on findutils conf-gmp 4 Virtual package relying on a GMP lib system installation coq 8.14.1 Formal proof management system dune 3.1.1 Fast, portable, and opinionated build system ocaml 4.14.0 The OCaml compiler (virtual package) ocaml-base-compiler 4.14.0 Official release 4.14.0 ocaml-config 2 OCaml Switch Configuration ocaml-options-vanilla 1 Ensure that OCaml is compiled with no special options enabled ocamlfind 1.9.3 A library manager for OCaml zarith 1.12 Implements arithmetic and logical operations over arbitrary-precision integers # opam file: opam-version: &quot;2.0&quot; maintainer: &quot;[email protected]&quot; homepage: &quot;https://github.com/mit-plv/bbv&quot; dev-repo: &quot;git://[email protected]:mit-plv/bbv.git&quot; bug-reports: &quot;https://github.com/mit-plv/bbv/issues&quot; authors: [&quot;Tej Chajed&quot; &quot;Haogang Chen&quot; &quot;Adam Chlipala&quot; &quot;Joonwon Choi&quot; &quot;Andres Erbsen&quot; &quot;Jason Gross&quot; &quot;Samuel Gruetter&quot; &quot;Frans Kaashoek&quot; &quot;Alex Konradi&quot; &quot;Gregory Malecha&quot; &quot;Duckki Oe&quot; &quot;Murali Vijayaraghavan&quot; &quot;Nickolai Zeldovich&quot; &quot;Daniel Ziegler&quot; ] license: &quot;MIT&quot; build: [ [make &quot;-j%{jobs}%&quot;] ] install: [ [make &quot;install&quot;] ] depends: [ &quot;ocaml&quot; &quot;coq&quot; {&gt;= &quot;8.9&quot; &amp; &lt; &quot;8.11~&quot;} ] synopsis: &quot;An implementation of bitvectors in Coq.&quot; url { src: &quot;https://github.com/mit-plv/bbv/archive/v1.1.tar.gz&quot; checksum: &quot;sha256=3fc85baf53175cd82f6e9b2b33cafa7148349974dc8443fca5cc99d72beb6e5f&quot; } </pre> <h2>Lint</h2> <dl class="dl-horizontal"> <dt>Command</dt> <dd><code>true</code></dd> <dt>Return code</dt> <dd>0</dd> </dl> <h2>Dry install 🏜️</h2> <p>Dry install with the current Coq version:</p> <dl class="dl-horizontal"> <dt>Command</dt> <dd><code>opam install -y --show-action coq-bbv.1.1 coq.8.14.1</code></dd> <dt>Return code</dt> <dd>5120</dd> <dt>Output</dt> <dd><pre>[NOTE] Package coq is already installed (current version is 8.14.1). The following dependencies couldn&#39;t be met: - coq-bbv -&gt; coq &lt; 8.11~ -&gt; ocaml &lt; 4.10 base of this switch (use `--unlock-base&#39; to force) No solution found, exiting </pre></dd> </dl> <p>Dry install without Coq/switch base, to test if the problem was incompatibility with the current Coq/OCaml version:</p> <dl class="dl-horizontal"> <dt>Command</dt> <dd><code>opam remove -y coq; opam install -y --show-action --unlock-base coq-bbv.1.1</code></dd> <dt>Return code</dt> <dd>0</dd> </dl> <h2>Install dependencies</h2> <dl class="dl-horizontal"> <dt>Command</dt> <dd><code>true</code></dd> <dt>Return code</dt> <dd>0</dd> <dt>Duration</dt> <dd>0 s</dd> </dl> <h2>Install 🚀</h2> <dl class="dl-horizontal"> <dt>Command</dt> <dd><code>true</code></dd> <dt>Return code</dt> <dd>0</dd> <dt>Duration</dt> <dd>0 s</dd> </dl> <h2>Installation size</h2> <p>No files were installed.</p> <h2>Uninstall 🧹</h2> <dl class="dl-horizontal"> <dt>Command</dt> <dd><code>true</code></dd> <dt>Return code</dt> <dd>0</dd> <dt>Missing removes</dt> <dd> none </dd> <dt>Wrong removes</dt> <dd> none </dd> </dl> </div> </div> </div> <hr/> <div class="footer"> <p class="text-center"> Sources are on <a href="https://github.com/coq-bench">GitHub</a> © Guillaume Claret 🐣 </p> </div> </div> <script src="https://ajax.googleapis.com/ajax/libs/jquery/1.11.1/jquery.min.js"></script> <script src="../../../../../bootstrap.min.js"></script> </body> </html>
{ "content_hash": "3e52ef2741e31c542d80794b24d3e2b0", "timestamp": "", "source": "github", "line_count": 177, "max_line_length": 159, "avg_line_length": 39.49152542372882, "alnum_prop": 0.5261802575107296, "repo_name": "coq-bench/coq-bench.github.io", "id": "be177bbd27f5038ef35ed757aba90861aebc0f1b", "size": "7015", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "clean/Linux-x86_64-4.14.0-2.0.10/released/8.14.1/bbv/1.1.html", "mode": "33188", "license": "mit", "language": [], "symlink_target": "" }
class SuperTestBaseNoArg { constructor() {} } class SuperTestBaseOneArg { /** * @param {number} x */ constructor(public x: number) {} static _tsickle_typeAnnotationsHelper() { /** @type {number} */ SuperTestBaseOneArg.prototype.x; } } // A ctor with a parameter property. class SuperTestDerivedParamProps extends SuperTestBaseOneArg { /** * @param {string} y */ constructor(public y: string) { super(3); } static _tsickle_typeAnnotationsHelper() { /** @type {string} */ SuperTestDerivedParamProps.prototype.y; } } // A ctor with an initialized property. class SuperTestDerivedInitializedProps extends SuperTestBaseOneArg { y: string = 'foo'; constructor() { super(3); } static _tsickle_typeAnnotationsHelper() { /** @type {string} */ SuperTestDerivedInitializedProps.prototype.y; } } // A ctor with a super() but none of the above two details. class SuperTestDerivedOrdinary extends SuperTestBaseOneArg { constructor() { super(3); } } // A class without a ctor, extending a one-arg ctor parent. class SuperTestDerivedNoCTorNoArg extends SuperTestBaseNoArg { } // A class without a ctor, extending a no-arg ctor parent. class SuperTestDerivedNoCTorOneArg extends SuperTestBaseOneArg { // NOTE: if this has any properties, we fail to generate it // properly because we generate a constructor that doesn't know // how to properly call the parent class's super(). } /** @record */ function SuperTestInterface() {} /** @type {number} */ SuperTestInterface.prototype.foo; interface SuperTestInterface { foo: number; } // A class implementing an interface. class SuperTestDerivedInterface implements SuperTestInterface { foo: number; static _tsickle_typeAnnotationsHelper() { /** @type {number} */ SuperTestDerivedInterface.prototype.foo; } } class SuperTestStaticProp extends SuperTestBaseOneArg { static foo = 3; static _tsickle_typeAnnotationsHelper() { /** @type {number} */ SuperTestStaticProp.foo; } }
{ "content_hash": "0f86dc829270280429a0ca278e179573", "timestamp": "", "source": "github", "line_count": 94, "max_line_length": 68, "avg_line_length": 21.095744680851062, "alnum_prop": 0.7256681795259707, "repo_name": "hess-g/tsickle", "id": "0a0ebb4f926ea0aeec58e43089e3cc2a03350f50", "size": "1983", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "test_files/super/super.tsickle.ts", "mode": "33188", "license": "mit", "language": [ { "name": "JavaScript", "bytes": "47197" }, { "name": "TypeScript", "bytes": "176296" } ], "symlink_target": "" }
package org.mercycorps.translationcards.porting; import android.content.Context; import android.net.Uri; import org.mercycorps.translationcards.data.DbManager; import org.mercycorps.translationcards.data.Deck; import org.mercycorps.translationcards.data.Dictionary; import java.io.File; import java.io.FileInputStream; import java.io.FileNotFoundException; import java.io.FileOutputStream; import java.io.IOException; import java.io.InputStream; import java.io.OutputStream; import java.math.BigInteger; import java.security.MessageDigest; import java.security.NoSuchAlgorithmException; import java.util.ArrayList; import java.util.HashMap; import java.util.List; import java.util.Map; import java.util.Random; import java.util.Scanner; import java.util.zip.ZipEntry; import java.util.zip.ZipInputStream; import java.util.zip.ZipOutputStream; /** * Class to handle constructing and reading .txc files. * * @author [email protected] (Nick Worden) */ public class TxcPortingUtility { private static final String INDEX_FILENAME = "card_deck.csv"; private static final String ALT_INDEX_FILENAME = "card_deck.txt"; private static final int BUFFER_SIZE = 2048; public void exportData(Deck deck, String exportedDeckName, Dictionary[] dictionaries, File file) throws ExportException { ZipOutputStream zos = null; try { OutputStream os; try { os = new FileOutputStream(file); } catch (FileNotFoundException e) { throw new ExportException(ExportException.ExportProblem.TARGET_FILE_NOT_FOUND, e); } zos = new ZipOutputStream(os); Map<String, Dictionary.Translation> translationFilenames = buildIndex(deck, exportedDeckName, dictionaries, zos); for (String filename : translationFilenames.keySet()) { addFileToZip(filename, translationFilenames.get(filename), zos); } } catch (ExportException e) { if (zos != null) { try { zos.close(); } catch (IOException ignored) { // Do nothing, we've failed already anyway. } } file.delete(); throw e; } try { zos.close(); } catch (IOException e) { throw new ExportException(ExportException.ExportProblem.WRITE_ERROR, e); } } private Map<String, Dictionary.Translation> buildIndex( Deck deck, String exportedDeckname, Dictionary[] dictionaries, ZipOutputStream zos) throws ExportException { Map<String, Dictionary.Translation> translationFilenames = new HashMap<>(); try { zos.putNextEntry(new ZipEntry(INDEX_FILENAME)); String metaLine = String.format("META:%s|%s|%s|%d\n", exportedDeckname, deck.getPublisher(), deck.getExternalId() == null ? "" : deck.getExternalId(), deck.getTimestamp()); zos.write(metaLine.getBytes()); for (Dictionary dictionary : dictionaries) { String language = dictionary.getLabel(); for (int i = 0; i < dictionary.getTranslationCount(); i++) { Dictionary.Translation translation = dictionary.getTranslation(i); String translationFilename = buildUniqueFilename( translation, translationFilenames); translationFilenames.put(translationFilename, translation); String line = String.format("%s|%s|%s|%s\n", translation.getLabel(), translationFilename, language, translation.getTranslatedText()); zos.write(line.getBytes()); } } zos.closeEntry(); } catch (IOException e) { throw new ExportException(ExportException.ExportProblem.WRITE_ERROR, e); } return translationFilenames; } private String buildUniqueFilename( Dictionary.Translation translation, Map<String, Dictionary.Translation> translationFilenames) throws ExportException { String baseName = new File(translation.getFilename()).getName(); if (!translationFilenames.containsKey(baseName)) { return baseName; } int appendage = 2; while (appendage < 100) { // We have to have this cut off at some point. If someone has 100 files of the same name // somehow, this is going to fail for them. String name = String.format("%s-%d", baseName, appendage); if (!translationFilenames.containsKey(name)) { return name; } appendage++; } throw new ExportException(ExportException.ExportProblem.TOO_MANY_DUPLICATE_FILENAMES, null); } private void addFileToZip( String filename, Dictionary.Translation translation, ZipOutputStream zos) throws ExportException { try { zos.putNextEntry(new ZipEntry(filename)); FileInputStream translationInput = new FileInputStream(new File(translation.getFilename())); byte[] buffer = new byte[BUFFER_SIZE]; int read; while ((read = translationInput.read(buffer)) != -1) { zos.write(buffer, 0, read); } translationInput.close(); zos.closeEntry(); } catch (IOException e) { throw new ExportException(ExportException.ExportProblem.WRITE_ERROR, e); } } public ImportInfo prepareImport(Context context, Uri source) throws ImportException { String hash = getFileHash(context, source); ZipInputStream zip = getZip(context, source); String filename = source.getLastPathSegment(); File targetDir = getImportTargetDirectory(context, filename); String indexFilename = readFiles(zip, targetDir); return getIndex(targetDir, indexFilename, filename, hash); } public void executeImport(Context context, ImportInfo importInfo) throws ImportException { loadData(context, importInfo); } public void abortImport(Context context, ImportInfo importInfo) { importInfo.dir.delete(); } public boolean isExistingDeck(Context context, ImportInfo importInfo) { DbManager dbm = new DbManager(context); return dbm.hasDeckWithHash(importInfo.hash); } public long otherVersionExists(Context context, ImportInfo importInfo) { DbManager dbm = new DbManager(context); return dbm.hasDeckWithExternalId(importInfo.externalId); } private String getFileHash(Context context, Uri source) throws ImportException { InputStream inputStream = null; try { inputStream = context.getContentResolver().openInputStream(source); } catch (FileNotFoundException e) { throw new ImportException(ImportException.ImportProblem.FILE_NOT_FOUND, e); } MessageDigest md = null; try { md = MessageDigest.getInstance("MD5"); } catch (NoSuchAlgorithmException e) { throw new ImportException(null, e); } try { byte[] buffer = new byte[BUFFER_SIZE]; int read; while ((read = inputStream.read(buffer)) != -1) { md.update(buffer, 0, read); } } catch (IOException e) { throw new ImportException(ImportException.ImportProblem.READ_ERROR, e); } return (new BigInteger(md.digest())).toString(16); } private ZipInputStream getZip(Context context, Uri source) throws ImportException { InputStream inputStream = null; try { inputStream = context.getContentResolver().openInputStream(source); } catch (FileNotFoundException e) { throw new ImportException(ImportException.ImportProblem.FILE_NOT_FOUND, e); } return new ZipInputStream(inputStream); } private File getImportTargetDirectory(Context context, String filename) { File recordingsDir = new File(context.getFilesDir(), "recordings"); File targetDir = new File(recordingsDir, String.format("%s-%d", filename, (new Random()).nextInt())); targetDir.mkdirs(); return targetDir; } private String readFiles(ZipInputStream zip, File targetDir) throws ImportException { String indexFilename = null; FileOutputStream outputStream = null; Exception readError = null; try { ZipEntry zipEntry; while ((zipEntry = zip.getNextEntry()) != null) { String name = zipEntry.getName(); if (INDEX_FILENAME.equals(name) || ALT_INDEX_FILENAME.equals(name)) { indexFilename = name; } outputStream = new FileOutputStream(new File(targetDir, name)); byte[] buffer = new byte[BUFFER_SIZE]; int read; while ((read = zip.read(buffer)) != -1) { outputStream.write(buffer, 0, read); } outputStream.flush(); outputStream.close(); outputStream = null; } } catch (IOException e) { readError = e; } finally { try { zip.close(); } catch (IOException e) { readError = e; } if (outputStream != null) { try { outputStream.close(); } catch (IOException e) { readError = e; } } } if (readError != null) { throw new ImportException(ImportException.ImportProblem.READ_ERROR, readError); } if (indexFilename == null) { targetDir.delete(); throw new ImportException(ImportException.ImportProblem.NO_INDEX_FILE, null); } return indexFilename; } private ImportInfo getIndex(File dir, String indexFilename, String defaultLabel, String hash) throws ImportException { String label = defaultLabel; String publisher = null; String externalId = null; long timestamp = -1; List<ImportItem> items = new ArrayList<>(); Scanner s; try { s = new Scanner(new File(dir, indexFilename)); } catch (FileNotFoundException e) { throw new ImportException(ImportException.ImportProblem.NO_INDEX_FILE, e); } boolean isFirstLine = true; while (s.hasNextLine()) { String line = s.nextLine().trim(); if (isFirstLine) { isFirstLine = false; // It was the first line; see if it's meta information. if (line.startsWith("META:")) { String[] metaLine = line.substring(5).split("\\|"); if (metaLine.length == 4) { label = metaLine[0]; publisher = metaLine[1]; externalId = metaLine[2]; timestamp = Long.valueOf(metaLine[3]); continue; } } } String[] split = line.trim().split("\\|"); if (split.length == 3) { items.add(new ImportItem(split[0], split[1], split[2], "")); } else if (split.length == 4) { items.add(new ImportItem(split[0], split[1], split[2], split[3])); } else { s.close(); throw new ImportException(ImportException.ImportProblem.INVALID_INDEX_FILE, null); } } s.close(); return new ImportInfo(label, publisher, externalId, timestamp, hash, items, dir); } private void loadData(Context context, ImportInfo importInfo) { DbManager dbm = new DbManager(context); long deckId = dbm.addDeck(importInfo.label, importInfo.publisher, importInfo.timestamp, importInfo.externalId, importInfo.hash, false); Map<String, Long> dictionaryLookup = new HashMap<>(); int dictionaryIndex = 0; // Iterate backwards through the list, because we're adding each translation at the top of // the list and want them to appear in the correct order. for (int i = importInfo.items.size() - 1; i >= 0; i--) { ImportItem item = importInfo.items.get(i); File targetFile = new File(importInfo.dir, item.name); String dictionaryLookupKey = item.language.toLowerCase(); if (!dictionaryLookup.containsKey(dictionaryLookupKey)) { long dictionaryId = dbm.addDictionary(item.language, dictionaryIndex, deckId); dictionaryIndex++; dictionaryLookup.put(dictionaryLookupKey, dictionaryId); } long dictionaryId = dictionaryLookup.get(dictionaryLookupKey); dbm.addTranslationAtTop(dictionaryId, item.text, false, targetFile.getAbsolutePath(), item.translatedText); } } public class ImportInfo { public final String label; public final String publisher; public final String externalId; public final long timestamp; public final String hash; public final List<ImportItem> items; public final File dir; public ImportInfo(String label, String publisher, String externalId, long timestamp, String hash, List<ImportItem> items, File dir) { this.label = label; this.publisher = publisher; this.externalId = externalId; this.timestamp = timestamp; this.hash = hash; this.items = items; this.dir = dir; } } private class ImportItem { public final String text; public final String name; public final String language; public final String translatedText; public ImportItem(String text, String name, String language, String translatedText) { this.text = text; this.name = name; this.language = language; this.translatedText = translatedText; } } }
{ "content_hash": "c5582e5ff37827061520172b270ade9b", "timestamp": "", "source": "github", "line_count": 365, "max_line_length": 100, "avg_line_length": 39.90958904109589, "alnum_prop": 0.5907187478547402, "repo_name": "jwishnie/translation-cards", "id": "bce51a79eeef87a8970da0d7ed4c865c000b92dc", "size": "14567", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "app/src/main/java/org/mercycorps/translationcards/porting/TxcPortingUtility.java", "mode": "33188", "license": "apache-2.0", "language": [ { "name": "Java", "bytes": "139302" }, { "name": "Shell", "bytes": "2493" } ], "symlink_target": "" }
package com.maxdemarzi.models; import lombok.Data; import java.util.ArrayList; import java.util.HashMap; @Data public class User { private String username; private String name; private String email; private String password; private String hash; private Long time; private Integer likes; private Integer posts; private Integer followers; private Integer following; private Boolean i_follow; private Boolean follows_me; private Integer followers_you_know_count; private ArrayList<HashMap<String, Object>> followers_you_know; }
{ "content_hash": "81d12f1b613555362a56bad25f01abd0", "timestamp": "", "source": "github", "line_count": 24, "max_line_length": 66, "avg_line_length": 24.291666666666668, "alnum_prop": 0.7341337907375644, "repo_name": "maxdemarzi/grittier_web", "id": "430d10b998a634bbd92de42fa3fee0a0144ad207", "size": "583", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "src/main/java/com/maxdemarzi/models/User.java", "mode": "33188", "license": "mit", "language": [ { "name": "CSS", "bytes": "3725" }, { "name": "HTML", "bytes": "31750" }, { "name": "Java", "bytes": "20146" } ], "symlink_target": "" }
namespace bro { namespace hilti { struct SpicyAnalyzerInfo; class Manager; } } namespace plugin { namespace Bro_Hilti { class Plugin : public ::plugin::Plugin { public: Plugin(); virtual ~Plugin(); bro::hilti::Manager* Mgr() const; analyzer::Tag AddAnalyzer(const std::string& name, TransportProto proto, analyzer::Tag::subtype_t stype); file_analysis::Tag AddFileAnalyzer(const std::string& name, file_analysis::Tag::subtype_t stype); void AddEvent(const std::string& name); // Forwards to Plugin::RequestEvents(), which is protectd. void RequestEvent(EventHandlerPtr handler); protected: // Overriden methods from Bro's plugin API. plugin::Configuration Configure() override; void InitPostScript() override; void InitPreScript() override; void Done() override; // We always use this hook. int HookLoadFile(const std::string& file, const std::string& ext) override; // We activate these hooks only when compiling scripts or injecting // custom HILTI code. std::pair<bool, Val*> HookCallFunction(const Func* func, Frame* parent, val_list* args) override; bool HookQueueEvent(Event* event) override; void HookUpdateNetworkTime(double network_time) override; void HookDrainEvents() override; void HookBroObjDtor(void* obj) override; private: bro::hilti::Manager* _manager; plugin::Plugin::component_list components; }; } } extern plugin::Bro_Hilti::Plugin HiltiPlugin; #endif
{ "content_hash": "c2b465e161a19496c3f53ac9575cb2c1", "timestamp": "", "source": "github", "line_count": 58, "max_line_length": 79, "avg_line_length": 27.517241379310345, "alnum_prop": 0.6629072681704261, "repo_name": "rsmmr/hilti", "id": "58cef5a7000c4a70ffc9428542b1e0f69feb33aa", "size": "1845", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "bro/src/Plugin.h", "mode": "33188", "license": "bsd-3-clause", "language": [ { "name": "Assembly", "bytes": "283220" }, { "name": "Awk", "bytes": "126" }, { "name": "Bro", "bytes": "56532" }, { "name": "C", "bytes": "3047255" }, { "name": "C++", "bytes": "3414375" }, { "name": "CMake", "bytes": "82912" }, { "name": "Groff", "bytes": "6675" }, { "name": "LLVM", "bytes": "22420" }, { "name": "Lex", "bytes": "2448" }, { "name": "M4", "bytes": "14535" }, { "name": "Makefile", "bytes": "125487" }, { "name": "Objective-C", "bytes": "5883" }, { "name": "Perl", "bytes": "1102" }, { "name": "Python", "bytes": "36750" }, { "name": "Shell", "bytes": "373231" }, { "name": "TeX", "bytes": "230259" }, { "name": "Yacc", "bytes": "4138" } ], "symlink_target": "" }
import argparse import json import logging import os from datetime import datetime import tenacity import gservices from risklimits import extract_navs, compute_high_watermark, extract_flows def from_excel_datetime(excel_date): return datetime.fromordinal(datetime(1900, 1, 1).toordinal() + int(excel_date) - 2) def from_excel_date(excel_date): return from_excel_datetime(excel_date).date() @tenacity.retry(wait=tenacity.wait_fixed(100), stop=tenacity.stop_after_attempt(5)) def main(args): full_config_path = os.path.abspath(args.config) logging.info('using config file "{}"'.format(full_config_path)) with open(full_config_path, 'r') as config_file: config = json.load(config_file) secrets_file_path = os.path.abspath(args.file_secret) logging.info('using secrets file "{}"'.format(secrets_file_path)) with open(secrets_file_path) as json_data: secrets_content = json.load(json_data) google_credential = secrets_content['google.credential'] authorized_http, credentials = gservices.authorize_services(google_credential) svc_sheet = gservices.create_service_sheets(credentials) google_sheet_flow_id = config['google.sheet.flows.id'] workbook_flows = svc_sheet.open_by_key(google_sheet_flow_id) flows = workbook_flows.worksheet_by_title('Flows EUR').get_all_records() google_sheet_nav_id = config['google.sheet.navs.id'] workbook_navs = svc_sheet.open_by_key(google_sheet_nav_id) navs = dict() for tab in workbook_navs.worksheets(): navs[tab.title] = tab.get_all_records() hwms, drawdowns = compute_high_watermark(extract_flows(flows), extract_navs(navs)) google_sheet_risk_limits_id = config['google.sheet.risk_limits.id'] workbook_risk_limits = svc_sheet.open_by_key(google_sheet_risk_limits_id) sheet_hwm = workbook_risk_limits.worksheet_by_title('Adjusted High Watermarks') sheet_drawdowns = workbook_risk_limits.worksheet_by_title('Drawdowns') header_hwms = sheet_hwm.get_row(1, returnas='matrix') header_drawdowns = sheet_drawdowns.get_row(1, returnas='matrix') hwm_update_only = False hwm_last_date_value = sheet_hwm.cell('A2').value if hwm_last_date_value == '': hwm_last_date_value = sheet_hwm.cell('A3').value last_hwm_update = datetime.strptime(hwm_last_date_value, '%Y-%m-%d').date() dd_update_only = False dd_last_date_value = sheet_drawdowns.cell('A2').value if dd_last_date_value == '': dd_last_date_value = sheet_drawdowns.cell('A3').value last_drawdown_update = datetime.strptime(dd_last_date_value, '%Y-%m-%d').date() last_hwms = hwms[hwms.index > last_hwm_update].sort_index(ascending=False) for as_of_date, row in last_hwms.iterrows(): row_data = [as_of_date.strftime('%Y-%m-%d')] for account_id in header_hwms[1:]: if account_id in row.to_dict(): value = row.to_dict()[account_id] row_data.append(float(value)) else: row_data.append(0.) if hwm_update_only: sheet_hwm.update_rows(row=1, number=1, values=[row_data]) else: sheet_hwm.insert_rows(row=1, number=1, values=[row_data]) last_drawdowns = drawdowns[drawdowns.index > last_drawdown_update].sort_index(ascending=False) for as_of_date, row in last_drawdowns.iterrows(): row_data = [as_of_date.strftime('%Y-%m-%d')] for account_id in header_drawdowns[1:]: if account_id in row.to_dict(): value = row.to_dict()[account_id] row_data.append(float(value)) else: row_data.append(0.) if dd_update_only: sheet_drawdowns.update_rows(row=1, number=1, values=[row_data]) else: sheet_drawdowns.insert_rows(row=1, number=1, values=[row_data]) if __name__ == '__main__': logging.basicConfig(level=logging.DEBUG, format='%(asctime)s:%(name)s:%(levelname)s:%(message)s') logging.getLogger('requests').setLevel(logging.WARNING) file_handler = logging.FileHandler('update-nav-hist.log', mode='w') formatter = logging.Formatter('%(asctime)s:%(name)s:%(levelname)s:%(message)s') file_handler.setFormatter(formatter) logging.getLogger().addHandler(file_handler) parser = argparse.ArgumentParser(description='NAV history update.', formatter_class=argparse.ArgumentDefaultsHelpFormatter ) parser.add_argument('--file-ibrokers-flex', type=str, help='InteractiveBrokers Flex response') parser.add_argument('--file-secret', type=str, help='file including secret connection data', default='secrets.json') parser.add_argument('--config', type=str, help='file including secret connection data', default='config.json') args = parser.parse_args() main(args)
{ "content_hash": "8646467df46a5ca90405ef0b7531ec51", "timestamp": "", "source": "github", "line_count": 116, "max_line_length": 120, "avg_line_length": 44.043103448275865, "alnum_prop": 0.6330005871990605, "repo_name": "chris-ch/lemvi-risk", "id": "77c373c1794c13d28558b7c42a66080040d434fe", "size": "5109", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "scripts/track-drawdowns.py", "mode": "33188", "license": "mit", "language": [ { "name": "HTML", "bytes": "7864" }, { "name": "Python", "bytes": "64858" }, { "name": "Shell", "bytes": "655" } ], "symlink_target": "" }
package com.hunantv.fw.route; import java.util.HashMap; import java.util.HashSet; import java.util.Iterator; import java.util.Map; import java.util.Set; import com.hunantv.fw.ControllerAndAction; import com.hunantv.fw.exceptions.HttpException; public class Routes { /** * { uri: { httpMethod: Route } } */ private Map<String, Map<String, Route>> staticRoutes = new HashMap<String, Map<String, Route>>(); /** * { Route: { httpMethod } } */ private Map<Route, Set<String>> dyRoutes = new HashMap<Route, Set<String>>(); public Routes() { } public Routes(Route... routes) { for (Route route : routes) { this.add(route); } } public Routes add(Route route) { return route.isStaticRule() ? addStatic(route) : addDynamic(route); } public Routes addStatic(Route route) { String routeUri = route.getUriReg(); Map<String, Route> tmpMap = staticRoutes.get(routeUri); if (null == tmpMap) { tmpMap = new HashMap<String, Route>(); staticRoutes.put(routeUri, tmpMap); } tmpMap.put(route.getHttpMethod().toString(), route); return this; } public Routes addDynamic(Route route) { boolean found = false; for (Iterator<Route> iter = this.dyRoutes.keySet().iterator(); iter.hasNext();) { Route r = iter.next(); if (r.getUriReg() == route.getUriReg()) { found = true; Set<String> httpMethods = dyRoutes.get(r); httpMethods.add(route.getHttpMethodStr()); break; } } if (!found) { Set<String> httpMethods = new HashSet<String>(); httpMethods.add(route.getHttpMethodStr()); this.dyRoutes.put(route, httpMethods); } return this; } public ControllerAndAction match(String method, String uri) throws HttpException { method = method.toUpperCase(); Map<String, Route> tmpMap = this.staticRoutes.get(uri); if (null != tmpMap) { // 静态路由里面找到 Route route = tmpMap.get(method); if (null == route) throw HttpException.err405(); return route.buildControllerAndAction(); } else { for (Iterator<Route> iter = this.dyRoutes.keySet().iterator(); iter.hasNext();) { Route r = iter.next(); Object[] args = r.match(uri); if (null != args) { // 在动态路由里面找到 Set<String> httpMethods = dyRoutes.get(r); if (httpMethods.contains(method)) { return r.buildControllerAndAction(args); } else { throw HttpException.err405(); } } } } throw HttpException.err404(); } }
{ "content_hash": "c3703cd898411f9a8376beeefbbb00d5", "timestamp": "", "source": "github", "line_count": 91, "max_line_length": 101, "avg_line_length": 32.02197802197802, "alnum_prop": 0.547700754975978, "repo_name": "HunanTV/fw", "id": "8f96655982254c6270060cef4094ca03d64d0bdc", "size": "2948", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "src/main/java/com/hunantv/fw/route/Routes.java", "mode": "33188", "license": "bsd-2-clause", "language": [ { "name": "HTML", "bytes": "2627" }, { "name": "Java", "bytes": "237207" } ], "symlink_target": "" }
package org.tomitribe.crest; import junit.framework.TestCase; import org.tomitribe.crest.api.Command; import org.tomitribe.crest.api.Option; import org.tomitribe.crest.cmds.Cmd; import java.util.Map; public class ImplicitPrimitiveOptionDefaultsTest extends TestCase { private final Map<String, Cmd> commands = org.tomitribe.crest.cmds.processors.Commands.get(Commands.class); public void testByte() throws Exception { commands.get("doByte").exec(null); } public void testChar() throws Exception { commands.get("doChar").exec(null); } public void testBoolean() throws Exception { commands.get("doBoolean").exec(null); } public void testShort() throws Exception { commands.get("doShort").exec(null); } public void testInt() throws Exception { commands.get("doInt").exec(null); } public void testLong() throws Exception { commands.get("doLong").exec(null); } public void testFloat() throws Exception { commands.get("doFloat").exec(null); } public void testDouble() throws Exception { commands.get("doDouble").exec(null); } public void testAll() throws Exception { commands.get("doAll").exec(null); } public static class Commands { private byte uninitializedByte; private char uninitializedChar; private boolean uninitializedBoolean; private short uninitializedShort; private int uninitializedInt; private long uninitializedLong; private float uninitializedFloat; private double uninitializedDouble; @Command public void doByte(@Option("value") final byte value) { assertEquals(uninitializedByte, value); } @Command public void doChar(@Option("value") final char value) { assertEquals(uninitializedChar, value); } @Command public void doBoolean(@Option("value") final boolean value) { assertEquals(uninitializedBoolean, value); } @Command public void doShort(@Option("value") final short value) { assertEquals(uninitializedShort, value); } @Command public void doInt(@Option("value") final int value) { assertEquals(uninitializedInt, value); } @Command public void doLong(@Option("value") final long value) { assertEquals(uninitializedLong, value); } @Command public void doFloat(@Option("value") final float value) { assertEquals(uninitializedFloat, value); } @Command public void doDouble(@Option("value") final double value) { assertEquals(uninitializedDouble, value); } @Command public void doAll( @Option("byte") final byte byteValue, @Option("char") final char charValue, @Option("boolean") final boolean booleanValue, @Option("short") final short shortValue, @Option("int") final int intValue, @Option("long") final long longValue, @Option("float") final float floatValue, @Option("double") final double doubleValue ) { assertEquals(uninitializedByte, byteValue); assertEquals(uninitializedChar, charValue); assertEquals(uninitializedBoolean, booleanValue); assertEquals(uninitializedShort, shortValue); assertEquals(uninitializedInt, intValue); assertEquals(uninitializedLong, longValue); assertEquals(uninitializedFloat, floatValue); assertEquals(uninitializedDouble, doubleValue); } } }
{ "content_hash": "5761428ba4627f1c8468ee5a4b14da52", "timestamp": "", "source": "github", "line_count": 124, "max_line_length": 111, "avg_line_length": 30.508064516129032, "alnum_prop": 0.6235791699709226, "repo_name": "tomitribe/crest", "id": "b6c21c0d93093ee5b8ae89043738cce407ff9426", "size": "4585", "binary": false, "copies": "3", "ref": "refs/heads/master", "path": "tomitribe-crest/src/test/java/org/tomitribe/crest/ImplicitPrimitiveOptionDefaultsTest.java", "mode": "33188", "license": "apache-2.0", "language": [ { "name": "Groovy", "bytes": "4491" }, { "name": "Java", "bytes": "1052668" }, { "name": "Shell", "bytes": "12912" } ], "symlink_target": "" }
import * as uuid from "node-uuid"; import { ICollection } from "../ICollection"; import PUL from "../../updates/PUL"; export default class MemoryCollection implements ICollection { private name: string; private pul: PUL; private getId(id: string): string { return this.name + ":" + id; } constructor(name: string, pul: PUL) { this.name = name; this.pul = pul; } insert(document: any, id?: string): ICollection { if(!id) { id = uuid.v4(); } this.pul.insert(this.getId(id), document); return this; } remove(id: string): ICollection { this.pul.remove(this.getId(id)); return this; } insertIntoObject(id: string, ordPath: string[], pairs: {}): ICollection { this.pul.insertIntoObject(this.getId(id), ordPath, pairs); return this; } insertIntoArray(id: string, ordPath: string[], position: number, items: any[]): ICollection { this.pul.insertIntoArray(this.getId(id), ordPath, position, items); return this; } deleteFromObject(id: string, ordPath: string[], keys: Array<string>): ICollection { this.pul.deleteFromObject(this.getId(id), ordPath, keys); return this; } deleteFromArray(id: string, ordPath: string[], position: number): ICollection { this.pul.deleteFromArray(this.getId(id), ordPath, position); return this; } replaceInArray(id: string, ordPath: string[], position: number, item: any): ICollection { this.pul.replaceInArray(this.getId(id), ordPath, position, item); return this; } replaceInObject(id: string, ordPath: string[], key: string, item: any): ICollection { this.pul.renameInObject(this.getId(id), ordPath, key, item); return this; } renameInObject(id: string, ordPath: string[], key: string, newKey: string): ICollection { this.pul.renameInObject(this.getId(id), ordPath, key, newKey); return this; } reset(): ICollection { this.pul.udps.forEach((udp, udps, index) => { if(index === 0) { _.remove(udps, value => { var prefix = this.name + ":"; return value.substring(0, prefix.length) === prefix; }); } }); return this; } }
{ "content_hash": "0555e51c7fd06651dcdc345d0be22996", "timestamp": "", "source": "github", "line_count": 79, "max_line_length": 97, "avg_line_length": 30.088607594936708, "alnum_prop": 0.584350021034918, "repo_name": "wcandillon/jsoniq", "id": "169e2593dbd73582f72c8610cfdbba81145cf65f", "size": "2444", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "lib/stores/memory/MemoryCollection.ts", "mode": "33261", "license": "apache-2.0", "language": [ { "name": "HTML", "bytes": "3076048" }, { "name": "JSONiq", "bytes": "54598" }, { "name": "JavaScript", "bytes": "6022" }, { "name": "Python", "bytes": "16006" }, { "name": "ReScript", "bytes": "98366" }, { "name": "Ruby", "bytes": "1339" }, { "name": "TypeScript", "bytes": "5746103" }, { "name": "XQuery", "bytes": "1284761" }, { "name": "jq", "bytes": "66618" } ], "symlink_target": "" }
''' $ sudo ip link add veth0 type veth peer name veth1 $ sudo ip netns add ns0 $ sudo ip link set dev veth0 netns ns0 $ sudo ip netns exec ns0 bash # python send.py ''' import socket from ryu.lib.packet import packet, ethernet, vlan, ipv6, icmpv6 from ryu.ofproto import ether, inet sock = socket.socket(socket.AF_PACKET, socket.SOCK_RAW) sock.bind(('veth0', 0)) pkt = packet.Packet() pkt.add_protocol(ethernet.ethernet(ethertype=ether.ETH_TYPE_8021Q)) pkt.add_protocol(vlan.vlan(vid=10, ethertype=ether.ETH_TYPE_IPV6)) pkt.add_protocol(ipv6.ipv6(nxt=inet.IPPROTO_ICMPV6)) pkt.add_protocol(icmpv6.icmpv6( type_=icmpv6.MLD_LISTENER_QUERY, data=icmpv6.mldv2_query())) pkt.serialize() sock.send(pkt.data)
{ "content_hash": "e5c8284609e84c699e358951037dcaf4", "timestamp": "", "source": "github", "line_count": 24, "max_line_length": 67, "avg_line_length": 29.666666666666668, "alnum_prop": 0.7457865168539326, "repo_name": "ntts-clo/mld-ryu", "id": "eb584660319f6a8dd176998e374f0164e263fcc3", "size": "712", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "mld/sample/send.py", "mode": "33188", "license": "apache-2.0", "language": [ { "name": "Erlang", "bytes": "870216" }, { "name": "Python", "bytes": "4898989" }, { "name": "Shell", "bytes": "14336" } ], "symlink_target": "" }
package com.amazonaws.services.rekognition.model; import javax.annotation.Generated; /** * <p> * The provided image format is not supported. * </p> */ @Generated("com.amazonaws:aws-java-sdk-code-generator") public class InvalidImageFormatException extends com.amazonaws.services.rekognition.model.AmazonRekognitionException { private static final long serialVersionUID = 1L; /** * Constructs a new InvalidImageFormatException with the specified error message. * * @param message * Describes the error encountered. */ public InvalidImageFormatException(String message) { super(message); } }
{ "content_hash": "9b6c4169ab9add3fe233bc8109bbf0e5", "timestamp": "", "source": "github", "line_count": 25, "max_line_length": 118, "avg_line_length": 26.2, "alnum_prop": 0.716030534351145, "repo_name": "jentfoo/aws-sdk-java", "id": "1bce361181058060276555ab47bb3c5bb87bbf67", "size": "1235", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "aws-java-sdk-rekognition/src/main/java/com/amazonaws/services/rekognition/model/InvalidImageFormatException.java", "mode": "33188", "license": "apache-2.0", "language": [ { "name": "Batchfile", "bytes": "270" }, { "name": "FreeMarker", "bytes": "173637" }, { "name": "Gherkin", "bytes": "25063" }, { "name": "Java", "bytes": "356214839" }, { "name": "Scilab", "bytes": "3924" }, { "name": "Shell", "bytes": "295" } ], "symlink_target": "" }
empower-core ================================ [![power-assert][power-assert-banner]][power-assert-url] [![Build Status][travis-image]][travis-url] [![NPM package][npm-image]][npm-url] [![License][license-image]][license-url] Power Assert feature enhancer for assert function/object. DESCRIPTION --------------------------------------- `empower-core` is a core module of [power-assert](https://github.com/power-assert-js/power-assert) family. `empower-core` enhances standard `assert` function or any assert-like object to work with power-assert feature added code instrumented by [espower](https://github.com/power-assert-js/espower). `empower-core` works with standard `assert` function (best fit with [Mocha](https://mochajs.org/)), and also supports assert-like objects/functions provided by various testing frameworks such as [QUnit](https://qunitjs.com/), [buster.js](http://docs.busterjs.org/en/latest/), and [nodeunit](https://github.com/caolan/nodeunit). Pull-requests, issue reports and patches are always welcomed. See [power-assert](https://github.com/power-assert-js/power-assert) project for more documentation. CHANGELOG --------------------------------------- See [CHANGELOG](https://github.com/twada/power-assert-runtime/packages/empower-core/blob/master/CHANGELOG.md) API --------------------------------------- ### var enhancedAssert = empowerCore(originalAssert, [options]) | return type | |:-----------------------| | `function` or `object` | `empower-core` function takes function or object(`originalAssert`) then returns PowerAssert feature added function/object based on `originalAssert`. If `destructive` option is falsy, `originalAssert` will be unchanged. If `destructive` option is truthy, `originalAssert` will be manipulated directly and returned `enhancedAssert` will be the same instance of `originalAssert`. #### originalAssert | type | default value | |:-----------------------|:--------------| | `function` or `object` | N/A | `originalAssert` is an instance of standard `assert` function or any assert-like object. see [SUPPORTED ASSERTION LIBRARIES](https://github.com/twada/power-assert-runtime/packages/empower-core#supported-assertion-libraries) and [ASSERTION LIBRARIES KNOWN TO WORK](https://github.com/twada/power-assert-runtime/packages/empower-core#assertion-libraries-known-to-work) section. Be careful that `originalAssert` will be manipulated directly if `destructive` option is truthy. #### options | type | default value | |:---------|:--------------| | `object` | (return value of `empowerCore.defaultOptions()`) | Configuration options. If not passed, default options will be used. #### options.destructive | type | default value | |:----------|:--------------| | `boolean` | `false` | If truthy, modify `originalAssert` destructively. If `false`, empower-core mimics originalAssert as new object/function, so `originalAssert` will not be changed. If `true`, `originalAssert` will be manipulated directly and returned `enhancedAssert` will be the same instance of `originalAssert`. #### options.bindReceiver | type | default value | |:----------|:--------------| | `boolean` | `true` | `bindReceiver` defaults to `true`, meaning assertion methods have their `this` value bound to the original assertion. Setting `bindReceiver` to false causes the `this` reference to be passed through from the actual invocation. #### options.onError #### options.onSuccess | type | default value | |:-----------|:--------------| | `function` | (function defined in `empowerCore.defaultOptions()`) | Both methods are called with a single `event` argument, it will have the following properties: - `event.enhanced` - `true` for methods matching `patterns`. `false` for methods matching `wrapOnlyPatterns`. - `event.originalMessage` - The actual value the user provided for optional `message` parameter. This will be `undefined` if the user did not provide a value, even if the underlying assertion provides a default message. - `event.defaultMessage` - If you use objects instead of strings to specify patterns (see below), the `defaultMessage` metadata will be copied directly on the event object. - `event.matcherSpec` - This contains the complete parsed matcher spec as supplied, as well as any additional metadata you may have supplied (see patterns section below for details on how to supply additional metadata). - `event.args` - An array of the actual arguments passed to the assertion. - `event.assertionThrew` - Whether or not the underlying assertion threw an error. This will always be `true` in an `onError` callback, and always `false` in an `onSuccess` callback. - `event.error` - Only present if `event.assertionThrew === true`. Contains the error thrown by the underlying assertion method. - `event.returnValue` - Only present if `event.assertionThrew === false`. Contains the value return value returned by the underlying assertion method. - `event.powerAssertContext` - Only present for methods that match `patterns`, and only in code that has been enhanced with the power-assert transform. It contains the information necessary for power-assert renderers to generate their output. Implementors of `onError` should usually attach it to the error object ```js function onError (errorEvent) { var e = errorEvent.error; if (errorEvent.powerAssertContext && /^AssertionError/.test(e.name)) { e.powerAssertContext = errorEvent.powerAssertContext; } throw e; } ``` #### options.modifyMessageBeforeAssert | type | default value | |:-----------|:--------------| | `function` | N/A | TBD #### options.patterns | type | default value | |:--------------------|:--------------------| | `Array` of `string` or `objects`| objects shown below | ```javascript [ 'assert(value, [message])', 'assert.ok(value, [message])', 'assert.equal(actual, expected, [message])', 'assert.notEqual(actual, expected, [message])', 'assert.strictEqual(actual, expected, [message])', 'assert.notStrictEqual(actual, expected, [message])', 'assert.deepEqual(actual, expected, [message])', 'assert.notDeepEqual(actual, expected, [message])', 'assert.deepStrictEqual(actual, expected, [message])', 'assert.notDeepStrictEqual(actual, expected, [message])' ] ``` Target patterns for power assert feature instrumentation. Pattern detection is done by [call-signature](https://github.com/jamestalmage/call-signature). Any arguments enclosed in bracket (for example, `[message]`) means optional parameters. Without bracket means mandatory parameters. Instead of a string, you may alternatively specify an object with a `pattern` property, and any other arbitrary data. Currently only `defaultMessage` is formally recommended, but you can attach any data here and it will be passed to the `onSuccess` and `onError` handlers. ```javascript [ { pattern: 'assert.fail([message])', defaultMessage:'assert.fail() was called!!' }, ... ] ``` #### options.wrapOnlyPatterns | type | default value | |:--------------------|:--------------------| | `Array` of `string` | empty array | Methods matching these patterns will not be instrumented by the code transform, but they will be wrapped at runtime and trigger events in the `onSuccess` and `onError` callbacks. Note that "wrap only" events will never have a `powerAssertContext` property. Similar to the `options.patterns`, you may supply objects with a `pattern` member, and the additional metadata will be passed to the assertion listeners. ### var options = empowerCore.defaultOptions(); Returns default options object for `empowerCore` function. In other words, returns ```javascript { destructive: false, onError: onError, onSuccess: onSuccess, patterns: [ 'assert(value, [message])', 'assert.ok(value, [message])', 'assert.equal(actual, expected, [message])', 'assert.notEqual(actual, expected, [message])', 'assert.strictEqual(actual, expected, [message])', 'assert.notStrictEqual(actual, expected, [message])', 'assert.deepEqual(actual, expected, [message])', 'assert.notDeepEqual(actual, expected, [message])', 'assert.deepStrictEqual(actual, expected, [message])', 'assert.notDeepStrictEqual(actual, expected, [message])' ] } ``` with sensible default for `onError` and `onSuccess` ```js function onError (errorEvent) { var e = errorEvent.error; if (errorEvent.powerAssertContext && e.name === 'AssertionError') { e.powerAssertContext = errorEvent.powerAssertContext; } throw e; } function onSuccess(successEvent) { return successEvent.returnValue; } ``` SUPPORTED ASSERTION LIBRARIES --------------------------------------- * [Node assert API](https://nodejs.org/api/assert.html) ASSERTION LIBRARIES KNOWN TO WORK --------------------------------------- * [QUnit.assert](https://qunitjs.com/) * [nodeunit](https://github.com/caolan/nodeunit) * [buster-assertions](http://docs.busterjs.org/en/latest/modules/buster-assertions/) INSTALL --------------------------------------- ### via npm Install $ npm install --save-dev empower-core #### use empower-core npm module on browser `empowerCore` function is exported <script type="text/javascript" src="./path/to/node_modules/empower-core/build/empower-core.js"></script> ### via bower Install $ bower install --save-dev empower-core Then load (`empowerCore` function is exported) <script type="text/javascript" src="./path/to/bower_components/empower-core/build/empower-core.js"></script> OUR SUPPORT POLICY --------------------------------------- We support Node under maintenance. In other words, we stop supporting old Node version when [their maintenance ends](https://github.com/nodejs/LTS). We also support "modern enough" browsers such as Chrome, Firefox, Safari, Edge etc. Any other environments are not supported officially (means that we do not test against them on CI service). empower-core is known to work with old browsers, and trying to keep them working though. AUTHOR --------------------------------------- * [Takuto Wada](https://github.com/twada) CONTRIBUTORS --------------------------------------- * [James Talmage (jamestalmage)](https://github.com/jamestalmage) LICENSE --------------------------------------- Licensed under the [MIT](https://github.com/twada/power-assert-runtime/blob/master/LICENSE) license. [power-assert-url]: https://github.com/power-assert-js/power-assert [power-assert-banner]: https://raw.githubusercontent.com/power-assert-js/power-assert-js-logo/master/banner/banner-official-fullcolor.png [travis-url]: https://travis-ci.org/twada/power-assert-runtime [travis-image]: https://secure.travis-ci.org/twada/power-assert-runtime.svg?branch=master [npm-url]: https://npmjs.org/package/empower-core [npm-image]: https://badge.fury.io/js/empower-core.svg [license-url]: https://github.com/twada/power-assert-runtime/blob/master/LICENSE [license-image]: https://img.shields.io/badge/license-MIT-brightgreen.svg
{ "content_hash": "e529ef4d7c101631e6729b2d2ed97cc8", "timestamp": "", "source": "github", "line_count": 290, "max_line_length": 472, "avg_line_length": 38.724137931034484, "alnum_prop": 0.6837043633125557, "repo_name": "twada/power-assert-runtime", "id": "4bdc1bff5127466b5135a92cca208c96ad3b0f08", "size": "11230", "binary": false, "copies": "2", "ref": "refs/heads/master", "path": "packages/empower-core/README.md", "mode": "33188", "license": "mit", "language": [ { "name": "JavaScript", "bytes": "141087" } ], "symlink_target": "" }
package io.quarkus.arc.test.unused; /** * Not a bean on its own but has a producer */ public class Delta { private String s; public Delta(String s) { this.s = s; } public String ping() { return s; } }
{ "content_hash": "3f41903650a57dc57b90664ac5a68873", "timestamp": "", "source": "github", "line_count": 17, "max_line_length": 43, "avg_line_length": 14.294117647058824, "alnum_prop": 0.5637860082304527, "repo_name": "quarkusio/quarkus", "id": "e256de932ef525d78c61203ace63004d0037b77d", "size": "243", "binary": false, "copies": "1", "ref": "refs/heads/main", "path": "extensions/arc/deployment/src/test/java/io/quarkus/arc/test/unused/Delta.java", "mode": "33188", "license": "apache-2.0", "language": [ { "name": "ANTLR", "bytes": "23342" }, { "name": "Batchfile", "bytes": "13096" }, { "name": "CSS", "bytes": "6685" }, { "name": "Dockerfile", "bytes": "459" }, { "name": "FreeMarker", "bytes": "8106" }, { "name": "Groovy", "bytes": "16133" }, { "name": "HTML", "bytes": "1418749" }, { "name": "Java", "bytes": "38584810" }, { "name": "JavaScript", "bytes": "90960" }, { "name": "Kotlin", "bytes": "704351" }, { "name": "Mustache", "bytes": "13191" }, { "name": "Scala", "bytes": "9756" }, { "name": "Shell", "bytes": "71729" } ], "symlink_target": "" }
package org.apache.olingo.client.core.communication.request; import java.io.IOException; import java.io.OutputStream; import java.io.PipedOutputStream; import org.apache.olingo.client.api.communication.request.ODataStreamer; import org.slf4j.Logger; import org.slf4j.LoggerFactory; /** * Streamer utility object. */ public abstract class AbstractODataStreamer implements ODataStreamer { /** * Logger. */ protected static final Logger LOG = LoggerFactory.getLogger(AbstractODataStreamer.class); /** * OutputStream to be used to write objects to the stream. */ private final PipedOutputStream bodyStreamWriter; /** * Constructor. * * @param bodyStreamWriter piped stream to be used to retrieve the payload. */ public AbstractODataStreamer(final PipedOutputStream bodyStreamWriter) { this.bodyStreamWriter = bodyStreamWriter; } /** * Writes the gibe byte array onto the output stream provided at instantiation time. * * @param src byte array to be written. */ protected void stream(final byte[] src) { new Writer(src, bodyStreamWriter).run(); } /** * Stream CR/LF. */ protected void newLine() { stream(CRLF); } /** * Gets the piped stream to be used to stream the payload. * * @return piped stream. */ @Override public PipedOutputStream getBodyStreamWriter() { return bodyStreamWriter; } /** * Writer thread. */ private class Writer implements Runnable { final OutputStream os; final byte[] src; public Writer(final byte[] src, final OutputStream os) { this.os = os; this.src = src; } @Override public void run() { try { os.write(src); } catch (IOException e) { LOG.error("Error streaming object", e); } } } }
{ "content_hash": "acfb8b47b6ee61c3402f878971d94410", "timestamp": "", "source": "github", "line_count": 85, "max_line_length": 91, "avg_line_length": 21.341176470588234, "alnum_prop": 0.6714443219404631, "repo_name": "mtaal/olingo-odata4-jpa", "id": "efc3c1a824f3b1e5841ccf1afe97bc02b3ca1194", "size": "2621", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "lib/client-core/src/main/java/org/apache/olingo/client/core/communication/request/AbstractODataStreamer.java", "mode": "33188", "license": "apache-2.0", "language": [ { "name": "ANTLR", "bytes": "36113" }, { "name": "CSS", "bytes": "1731" }, { "name": "Groovy", "bytes": "5831" }, { "name": "HTML", "bytes": "1289" }, { "name": "Java", "bytes": "7717404" }, { "name": "XSLT", "bytes": "3629" } ], "symlink_target": "" }
<?php namespace PHPExiftool\Driver\Tag\Microsoft; use JMS\Serializer\Annotation\ExclusionPolicy; use PHPExiftool\Driver\AbstractTag; /** * @ExclusionPolicy("all") */ class MediaOriginalChannel extends AbstractTag { protected $Id = 'WM/MediaOriginalChannel'; protected $Name = 'MediaOriginalChannel'; protected $FullName = 'Microsoft::Xtra'; protected $GroupName = 'Microsoft'; protected $g0 = 'QuickTime'; protected $g1 = 'Microsoft'; protected $g2 = 'Video'; protected $Type = '?'; protected $Writable = false; protected $Description = 'Media Original Channel'; }
{ "content_hash": "c201accd3366032c272f7b53931bc8bd", "timestamp": "", "source": "github", "line_count": 35, "max_line_length": 54, "avg_line_length": 17.771428571428572, "alnum_prop": 0.6881028938906752, "repo_name": "romainneutron/PHPExiftool", "id": "7f4a94df4c8f9509db004235a177e1f3a2260e29", "size": "844", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "lib/PHPExiftool/Driver/Tag/Microsoft/MediaOriginalChannel.php", "mode": "33188", "license": "mit", "language": [ { "name": "PHP", "bytes": "22042446" } ], "symlink_target": "" }
package io.sarl.maven.compiler; import java.io.File; import java.io.IOException; import java.io.StringReader; import java.util.ArrayList; import java.util.Arrays; import java.util.List; import java.util.Map; import java.util.regex.Matcher; import java.util.regex.Pattern; import org.apache.maven.artifact.ArtifactUtils; import org.apache.maven.artifact.resolver.ResolutionErrorHandler; import org.apache.maven.execution.MavenSession; import org.apache.maven.model.Dependency; import org.apache.maven.model.Plugin; import org.apache.maven.plugin.AbstractMojo; import org.apache.maven.plugin.BuildPluginManager; import org.apache.maven.plugin.MojoExecution; import org.apache.maven.plugin.MojoExecutionException; import org.apache.maven.plugin.MojoFailureException; import org.apache.maven.plugin.descriptor.MojoDescriptor; import org.apache.maven.plugin.descriptor.PluginDescriptor; import org.apache.maven.plugins.annotations.Component; import org.apache.maven.plugins.annotations.Parameter; import org.apache.maven.repository.RepositorySystem; import org.arakhne.afc.vmutil.locale.Locale; import org.codehaus.plexus.configuration.PlexusConfiguration; import org.codehaus.plexus.configuration.PlexusConfigurationException; import org.codehaus.plexus.util.xml.Xpp3Dom; import org.codehaus.plexus.util.xml.Xpp3DomBuilder; import org.codehaus.plexus.util.xml.Xpp3DomUtils; import org.codehaus.plexus.util.xml.pull.XmlPullParserException; import io.sarl.lang.SARLConfig; /** Abstract mojo for compiling SARL. * * @author $Author: sgalland$ * @version $FullVersion$ * @mavengroupid $GroupId$ * @mavenartifactid $ArtifactId$ */ public abstract class AbstractSarlMojo extends AbstractMojo { /** The tool that permits to access to Maven features. */ protected MavenHelper mavenHelper; /** * The current Maven session. */ @Parameter(defaultValue = "${session}", required = true, readonly = true) private MavenSession session; /** * The Build PluginManager component. */ @Component private BuildPluginManager buildPluginManager; @Component private RepositorySystem repositorySystem; @Component private ResolutionErrorHandler resolutionErrorHandler; /** Output directory. */ @Parameter private File output; /** * Input directory. */ @Parameter private File input; /** * Output directory for tests. */ @Parameter private File testOutput; /** * Input directory for tests. */ @Parameter private File testInput; @Override public final void execute() throws MojoExecutionException, MojoFailureException { try { this.mavenHelper = new MavenHelper(this.session, this.buildPluginManager, this.repositorySystem, this.resolutionErrorHandler, getLog()); ensureDefaultParameterValues(); executeMojo(); } catch (Exception e) { getLog().error(e.getLocalizedMessage()); throw e; } } /** Ensure the mojo parameters have at least their default values. */ protected void ensureDefaultParameterValues() { // } /** Make absolute the given filename, relatively to the project's folder. * * @param file - the file to convert. * @return the absolute filename. */ protected File makeAbsolute(File file) { if (!file.isAbsolute()) { final File basedir = this.mavenHelper.getSession().getCurrentProject().getBasedir(); return new File(basedir, file.getPath()).getAbsoluteFile(); } return file; } /** Replies the input folder. * * @return the input folder. */ protected File getInput() { return makeAbsolute((this.input == null) ? new File(SARLConfig.FOLDER_SOURCE_SARL) : this.input); } /** Replies the output folder. * * @return the output folder. */ protected File getOutput() { return makeAbsolute((this.output == null) ? new File(SARLConfig.FOLDER_SOURCE_GENERATED) : this.output); } /** Replies the test input folder. * * @return the test input folder. */ protected File getTestInput() { return makeAbsolute((this.testInput == null) ? new File(SARLConfig.FOLDER_TEST_SOURCE_SARL) : this.testInput); } /** Replies the test output folder. * * @return the test output folder. */ protected File getTestOutput() { return makeAbsolute((this.testOutput == null) ? new File(SARLConfig.FOLDER_TEST_SOURCE_GENERATED) : this.testOutput); } /** Execute the mojo. * * @throws MojoExecutionException if an unexpected problem occurs. Throwing this * exception causes a "BUILD ERROR" message to be displayed. * @throws MojoFailureException if an expected problem (such as a compilation failure) * occurs. Throwing this exception causes a "BUILD FAILURE" message to be displayed. */ protected abstract void executeMojo() throws MojoExecutionException, MojoFailureException; /** Execute another MOJO. * * @param groupId - identifier of the MOJO plugin group. * @param artifactId - identifier of the MOJO plugin artifact. * @param version - version of the MOJO plugin version. * @param goal - the goal to run. * @param configuration - the XML code for the configuration. * @param dependencies - the dependencies of the plugin. * @throws MojoExecutionException when cannot run the MOJO. * @throws MojoFailureException when the build failed. */ protected void executeMojo( String groupId, String artifactId, String version, String goal, String configuration, Dependency... dependencies) throws MojoExecutionException, MojoFailureException { final Plugin plugin = new Plugin(); plugin.setArtifactId(artifactId); plugin.setGroupId(groupId); plugin.setVersion(version); plugin.setDependencies(Arrays.asList(dependencies)); getLog().debug(Locale.getString(AbstractSarlMojo.class, "LAUNCHING", plugin.getId())); //$NON-NLS-1$ final PluginDescriptor pluginDescriptor = this.mavenHelper.loadPlugin(plugin); if (pluginDescriptor == null) { throw new MojoExecutionException(Locale.getString(AbstractSarlMojo.class, "PLUGIN_NOT_FOUND", plugin.getId())); //$NON-NLS-1$ } final MojoDescriptor mojoDescriptor = pluginDescriptor.getMojo(goal); if (mojoDescriptor == null) { throw new MojoExecutionException(Locale.getString(AbstractSarlMojo.class, "GOAL_NOT_FOUND", goal)); //$NON-NLS-1$ } final Xpp3Dom mojoXml; try { mojoXml = toXpp3Dom(mojoDescriptor.getMojoConfiguration()); } catch (PlexusConfigurationException e1) { throw new MojoExecutionException(e1.getLocalizedMessage(), e1); } Xpp3Dom configurationXml = null; if (configuration != null && !configuration.isEmpty()) { try (StringReader sr = new StringReader(configuration)) { try { configurationXml = Xpp3DomBuilder.build(sr); } catch (XmlPullParserException | IOException e) { getLog().debug(e); } } } if (configurationXml != null) { configurationXml = Xpp3DomUtils.mergeXpp3Dom( configurationXml, mojoXml); } else { configurationXml = mojoXml; } getLog().debug(Locale.getString(AbstractSarlMojo.class, "CONFIGURATION_FOR", //$NON-NLS-1$ plugin.getId(), configurationXml.toString())); final MojoExecution execution = new MojoExecution(mojoDescriptor, configurationXml); this.mavenHelper.executeMojo(execution); } private Xpp3Dom toXpp3Dom(PlexusConfiguration config) throws PlexusConfigurationException { final Xpp3Dom result = new Xpp3Dom(config.getName()); result.setValue(config.getValue(null)); for (final String name : config.getAttributeNames()) { result.setAttribute(name, config.getAttribute(name)); } for (final PlexusConfiguration child : config.getChildren()) { result.addChild(toXpp3Dom(child)); } return result; } /** Extract the dependencies that are declared for a Maven plugin. * This function reads the list of the dependencies in the configuration * resource file with {@link MavenHelper#getConfig(String)}. * The key given to {@link MavenHelper#getConfig(String)} is * <code>&lt;configurationKeyPrefix&gt;.dependencies</code>. * * @param configurationKeyPrefix - the string that is the prefix in the configuration file. * @return the list of the dependencies. * @throws MojoExecutionException if something cannot be done when extracting the dependencies. */ protected Dependency[] getDependenciesFor(String configurationKeyPrefix) throws MojoExecutionException { final List<Dependency> dependencies = new ArrayList<>(); final Pattern pattern = Pattern.compile( "^[ \t\n\r]*([^: \t\n\t]+)[ \t\n\r]*:[ \t\n\r]*([^: \t\n\t]+)[ \t\n\r]*$"); //$NON-NLS-1$ final String rawDependencies = this.mavenHelper.getConfig(configurationKeyPrefix + ".dependencies"); //$NON-NLS-1$ final Map<String, Dependency> pomDependencies = this.mavenHelper.getPluginDependencies(); for (final String dependencyId : rawDependencies.split("\\s*[;|,]+\\s*")) { //$NON-NLS-1$ final Matcher matcher = pattern.matcher(dependencyId); if (matcher != null && matcher.matches()) { final String dependencyGroupId = matcher.group(1); final String dependencyArtifactId = matcher.group(2); final String dependencyKey = ArtifactUtils.versionlessKey(dependencyGroupId, dependencyArtifactId); final Dependency dependencyObject = pomDependencies.get(dependencyKey); if (dependencyObject == null) { throw new MojoExecutionException(Locale.getString(AbstractSarlMojo.class, "ARTIFACT_NOT_FOUND", dependencyKey)); //$NON-NLS-1$ } dependencies.add(dependencyObject); } } final Dependency[] dependencyArray = new Dependency[dependencies.size()]; dependencies.toArray(dependencyArray); return dependencyArray; } /** Put the string representation of the properties of this object into the given buffer. * * @param buffer the buffer. */ protected void buildPropertyString(StringBuilder buffer) { buffer.append("input = ").append(this.input).append("\n"); //$NON-NLS-1$//$NON-NLS-2$ buffer.append("output = ").append(this.output).append("\n"); //$NON-NLS-1$//$NON-NLS-2$ buffer.append("testInput = ").append(this.testInput).append("\n"); //$NON-NLS-1$//$NON-NLS-2$ buffer.append("testOutput = ").append(this.testOutput).append("\n"); //$NON-NLS-1$//$NON-NLS-2$ } }
{ "content_hash": "63611f1b51832cc14d6565794cfc35b3", "timestamp": "", "source": "github", "line_count": 295, "max_line_length": 119, "avg_line_length": 34.328813559322036, "alnum_prop": 0.7375333267502715, "repo_name": "gallandarakhneorg/sarl", "id": "1d26f1dbb0c4f07fdb6bdb17f767b2e3e5e49838", "size": "10862", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "maven/sarl-maven-plugin/src/main/java/io/sarl/maven/compiler/AbstractSarlMojo.java", "mode": "33188", "license": "apache-2.0", "language": [ { "name": "GAP", "bytes": "1100401" }, { "name": "Java", "bytes": "12388579" }, { "name": "JavaScript", "bytes": "5956" }, { "name": "Shell", "bytes": "5991" }, { "name": "TeX", "bytes": "11171" } ], "symlink_target": "" }
package org.apache.flink.table.planner.delegation import org.apache.flink.api.common.RuntimeExecutionMode import org.apache.flink.api.dag.Transformation import org.apache.flink.configuration.ExecutionOptions import org.apache.flink.table.api.{ExplainDetail, TableConfig, TableException} import org.apache.flink.table.catalog.{CatalogManager, FunctionCatalog, ObjectIdentifier} import org.apache.flink.table.delegation.Executor import org.apache.flink.table.operations.{CatalogSinkModifyOperation, ModifyOperation, Operation, QueryOperation} import org.apache.flink.table.planner.operations.PlannerQueryOperation import org.apache.flink.table.planner.plan.`trait`._ import org.apache.flink.table.planner.plan.nodes.exec.ExecNodeGraph import org.apache.flink.table.planner.plan.nodes.exec.processor.ExecNodeGraphProcessor import org.apache.flink.table.planner.plan.nodes.exec.stream.StreamExecNode import org.apache.flink.table.planner.plan.nodes.exec.utils.ExecNodePlanDumper import org.apache.flink.table.planner.plan.optimize.{Optimizer, StreamCommonSubGraphBasedOptimizer} import org.apache.flink.table.planner.plan.utils.FlinkRelOptUtil import org.apache.flink.table.planner.utils.{DummyStreamExecutionEnvironment, ExecutorUtils} import org.apache.calcite.plan.{ConventionTraitDef, RelTrait, RelTraitDef} import org.apache.calcite.rel.logical.LogicalTableModify import org.apache.calcite.sql.SqlExplainLevel import java.util import _root_.scala.collection.JavaConversions._ class StreamPlanner( executor: Executor, config: TableConfig, functionCatalog: FunctionCatalog, catalogManager: CatalogManager) extends PlannerBase(executor, config, functionCatalog, catalogManager, isStreamingMode = true) { override protected def getTraitDefs: Array[RelTraitDef[_ <: RelTrait]] = { Array( ConventionTraitDef.INSTANCE, FlinkRelDistributionTraitDef.INSTANCE, MiniBatchIntervalTraitDef.INSTANCE, ModifyKindSetTraitDef.INSTANCE, UpdateKindTraitDef.INSTANCE) } override protected def getOptimizer: Optimizer = new StreamCommonSubGraphBasedOptimizer(this) override protected def getExecNodeGraphProcessors: Seq[ExecNodeGraphProcessor] = Seq() override protected def translateToPlan(execGraph: ExecNodeGraph): util.List[Transformation[_]] = { val planner = createDummyPlanner() execGraph.getRootNodes.map { case node: StreamExecNode[_] => node.translateToPlan(planner) case _ => throw new TableException("Cannot generate DataStream due to an invalid logical plan. " + "This is a bug and should not happen. Please file an issue.") } } override def explain(operations: util.List[Operation], extraDetails: ExplainDetail*): String = { require(operations.nonEmpty, "operations should not be empty") validateAndOverrideConfiguration() val sinkRelNodes = operations.map { case queryOperation: QueryOperation => val relNode = getRelBuilder.queryOperation(queryOperation).build() relNode match { // SQL: explain plan for insert into xx case modify: LogicalTableModify => // convert LogicalTableModify to CatalogSinkModifyOperation val qualifiedName = modify.getTable.getQualifiedName require(qualifiedName.size() == 3, "the length of qualified name should be 3.") val modifyOperation = new CatalogSinkModifyOperation( ObjectIdentifier.of(qualifiedName.get(0), qualifiedName.get(1), qualifiedName.get(2)), new PlannerQueryOperation(modify.getInput) ) translateToRel(modifyOperation) case _ => relNode } case modifyOperation: ModifyOperation => translateToRel(modifyOperation) case o => throw new TableException(s"Unsupported operation: ${o.getClass.getCanonicalName}") } val optimizedRelNodes = optimize(sinkRelNodes) val execGraph = translateToExecNodeGraph(optimizedRelNodes) val transformations = translateToPlan(execGraph) cleanupInternalConfigurations() val streamGraph = ExecutorUtils.generateStreamGraph(getExecEnv, transformations) val sb = new StringBuilder sb.append("== Abstract Syntax Tree ==") sb.append(System.lineSeparator) sinkRelNodes.foreach { sink => sb.append(FlinkRelOptUtil.toString(sink)) sb.append(System.lineSeparator) } sb.append("== Optimized Physical Plan ==") sb.append(System.lineSeparator) val explainLevel = if (extraDetails.contains(ExplainDetail.ESTIMATED_COST)) { SqlExplainLevel.ALL_ATTRIBUTES } else { SqlExplainLevel.DIGEST_ATTRIBUTES } val withChangelogTraits = extraDetails.contains(ExplainDetail.CHANGELOG_MODE) optimizedRelNodes.foreach { rel => sb.append(FlinkRelOptUtil.toString( rel, explainLevel, withChangelogTraits = withChangelogTraits)) sb.append(System.lineSeparator) } sb.append("== Optimized Execution Plan ==") sb.append(System.lineSeparator) sb.append(ExecNodePlanDumper.dagToString(execGraph)) if (extraDetails.contains(ExplainDetail.JSON_EXECUTION_PLAN)) { sb.append(System.lineSeparator) sb.append("== Physical Execution Plan ==") sb.append(System.lineSeparator) sb.append(streamGraph.getStreamingPlanAsJSON) } sb.toString() } private def createDummyPlanner(): StreamPlanner = { val dummyExecEnv = new DummyStreamExecutionEnvironment(getExecEnv) val executor = new StreamExecutor(dummyExecEnv) new StreamPlanner(executor, config, functionCatalog, catalogManager) } override def explainJsonPlan(jsonPlan: String, extraDetails: ExplainDetail*): String = { validateAndOverrideConfiguration() val execGraph = ExecNodeGraph.createExecNodeGraph(jsonPlan, createSerdeContext) val transformations = translateToPlan(execGraph) cleanupInternalConfigurations() val streamGraph = ExecutorUtils.generateStreamGraph(getExecEnv, transformations) val sb = new StringBuilder sb.append("== Optimized Execution Plan ==") sb.append(System.lineSeparator) sb.append(ExecNodePlanDumper.dagToString(execGraph)) if (extraDetails.contains(ExplainDetail.JSON_EXECUTION_PLAN)) { sb.append(System.lineSeparator) sb.append("== Physical Execution Plan ==") sb.append(System.lineSeparator) sb.append(streamGraph.getStreamingPlanAsJSON) } sb.toString() } override def validateAndOverrideConfiguration(): Unit = { super.validateAndOverrideConfiguration() if (!config.getConfiguration.get(ExecutionOptions.RUNTIME_MODE) .equals(RuntimeExecutionMode.STREAMING)) { throw new IllegalArgumentException( "Mismatch between configured runtime mode and actual runtime mode. " + "Currently, the 'execution.runtime-mode' can only be set when instantiating the " + "table environment. Subsequent changes are not supported. " + "Please instantiate a new TableEnvironment if necessary." ) } } }
{ "content_hash": "99fae6b27519fb95177aba35ebc47a87", "timestamp": "", "source": "github", "line_count": 171, "max_line_length": 113, "avg_line_length": 41.35087719298246, "alnum_prop": 0.7452976948097865, "repo_name": "clarkyzl/flink", "id": "c5e96b0d3a95f54f7618dc94aa5a02c92894d4a4", "size": "7876", "binary": false, "copies": "3", "ref": "refs/heads/master", "path": "flink-table/flink-table-planner-blink/src/main/scala/org/apache/flink/table/planner/delegation/StreamPlanner.scala", "mode": "33188", "license": "apache-2.0", "language": [ { "name": "Batchfile", "bytes": "4792" }, { "name": "CSS", "bytes": "18100" }, { "name": "CoffeeScript", "bytes": "89007" }, { "name": "HTML", "bytes": "86524" }, { "name": "Java", "bytes": "31467756" }, { "name": "JavaScript", "bytes": "8267" }, { "name": "Python", "bytes": "166860" }, { "name": "Scala", "bytes": "5921090" }, { "name": "Shell", "bytes": "92059" } ], "symlink_target": "" }
package exerice.task2_blackBoxInteger; import java.lang.reflect.Constructor; import java.lang.reflect.Field; import java.lang.reflect.InvocationTargetException; import java.lang.reflect.Method; import java.util.Scanner; public class main { public static void main(String[] args) throws IllegalAccessException, InstantiationException, NoSuchMethodException, InvocationTargetException, NoSuchFieldException { Scanner scanner = new Scanner(System.in); Class<?> bClass = BlackBoxInt.class; Constructor<?> constructor = bClass.getDeclaredConstructor(); constructor.setAccessible(true); BlackBoxInt boxInteger = (BlackBoxInt) constructor.newInstance(); String line = scanner.nextLine(); while (!line.equals("end")) { String[] token = line.split("_"); String command = token[0]; int number = Integer.valueOf(token[1]); switch (command) { case "add": invokeMethod(boxInteger, number, "add"); break; case "subtract": invokeMethod(boxInteger, number, "subtract"); break; case "divide": invokeMethod(boxInteger, number, "divide"); break; case "multiply": invokeMethod(boxInteger, number, "multiply"); break; case "rightShift": invokeMethod(boxInteger, number, "rightShift"); break; case "leftShift": invokeMethod(boxInteger, number, "leftShift"); break; } Field innerValue = boxInteger.getClass().getDeclaredField("innerValue"); innerValue.setAccessible(true); System.out.println(innerValue.getInt(boxInteger)); line = scanner.nextLine(); } } private static void invokeMethod(BlackBoxInt boxInteger, Integer number, String methodName) throws NoSuchMethodException, InvocationTargetException, IllegalAccessException { Method[] add = boxInteger.getClass().getDeclaredMethods(); for (int i = 0; i < add.length; i++) { Method method = add[i]; method.setAccessible(true); if (method.getName().equals(methodName)) { method.invoke(boxInteger, number); } } } }
{ "content_hash": "68989c1399938bd85cb0d05417301c2a", "timestamp": "", "source": "github", "line_count": 71, "max_line_length": 95, "avg_line_length": 35.71830985915493, "alnum_prop": 0.5654574132492114, "repo_name": "StoyanVitanov/SoftwareUniversity", "id": "9c8b7e90f6d3a442081a76479c87e961d4be0a27", "size": "2536", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "Java Fundamentals/Java OOP Advanced/05.Reflection/exercise/task2_blackBoxInteger/main.java", "mode": "33261", "license": "mit", "language": [ { "name": "C#", "bytes": "520639" }, { "name": "CSS", "bytes": "638" }, { "name": "HTML", "bytes": "8027" }, { "name": "Java", "bytes": "705608" }, { "name": "JavaScript", "bytes": "9369" }, { "name": "PHP", "bytes": "10137" }, { "name": "PLSQL", "bytes": "449" }, { "name": "PLpgSQL", "bytes": "1478" }, { "name": "SQLPL", "bytes": "8271" } ], "symlink_target": "" }
<!DOCTYPE HTML PUBLIC "-//W3C//DTD HTML 4.01 Transitional//EN" "http://www.w3.org/TR/html4/loose.dtd"> <!-- NewPage --> <html lang="en"> <head> <!-- Generated by javadoc (1.8.0_60-ea) on Wed Jan 04 17:08:19 EST 2017 --> <meta http-equiv="Content-Type" content="text/html; charset=UTF-8"> <title>Uses of Class org.wildfly.swarm.config.logging.AsyncHandler (Public javadocs 2017.1.1 API)</title> <meta name="date" content="2017-01-04"> <link rel="stylesheet" type="text/css" href="../../../../../../stylesheet.css" title="Style"> <script type="text/javascript" src="../../../../../../script.js"></script> </head> <body> <script type="text/javascript"><!-- try { if (location.href.indexOf('is-external=true') == -1) { parent.document.title="Uses of Class org.wildfly.swarm.config.logging.AsyncHandler (Public javadocs 2017.1.1 API)"; } } catch(err) { } //--> </script> <noscript> <div>JavaScript is disabled on your browser.</div> </noscript> <!-- ========= START OF TOP NAVBAR ======= --> <div class="topNav"><a name="navbar.top"> <!-- --> </a> <div class="skipNav"><a href="#skip.navbar.top" title="Skip navigation links">Skip navigation links</a></div> <a name="navbar.top.firstrow"> <!-- --> </a> <ul class="navList" title="Navigation"> <li><a href="../../../../../../overview-summary.html">Overview</a></li> <li><a href="../package-summary.html">Package</a></li> <li><a href="../../../../../../org/wildfly/swarm/config/logging/AsyncHandler.html" title="class in org.wildfly.swarm.config.logging">Class</a></li> <li class="navBarCell1Rev">Use</li> <li><a href="../../../../../../overview-tree.html">Tree</a></li> <li><a href="../../../../../../deprecated-list.html">Deprecated</a></li> <li><a href="../../../../../../index-all.html">Index</a></li> <li><a href="../../../../../../help-doc.html">Help</a></li> </ul> <div class="aboutLanguage">WildFly Swarm API, 2017.1.1</div> </div> <div class="subNav"> <ul class="navList"> <li>Prev</li> <li>Next</li> </ul> <ul class="navList"> <li><a href="../../../../../../index.html?org/wildfly/swarm/config/logging/class-use/AsyncHandler.html" target="_top">Frames</a></li> <li><a href="AsyncHandler.html" target="_top">No&nbsp;Frames</a></li> </ul> <ul class="navList" id="allclasses_navbar_top"> <li><a href="../../../../../../allclasses-noframe.html">All&nbsp;Classes</a></li> </ul> <div> <script type="text/javascript"><!-- allClassesLink = document.getElementById("allclasses_navbar_top"); if(window==top) { allClassesLink.style.display = "block"; } else { allClassesLink.style.display = "none"; } //--> </script> </div> <a name="skip.navbar.top"> <!-- --> </a></div> <!-- ========= END OF TOP NAVBAR ========= --> <div class="header"> <h2 title="Uses of Class org.wildfly.swarm.config.logging.AsyncHandler" class="title">Uses of Class<br>org.wildfly.swarm.config.logging.AsyncHandler</h2> </div> <div class="classUseContainer"> <ul class="blockList"> <li class="blockList"> <table class="useSummary" border="0" cellpadding="3" cellspacing="0" summary="Use table, listing packages, and an explanation"> <caption><span>Packages that use <a href="../../../../../../org/wildfly/swarm/config/logging/AsyncHandler.html" title="class in org.wildfly.swarm.config.logging">AsyncHandler</a></span><span class="tabEnd">&nbsp;</span></caption> <tr> <th class="colFirst" scope="col">Package</th> <th class="colLast" scope="col">Description</th> </tr> <tbody> <tr class="altColor"> <td class="colFirst"><a href="#org.wildfly.swarm.config">org.wildfly.swarm.config</a></td> <td class="colLast">&nbsp;</td> </tr> <tr class="rowColor"> <td class="colFirst"><a href="#org.wildfly.swarm.config.logging">org.wildfly.swarm.config.logging</a></td> <td class="colLast">&nbsp;</td> </tr> <tr class="altColor"> <td class="colFirst"><a href="#org.wildfly.swarm.logging">org.wildfly.swarm.logging</a></td> <td class="colLast">&nbsp;</td> </tr> </tbody> </table> </li> <li class="blockList"> <ul class="blockList"> <li class="blockList"><a name="org.wildfly.swarm.config"> <!-- --> </a> <h3>Uses of <a href="../../../../../../org/wildfly/swarm/config/logging/AsyncHandler.html" title="class in org.wildfly.swarm.config.logging">AsyncHandler</a> in <a href="../../../../../../org/wildfly/swarm/config/package-summary.html">org.wildfly.swarm.config</a></h3> <table class="useSummary" border="0" cellpadding="3" cellspacing="0" summary="Use table, listing methods, and an explanation"> <caption><span>Methods in <a href="../../../../../../org/wildfly/swarm/config/package-summary.html">org.wildfly.swarm.config</a> that return <a href="../../../../../../org/wildfly/swarm/config/logging/AsyncHandler.html" title="class in org.wildfly.swarm.config.logging">AsyncHandler</a></span><span class="tabEnd">&nbsp;</span></caption> <tr> <th class="colFirst" scope="col">Modifier and Type</th> <th class="colLast" scope="col">Method and Description</th> </tr> <tbody> <tr class="altColor"> <td class="colFirst"><code><a href="../../../../../../org/wildfly/swarm/config/logging/AsyncHandler.html" title="class in org.wildfly.swarm.config.logging">AsyncHandler</a></code></td> <td class="colLast"><span class="typeNameLabel">Logging.LoggingResources.</span><code><span class="memberNameLink"><a href="../../../../../../org/wildfly/swarm/config/Logging.LoggingResources.html#asyncHandler-java.lang.String-">asyncHandler</a></span>(<a href="http://docs.oracle.com/javase/8/docs/api/java/lang/String.html?is-external=true" title="class or interface in java.lang">String</a>&nbsp;key)</code>&nbsp;</td> </tr> </tbody> </table> <table class="useSummary" border="0" cellpadding="3" cellspacing="0" summary="Use table, listing methods, and an explanation"> <caption><span>Methods in <a href="../../../../../../org/wildfly/swarm/config/package-summary.html">org.wildfly.swarm.config</a> that return types with arguments of type <a href="../../../../../../org/wildfly/swarm/config/logging/AsyncHandler.html" title="class in org.wildfly.swarm.config.logging">AsyncHandler</a></span><span class="tabEnd">&nbsp;</span></caption> <tr> <th class="colFirst" scope="col">Modifier and Type</th> <th class="colLast" scope="col">Method and Description</th> </tr> <tbody> <tr class="altColor"> <td class="colFirst"><code><a href="http://docs.oracle.com/javase/8/docs/api/java/util/List.html?is-external=true" title="class or interface in java.util">List</a>&lt;<a href="../../../../../../org/wildfly/swarm/config/logging/AsyncHandler.html" title="class in org.wildfly.swarm.config.logging">AsyncHandler</a>&gt;</code></td> <td class="colLast"><span class="typeNameLabel">Logging.LoggingResources.</span><code><span class="memberNameLink"><a href="../../../../../../org/wildfly/swarm/config/Logging.LoggingResources.html#asyncHandlers--">asyncHandlers</a></span>()</code> <div class="block">Get the list of AsyncHandler resources</div> </td> </tr> </tbody> </table> <table class="useSummary" border="0" cellpadding="3" cellspacing="0" summary="Use table, listing methods, and an explanation"> <caption><span>Methods in <a href="../../../../../../org/wildfly/swarm/config/package-summary.html">org.wildfly.swarm.config</a> with parameters of type <a href="../../../../../../org/wildfly/swarm/config/logging/AsyncHandler.html" title="class in org.wildfly.swarm.config.logging">AsyncHandler</a></span><span class="tabEnd">&nbsp;</span></caption> <tr> <th class="colFirst" scope="col">Modifier and Type</th> <th class="colLast" scope="col">Method and Description</th> </tr> <tbody> <tr class="altColor"> <td class="colFirst"><code><a href="../../../../../../org/wildfly/swarm/config/Logging.html" title="type parameter in Logging">T</a></code></td> <td class="colLast"><span class="typeNameLabel">Logging.</span><code><span class="memberNameLink"><a href="../../../../../../org/wildfly/swarm/config/Logging.html#asyncHandler-org.wildfly.swarm.config.logging.AsyncHandler-">asyncHandler</a></span>(<a href="../../../../../../org/wildfly/swarm/config/logging/AsyncHandler.html" title="class in org.wildfly.swarm.config.logging">AsyncHandler</a>&nbsp;value)</code> <div class="block">Add the AsyncHandler object to the list of subresources</div> </td> </tr> </tbody> </table> <table class="useSummary" border="0" cellpadding="3" cellspacing="0" summary="Use table, listing methods, and an explanation"> <caption><span>Method parameters in <a href="../../../../../../org/wildfly/swarm/config/package-summary.html">org.wildfly.swarm.config</a> with type arguments of type <a href="../../../../../../org/wildfly/swarm/config/logging/AsyncHandler.html" title="class in org.wildfly.swarm.config.logging">AsyncHandler</a></span><span class="tabEnd">&nbsp;</span></caption> <tr> <th class="colFirst" scope="col">Modifier and Type</th> <th class="colLast" scope="col">Method and Description</th> </tr> <tbody> <tr class="altColor"> <td class="colFirst"><code><a href="../../../../../../org/wildfly/swarm/config/Logging.html" title="type parameter in Logging">T</a></code></td> <td class="colLast"><span class="typeNameLabel">Logging.</span><code><span class="memberNameLink"><a href="../../../../../../org/wildfly/swarm/config/Logging.html#asyncHandlers-java.util.List-">asyncHandlers</a></span>(<a href="http://docs.oracle.com/javase/8/docs/api/java/util/List.html?is-external=true" title="class or interface in java.util">List</a>&lt;<a href="../../../../../../org/wildfly/swarm/config/logging/AsyncHandler.html" title="class in org.wildfly.swarm.config.logging">AsyncHandler</a>&gt;&nbsp;value)</code> <div class="block">Add all AsyncHandler objects to this subresource</div> </td> </tr> </tbody> </table> </li> <li class="blockList"><a name="org.wildfly.swarm.config.logging"> <!-- --> </a> <h3>Uses of <a href="../../../../../../org/wildfly/swarm/config/logging/AsyncHandler.html" title="class in org.wildfly.swarm.config.logging">AsyncHandler</a> in <a href="../../../../../../org/wildfly/swarm/config/logging/package-summary.html">org.wildfly.swarm.config.logging</a></h3> <table class="useSummary" border="0" cellpadding="3" cellspacing="0" summary="Use table, listing classes, and an explanation"> <caption><span>Classes in <a href="../../../../../../org/wildfly/swarm/config/logging/package-summary.html">org.wildfly.swarm.config.logging</a> with type parameters of type <a href="../../../../../../org/wildfly/swarm/config/logging/AsyncHandler.html" title="class in org.wildfly.swarm.config.logging">AsyncHandler</a></span><span class="tabEnd">&nbsp;</span></caption> <tr> <th class="colFirst" scope="col">Modifier and Type</th> <th class="colLast" scope="col">Class and Description</th> </tr> <tbody> <tr class="altColor"> <td class="colFirst"><code>class&nbsp;</code></td> <td class="colLast"><code><span class="memberNameLink"><a href="../../../../../../org/wildfly/swarm/config/logging/AsyncHandler.html" title="class in org.wildfly.swarm.config.logging">AsyncHandler</a>&lt;T extends <a href="../../../../../../org/wildfly/swarm/config/logging/AsyncHandler.html" title="class in org.wildfly.swarm.config.logging">AsyncHandler</a>&lt;T&gt;&gt;</span></code> <div class="block">Defines a handler which writes to the sub-handlers in an asynchronous thread.</div> </td> </tr> <tr class="rowColor"> <td class="colFirst"><code>interface&nbsp;</code></td> <td class="colLast"><code><span class="memberNameLink"><a href="../../../../../../org/wildfly/swarm/config/logging/AsyncHandlerConsumer.html" title="interface in org.wildfly.swarm.config.logging">AsyncHandlerConsumer</a>&lt;T extends <a href="../../../../../../org/wildfly/swarm/config/logging/AsyncHandler.html" title="class in org.wildfly.swarm.config.logging">AsyncHandler</a>&lt;T&gt;&gt;</span></code>&nbsp;</td> </tr> <tr class="altColor"> <td class="colFirst"><code>interface&nbsp;</code></td> <td class="colLast"><code><span class="memberNameLink"><a href="../../../../../../org/wildfly/swarm/config/logging/AsyncHandlerSupplier.html" title="interface in org.wildfly.swarm.config.logging">AsyncHandlerSupplier</a>&lt;T extends <a href="../../../../../../org/wildfly/swarm/config/logging/AsyncHandler.html" title="class in org.wildfly.swarm.config.logging">AsyncHandler</a>&gt;</span></code>&nbsp;</td> </tr> </tbody> </table> <table class="useSummary" border="0" cellpadding="3" cellspacing="0" summary="Use table, listing methods, and an explanation"> <caption><span>Methods in <a href="../../../../../../org/wildfly/swarm/config/logging/package-summary.html">org.wildfly.swarm.config.logging</a> that return <a href="../../../../../../org/wildfly/swarm/config/logging/AsyncHandler.html" title="class in org.wildfly.swarm.config.logging">AsyncHandler</a></span><span class="tabEnd">&nbsp;</span></caption> <tr> <th class="colFirst" scope="col">Modifier and Type</th> <th class="colLast" scope="col">Method and Description</th> </tr> <tbody> <tr class="altColor"> <td class="colFirst"><code><a href="../../../../../../org/wildfly/swarm/config/logging/AsyncHandler.html" title="class in org.wildfly.swarm.config.logging">AsyncHandler</a></code></td> <td class="colLast"><span class="typeNameLabel">LoggingProfile.LoggingProfileResources.</span><code><span class="memberNameLink"><a href="../../../../../../org/wildfly/swarm/config/logging/LoggingProfile.LoggingProfileResources.html#asyncHandler-java.lang.String-">asyncHandler</a></span>(<a href="http://docs.oracle.com/javase/8/docs/api/java/lang/String.html?is-external=true" title="class or interface in java.lang">String</a>&nbsp;key)</code>&nbsp;</td> </tr> <tr class="rowColor"> <td class="colFirst"><code><a href="../../../../../../org/wildfly/swarm/config/logging/AsyncHandler.html" title="class in org.wildfly.swarm.config.logging">AsyncHandler</a></code></td> <td class="colLast"><span class="typeNameLabel">AsyncHandlerSupplier.</span><code><span class="memberNameLink"><a href="../../../../../../org/wildfly/swarm/config/logging/AsyncHandlerSupplier.html#get--">get</a></span>()</code> <div class="block">Constructed instance of AsyncHandler resource</div> </td> </tr> </tbody> </table> <table class="useSummary" border="0" cellpadding="3" cellspacing="0" summary="Use table, listing methods, and an explanation"> <caption><span>Methods in <a href="../../../../../../org/wildfly/swarm/config/logging/package-summary.html">org.wildfly.swarm.config.logging</a> that return types with arguments of type <a href="../../../../../../org/wildfly/swarm/config/logging/AsyncHandler.html" title="class in org.wildfly.swarm.config.logging">AsyncHandler</a></span><span class="tabEnd">&nbsp;</span></caption> <tr> <th class="colFirst" scope="col">Modifier and Type</th> <th class="colLast" scope="col">Method and Description</th> </tr> <tbody> <tr class="altColor"> <td class="colFirst"><code><a href="http://docs.oracle.com/javase/8/docs/api/java/util/List.html?is-external=true" title="class or interface in java.util">List</a>&lt;<a href="../../../../../../org/wildfly/swarm/config/logging/AsyncHandler.html" title="class in org.wildfly.swarm.config.logging">AsyncHandler</a>&gt;</code></td> <td class="colLast"><span class="typeNameLabel">LoggingProfile.LoggingProfileResources.</span><code><span class="memberNameLink"><a href="../../../../../../org/wildfly/swarm/config/logging/LoggingProfile.LoggingProfileResources.html#asyncHandlers--">asyncHandlers</a></span>()</code> <div class="block">Get the list of AsyncHandler resources</div> </td> </tr> </tbody> </table> <table class="useSummary" border="0" cellpadding="3" cellspacing="0" summary="Use table, listing methods, and an explanation"> <caption><span>Methods in <a href="../../../../../../org/wildfly/swarm/config/logging/package-summary.html">org.wildfly.swarm.config.logging</a> with parameters of type <a href="../../../../../../org/wildfly/swarm/config/logging/AsyncHandler.html" title="class in org.wildfly.swarm.config.logging">AsyncHandler</a></span><span class="tabEnd">&nbsp;</span></caption> <tr> <th class="colFirst" scope="col">Modifier and Type</th> <th class="colLast" scope="col">Method and Description</th> </tr> <tbody> <tr class="altColor"> <td class="colFirst"><code><a href="../../../../../../org/wildfly/swarm/config/logging/LoggingProfile.html" title="type parameter in LoggingProfile">T</a></code></td> <td class="colLast"><span class="typeNameLabel">LoggingProfile.</span><code><span class="memberNameLink"><a href="../../../../../../org/wildfly/swarm/config/logging/LoggingProfile.html#asyncHandler-org.wildfly.swarm.config.logging.AsyncHandler-">asyncHandler</a></span>(<a href="../../../../../../org/wildfly/swarm/config/logging/AsyncHandler.html" title="class in org.wildfly.swarm.config.logging">AsyncHandler</a>&nbsp;value)</code> <div class="block">Add the AsyncHandler object to the list of subresources</div> </td> </tr> </tbody> </table> <table class="useSummary" border="0" cellpadding="3" cellspacing="0" summary="Use table, listing methods, and an explanation"> <caption><span>Method parameters in <a href="../../../../../../org/wildfly/swarm/config/logging/package-summary.html">org.wildfly.swarm.config.logging</a> with type arguments of type <a href="../../../../../../org/wildfly/swarm/config/logging/AsyncHandler.html" title="class in org.wildfly.swarm.config.logging">AsyncHandler</a></span><span class="tabEnd">&nbsp;</span></caption> <tr> <th class="colFirst" scope="col">Modifier and Type</th> <th class="colLast" scope="col">Method and Description</th> </tr> <tbody> <tr class="altColor"> <td class="colFirst"><code><a href="../../../../../../org/wildfly/swarm/config/logging/LoggingProfile.html" title="type parameter in LoggingProfile">T</a></code></td> <td class="colLast"><span class="typeNameLabel">LoggingProfile.</span><code><span class="memberNameLink"><a href="../../../../../../org/wildfly/swarm/config/logging/LoggingProfile.html#asyncHandlers-java.util.List-">asyncHandlers</a></span>(<a href="http://docs.oracle.com/javase/8/docs/api/java/util/List.html?is-external=true" title="class or interface in java.util">List</a>&lt;<a href="../../../../../../org/wildfly/swarm/config/logging/AsyncHandler.html" title="class in org.wildfly.swarm.config.logging">AsyncHandler</a>&gt;&nbsp;value)</code> <div class="block">Add all AsyncHandler objects to this subresource</div> </td> </tr> </tbody> </table> </li> <li class="blockList"><a name="org.wildfly.swarm.logging"> <!-- --> </a> <h3>Uses of <a href="../../../../../../org/wildfly/swarm/config/logging/AsyncHandler.html" title="class in org.wildfly.swarm.config.logging">AsyncHandler</a> in <a href="../../../../../../org/wildfly/swarm/logging/package-summary.html">org.wildfly.swarm.logging</a></h3> <table class="useSummary" border="0" cellpadding="3" cellspacing="0" summary="Use table, listing methods, and an explanation"> <caption><span>Methods in <a href="../../../../../../org/wildfly/swarm/logging/package-summary.html">org.wildfly.swarm.logging</a> that return types with arguments of type <a href="../../../../../../org/wildfly/swarm/config/logging/AsyncHandler.html" title="class in org.wildfly.swarm.config.logging">AsyncHandler</a></span><span class="tabEnd">&nbsp;</span></caption> <tr> <th class="colFirst" scope="col">Modifier and Type</th> <th class="colLast" scope="col">Method and Description</th> </tr> <tbody> <tr class="altColor"> <td class="colFirst"><code><a href="http://docs.oracle.com/javase/8/docs/api/java/util/List.html?is-external=true" title="class or interface in java.util">List</a>&lt;<a href="../../../../../../org/wildfly/swarm/config/logging/AsyncHandler.html" title="class in org.wildfly.swarm.config.logging">AsyncHandler</a>&gt;</code></td> <td class="colLast"><span class="typeNameLabel">LoggingFraction.</span><code><span class="memberNameLink"><a href="../../../../../../org/wildfly/swarm/logging/LoggingFraction.html#asyncHandlers--">asyncHandlers</a></span>()</code> <div class="block">Get the list of AsyncHandlers for this logger</div> </td> </tr> </tbody> </table> </li> </ul> </li> </ul> </div> <!-- ======= START OF BOTTOM NAVBAR ====== --> <div class="bottomNav"><a name="navbar.bottom"> <!-- --> </a> <div class="skipNav"><a href="#skip.navbar.bottom" title="Skip navigation links">Skip navigation links</a></div> <a name="navbar.bottom.firstrow"> <!-- --> </a> <ul class="navList" title="Navigation"> <li><a href="../../../../../../overview-summary.html">Overview</a></li> <li><a href="../package-summary.html">Package</a></li> <li><a href="../../../../../../org/wildfly/swarm/config/logging/AsyncHandler.html" title="class in org.wildfly.swarm.config.logging">Class</a></li> <li class="navBarCell1Rev">Use</li> <li><a href="../../../../../../overview-tree.html">Tree</a></li> <li><a href="../../../../../../deprecated-list.html">Deprecated</a></li> <li><a href="../../../../../../index-all.html">Index</a></li> <li><a href="../../../../../../help-doc.html">Help</a></li> </ul> <div class="aboutLanguage">WildFly Swarm API, 2017.1.1</div> </div> <div class="subNav"> <ul class="navList"> <li>Prev</li> <li>Next</li> </ul> <ul class="navList"> <li><a href="../../../../../../index.html?org/wildfly/swarm/config/logging/class-use/AsyncHandler.html" target="_top">Frames</a></li> <li><a href="AsyncHandler.html" target="_top">No&nbsp;Frames</a></li> </ul> <ul class="navList" id="allclasses_navbar_bottom"> <li><a href="../../../../../../allclasses-noframe.html">All&nbsp;Classes</a></li> </ul> <div> <script type="text/javascript"><!-- allClassesLink = document.getElementById("allclasses_navbar_bottom"); if(window==top) { allClassesLink.style.display = "block"; } else { allClassesLink.style.display = "none"; } //--> </script> </div> <a name="skip.navbar.bottom"> <!-- --> </a></div> <!-- ======== END OF BOTTOM NAVBAR ======= --> <p class="legalCopy"><small>Copyright &#169; 2017 <a href="http://www.jboss.org">JBoss by Red Hat</a>. All rights reserved.</small></p> </body> </html>
{ "content_hash": "bfc3d38ddb5f043315d7f5b40acc3863", "timestamp": "", "source": "github", "line_count": 333, "max_line_length": 549, "avg_line_length": 65.76876876876877, "alnum_prop": 0.6809734715309803, "repo_name": "wildfly-swarm/wildfly-swarm-javadocs", "id": "b5bb1429ca415518d78a96cd7ce2e022ec1878f1", "size": "21901", "binary": false, "copies": "1", "ref": "refs/heads/gh-pages", "path": "2017.1.1/apidocs/org/wildfly/swarm/config/logging/class-use/AsyncHandler.html", "mode": "33188", "license": "apache-2.0", "language": [], "symlink_target": "" }
package at.magiun.core.feature import java.util.regex.Pattern import at.magiun.core.model.data.Distribution import com.typesafe.scalalogging.LazyLogging import org.apache.commons.math3.distribution._ import org.apache.spark.mllib.stat.Statistics import org.apache.spark.rdd.RDD import org.apache.spark.sql.execution.stat.StatFunctions import org.apache.spark.sql.functions._ import org.apache.spark.sql.{Dataset, Row, SparkSession} /** * Computes value types and other metadata for each column of the data set */ class ColumnMetaDataComputer( sparkSession: SparkSession ) extends LazyLogging with Serializable { import sparkSession.implicits._ def compute(ds: Dataset[Row], restrictions: Map[String, Restriction]): Seq[ColumnMetaData] = { logger.info("Computing column metadata.") val basicMeta = ds .map(row => computeValueTypeForRow(row, restrictions)) .reduce((colMeta1, colMeta2) => combine(colMeta1, colMeta2)) val distinctCounts = ds.select(ds.columns.map(c => countDistinct(col(s"`$c`")).alias(c)): _*).first().toSeq logger.info("Computing summary statistics for column metadata.") val summaryStatistics = computeSummaryStatistics(ds) logger.info("Computing distributions for column metadata.") val distributions = computeDistributions(ds, summaryStatistics) basicMeta.map(ColumnMetaData(_)) .zip(distinctCounts).map { case (meta, distinctCount) => meta.copy(uniqueValues = distinctCount.asInstanceOf[Long]) } .zip(summaryStatistics).map { case (meta, s) => meta.copy(stats = s) } .zip(distributions).map { case (meta, d) => meta.copy(distributions = d) } } private def combine(left: Seq[BasicMeta], right: Seq[BasicMeta]): Seq[BasicMeta] = { (left zip right).map { case (l, r) => l.combine(r) } } private def isColMeta(row: Row): Boolean = { row.get(0).isInstanceOf[ColumnMetaData] } def computeValueTypeForRow(row: Row, restrictions: Map[String, Restriction]): Seq[BasicMeta] = { (0 until row.size).map { colIndex => { val value = row.get(colIndex) if (isMissingValue(value, restrictions("MissingValue"))) { BasicMeta(Set(), Set(), 1) } else { val valueTypes = restrictions .map { case (valueType, restr) => logger.debug(s"Checking type $valueType for value $value") if (restr.check(value)) { valueType } else { null } }.filter(_ != null) // if (colIndex == 5 && !valueTypes.toSet.contains("HumanAgeValue")) { // logger.error(s"$value is wrong") // } BasicMeta(valueTypes.toSet, valueTypes.toSet, 0) } } } } private def isMissingValue(value: Any, restriction: Restriction): Boolean = { value match { case null => true case v => restriction.check(v) } } private def computeSummaryStatistics(ds: Dataset[Row]): Seq[SummaryStatistics] = { val statsSummary = StatFunctions.summary(ds, Seq("count", "mean", "stddev", "min", "max", "50%")) val stats = statsSummary.collect().toSeq .map(row => { row.toSeq.drop(1) .map(e => Option(e).map(_.asInstanceOf[String])) }) val count = stats(0).map(e => e.get.toLong) val mean = stats(1).map(_.flatMap(e => parseDouble(e))) val stddev = stats(2).map(_.flatMap(e => parseDouble(e))) val min = stats(3).map(_.flatMap(e => parseDouble(e))) val max = stats(4).map(_.flatMap(e => parseDouble(e))) val median = stats(5).map(_.flatMap(e => parseDouble(e))) ds.schema.indices.map { colIndex => SummaryStatistics(count(colIndex), mean(colIndex), stddev(colIndex), min(colIndex), max(colIndex), median(colIndex)) } } private def parseDouble(s: String): Option[Double] = try { Some(s.toDouble) } catch { case _: Exception => None } private def computeDistributions(ds: Dataset[Row], summaryStatistics: Seq[SummaryStatistics]): Seq[Set[Distribution]] = { val schema = ds.schema ds.schema.indices.map { colIndex => val stats = summaryStatistics(colIndex) val colType = schema(colIndex).dataType.typeName if (colType == "integer" || colType == "double") { val doubles = ds .map(e => Option(e.get(colIndex)).map(_.toString)) .map(_.flatMap(e => parseDouble(e))) .filter(_.isDefined) .map(_.get) .rdd val normal = false //isDistributed(doubles, new NormalDistribution(stats.mean.get, stats.stddev.get)) val uniform = isDistributed(doubles, new UniformRealDistribution(stats.min.get, stats.max.get)) val exponential = false //isDistributed(doubles, new ExponentialDistribution(null, stats.mean.get)) Set[Distribution]( if (normal) Distribution.Normal else null, if (uniform) Distribution.Uniform else null, if (exponential) Distribution.Exponential else null ).filter(e => e != null) } else { Set[Distribution]() } } } private def isDistributed(doubleCol: RDD[Double], dist: RealDistribution) = { val testResult = Statistics.kolmogorovSmirnovTest(doubleCol, (x: Double) => dist.cumulativeProbability(x)) testResult.pValue > 0.05 } }
{ "content_hash": "8af6e237dc80e393e563720a8f5e52e5", "timestamp": "", "source": "github", "line_count": 154, "max_line_length": 123, "avg_line_length": 34.96103896103896, "alnum_prop": 0.638558692421991, "repo_name": "Mihai238/magiun", "id": "ef692b16e817a3c7805f13278c2c481366e0e9ac", "size": "5384", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "core/src/main/scala/at/magiun/core/feature/ColumnMetaDataComputer.scala", "mode": "33188", "license": "apache-2.0", "language": [ { "name": "CSS", "bytes": "150987" }, { "name": "HTML", "bytes": "33528" }, { "name": "JavaScript", "bytes": "4615" }, { "name": "Scala", "bytes": "97107" }, { "name": "Shell", "bytes": "419" }, { "name": "TypeScript", "bytes": "149912" } ], "symlink_target": "" }
TF.js deployment of google/imagenet/mobilenet_v1_100_192/feature_vector/3. <!-- asset-path: legacy --> <!-- parent-model: google/imagenet/mobilenet_v1_100_192/feature_vector/3 --> ## Origin This model is based on [google/imagenet/mobilenet_v1_100_192/feature_vector/3](https://tfhub.dev/google/imagenet/mobilenet_v1_100_192/feature_vector/3). This model has been automatically converted using the [TF.js converter](https://github.com/tensorflow/tfjs/tree/master/tfjs-converter). ## Example use This model can be loaded using TF.js as: ```javascript tf.loadGraphModel("https://tfhub.dev/google/tfjs-model/imagenet/mobilenet_v1_100_192/feature_vector/3/default/1", { fromTFHub: true }) ```
{ "content_hash": "397da53722a79dea8c4598d81c3d4859", "timestamp": "", "source": "github", "line_count": 17, "max_line_length": 152, "avg_line_length": 40.8235294117647, "alnum_prop": 0.7550432276657061, "repo_name": "tensorflow/tfhub.dev", "id": "a2bbec63beac988721e6210fcf3f8263c1602b64", "size": "765", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "assets/docs/google/models/imagenet/mobilenet_v1_100_192/feature_vector/3/default/tfjs/1.md", "mode": "33188", "license": "apache-2.0", "language": [ { "name": "Python", "bytes": "160084" }, { "name": "Starlark", "bytes": "6838" } ], "symlink_target": "" }
/**************************************************************************** ** Meta object code from reading C++ file 'addressbookpage.h' ** ** Created: Fri Mar 7 11:55:07 2014 ** by: The Qt Meta Object Compiler version 63 (Qt 4.8.2) ** ** WARNING! All changes made in this file will be lost! *****************************************************************************/ #include "../src/qt/addressbookpage.h" #if !defined(Q_MOC_OUTPUT_REVISION) #error "The header file 'addressbookpage.h' doesn't include <QObject>." #elif Q_MOC_OUTPUT_REVISION != 63 #error "This file was generated using the moc from 4.8.2. It" #error "cannot be used with the include files from this version of Qt." #error "(The moc has changed too much.)" #endif QT_BEGIN_MOC_NAMESPACE static const uint qt_meta_data_AddressBookPage[] = { // content: 6, // revision 0, // classname 0, 0, // classinfo 17, 14, // methods 0, 0, // properties 0, 0, // enums/sets 0, 0, // constructors 0, // flags 3, // signalCount // signals: signature, parameters, type, tag, flags 22, 17, 16, 16, 0x05, 43, 17, 16, 16, 0x05, 66, 17, 16, 16, 0x05, // slots: signature, parameters, type, tag, flags 92, 85, 16, 16, 0x0a, 102, 16, 16, 16, 0x08, 129, 16, 16, 16, 0x08, 153, 16, 16, 16, 0x08, 178, 16, 16, 16, 0x08, 203, 16, 16, 16, 0x08, 230, 16, 16, 16, 0x08, 250, 16, 16, 16, 0x08, 274, 16, 16, 16, 0x08, 294, 16, 16, 16, 0x08, 309, 16, 16, 16, 0x08, 335, 16, 16, 16, 0x08, 360, 354, 16, 16, 0x08, 397, 383, 16, 16, 0x08, 0 // eod }; static const char qt_meta_stringdata_AddressBookPage[] = { "AddressBookPage\0\0addr\0signMessage(QString)\0" "verifyMessage(QString)\0sendCoins(QString)\0" "retval\0done(int)\0on_deleteAddress_clicked()\0" "on_newAddress_clicked()\0" "on_copyAddress_clicked()\0" "on_signMessage_clicked()\0" "on_verifyMessage_clicked()\0" "onSendCoinsAction()\0on_showQRCode_clicked()\0" "onCopyLabelAction()\0onEditAction()\0" "on_exportButton_clicked()\0selectionChanged()\0" "point\0contextualMenu(QPoint)\0parent,begin,\0" "selectNewAddress(QModelIndex,int,int)\0" }; void AddressBookPage::qt_static_metacall(QObject *_o, QMetaObject::Call _c, int _id, void **_a) { if (_c == QMetaObject::InvokeMetaMethod) { Q_ASSERT(staticMetaObject.cast(_o)); AddressBookPage *_t = static_cast<AddressBookPage *>(_o); switch (_id) { case 0: _t->signMessage((*reinterpret_cast< QString(*)>(_a[1]))); break; case 1: _t->verifyMessage((*reinterpret_cast< QString(*)>(_a[1]))); break; case 2: _t->sendCoins((*reinterpret_cast< QString(*)>(_a[1]))); break; case 3: _t->done((*reinterpret_cast< int(*)>(_a[1]))); break; case 4: _t->on_deleteAddress_clicked(); break; case 5: _t->on_newAddress_clicked(); break; case 6: _t->on_copyAddress_clicked(); break; case 7: _t->on_signMessage_clicked(); break; case 8: _t->on_verifyMessage_clicked(); break; case 9: _t->onSendCoinsAction(); break; case 10: _t->on_showQRCode_clicked(); break; case 11: _t->onCopyLabelAction(); break; case 12: _t->onEditAction(); break; case 13: _t->on_exportButton_clicked(); break; case 14: _t->selectionChanged(); break; case 15: _t->contextualMenu((*reinterpret_cast< const QPoint(*)>(_a[1]))); break; case 16: _t->selectNewAddress((*reinterpret_cast< const QModelIndex(*)>(_a[1])),(*reinterpret_cast< int(*)>(_a[2])),(*reinterpret_cast< int(*)>(_a[3]))); break; default: ; } } } const QMetaObjectExtraData AddressBookPage::staticMetaObjectExtraData = { 0, qt_static_metacall }; const QMetaObject AddressBookPage::staticMetaObject = { { &QDialog::staticMetaObject, qt_meta_stringdata_AddressBookPage, qt_meta_data_AddressBookPage, &staticMetaObjectExtraData } }; #ifdef Q_NO_DATA_RELOCATION const QMetaObject &AddressBookPage::getStaticMetaObject() { return staticMetaObject; } #endif //Q_NO_DATA_RELOCATION const QMetaObject *AddressBookPage::metaObject() const { return QObject::d_ptr->metaObject ? QObject::d_ptr->metaObject : &staticMetaObject; } void *AddressBookPage::qt_metacast(const char *_clname) { if (!_clname) return 0; if (!strcmp(_clname, qt_meta_stringdata_AddressBookPage)) return static_cast<void*>(const_cast< AddressBookPage*>(this)); return QDialog::qt_metacast(_clname); } int AddressBookPage::qt_metacall(QMetaObject::Call _c, int _id, void **_a) { _id = QDialog::qt_metacall(_c, _id, _a); if (_id < 0) return _id; if (_c == QMetaObject::InvokeMetaMethod) { if (_id < 17) qt_static_metacall(this, _c, _id, _a); _id -= 17; } return _id; } // SIGNAL 0 void AddressBookPage::signMessage(QString _t1) { void *_a[] = { 0, const_cast<void*>(reinterpret_cast<const void*>(&_t1)) }; QMetaObject::activate(this, &staticMetaObject, 0, _a); } // SIGNAL 1 void AddressBookPage::verifyMessage(QString _t1) { void *_a[] = { 0, const_cast<void*>(reinterpret_cast<const void*>(&_t1)) }; QMetaObject::activate(this, &staticMetaObject, 1, _a); } // SIGNAL 2 void AddressBookPage::sendCoins(QString _t1) { void *_a[] = { 0, const_cast<void*>(reinterpret_cast<const void*>(&_t1)) }; QMetaObject::activate(this, &staticMetaObject, 2, _a); } QT_END_MOC_NAMESPACE
{ "content_hash": "33cd0a1abecb9bfe8be81d88d7fcff83", "timestamp": "", "source": "github", "line_count": 159, "max_line_length": 168, "avg_line_length": 35.710691823899374, "alnum_prop": 0.5921098978513561, "repo_name": "Eggcoin/eggcoin", "id": "d533738243ac508c8593f27b4937e0a868a6bcdf", "size": "5678", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "build/moc_addressbookpage.cpp", "mode": "33188", "license": "mit", "language": [ { "name": "C", "bytes": "102957" }, { "name": "C++", "bytes": "3567876" }, { "name": "CSS", "bytes": "1127" }, { "name": "IDL", "bytes": "14692" }, { "name": "Objective-C", "bytes": "5864" }, { "name": "Python", "bytes": "37260" }, { "name": "Shell", "bytes": "2600" }, { "name": "TypeScript", "bytes": "115176" } ], "symlink_target": "" }
<?php namespace jp3cki\yii2\twitter\widget; use yii\base\Widget; use yii\helpers\Html; class TweetButton extends Widget { // See https://dev.twitter.com/web/tweet-button/web-intent public $text; public $url; public $hashtags; public $via; public $related; public $inReplyTo; // See https://dev.twitter.com/web/tweet-button public $size; // DO NOT TOUCH if you ain't a specialist. public $baseUrl; public $baseText; public function init() { $this->baseUrl = 'https://twitter.com/intent/tweet'; $this->baseText = 'Tweet'; return parent::init(); } public function run() { TwitterWidgetAsset::register($this->view); $options = [ 'class' => 'twitter-share-button' ]; if ($this->size === 'large') { $options['data-size'] = $this->size; } return Html::a( $this->baseText, $this->buildUrl(), $options ); } protected function buildUrl() { $params = []; $keys = [ 'text', 'url', 'hashtags', 'via', 'related', 'inReplyTo' ]; foreach ($keys as $key) { if ($this->$key !== null && $this->$key !== '') { // convert (like: inReplyTo => in-reply-to) $paramKey = preg_replace_callback( '/[[:upper:]]/', function ($m) { return '-' . strtolower($m[0]); }, $key ); $params[$paramKey] = (is_array($this->$key)) ? implode(',', $this->$key) : (string)$this->$key; } } return sprintf( '%s%s%s', $this->baseUrl, strpos($this->baseUrl, '?') !== false ? '&' : '?', http_build_query($params, '', '&') ); } }
{ "content_hash": "539c38992d3f3cc55902f513309d0550", "timestamp": "", "source": "github", "line_count": 75, "max_line_length": 77, "avg_line_length": 25.64, "alnum_prop": 0.45865834633385333, "repo_name": "fetus-hina/yii2-twitter-widget", "id": "d23bbcad015f3ee6f69d7b3a8341a99cb506f648", "size": "2103", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "src/TweetButton.php", "mode": "33188", "license": "mit", "language": [ { "name": "PHP", "bytes": "2491" } ], "symlink_target": "" }
{# Modify this template to change what is displayed in Help Scout #} <h3>{{ username }}</h3>
{ "content_hash": "a09e79b90bedcd867c1c5bd8babe3594", "timestamp": "", "source": "github", "line_count": 2, "max_line_length": 68, "avg_line_length": 46.5, "alnum_prop": 0.6881720430107527, "repo_name": "carousell/Helpscout-App-Template", "id": "5d9d17e543b60f83b27f2a0ea59d71a5e0899cbc", "size": "93", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "helpscout_app/templates/api/helpscout.html", "mode": "33188", "license": "apache-2.0", "language": [ { "name": "Python", "bytes": "8264" } ], "symlink_target": "" }
package io.fabric8.forge.camel.commands.jolokia; import javax.inject.Inject; import org.jboss.forge.addon.ui.context.UIBuilder; import org.jboss.forge.addon.ui.context.UIContext; import org.jboss.forge.addon.ui.context.UIExecutionContext; import org.jboss.forge.addon.ui.input.UIInput; import org.jboss.forge.addon.ui.metadata.UICommandMetadata; import org.jboss.forge.addon.ui.metadata.WithAttributes; import org.jboss.forge.addon.ui.result.Result; import org.jboss.forge.addon.ui.result.Results; import org.jboss.forge.addon.ui.util.Categories; import org.jboss.forge.addon.ui.util.Metadata; public class RestRegistryListCommand extends AbstractJolokiaCommand { @Inject @WithAttributes(label = "name", required = true, description = "The name of the Camel context") private UIInput<String> name; @Inject @WithAttributes(label = "decode", required = false, defaultValue = "true", description = "Whether to decode the endpoint uri so its human readable") private UIInput<String> decode; @Inject @WithAttributes(label = "verbose", required = false, defaultValue = "false", description = "Verbose output") private UIInput<String> verbose; @Override public UICommandMetadata getMetadata(UIContext context) { return Metadata.forCommand(ConnectCommand.class).name( "camel-rest-registry-list").category(Categories.create(CATEGORY)) .description("Lists all Camel REST services enlisted in the Rest Registry from one or more CamelContexts."); } @Override public void initializeUI(UIBuilder builder) throws Exception { name.setCompleter(new CamelContextCompleter(getController())); builder.add(name).add(decode).add(verbose); } @Override public Result execute(UIExecutionContext context) throws Exception { String url = getJolokiaUrl(); if (url == null) { return Results.fail("Not connected to remote jolokia agent. Use camel-connect command first"); } boolean val = "true".equals(decode.getValue()); boolean val2 = "true".equals(verbose.getValue()); org.apache.camel.commands.RestRegistryListCommand command = new org.apache.camel.commands.RestRegistryListCommand(name.getValue(), val, val2); command.execute(getController(), getOutput(context), getError(context)); return Results.success(); } }
{ "content_hash": "f2c4017695103fb55a5bac9376b4f595", "timestamp": "", "source": "github", "line_count": 59, "max_line_length": 152, "avg_line_length": 40.76271186440678, "alnum_prop": 0.7251559251559252, "repo_name": "hekonsek/fabric8", "id": "b579d8feeb1fdb66fd86b389231e797f45d41222", "size": "3043", "binary": false, "copies": "2", "ref": "refs/heads/master", "path": "forge/addons/camel/src/main/java/io/fabric8/forge/camel/commands/jolokia/RestRegistryListCommand.java", "mode": "33188", "license": "apache-2.0", "language": [ { "name": "Batchfile", "bytes": "7910" }, { "name": "CSS", "bytes": "56290" }, { "name": "Groff", "bytes": "78280" }, { "name": "HTML", "bytes": "186523" }, { "name": "Java", "bytes": "11708101" }, { "name": "JavaScript", "bytes": "1909792" }, { "name": "Nginx", "bytes": "1321" }, { "name": "Protocol Buffer", "bytes": "899" }, { "name": "Ruby", "bytes": "4708" }, { "name": "Scala", "bytes": "5260" }, { "name": "Shell", "bytes": "75857" }, { "name": "XSLT", "bytes": "23668" } ], "symlink_target": "" }
<section> <header></header> <article id="content"> </article> <footer></footer> </section>
{ "content_hash": "4b57b42f6b7f9a1749f2019521cf4962", "timestamp": "", "source": "github", "line_count": 5, "max_line_length": 34, "avg_line_length": 18.6, "alnum_prop": 0.6559139784946236, "repo_name": "Redmart/os-mobilizer", "id": "04815273b5200e106239a914ab8860419d463b61", "size": "93", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "frontend/source/templates/landing/landing.html", "mode": "33188", "license": "apache-2.0", "language": [ { "name": "CSS", "bytes": "203175" }, { "name": "HTML", "bytes": "36805" }, { "name": "JavaScript", "bytes": "11055168" }, { "name": "Ruby", "bytes": "3831" }, { "name": "Shell", "bytes": "2633" } ], "symlink_target": "" }
package edu.uci.ics.asterix.api.common; import java.io.File; import java.util.EnumSet; import edu.uci.ics.asterix.common.config.GlobalConfig; import edu.uci.ics.asterix.hyracks.bootstrap.CCApplicationEntryPoint; import edu.uci.ics.asterix.hyracks.bootstrap.NCApplicationEntryPoint; import edu.uci.ics.hyracks.api.client.HyracksConnection; import edu.uci.ics.hyracks.api.client.IHyracksClientConnection; import edu.uci.ics.hyracks.api.job.JobFlag; import edu.uci.ics.hyracks.api.job.JobId; import edu.uci.ics.hyracks.api.job.JobSpecification; import edu.uci.ics.hyracks.control.cc.ClusterControllerService; import edu.uci.ics.hyracks.control.common.controllers.CCConfig; import edu.uci.ics.hyracks.control.common.controllers.NCConfig; import edu.uci.ics.hyracks.control.nc.NodeControllerService; public class AsterixHyracksIntegrationUtil { public static final int NODES = 2; public static final int PARTITONS = 2; public static final int DEFAULT_HYRACKS_CC_CLIENT_PORT = 1098; public static final int DEFAULT_HYRACKS_CC_CLUSTER_PORT = 1099; private static ClusterControllerService cc; private static NodeControllerService[] ncs = new NodeControllerService[NODES]; private static IHyracksClientConnection hcc; public static void init() throws Exception { CCConfig ccConfig = new CCConfig(); ccConfig.clusterNetIpAddress = "127.0.0.1"; ccConfig.clientNetIpAddress = "127.0.0.1"; ccConfig.clientNetPort = DEFAULT_HYRACKS_CC_CLIENT_PORT; ccConfig.clusterNetPort = DEFAULT_HYRACKS_CC_CLUSTER_PORT; ccConfig.defaultMaxJobAttempts = 0; ccConfig.resultTTL = 30000; ccConfig.resultSweepThreshold = 1000; ccConfig.appCCMainClass = CCApplicationEntryPoint.class.getName(); // ccConfig.useJOL = true; cc = new ClusterControllerService(ccConfig); cc.start(); int n = 0; for (String ncName : getNcNames()) { NCConfig ncConfig1 = new NCConfig(); ncConfig1.ccHost = "localhost"; ncConfig1.ccPort = DEFAULT_HYRACKS_CC_CLUSTER_PORT; ncConfig1.clusterNetIPAddress = "127.0.0.1"; ncConfig1.dataIPAddress = "127.0.0.1"; ncConfig1.resultIPAddress = "127.0.0.1"; ncConfig1.nodeId = ncName; ncConfig1.resultTTL = 30000; ncConfig1.resultSweepThreshold = 1000; for (int p = 0; p < PARTITONS; ++p) { if (p == 0) { ncConfig1.ioDevices = System.getProperty("java.io.tmpdir") + File.separator + ncConfig1.nodeId + "/iodevice" + p; } else { ncConfig1.ioDevices += "," + System.getProperty("java.io.tmpdir") + File.separator + ncConfig1.nodeId + "/iodevice" + p; } } ncConfig1.appNCMainClass = NCApplicationEntryPoint.class.getName(); ncs[n] = new NodeControllerService(ncConfig1); ncs[n].start(); ++n; } hcc = new HyracksConnection(cc.getConfig().clientNetIpAddress, cc.getConfig().clientNetPort); } public static String[] getNcNames() { String[] names = new String[NODES]; for (int n = 0; n < NODES; ++n) { names[n] = "nc" + (n + 1); } return names; } public static String[] getDataDirs() { String[] names = new String[NODES]; for (int n = 0; n < NODES; ++n) { names[n] = "nc" + (n + 1) + "data"; } return names; } public static IHyracksClientConnection getHyracksClientConnection() { return hcc; } public static void deinit() throws Exception { for (int n = 0; n < ncs.length; ++n) { if (ncs[n] != null) ncs[n].stop(); } if (cc != null) cc.stop(); } public static void runJob(JobSpecification spec) throws Exception { GlobalConfig.ASTERIX_LOGGER.info(spec.toJSON().toString()); JobId jobId = hcc.startJob(spec, EnumSet.of(JobFlag.PROFILE_RUNTIME)); GlobalConfig.ASTERIX_LOGGER.info(jobId.toString()); hcc.waitForCompletion(jobId); } /** * main method to run a simple 2 node cluster in-process * suggested VM arguments: <code>-enableassertions -Xmx2048m -Dfile.encoding=UTF-8</code> * * @param args * unused */ public static void main(String[] args) { Runtime.getRuntime().addShutdownHook(new Thread() { public void run() { try { deinit(); } catch (Exception e) { e.printStackTrace(); } } }); try { System.setProperty(GlobalConfig.CONFIG_FILE_PROPERTY, "asterix-build-configuration.xml"); init(); while (true) { Thread.sleep(10000); } } catch (Exception e) { e.printStackTrace(); } } }
{ "content_hash": "cc4d9caf9fec72c56a1c8bd85439c11c", "timestamp": "", "source": "github", "line_count": 142, "max_line_length": 114, "avg_line_length": 35.75352112676056, "alnum_prop": 0.6029151073468584, "repo_name": "parshimers/incubator-asterixdb", "id": "91aa89799c7c327ab3ed34830cc2a56eb7a790d8", "size": "5710", "binary": false, "copies": "1", "ref": "refs/heads/imaxon/yarn", "path": "asterix-app/src/main/java/edu/uci/ics/asterix/api/common/AsterixHyracksIntegrationUtil.java", "mode": "33188", "license": "apache-2.0", "language": [ { "name": "Batchfile", "bytes": "6116" }, { "name": "CSS", "bytes": "3954" }, { "name": "Crystal", "bytes": "453" }, { "name": "HTML", "bytes": "70110" }, { "name": "Java", "bytes": "8768354" }, { "name": "JavaScript", "bytes": "234599" }, { "name": "Python", "bytes": "264407" }, { "name": "Ruby", "bytes": "1880" }, { "name": "Scheme", "bytes": "1105" }, { "name": "Shell", "bytes": "78769" }, { "name": "Smarty", "bytes": "29789" } ], "symlink_target": "" }
class Projects::ForksController < Projects::ApplicationController include ContinueParams include RendersMemberAccess include RendersProjectsList include Gitlab::Utils::StrongMemoize # Authorize before_action :whitelist_query_limiting, only: [:create] before_action :require_non_empty_project before_action :authorize_download_code! before_action :authenticate_user!, only: [:new, :create] before_action :authorize_fork_project!, only: [:new, :create] before_action :authorize_fork_namespace!, only: [:create] def index @total_forks_count = project.forks.size @public_forks_count = project.forks.public_only.size @private_forks_count = @total_forks_count - project.forks.public_and_internal_only.size @internal_forks_count = @total_forks_count - @public_forks_count - @private_forks_count @forks = load_forks.page(params[:page]) prepare_projects_for_rendering(@forks) respond_to do |format| format.html format.json do render json: { html: view_to_html_string("projects/forks/_projects", projects: @forks) } end end end def new respond_to do |format| format.html do @own_namespace = current_user.namespace if fork_service.valid_fork_targets.include?(current_user.namespace) @project = project end format.json do namespaces = load_namespaces_with_associations - [project.namespace] render json: { namespaces: ForkNamespaceSerializer.new.represent(namespaces, project: project, current_user: current_user, memberships: memberships_hash) } end end end # rubocop: disable CodeReuse/ActiveRecord def create @forked_project = fork_namespace.projects.find_by(path: project.path) @forked_project = nil unless @forked_project && @forked_project.forked_from_project == project @forked_project ||= fork_service.execute if !@forked_project.saved? || !@forked_project.forked? render :error elsif @forked_project.import_in_progress? redirect_to project_import_path(@forked_project, continue: continue_params) elsif continue_params[:to] redirect_to continue_params[:to], notice: continue_params[:notice] else redirect_to project_path(@forked_project), notice: "The project '#{@forked_project.name}' was successfully forked." end end private def load_forks forks = ForkProjectsFinder.new( project, params: params.merge(search: params[:filter_projects]), current_user: current_user ).execute forks.includes(:route, :creator, :group, namespace: [:route, :owner]) end def fork_service strong_memoize(:fork_service) do ::Projects::ForkService.new(project, current_user, namespace: fork_namespace) end end def fork_namespace strong_memoize(:fork_namespace) do Namespace.find(params[:namespace_key]) if params[:namespace_key].present? end end def authorize_fork_namespace! access_denied! unless fork_namespace && fork_service.valid_fork_target? end def whitelist_query_limiting Gitlab::QueryLimiting.whitelist('https://gitlab.com/gitlab-org/gitlab-foss/issues/42335') end def load_namespaces_with_associations @load_namespaces_with_associations ||= fork_service.valid_fork_targets(only_groups: true).preload(:route) end def memberships_hash current_user.members.where(source: load_namespaces_with_associations).index_by(&:source_id) end end Projects::ForksController.prepend_if_ee('EE::Projects::ForksController')
{ "content_hash": "a5927094df25dcd413035dbc0332a18d", "timestamp": "", "source": "github", "line_count": 112, "max_line_length": 148, "avg_line_length": 31.892857142857142, "alnum_prop": 0.7040873460246361, "repo_name": "mmkassem/gitlabhq", "id": "c6b6b825bb70654e4c96a83f242e3bb0d9bb6149", "size": "3603", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "app/controllers/projects/forks_controller.rb", "mode": "33188", "license": "mit", "language": [ { "name": "CSS", "bytes": "113683" }, { "name": "CoffeeScript", "bytes": "139197" }, { "name": "Cucumber", "bytes": "119759" }, { "name": "HTML", "bytes": "447030" }, { "name": "JavaScript", "bytes": "29805" }, { "name": "Ruby", "bytes": "2417833" }, { "name": "Shell", "bytes": "14336" } ], "symlink_target": "" }
package science.atlarge.graphalytics.granula; import science.atlarge.granula.archiver.GranulaExecutor; import science.atlarge.granula.modeller.entity.Execution; import science.atlarge.granula.modeller.job.JobModel; import science.atlarge.granula.util.FileUtil; import science.atlarge.granula.util.json.JsonUtil; import java.nio.file.Paths; /** * @author Wing Lung Ngai */ public class FailedJobArchiver { public static void main(String[] args) { String driverLogPath = args[0]; Execution execution = (Execution) JsonUtil.fromJson(FileUtil.readFile(Paths.get(driverLogPath)), Execution.class); execution.setEndTime(System.currentTimeMillis()); execution.setArcPath(Paths.get("./iffailed").toAbsolutePath().toString()); JobModel jobModel = new JobModel(GranulaPlugin.getPlatformModelByMagic(execution.getPlatform())); GranulaExecutor granulaExecutor = new GranulaExecutor(); if(execution.getPlatform().toLowerCase().contains("graphx")) { granulaExecutor.setEnvEnabled(false); //TODO fix graphx } granulaExecutor.setExecution(execution); granulaExecutor.buildJobArchive(jobModel); } }
{ "content_hash": "1710d1c34b81c8476f9e3f41029e8c18", "timestamp": "", "source": "github", "line_count": 32, "max_line_length": 122, "avg_line_length": 37.21875, "alnum_prop": 0.7397145256087322, "repo_name": "tudelft-atlarge/graphalytics", "id": "31f23a120ab5ebcfd5a755c991bcc2ee80208dee", "size": "1907", "binary": false, "copies": "2", "ref": "refs/heads/master", "path": "graphalytics-plugins-granula/src/main/java/science/atlarge/graphalytics/granula/FailedJobArchiver.java", "mode": "33188", "license": "apache-2.0", "language": [ { "name": "CSS", "bytes": "6298" }, { "name": "E", "bytes": "226" }, { "name": "HTML", "bytes": "17011" }, { "name": "Java", "bytes": "312574" }, { "name": "JavaScript", "bytes": "135035" }, { "name": "Python", "bytes": "10298" }, { "name": "Shell", "bytes": "9526" }, { "name": "Verilog", "bytes": "46" } ], "symlink_target": "" }
package org.api.server; import java.io.IOException; import java.util.ArrayList; import javax.ws.rs.core.MediaType; import org.apache.http.HttpEntity; import org.apache.http.HttpResponse; import org.apache.http.HttpStatus; import org.apache.http.ParseException; import org.apache.http.client.methods.HttpDelete; import org.apache.http.client.methods.HttpGet; import org.apache.http.client.methods.HttpPost; import org.apache.http.client.methods.HttpPut; import org.apache.http.client.methods.HttpUriRequest; import org.apache.http.entity.ByteArrayEntity; import org.apache.http.entity.ContentType; import org.apache.http.util.EntityUtils; import org.gluu.model.GluuStatus; import org.gluu.oxtrust.api.server.model.GluuGroupApi; import org.gluu.oxtrust.api.server.model.GluuPersonApi; import org.gluu.oxtrust.api.server.util.ApiConstants; import org.junit.Assert; import org.junit.Test; public class GroupWebResourceTest extends BaseApiTest { @Test public void listGroupsTest() { HttpUriRequest request = new HttpGet(BASE_URL + ApiConstants.BASE_API_URL + ApiConstants.GROUPS); HttpResponse response = handle(request); Assert.assertEquals(HttpStatus.SC_OK, response.getStatusLine().getStatusCode()); HttpEntity entity = response.getEntity(); try { String content = EntityUtils.toString(entity); GluuGroupApi[] goups = mapper.readValue(content, GluuGroupApi[].class); Assert.assertTrue(goups.length >= 1); } catch (ParseException | IOException e) { e.printStackTrace(); Assert.assertTrue(false); } } @Test public void getGroupByInumTest() { String inum = "60B7"; HttpUriRequest request = new HttpGet(BASE_URL + ApiConstants.BASE_API_URL + ApiConstants.GROUPS + "/" + inum); HttpResponse response = handle(request); Assert.assertEquals(HttpStatus.SC_OK, response.getStatusLine().getStatusCode()); HttpEntity entity = response.getEntity(); try { String content = EntityUtils.toString(entity); GluuGroupApi group = mapper.readValue(content, GluuGroupApi.class); Assert.assertNotNull(group); Assert.assertTrue(group.getDisplayName().contains("Manager")); } catch (ParseException | IOException e) { e.printStackTrace(); Assert.assertTrue(false); } } @Test public void searchGroupTest() { String searchPattern = "manager"; String SEARCH_QUERY = "?" + ApiConstants.SEARCH_PATTERN + "=" + searchPattern + "&size=5"; HttpUriRequest request = new HttpGet( BASE_URL + ApiConstants.BASE_API_URL + ApiConstants.GROUPS + ApiConstants.SEARCH + SEARCH_QUERY); HttpResponse response = handle(request); Assert.assertEquals(HttpStatus.SC_OK, response.getStatusLine().getStatusCode()); HttpEntity entity = response.getEntity(); try { String content = EntityUtils.toString(entity); GluuGroupApi[] groups = mapper.readValue(content, GluuGroupApi[].class); Assert.assertTrue(groups.length >= 1); } catch (ParseException | IOException e) { e.printStackTrace(); Assert.assertTrue(false); } } @Test public void deleteGroupTest() { String inum = "53536GGEGEJE"; HttpUriRequest request = new HttpDelete( BASE_URL + ApiConstants.BASE_API_URL + ApiConstants.GROUPS + "/" + inum); HttpResponse response = handle(request); Assert.assertEquals(HttpStatus.SC_NOT_FOUND, response.getStatusLine().getStatusCode()); } @Test public void createGroupTest() { String name = "OxTrustApiGroup"; GluuGroupApi group = getGroup(name); HttpPost request = new HttpPost(BASE_URL + ApiConstants.BASE_API_URL + ApiConstants.GROUPS); try { HttpEntity entity = new ByteArrayEntity(mapper.writeValueAsString(group).toString().getBytes("UTF-8"), ContentType.APPLICATION_FORM_URLENCODED); request.setEntity(entity); request.setHeader(CONTENT_TYPE, MediaType.APPLICATION_JSON); HttpResponse response = handle(request); Assert.assertEquals(HttpStatus.SC_OK, response.getStatusLine().getStatusCode()); HttpEntity result = response.getEntity(); GluuGroupApi myGroup = mapper.readValue(EntityUtils.toString(result), GluuGroupApi.class); Assert.assertEquals(myGroup.getDisplayName(), name); Assert.assertEquals(myGroup.getStatus(), GluuStatus.ACTIVE); } catch (ParseException | IOException e) { e.printStackTrace(); Assert.assertTrue(false); } } @Test public void updateGroupTest() { String name = "AnotherGroup"; GluuGroupApi group = getGroup(name); HttpPost request = new HttpPost(BASE_URL + ApiConstants.BASE_API_URL + ApiConstants.GROUPS); try { HttpEntity entity = new ByteArrayEntity(mapper.writeValueAsString(group).toString().getBytes("UTF-8"), ContentType.APPLICATION_FORM_URLENCODED); request.setEntity(entity); request.setHeader(CONTENT_TYPE, MediaType.APPLICATION_JSON); HttpResponse response = handle(request); Assert.assertEquals(HttpStatus.SC_OK, response.getStatusLine().getStatusCode()); GluuGroupApi myGroup = mapper.readValue(EntityUtils.toString(response.getEntity()), GluuGroupApi.class); Assert.assertEquals(myGroup.getDisplayName(), name); myGroup.setDescription(myGroup.getDescription() + " Updated"); HttpPut second = new HttpPut(BASE_URL + ApiConstants.BASE_API_URL + ApiConstants.GROUPS); entity = new ByteArrayEntity(mapper.writeValueAsString(myGroup).toString().getBytes("UTF-8"), ContentType.APPLICATION_FORM_URLENCODED); second.setEntity(entity); second.setHeader(CONTENT_TYPE, MediaType.APPLICATION_JSON); response = handle(second); Assert.assertEquals(HttpStatus.SC_OK, response.getStatusLine().getStatusCode()); } catch (ParseException | IOException e) { e.printStackTrace(); Assert.assertTrue(false); } } @Test public void getGroupMembersTest() { String inum = "60B7"; HttpUriRequest request = new HttpGet( BASE_URL + ApiConstants.BASE_API_URL + ApiConstants.GROUPS + "/" + inum + ApiConstants.GROUP_MEMBERS); HttpResponse response = handle(request); Assert.assertEquals(HttpStatus.SC_OK, response.getStatusLine().getStatusCode()); HttpEntity entity = response.getEntity(); try { GluuPersonApi[] members = mapper.readValue(EntityUtils.toString(entity), GluuPersonApi[].class); Assert.assertNotNull(members); Assert.assertTrue(members.length >= 1); } catch (ParseException | IOException e) { e.printStackTrace(); Assert.assertTrue(false); } } @Test public void deleteAllGroupsTest() { HttpUriRequest request = new HttpDelete(BASE_URL + ApiConstants.BASE_API_URL + ApiConstants.GROUPS); HttpResponse response = handle(request); Assert.assertEquals(HttpStatus.SC_UNAUTHORIZED, response.getStatusLine().getStatusCode()); } @Test public void deleteGroupMembersTest() { String inum = "53536GGEGEJE"; HttpUriRequest request = new HttpDelete( BASE_URL + ApiConstants.BASE_API_URL + ApiConstants.GROUPS + "/" + inum + ApiConstants.GROUP_MEMBERS); HttpResponse response = handle(request); Assert.assertEquals(HttpStatus.SC_UNAUTHORIZED, response.getStatusLine().getStatusCode()); } private GluuGroupApi getGroup(String name) { GluuGroupApi groupApi = new GluuGroupApi(); groupApi.setDescription(name + " description"); groupApi.setDisplayName(name); groupApi.setStatus(GluuStatus.ACTIVE); groupApi.setMembers(new ArrayList<>()); return groupApi; } }
{ "content_hash": "075e9a37dd51e7ab686e46d3357033ba", "timestamp": "", "source": "github", "line_count": 191, "max_line_length": 112, "avg_line_length": 38, "alnum_prop": 0.7518600165334803, "repo_name": "GluuFederation/oxTrust", "id": "d7afa6afe3d9846cdb8e6ac3184caca17ac09be3", "size": "7258", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "api-server/src/test/java/org/api/server/GroupWebResourceTest.java", "mode": "33188", "license": "mit", "language": [ { "name": "CSS", "bytes": "538961" }, { "name": "HTML", "bytes": "863124" }, { "name": "Handlebars", "bytes": "5806" }, { "name": "Java", "bytes": "2305813" }, { "name": "JavaScript", "bytes": "658438" }, { "name": "Python", "bytes": "3149" }, { "name": "Ruby", "bytes": "1078" }, { "name": "SCSS", "bytes": "28392" } ], "symlink_target": "" }
<?php /* Safe sample input : get the field userData from the variable $_GET via an object, which store it in a array Flushes content of $sanitized if the filter number_float_filter is not applied construction : interpretation with simple quote */ /*Copyright 2015 Bertrand STIVALET Permission is hereby granted, without written agreement or royalty fee, to use, copy, modify, and distribute this software and its documentation for any purpose, provided that the above copyright notice and the following three paragraphs appear in all copies of this software. IN NO EVENT SHALL AUTHORS BE LIABLE TO ANY PARTY FOR DIRECT, INDIRECT, SPECIAL, INCIDENTAL, OR CONSEQUENTIAL DAMAGES ARISING OUT OF THE USE OF THIS SOFTWARE AND ITS DOCUMENTATION, EVEN IF AUTHORS HAVE BEEN ADVISED OF THE POSSIBILITY OF SUCH DAMAGE. AUTHORS SPECIFICALLY DISCLAIM ANY WARRANTIES INCLUDING, BUT NOT LIMITED TO THE IMPLIED WARRANTIES OF MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE, AND NON-INFRINGEMENT. THE SOFTWARE IS PROVIDED ON AN "AS-IS" BASIS AND AUTHORS HAVE NO OBLIGATION TO PROVIDE MAINTENANCE, SUPPORT, UPDATES, ENHANCEMENTS, OR MODIFICATIONS.*/ class Input{ private $input; public function getInput(){ return $this->input[1]; } public function __construct(){ $this->input = array(); $this->input[0]= 'safe' ; $this->input[1]= $_GET['UserData'] ; $this->input[2]= 'safe' ; } } $temp = new Input(); $tainted = $temp->getInput(); if (filter_var($sanitized, FILTER_VALIDATE_FLOAT)) $tainted = $sanitized ; else $tainted = "" ; $var = header("Location: pages/'$tainted'.php"); ?>
{ "content_hash": "6dcb4fac047f647ae066a559819ad516", "timestamp": "", "source": "github", "line_count": 72, "max_line_length": 95, "avg_line_length": 22.666666666666668, "alnum_prop": 0.7316176470588235, "repo_name": "stivalet/PHP-Vulnerability-test-suite", "id": "cb532fa4f6b2875324739c55a9775a9b5617f97a", "size": "1632", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "URF/CWE_601/safe/CWE_601__object-Array__func_FILTER-VALIDATION-number_float_filter__header_file_id-interpretation_simple_quote.php", "mode": "33188", "license": "mit", "language": [ { "name": "PHP", "bytes": "64184004" } ], "symlink_target": "" }
using System.Runtime.CompilerServices; using System.Text.Encodings.Web; namespace Fluid { // An HTML encoder which passes through all input data. Does no encoding. public sealed class NullEncoder : TextEncoder { private NullEncoder() { } public static NullEncoder Default { get; } = new NullEncoder(); public override int MaxOutputCharactersPerInputCharacter => 1; [MethodImpl(MethodImplOptions.AggressiveInlining)] public override unsafe int FindFirstCharacterToEncode(char* text, int textLength) { return -1; } [MethodImpl(MethodImplOptions.AggressiveInlining)] public override unsafe bool TryEncodeUnicodeScalar(int unicodeScalar, char* buffer, int bufferLength, out int numberOfCharactersWritten) { numberOfCharactersWritten = 0; return false; } [MethodImpl(MethodImplOptions.AggressiveInlining)] public override bool WillEncode(int unicodeScalar) { return false; } } }
{ "content_hash": "dad64ee466d46aaae7aea883de6a7e10", "timestamp": "", "source": "github", "line_count": 37, "max_line_length": 144, "avg_line_length": 29.216216216216218, "alnum_prop": 0.6586493987049029, "repo_name": "sebastienros/fluid", "id": "410385d0dfc1de9956570e8f700f1047ad3d69ed", "size": "1081", "binary": false, "copies": "1", "ref": "refs/heads/main", "path": "Fluid/NullEncoder.cs", "mode": "33188", "license": "mit", "language": [ { "name": "C#", "bytes": "708444" }, { "name": "Liquid", "bytes": "3082" }, { "name": "Mustache", "bytes": "186" } ], "symlink_target": "" }
package diagnose import ( "bytes" "fmt" "github.com/apache/servicecomb-service-center/pkg/client/etcd" "github.com/apache/servicecomb-service-center/pkg/client/sc" "github.com/apache/servicecomb-service-center/scctl/pkg/cmd" "github.com/apache/servicecomb-service-center/server/admin/model" "github.com/coreos/etcd/clientv3" "github.com/coreos/etcd/mvcc/mvccpb" "github.com/spf13/cobra" "golang.org/x/net/context" ) const ( service = "service" instance = "instance" ) const ( greater = iota mismatch less ) var typeMap = map[string]string{ service: "/cse-sr/ms/files/", instance: "/cse-sr/inst/files/", } type etcdResponse map[string][]*mvccpb.KeyValue func DiagnoseCommandFunc(_ *cobra.Command, args []string) { // initialize sc/etcd clients scClient, err := sc.NewSCClient(cmd.ScClientConfig) if err != nil { cmd.StopAndExit(cmd.ExitError, err) } etcdClient, err := etcd.NewEtcdClient(EtcdClientConfig) if err != nil { cmd.StopAndExit(cmd.ExitError, err) } defer etcdClient.Close() // query etcd etcdResp, err := getEtcdResponse(context.Background(), etcdClient) if err != nil { cmd.StopAndExit(cmd.ExitError, err) } // query sc cache, scErr := scClient.GetScCache() if scErr != nil { cmd.StopAndExit(cmd.ExitError, scErr) } // diagnose go... err, details := diagnose(cache, etcdResp) if err != nil { fmt.Println(details) // stdout cmd.StopAndExit(cmd.ExitError, err) // stderr } } func getEtcdResponse(ctx context.Context, etcdClient *clientv3.Client) (etcdResponse, error) { etcdResp := make(etcdResponse) for t, prefix := range typeMap { if err := setResponse(ctx, etcdClient, t, prefix, etcdResp); err != nil { return nil, err } } return etcdResp, nil } func setResponse(ctx context.Context, etcdClient *clientv3.Client, key, prefix string, etcdResp etcdResponse) error { resp, err := etcdClient.Get(ctx, prefix, clientv3.WithPrefix()) if err != nil { return err } etcdResp[key] = resp.Kvs return nil } func diagnose(cache *model.Cache, etcdResp etcdResponse) (err error, details string) { var ( service = ServiceCompareHolder{Cache: cache.Microservices, Kvs: etcdResp[service]} instance = InstanceCompareHolder{Cache: cache.Instances, Kvs: etcdResp[instance]} ) sr := service.Compare() ir := instance.Compare() var ( b bytes.Buffer full bytes.Buffer ) writeResult(&b, &full, sr, ir) if b.Len() > 0 { return fmt.Errorf("error: %s", b.String()), full.String() } return nil, "" } func writeResult(b *bytes.Buffer, full *bytes.Buffer, rss ...*CompareResult) { g, m, l := make(map[string][]string), make(map[string][]string), make(map[string][]string) for _, rs := range rss { for t, arr := range rs.Results { switch t { case greater: g[rs.Name] = arr case mismatch: m[rs.Name] = arr case less: l[rs.Name] = arr } } } i := 0 if s := len(g); s > 0 { i++ header := fmt.Sprintf("%d. found in cache but not in etcd ", i) b.WriteString(header) full.WriteString(header) writeBody(full, g) } if s := len(m); s > 0 { i++ header := fmt.Sprintf("%d. found different between cache and etcd ", i) b.WriteString(header) full.WriteString(header) writeBody(full, m) } if s := len(l); s > 0 { i++ header := fmt.Sprintf("%d. found in etcd but not in cache ", i) b.WriteString(header) full.WriteString(header) writeBody(full, l) } if l := b.Len(); l > 0 { b.Truncate(l - 1) full.Truncate(full.Len() - 1) } } func writeBody(b *bytes.Buffer, r map[string][]string) { b.WriteString("\b, details:\n") for t, v := range r { writeSection(b, t) b.WriteString(fmt.Sprint(v)) b.WriteRune('\n') } } func writeSection(b *bytes.Buffer, t string) { b.WriteString(" ") b.WriteString(t) b.WriteString(": ") }
{ "content_hash": "fb17a1c8609fabe6304cf12e13a4d00b", "timestamp": "", "source": "github", "line_count": 161, "max_line_length": 117, "avg_line_length": 23.565217391304348, "alnum_prop": 0.6694781233526621, "repo_name": "asifdxtreme/service-center", "id": "7d501263092b1db6c114c8dda49024403640e72a", "size": "4590", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "scctl/pkg/plugin/diagnose/diagnose.go", "mode": "33188", "license": "apache-2.0", "language": [ { "name": "Batchfile", "bytes": "1052" }, { "name": "CSS", "bytes": "9435" }, { "name": "Go", "bytes": "1032426" }, { "name": "HTML", "bytes": "41419" }, { "name": "JavaScript", "bytes": "57702" }, { "name": "Shell", "bytes": "12479" } ], "symlink_target": "" }
using System; using NUnit.Framework; namespace Braintree.Tests { [TestFixture] public class SignatureServiceTest { class FakeHasher : Hasher { public string HmacHash(string key, string payload) { return payload + "-signed-with-" + key; } } [Test] [Category("Unit")] public void Sign_SignsTheGivenPayload() { string signature = new SignatureService { Key = "secret-key", Hasher = new FakeHasher() }.Sign("my-payload"); Assert.AreEqual("my-payload-signed-with-secret-key|my-payload", signature); } } }
{ "content_hash": "9999f7f423a7676ca7260440a3cded15", "timestamp": "", "source": "github", "line_count": 29, "max_line_length": 87, "avg_line_length": 24.413793103448278, "alnum_prop": 0.5254237288135594, "repo_name": "scottmeyer/braintree_dotnet", "id": "1e33378d10eaeadc871a008f5dce35c8f5999dae", "size": "708", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "Braintree.Tests/SignatureServiceTest.cs", "mode": "33188", "license": "mit", "language": [ { "name": "Batchfile", "bytes": "2864" }, { "name": "C#", "bytes": "1117740" }, { "name": "HTML", "bytes": "6020" }, { "name": "Ruby", "bytes": "1571" }, { "name": "Shell", "bytes": "26" } ], "symlink_target": "" }
<?php namespace Neos\Flow\Tests\Unit\Security\Authorization; use Neos\Flow\ObjectManagement\ObjectManager; use Neos\Flow\Tests\UnitTestCase; use Neos\Flow\Security; /** * Testcase for the security interceptor resolver */ class InterceptorResolverTest extends UnitTestCase { /** * @test * @expectedException \Neos\Flow\Security\Exception\NoInterceptorFoundException */ public function resolveInterceptorClassThrowsAnExceptionIfNoInterceptorIsAvailable() { $mockObjectManager = $this->getMockBuilder(ObjectManager::class)->disableOriginalConstructor()->getMock(); $mockObjectManager->expects($this->any())->method('getClassNameByObjectName')->will($this->returnValue(false)); $interceptorResolver = new Security\Authorization\InterceptorResolver($mockObjectManager); $interceptorResolver->resolveInterceptorClass('notExistingClass'); } /** * @test */ public function resolveInterceptorReturnsTheCorrectInterceptorForAShortName() { $longClassNameForTest = 'Neos\Flow\Security\Authorization\Interceptor\ValidShortName'; $getCaseSensitiveObjectNameCallback = function () use ($longClassNameForTest) { $args = func_get_args(); if ($args[0] === $longClassNameForTest) { return $longClassNameForTest; } return false; }; $mockObjectManager = $this->getMockBuilder(ObjectManager::class)->disableOriginalConstructor()->getMock(); $mockObjectManager->expects($this->any())->method('getClassNameByObjectName')->will($this->returnCallback($getCaseSensitiveObjectNameCallback)); $interceptorResolver = new Security\Authorization\InterceptorResolver($mockObjectManager); $interceptorClass = $interceptorResolver->resolveInterceptorClass('ValidShortName'); $this->assertEquals($longClassNameForTest, $interceptorClass, 'The wrong classname has been resolved'); } /** * @test */ public function resolveInterceptorReturnsTheCorrectInterceptorForACompleteClassName() { $mockObjectManager = $this->getMockBuilder(ObjectManager::class)->disableOriginalConstructor()->getMock(); $mockObjectManager->expects($this->any())->method('getClassNameByObjectName')->with('ExistingInterceptorClass')->will($this->returnValue('ExistingInterceptorClass')); $interceptorResolver = new Security\Authorization\InterceptorResolver($mockObjectManager); $interceptorClass = $interceptorResolver->resolveInterceptorClass('ExistingInterceptorClass'); $this->assertEquals('ExistingInterceptorClass', $interceptorClass, 'The wrong classname has been resolved'); } }
{ "content_hash": "e540361291d6dd0083e9f74e41c10cae", "timestamp": "", "source": "github", "line_count": 69, "max_line_length": 174, "avg_line_length": 39.47826086956522, "alnum_prop": 0.723568281938326, "repo_name": "aertmann/flow-development-collection", "id": "e728338ca8c7a74f9cb2b972620b30b9862f3331", "size": "3006", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "Neos.Flow/Tests/Unit/Security/Authorization/InterceptorResolverTest.php", "mode": "33188", "license": "mit", "language": [ { "name": "Batchfile", "bytes": "775" }, { "name": "CSS", "bytes": "4358" }, { "name": "Gherkin", "bytes": "10531" }, { "name": "HTML", "bytes": "38276" }, { "name": "PHP", "bytes": "7925806" }, { "name": "PLpgSQL", "bytes": "1164" }, { "name": "Shell", "bytes": "4266" } ], "symlink_target": "" }
// **************************************************************************************************** // AutoLite v1.0 // // Copyright (c) Microsoft Corporation // // All rights reserved. // // MIT License // // Permission is hereby granted, free of charge, to any person obtaining a copy of this software // and associated documentation files (the ""Software""), to deal in the Software without // restriction, including without limitation the rights to use, copy, modify, merge, publish, // distribute, sublicense, and/or sell copies of the Software, and to permit persons to whom // the Software is furnished to do so, subject to the following conditions: // // The above copyright notice and this permission notice shall be included in all copies or // substantial portions of the Software. // // THE SOFTWARE IS PROVIDED *AS IS*, WITHOUT WARRANTY OF ANY KIND, EXPRESS OR // IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, // FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE // AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER // LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, // OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN // THE SOFTWARE. // **************************************************************************************************** using System; using System.Collections.Generic; using System.ComponentModel; using System.Diagnostics; using System.Globalization; using System.IO; using System.Runtime.Serialization; using System.Text; using System.Threading; namespace Autolite.Operations { /// <summary> /// Task definition representing a command execution operation /// </summary> [DataContract] public class ExecuteTask : WorkflowTask { /// <summary> /// Identifier used in serialized definitions /// </summary> public const string ArrayItemName = "Execute"; // Output writers private StringBuilder m_errOutputBuilder; private StreamWriter m_errWriter; private StringBuilder m_stdOutputBuilder; private StreamWriter m_stdWriter; /// <summary> /// Default constructor /// </summary> public ExecuteTask() { ExpectedExitCodes = "0"; } /// <summary> /// Application to run /// </summary> [DataMember] public string FilePath { get; set; } /// <summary> /// Application arguments /// </summary> [DataMember] public string Arguments { get; set; } /// <summary> /// Directory to run the application from /// </summary> [DataMember] public string WorkingDirectory { get; set; } /// <summary> /// Comma-seperated successful exit codes. /// </summary> [DataMember] public string ExpectedExitCodes { get; set; } /// <summary> /// Override default root path to intermediate output files (i.e. stdout.log and errout.log) /// Normally is based off the working directory /// </summary> [DataMember] public string IntermediateOutputRoot { get; set; } /// <summary> /// Run the task /// </summary> /// <returns>Result of running the task</returns> protected override WorkflowTaskResult RunTask(CancellationToken cancellationToken) { var result = new ExecuteTaskResult(); var processExitedEvent = new ManualResetEvent(false); // Expand environment variables FilePath = Environment.ExpandEnvironmentVariables(FilePath); Arguments = Environment.ExpandEnvironmentVariables(Arguments); WorkingDirectory = Environment.ExpandEnvironmentVariables(WorkingDirectory); m_stdOutputBuilder = new StringBuilder(); m_errOutputBuilder = new StringBuilder(); // Log directory for intermediate output logging (stdout and errout) var logDirectory = Path.Combine( string.IsNullOrEmpty(IntermediateOutputRoot) ? WorkingDirectory : IntermediateOutputRoot, Path.GetFileNameWithoutExtension(FilePath) + "_output", DateTime.Now.ToString(Globals.TimestampFormat)); Directory.CreateDirectory(logDirectory); Server.SendReport(ReportUri, LogLevel.Debug, string.Format("ExecuteTask '{0}' logging to '{1}'.", Name, logDirectory), cancellationToken); var stdLogFilePath = Path.Combine(logDirectory, "stdout.log"); var errLogFilePath = Path.Combine(logDirectory, "errout.log"); var startInfo = new ProcessStartInfo { Arguments = Arguments, CreateNoWindow = true, FileName = FilePath, RedirectStandardError = true, RedirectStandardInput = false, RedirectStandardOutput = true, UseShellExecute = false, WorkingDirectory = WorkingDirectory }; using (var process = new Process {StartInfo = startInfo, EnableRaisingEvents = true}) { EventHandler onExited = (sender, args) => processExitedEvent.Set(); process.Exited += onExited; // Push output to the disk for inspection during execution m_stdWriter = new StreamWriter(new FileStream(stdLogFilePath, FileMode.Create, FileAccess.Write, FileShare.Read | FileShare.Delete)); m_errWriter = new StreamWriter(new FileStream(errLogFilePath, FileMode.Create, FileAccess.Write, FileShare.Read | FileShare.Delete)); m_stdWriter.AutoFlush = true; m_errWriter.AutoFlush = true; process.OutputDataReceived += ProcessOnOutputDataReceived; process.ErrorDataReceived += ProcessOnErrorDataReceived; try { Server.SendReport(ReportUri, LogLevel.Debug, string.Format("ExecuteTask '{0}' running command '{1} {2}' from directory '{3}'.", Name, startInfo.FileName, startInfo.Arguments, startInfo.WorkingDirectory), cancellationToken); // Start the process process.Start(); // Start redirecting output if (startInfo.RedirectStandardOutput) { process.BeginErrorReadLine(); } if (startInfo.RedirectStandardError) { process.BeginOutputReadLine(); } // Wait for the process to exit or a cancellation to be requested switch (WaitHandle.WaitAny(new[] {cancellationToken.WaitHandle, processExitedEvent})) { case 0: // Cancelled result.Outcome = Outcome.Cancelled; Server.SendReport(ReportUri, LogLevel.Error, string.Format("ExecuteTask '{0}' was cancelled.", Name), cancellationToken); process.KillProcessAndChildren(); break; case 1: // Exited { process.WaitForExit(); result.ExitCode = process.ExitCode; if (GetExitCodeList(ExpectedExitCodes).Contains(result.ExitCode)) { result.Outcome = Outcome.Succeeded; } else { Server.SendReport(ReportUri, LogLevel.Error, string.Format("ExecuteTask '{0}' failed with an exit code of {1}.", Name, result.ExitCode), cancellationToken); result.Outcome = Outcome.Failed; } } break; } process.OutputDataReceived -= ProcessOnOutputDataReceived; process.ErrorDataReceived -= ProcessOnErrorDataReceived; result.Output = m_stdOutputBuilder.ToString(); result.ErrorOutput = m_errOutputBuilder.ToString(); } catch (Win32Exception win32Ex) { Server.SendReport(ReportUri, LogLevel.Error, string.Format("ExecuteTask '{0}' failed with an exception. {1}", Name, win32Ex), cancellationToken); result.Outcome = Outcome.Failed; result.ErrorOutput += win32Ex; } catch (InvalidOperationException invOpEx) { Server.SendReport(ReportUri, LogLevel.Error, string.Format("ExecuteTask '{0}' failed with an exception. {1}", Name, invOpEx), cancellationToken); result.Outcome = Outcome.Failed; result.ErrorOutput += invOpEx; } finally { // cleanup the intermediate log files m_stdWriter.Close(); m_errWriter.Close(); if (File.Exists(stdLogFilePath)) { File.Delete(stdLogFilePath); } if (File.Exists(errLogFilePath)) { File.Delete(errLogFilePath); } if (Directory.Exists(logDirectory)) { Directory.Delete(logDirectory, true); } } } return result; } /// <summary> /// Error output received handler /// </summary> private void ProcessOnErrorDataReceived(object sender, DataReceivedEventArgs args) { if (args.Data != null) { m_stdWriter.WriteLine(args.Data); m_stdOutputBuilder.AppendLine(args.Data); m_errWriter.WriteLine(args.Data); m_errOutputBuilder.AppendLine(args.Data); } } /// <summary> /// Standard output received handler /// </summary> private void ProcessOnOutputDataReceived(object sender, DataReceivedEventArgs args) { if (args.Data != null) { m_stdWriter.WriteLine(args.Data); m_stdOutputBuilder.AppendLine(args.Data); } } /// <summary> /// Parse a comma-seperated exit code list into a list collection of exit codes /// </summary> /// <param name="exitCodes">Comma-seperated exit codes</param> /// <returns>List collection of exit codes</returns> private static List<int> GetExitCodeList(string exitCodes) { return new List<int>( Array.ConvertAll(exitCodes.Split(new[] {','}, StringSplitOptions.RemoveEmptyEntries), code => code.Length > 2 && code.ToLowerInvariant().StartsWith("0x") ? int.Parse(code.Substring(2), NumberStyles.AllowHexSpecifier) : int.Parse(code))); } } /// <summary> /// Result of an execute operation /// </summary> public class ExecuteTaskResult : WorkflowTaskResult { /// <summary> /// Standard output /// </summary> public string Output { get; set; } /// <summary> /// Error output /// </summary> public string ErrorOutput { get; set; } /// <summary> /// Exit code /// </summary> public int ExitCode { get; set; } } }
{ "content_hash": "a3edb1696b93b0b5c94de11119da2c0e", "timestamp": "", "source": "github", "line_count": 305, "max_line_length": 182, "avg_line_length": 39.62622950819672, "alnum_prop": 0.5435214297534338, "repo_name": "adribona/AutoLite", "id": "ac44b93ee9818d95b5aa5a1b0eb99747bc1d91f0", "size": "12088", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "Autolite/Operations/ExecuteTask.cs", "mode": "33188", "license": "mit", "language": [ { "name": "C#", "bytes": "416913" }, { "name": "PowerShell", "bytes": "6256" } ], "symlink_target": "" }
#ifndef _DEV_ATH_AR5311REG_H_ #define _DEV_ATH_AR5311REG_H_ /* * Definitions for the Atheros 5311 chipset. */ #define AR5311_QDCLKGATE 0x005c /* MAC QCU/DCU clock gating control */ #define AR5311_QDCLKGATE_QCU_M 0x0000FFFF /* QCU clock disable */ #define AR5311_QDCLKGATE_DCU_M 0x07FF0000 /* DCU clock disable */ #define AR5311_RXCFG_DEF_RX_ANTENNA 0x00000008 /* Default Receive Antenna */ /* * NOTE: MAC_5211/MAC_5311 difference * On Oahu the TX latency field has increased from 6 bits to 9 bits. * The RX latency field is unchanged but is shifted over 3 bits. */ #define AR5311_USEC_TX_LAT_M 0x000FC000 /* tx latency (usec) */ #define AR5311_USEC_TX_LAT_S 14 #define AR5311_USEC_RX_LAT_M 0x03F00000 /* rx latency (usec) */ #define AR5311_USEC_RX_LAT_S 20 /* * NOTE: MAC_5211/MAC_5311 difference * On Maui2/Spirit the frame sequence number is controlled per DCU. * On Oahu the frame sequence number is global across all DCUs and * is controlled */ #define AR5311_D_MISC_SEQ_NUM_CONTROL 0x01000000 /* seq num local or global */ #define AR5311_DIAG_USE_ECO 0x00000400 /* "super secret" enable ECO */ #endif /* _DEV_ATH_AR5311REG_H_ */
{ "content_hash": "60a5961d89ac73cf5ea4e649b2cbf6a6", "timestamp": "", "source": "github", "line_count": 33, "max_line_length": 78, "avg_line_length": 34.878787878787875, "alnum_prop": 0.7263249348392702, "repo_name": "execunix/vinos", "id": "2911309178d312b4429084bf1049ea7d097dcc7b", "size": "2065", "binary": false, "copies": "2", "ref": "refs/heads/master", "path": "sys/external/isc/atheros_hal/dist/ar5212/ar5311reg.h", "mode": "33188", "license": "apache-2.0", "language": [], "symlink_target": "" }
<!DOCTYPE html> <html class="no-js" <?php language_attributes(); ?>> <head> <link href='http://fonts.googleapis.com/css?family=Noto+Sans:400,700,400italic' rel='stylesheet' type='text/css'> <link href='http://fonts.googleapis.com/css?family=Marcellus+SC' rel='stylesheet' type='text/css'> <meta charset="utf-8"> <meta http-equiv="X-UA-Compatible" content="IE=edge"> <title><?php wp_title('|', true, 'right'); ?></title> <meta name="viewport" content="width=device-width, initial-scale=1"> <?php wp_head(); ?> <link rel="alternate" type="application/rss+xml" title="<?php echo get_bloginfo('name'); ?> Feed" href="<?php echo esc_url(get_feed_link()); ?>"> </head>
{ "content_hash": "93c79b134c3103218b24aa014c23e956", "timestamp": "", "source": "github", "line_count": 15, "max_line_length": 147, "avg_line_length": 45.733333333333334, "alnum_prop": 0.6603498542274052, "repo_name": "Serneum/sern-programming", "id": "20b1c808ea6c9dc1d2d5a4493e27d6af41840f0c", "size": "686", "binary": false, "copies": "2", "ref": "refs/heads/master", "path": "templates/head.php", "mode": "33188", "license": "mit", "language": [ { "name": "CSS", "bytes": "24550" }, { "name": "JavaScript", "bytes": "8876" }, { "name": "PHP", "bytes": "95912" } ], "symlink_target": "" }
ACCEPTED #### According to International Plant Names Index #### Published in J. Roy. Hort. Soc. 46:321, fig. 190. 1921 #### Original name null ### Remarks null
{ "content_hash": "3a62d55aa831e70cd361190dcce2b3f3", "timestamp": "", "source": "github", "line_count": 13, "max_line_length": 41, "avg_line_length": 12.538461538461538, "alnum_prop": 0.6809815950920245, "repo_name": "mdoering/backbone", "id": "341834c00a7920af68c58b9071190785470efb04", "size": "206", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "life/Plantae/Magnoliophyta/Magnoliopsida/Magnoliales/Magnoliaceae/Magnolia/Magnolia veitchii/README.md", "mode": "33188", "license": "apache-2.0", "language": [], "symlink_target": "" }
--- layout: default --- <!-- Image to hack wechat --> <!-- <img src="{{ site.baseurl }}/{% if page.header-img %}{{ page.header-img }}{% else %}{{ site.header-img }}{% endif %}" width="0" height="0"> --> <!-- Post Header --> <style type="text/css"> header.intro-header{ /*background-image: url('{{ site.baseurl }}/{% if page.header-img %}{{ page.header-img }}{% else %}{{ site.header-img }}{% endif %}')*/ height: 500px; overflow: hidden; } header iframe{ width: 100%; height: 100%; border: 0; } </style> <header class="intro-header" > <iframe src="{{page.iframe}}"/> <div class="container"> <div class="row"> <div class="col-lg-8 col-lg-offset-2 col-md-10 col-md-offset-1"> <div class="post-heading"> <div class="tags"> {% for tag in page.tags %} <a class="tag" href="/tags/#{{ tag }}" title="{{ tag }}">{{ tag }}</a> {% endfor %} </div> <h1>{{ page.title }}</h1> {% comment %} always create a h2 for keeping the margin , Hux {% endcomment %} {% comment %} if page.subtitle {% endcomment %} <h2 class="subheading">{{ page.subtitle }}</h2> {% comment %} endif {% endcomment %} <span class="meta">Posted by {% if page.author %}{{ page.author }}{% else %}{{ site.title }}{% endif %} on {{ page.date | date: "%B %-d, %Y" }}</span> </div> </div> </div> </div> </iframe> </header> <!-- Post Content --> <article> <div class="container"> <div class="row"> <div class="col-lg-8 col-lg-offset-2 col-md-10 col-md-offset-1 post-container"> {{ content }} <hr> {% if site.useDuoshuo && site.useShare %} <!-- 多说 Share start --> </style> <div class="ds-share" style="text-align: right" data-thread-key="{{page.id}}" data-title="{{page.title}}" data-images="{{ site.url }}/{% if page.header-img %}{{ page.header-img }}{% else %}{{ site.header-img }}{% endif %}" data-content="{{ content | strip_html | truncate:80 }} | Hux Blog,@Hux黄玄 的个人博客" data-url="{{site.url}}{{page.url}}"> <div class="ds-share-inline"> <ul class="ds-share-icons-16"> <li data-toggle="ds-share-icons-more"><a class="ds-more" href="#">分享到:</a></li> <li><a class="ds-wechat flat" href="javascript:void(0);" data-service="wechat">微信</a></li> <li><a class="ds-weibo flat" href="javascript:void(0);" data-service="weibo">微博</a></li> <li><a class="ds-douban flat" href="javascript:void(0);" data-service="douban">豆瓣</a></li> </ul> <div class="ds-share-icons-more"> </div> </div> <hr> </div> <!-- 多少 Share end--> {% endif %} <ul class="pager"> {% if page.previous.url %} <li class="previous"> <a href="{{ page.previous.url | prepend: site.baseurl | replace: '//', '/' }}" data-toggle="tooltip" data-placement="top" title="{{page.previous.title}}">&larr; Previous Post</a> </li> {% endif %} {% if page.next.url %} <li class="next"> <a href="{{ page.next.url | prepend: site.baseurl | replace: '//', '/' }}" data-toggle="tooltip" data-placement="top" title="{{page.next.title}}">Next Post &rarr;</a> </li> {% endif %} </ul> {% if site.useDuoshuo %} <!-- 多说评论框 start --> <div class="comment"> <div class="ds-thread" data-thread-key="{{page.id}}" data-title="{{page.title}}" data-url="{{site.url}}{{page.url}}"></div> </div> <!-- 多说评论框 end --> {% endif %} <!-- friends --> {% if site.friends %} <div class="sidebar-container"> <hr> <h5>FRIENDS</h5> <ul class="list-inline" style=" margin-bottom: 0; "> {% for friend in site.friends %} <li><a href="{{friend.href}}">{{friend.title}}</a></li> {% endfor %} </ul> </div> {% endif %} </div> </div> </div> </article> <!-- resize header to fullscreen keynotes --> <script> var $header = document.getElementsByTagName("header")[0]; function resize(){ /* * leave 85px to both * - told/imply users that there has more content below * - let user can scroll in mobile device, seeing the keynote-view is unscrollable */ $header.style.height = (window.innerHeight-85) + 'px'; } document.addEventListener('DOMContentLoaded', function(){ resize(); }) window.addEventListener('load', function(){ resize(); }) window.addEventListener('resize', function(){ resize(); }) resize(); </script> {% if site.useDuoshuo %} <!-- 多说公共JS代码 start (一个网页只需插入一次) --> <script type="text/javascript"> var duoshuoQuery = {short_name:"huxblog"}; (function() { var ds = document.createElement('script'); ds.type = 'text/javascript';ds.async = true; ds.src = (document.location.protocol == 'https:' ? 'https:' : 'http:') + '//static.duoshuo.com/embed.js'; ds.charset = 'UTF-8'; (document.getElementsByTagName('head')[0] || document.getElementsByTagName('body')[0]).appendChild(ds); })(); </script> <!-- 多说公共JS代码 end --> {% endif %} {% if site.anchorjs %} <!-- async load function --> <script> function async(u, c) { var d = document, t = 'script', o = d.createElement(t), s = d.getElementsByTagName(t)[0]; o.src = u; if (c) { o.addEventListener('load', function (e) { c(null, e); }, false); } s.parentNode.insertBefore(o, s); } </script> <!-- anchor-js, Doc:http://bryanbraun.github.io/anchorjs/ --> <script> async("http://cdn.bootcss.com/anchor-js/1.1.1/anchor.min.js",function(){ anchors.options = { visible: 'always', placement: 'right', icon: '#' }; anchors.add().remove('.intro-header h1').remove('.subheading').remove('.sidebar-container h5'); }) </script> <style> /* place left on bigger screen */ @media all and (min-width: 800px) { .anchorjs-link{ position: absolute; left: -0.75em; font-size: 1.1em; margin-top : -0.1em; } } </style> {% endif %}
{ "content_hash": "d53e903326d26ad703da0d27d7141020", "timestamp": "", "source": "github", "line_count": 197, "max_line_length": 202, "avg_line_length": 37.3502538071066, "alnum_prop": 0.4555585756999185, "repo_name": "dandanzhou/dandanzhou.github.io", "id": "084f27758bba9adabcd96839c3be02c5ff722890", "size": "7466", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "_layouts/keynote.html", "mode": "33188", "license": "apache-2.0", "language": [ { "name": "CSS", "bytes": "35840" }, { "name": "HTML", "bytes": "66386" }, { "name": "JavaScript", "bytes": "6560" } ], "symlink_target": "" }
using CodeTorch.Core; using CodeTorch.Core.Commands; using System; using System.Linq; using System.Web; using System.Web.Security; namespace CodeTorch.Web.ActionCommands { public class LogoutActionCommand : IActionCommandStrategy { public Templates.BasePage Page { get; set; } public ActionCommand Command { get; set; } LogoutCommand Me = null; public bool ExecuteCommand() { bool success = true; log4net.ILog log = log4net.LogManager.GetLogger(System.Reflection.MethodBase.GetCurrentMethod().DeclaringType); try { Page.Session.Abandon(); FormsAuthentication.SignOut(); Page.Session.Clear(); if (String.IsNullOrEmpty(Page.Request.QueryString["RedirUrl"])) { Page.Response.Redirect("~/default.aspx", false); } else { Page.Response.Redirect(Page.Request.QueryString["RedirUrl"], false); } HttpContext.Current.ApplicationInstance.CompleteRequest(); } catch (Exception ex) { success = false; Page.DisplayErrorAlert(ex); log.Error(ex); } return success; } } }
{ "content_hash": "bfc404db92fe653cc9efb8ae6090c7ea", "timestamp": "", "source": "github", "line_count": 63, "max_line_length": 123, "avg_line_length": 22.650793650793652, "alnum_prop": 0.5227750525578136, "repo_name": "EminentTechnology/CodeTorch", "id": "18958f01c0f8f9f42de68865e9b166b9c9e9eb75", "size": "1429", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "src/webforms/CodeTorch.Web/ActionCommands/LogoutActionCommand.cs", "mode": "33188", "license": "mit", "language": [ { "name": "ASP.NET", "bytes": "5334" }, { "name": "C#", "bytes": "2377371" }, { "name": "XSLT", "bytes": "637" } ], "symlink_target": "" }
<head> <title>JustArrived | CrowdCompass</title> <meta name="viewport" content="width=device-width, initial-scale=1"> <link rel="apple-touch-icon-precomposed" href="./touch-icon-iphone.png" /> <link rel="apple-touch-icon-precomposed" sizes="72x72" href="./touch-icon-ipad.png" /> <link rel="apple-touch-icon-precomposed" sizes="114x114" href="./touch-icon-iphone-retina.png" /> <link rel="apple-touch-icon-precomposed" sizes="144x144" href="./touch-icon-ipad-retina.png" /> <link href='http://fonts.googleapis.com/css?family=Raleway' rel='stylesheet' type='text/css'> </head> <body> </body> <template name="layout"> <div class='header'> <div class="wrapper"> <h1> <a href="/">JustArrived</a> </h1> </div> </div> <div class='content'> {{ yield }} </div> </template> <template name="main"> {{#if showAdmin}} {{> admin}} {{else}} {{> registration}} {{/if}} <div> <div class="wrapper"> {{> footer}} </div> </div> </template> <template name = "registration"> <div class="wrapper registration"> {{#if registrationSubmitted }} <h3>Thank you for announcing your arrival!</h3> <p><a href="/wall">See who else is here.</a></p> <hr> <p>If you just got here, be sure to check in below.</p> <a href="#" class="rearrival button">Announce Your Arrival!</a> {{else }} <p>Share your arrival with others and stay connected after the event.</p> <form> {{#if showBadEmail}} {{> badEmail}} {{/if}} <label>Name</label><input id="name" placeholder="Arthur Digby Sellers" type="text"> <label>Company</label><input id="company" placeholder="Sentinel Productions, Inc." type="text"> <label>Email</label><input id="email" placeholder="[email protected]" type="email"> <label>Twitter</label><input id="twitter" placeholder="@DigbySellers" type="text"> <button>Announce Your Arrival!</button> {{/if}} </form> <p><a href="/wall">Attendees here:</a> <strong>{{> attendeeCount}}</strong></p> </div> </template> <template name = "footer"> <div class='footer'> <p><a href = "http://crowdcompass.com">CrowdCompass</a> | An Essential Part of Your Next Event</p> <div class="admin-footer"> {{#if isAdmin}} <a href = "#" class = "admin">toggle admin</a> | {{/if}} {{loginButtons}} </div> </div> </template> <template name = "admin"> <div class="wrapper attendee-list"> <h2>Registered attendees: {{> attendeeCount}}</h2> <table> <thead> <tr> <th>Attendee</th> <th>Company</th> <th>Email</th> <th>Twitter</th> <!-- <th>Referrer</th> --> <th>Time</th> </tr> </thead> <tbody> {{#each attendees}} <tr> <td>{{ this.name }}</td> <td>{{ this.company }}</td> <td>{{ this.email }}</td> <td>{{ this.twitter_id }}</td> <!-- <td>{{ this.referrer }}</td> --> <td>{{ timeAgo this.timestamp }} ago</td> </tr> {{/each }} </tbody> </table> <!-- Mobile display of attendees --> <h3 class="mobile">Registered attendees: {{> attendeeCount}}</h3> <ul class="mobile"> {{#each attendees}} <li> <span>{{ this.name }}</span> <span class="timeAgo">{{ timeAgo this.timestamp }} ago</span><br/> {{ this.company }}<br/> {{ this.email }}<br/> {{ this.twitter_id }}<br/> </li> {{/each}} </ul> </div> </template> <template name="badEmail"> <div class="error"> <p>That's not a real email address...</p> </div> </template> <template name="wall"> <div class="wrapper attendee-list public"> <h2>Attendees here: {{> attendeeCount}}</h2> <h3 class="mobile">Attendees here: {{> attendeeCount}}</h3> <p>To announce your arrival, visit <a href="/">arrived.crowd.cc</a></p> <table> <tbody> {{#each attendees}} {{> attendee_desktop}} {{/each }} </tbody> </table> <!-- Mobile display of attendees --> <ul class="mobile"> {{#each attendees}} {{> attendee_mobile}} {{/each}} </ul> </div> </template> <template name="attendee_desktop"> <tr> <td>{{ name }}</td> <td>{{ company }}</td> <td>{{ twitter_id }}</td> <!-- <td>{{ referrer }}</td> --> <td class="js-timeago" data-time="{{timestamp}}">{{ timeAgo timestamp }}</td> </tr> </template> <template name="attendee_mobile"> <li> <span>{{ this.name }}</span> <span class="js-timeago timeAgo" data-time="{{timestamp}}">{{ timeAgo this.timestamp }}</span><br/> {{ this.company }}<br/> {{ this.twitter_id }}<br/> </li> </template> <template name="attendeeCount"> {{n}} </template>
{ "content_hash": "0f082e9a817cef1ad88877ba099e358e", "timestamp": "", "source": "github", "line_count": 175, "max_line_length": 132, "avg_line_length": 27.525714285714287, "alnum_prop": 0.5582312642723687, "repo_name": "crowdcompass/JustArrived", "id": "51ae51c8fd63090eaf30df2c8f44b6a1fb0418c2", "size": "4817", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "just_arrived.html", "mode": "33188", "license": "apache-2.0", "language": [ { "name": "CSS", "bytes": "5292" }, { "name": "JavaScript", "bytes": "2559" } ], "symlink_target": "" }
<HTML><HEAD> <TITLE>Review for Saving Private Ryan (1998)</TITLE> <LINK REL="STYLESHEET" TYPE="text/css" HREF="/ramr.css"> </HEAD> <BODY BGCOLOR="#FFFFFF" TEXT="#000000"> <H1 ALIGN="CENTER" CLASS="title"><A HREF="/Title?0120815">Saving Private Ryan (1998)</A></H1><H3 ALIGN=CENTER>reviewed by<BR><A HREF="/ReviewsBy?David+Wilcock">David Wilcock</A></H3><HR WIDTH="40%" SIZE="4"> <P>SAVING PRIVATE RYAN (DREAMWORKS) RUNNING TIME: 2 HOURS 48 MINUTES. STARRING TOM HANKS, EDWARD BURNS, TOM SIZEMORE AND MATT DAMON DIRECTED BY STEVEN SPIELBERG Already being hailed as the 'Greatest War Movie Ever Made,' Saving Private Ryan is an harrowing, saddening and riveting movie. It may not be the greatest war movie in my opinion, but it's certainly one of the best war movies made, and one of the best of 1998. Tom Hanks stars as a Captain who's troop has to find Private Ryan (Damon) who has a ticket home because his three brothers have been killed in action. Action, drama and even some humour occur as the troop journeys through wartime France to find him.</P> <P>After the disappointing Amistad (1997) Spielberg has returned to form with this excellent movie. I'm not the war movie genre biggest fan, but I found this film to be gripping, and very scary, thanks to the excellent cast, direction and terrifying battle scenes. Tom Hanks is superb, straying away from his usually soppy dramatic roles, such as in Forrest Gump (1994). This time, he plays the role with gritty realism, and is much better for it. Occasionally he overacts the sentimentally, but he generally delivers a fine performance. Edward Burns, looking a lot like Armageddon's Ben Affleck, also delivers a top notch performance, moving away from his roles in films such as She's The One (1996) Tom Sizemore makes less of an impact, but is still watchable, and Matt Damon reinforcing his position as one of the finest young actors working today.</P> <P>Spielberg directs very well, putting the audience right in the heart of the action of the battle scenes. And what battle scenes they are! They're truly terrifying, yet the audience cannot drag their eyes away from the screen. The battle scenes are filmed with a jerky hand-held camera, and the panic and confusion felt by the soldiers is emphasized by this technique. The gore and violence isn't spared either, which body parts flying, and blood spurting. This film is certainly not for kids and sensitive adults.</P> <P>Other factors help Saving Private Ryan be a masterpiece of 90's film making. The cinematography is excellent, and the music score by John William's is also superb. It is never intrusive, and adds to the drama on-screen.</P> <P>But while they are thousands of good things great about Private Ryan, there's one major flaw that detracts the genius of the film: the writing. It is unusually flat, with many of the speeches strangely weak. The film never really makes any profound statements. This is not a major gripe, as Private Ryan is a film of action, not words. Still, the script could of been a lot better. Thankfully, the actors help partly to rectify the situation with their great delivery of their lines.</P> <P>Saving Private Ryan, in the end, is an excellent film, but not the 'greatest war movie' due to it's weak acting. This film should be viewed by everyone who has the stomach for it, as it's rewarding and extremely worthwhile. It really shouldn't be missed, and Dreamworks SKG has finally found it's first hit movie.</P> <PRE>RATING=**** OUT OF *****</PRE> <P>©1998 DAVID WILCOCK <A HREF="mailto:[email protected]">[email protected]</A> Visit the Wilcock Movie Page! <A HREF="http://wilcockmovie.home.ml.org">http://wilcockmovie.home.ml.org</A> -OR- <A HREF="http://www.geocities.com/Hollywood/9061">http://www.geocities.com/Hollywood/9061</A> Recieve Wilcock Movie Page Reviews via E-MAIL Send a blank E-MAIL to <A HREF="mailto:[email protected]">[email protected]</A> to join the mailing list!</P> <HR><P CLASS=flush><SMALL>The review above was posted to the <A HREF="news:rec.arts.movies.reviews">rec.arts.movies.reviews</A> newsgroup (<A HREF="news:de.rec.film.kritiken">de.rec.film.kritiken</A> for German reviews).<BR> The Internet Movie Database accepts no responsibility for the contents of the review and has no editorial control. Unless stated otherwise, the copyright belongs to the author.<BR> Please direct comments/criticisms of the review to relevant newsgroups.<BR> Broken URLs inthe reviews are the responsibility of the author.<BR> The formatting of the review is likely to differ from the original due to ASCII to HTML conversion. </SMALL></P> <P ALIGN=CENTER>Related links: <A HREF="/Reviews/">index of all rec.arts.movies.reviews reviews</A></P> </P></BODY></HTML>
{ "content_hash": "6c73b129d623271a37fec79a91b8378d", "timestamp": "", "source": "github", "line_count": 76, "max_line_length": 207, "avg_line_length": 64.09210526315789, "alnum_prop": 0.7600082118661465, "repo_name": "xianjunzhengbackup/code", "id": "bd36e482aabd6c43569321a100f94a5d74c62b6f", "size": "4871", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "data science/machine_learning_for_the_web/chapter_4/movie/14309.html", "mode": "33261", "license": "mit", "language": [ { "name": "BitBake", "bytes": "113" }, { "name": "BlitzBasic", "bytes": "256" }, { "name": "CSS", "bytes": "49827" }, { "name": "HTML", "bytes": "157006325" }, { "name": "JavaScript", "bytes": "14029" }, { "name": "Jupyter Notebook", "bytes": "4875399" }, { "name": "Mako", "bytes": "2060" }, { "name": "Perl", "bytes": "716" }, { "name": "Python", "bytes": "874414" }, { "name": "R", "bytes": "454" }, { "name": "Shell", "bytes": "3984" } ], "symlink_target": "" }
namespace offline_pages { // Sample resource consumed by the task during execution. In this set of tests // used to provide the capability to continue the task. class ConsumedResource { public: ConsumedResource(); ~ConsumedResource(); void Step(base::OnceClosure step_callback); void CompleteStep(); bool HasNextStep() const { return !next_step_.is_null(); } private: base::OnceClosure next_step_; }; // Sample test task. This should not be used as a example of task implementation // with respect to callback safety. Otherwise it captures the idea of splitting // the work into multiple steps separated by potentially asynchronous calls // spanning multiple threads. // // For an implementation example of a task that covers problems better is // |offline_pages::ChangeRequestsStateTask|. class TestTask : public Task { public: enum class TaskState { NOT_STARTED, STEP_1, STEP_2, COMPLETED }; explicit TestTask(ConsumedResource* resource); TestTask(ConsumedResource* resource, bool leave_early); ~TestTask() override; // Run is Step 1 in our case. void Run() override; void Step2(); void LastStep(); TaskState state() const { return state_; } private: raw_ptr<ConsumedResource> resource_; TaskState state_; bool leave_early_; }; } // namespace offline_pages #endif // COMPONENTS_OFFLINE_PAGES_TASK_TEST_TASK_H_
{ "content_hash": "d7b14fbc612882e146a7335caaaf66e4", "timestamp": "", "source": "github", "line_count": 50, "max_line_length": 80, "avg_line_length": 27.32, "alnum_prop": 0.7335285505124451, "repo_name": "ric2b/Vivaldi-browser", "id": "ac450878be2242bd421161be03fffd1ab4d714aa", "size": "1717", "binary": false, "copies": "2", "ref": "refs/heads/master", "path": "chromium/components/offline_pages/task/test_task.h", "mode": "33188", "license": "bsd-3-clause", "language": [], "symlink_target": "" }
<!DOCTYPE html> <html> <head> <title>RubySpec - Rubinius</title> <meta content='text/html;charset=utf-8' http-equiv='content-type'> <meta content='ru' http-equiv='content-language'> <meta content='Rubinius is an implementation of the Ruby programming language. The Rubinius bytecode virtual machine is written in C++. The bytecode compiler is written in pure Ruby. The vast majority of the core library is also written in Ruby, with some supporting primitives that interact with the VM directly.' name='description'> <meta content='Less Than Three. &lt;3. http://less.thanthree.com' name='author'> <link href='/' rel='home'> <link href='/' rel='start'> <link href='/doc/ru/specs' rel='prev' title='Specs'> <link href='/doc/ru/specs/compiler' rel='next' title='Compiler Specs'> <!--[if IE]><script src="http://html5shiv.googlecode.com/svn/trunk/html5.js" type="text/javascript"></script><![endif]--> <script src="/javascripts/jquery-1.3.2.js" type="text/javascript"></script> <script src="/javascripts/paging_keys.js" type="text/javascript"></script> <script src="/javascripts/application.js" type="text/javascript"></script> <style>article, aside, dialog, figure, footer, header, hgroup, menu, nav, section { display: block; }</style> <link href="/stylesheets/blueprint/screen.css" media="screen" rel="stylesheet" type="text/css" /> <link href="/stylesheets/application.css" media="screen" rel="stylesheet" type="text/css" /> <link href="/stylesheets/blueprint/print.css" media="print" rel="stylesheet" type="text/css" /> <!--[if IE]><link href="/stylesheets/blueprint/ie.css" media="screen" rel="stylesheet" type="text/css" /><![endif]--> <!--[if IE]><link href="/stylesheets/ie.css" media="screen" rel="stylesheet" type="text/css" /><![endif]--> </head> <body> <div class='container'> <div class='span-21 doc_menu'> <header> <nav> <ul> <li><a href="/">Home</a></li> <li><a id="blog" href="/blog/">Blog</a></li> <li><a id="documentation" href="/doc/en/">Documentation</a></li> <li><a href="/projects/">Projects</a></li> <li><a href="/roadmap/">Roadmap</a></li> <li><a href="/releases/">Releases</a></li> </ul> </nav> </header> </div> <div class='span-3 last'> <div id='version'> <a href="/releases/1.2.0">1.2.0</a> </div> </div> </div> <div class="container languages"> <nav> <span class="label">Языки:</span> <ul> <li><a href="/doc/de/" >de</a></li> <li><a href="/doc/en/" >en</a></li> <li><a href="/doc/es/" >es</a></li> <li><a href="/doc/ja/" >ja</a></li> <li><a href="/doc/pl/" >pl</a></li> <li><a href="/doc/ru/" class="current" >ru</a></li> </ul> </nav> </div> <div class="container doc_page_nav"> <span class="label">Previous:</span> <a href="/doc/ru/specs">Specs</a> <span class="label">Up:</span> <a href="/doc/ru/">Содержание</a> <span class="label">Next:</span> <a href="/doc/ru/specs/compiler">Compiler Specs</a> </div> <div class="container documentation"> <h2>RubySpec</h2> <div class="review"> <p>This topic has missing or partial documentation. Please help us improve it.</p> <p>See <a href="/doc/ru/how-to/write-documentation"> How-To - Write Documentation</a></p> </div> </div> <div class="container doc_page_nav"> <span class="label">Previous:</span> <a href="/doc/ru/specs">Specs</a> <span class="label">Up:</span> <a href="/doc/ru/">Содержание</a> <span class="label">Next:</span> <a href="/doc/ru/specs/compiler">Compiler Specs</a> </div> <div class="container"> <div id="disqus_thread"></div> <script type="text/javascript"> var disqus_shortname = 'rubinius'; var disqus_identifier = '/doc/ru/specs/rubyspec/'; var disqus_url = 'http://rubini.us/doc/ru/specs/rubyspec/'; (function() { var dsq = document.createElement('script'); dsq.type = 'text/javascript'; dsq.async = true; dsq.src = 'http://' + disqus_shortname + '.disqus.com/embed.js'; (document.getElementsByTagName('head')[0] || document.getElementsByTagName('body')[0]).appendChild(dsq); })(); </script> <noscript>Please enable JavaScript to view the <a href="http://disqus.com/?ref_noscript">comments powered by Disqus.</a></noscript> </div> <footer> <div class='container'> <nav> <ul> <li><a href="http://twitter.com/rubinius">Follow Rubinius on Twitter</a></li> <li><a href="http://github.com/evanphx/rubinius">Fork Rubinius on github</a></li> <li><a href="http://engineyard.com">An Engine Yard project</a></li> <li id='credit'> Site design by <a href="http://less.thanthree.com">Less Than Three</a> </li> </ul> </nav> </div> </footer> <script type="text/javascript"> var gaJsHost = (("https:" == document.location.protocol) ? "https://ssl." : "http://www."); document.write(unescape("%3Cscript src='" + gaJsHost + "google-analytics.com/ga.js' type='text/javascript'%3E%3C/script%3E")); </script> <script type="text/javascript"> try { var pageTracker = _gat._getTracker("UA-12328521-1"); pageTracker._trackPageview(); } catch(err) {}</script> </body> </html>
{ "content_hash": "d0ba8b29314741ebc26062f28ca963ad", "timestamp": "", "source": "github", "line_count": 192, "max_line_length": 338, "avg_line_length": 31.630208333333332, "alnum_prop": 0.5410834842746584, "repo_name": "rkh/rubinius", "id": "878d32362fd83adef3ce30e815fc92ccc4b58d12", "size": "6098", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "web/_site/doc/ru/specs/rubyspec/index.html", "mode": "33188", "license": "bsd-3-clause", "language": [], "symlink_target": "" }
<?php namespace AcMailerTest\ServiceManager; use Zend\ServiceManager\Exception; use Zend\ServiceManager\ServiceLocatorInterface; /** * Class ServiceManagerMock * @author Alejandro Celaya Alastrué * @link http://www.alejandrocelaya.com */ class ServiceManagerMock implements ServiceLocatorInterface { /** * @var array() */ private $services; public function __construct(array $services = []) { $this->services = $services; } /** * Retrieve a registered instance * * @param string $name * @throws Exception\ServiceNotFoundException * @return object|array */ public function get($name) { if (!$this->has($name)) { throw new Exception\ServiceNotFoundException(sprintf( "Service with name %s not found", $name )); } return $this->services[$name]; } /** * Check for a registered instance * * @param string|array $name * @return bool */ public function has($name) { return array_key_exists($name, $this->services); } /** * Sets the service with defined key * @param $key * @param $service * @return $this */ public function set($key, $service) { $this->services[$key] = $service; return $this; } }
{ "content_hash": "da2bbe0260a19ddc7c90bf791c40ecec", "timestamp": "", "source": "github", "line_count": 65, "max_line_length": 65, "avg_line_length": 21.138461538461538, "alnum_prop": 0.574235807860262, "repo_name": "ocodersolutions/fakhar-e", "id": "0dcaac2ae22cee104ca59753ca10026a7d03cefd", "size": "1375", "binary": false, "copies": "3", "ref": "refs/heads/master", "path": "vendor/acelaya/zf2-acmailer/test/ServiceManager/ServiceManagerMock.php", "mode": "33188", "license": "bsd-3-clause", "language": [ { "name": "ApacheConf", "bytes": "711" }, { "name": "CSS", "bytes": "2908554" }, { "name": "HTML", "bytes": "2559302" }, { "name": "JavaScript", "bytes": "3075303" }, { "name": "PHP", "bytes": "11298681" }, { "name": "Shell", "bytes": "783" } ], "symlink_target": "" }
ROOT = ../../.. DIR = WMIMapper/PegServer include $(ROOT)/mak/config.mak # SSL support ifdef PEGASUS_HAS_SSL FLAGS += -DPEGASUS_HAS_SSL -DPEGASUS_SSL_RANDOMFILE SYS_INCLUDES += -I$(OPENSSL_HOME)/include endif EXTRA_INCLUDES = $(SYS_INCLUDES) LOCAL_DEFINES = -DPEGASUS_SERVER_INTERNAL -DPEGASUS_INTERNALONLY LIBRARY = pegwmiserver LIBRARIES = \ pegcommon \ pegrepository \ pegexportserver \ pegconfig \ peguser \ pegauthentication \ pegwql \ wmiprovider PRE_DEPEND_INCLUDES = -I./depends SOURCES = \ CIMOperationRequestDecoder.cpp \ HTTPAuthenticatorDelegator.cpp \ CIMServer.cpp \ CIMOperationResponseEncoder.cpp \ CIMOperationRequestDispatcher.cpp \ CIMOperationRequestAuthorizer.cpp \ CIMServerState.cpp \ WMIMapperUserInfoContainer.cpp OBJECTS = $(SOURCES:.cpp=$(OBJ)) SYS_LIBS = ws2_32.lib advapi32.lib ifdef PEGASUS_HAS_SSL SYS_LIBS += $(OPENSSL_HOME)/Lib/*.lib endif include $(ROOT)/mak/library.mak run: Server $(REPOSITORY_ROOT) copy2: $(COPY) "$(ROOT)/src/Pegasus/Server/CIMOperationResponseEncoder.cpp" "./CIMOperationResponseEncoder.cpp" $(COPY) "$(ROOT)/src/Pegasus/Server/CIMOperationResponseEncoder.h" "./CIMOperationResponseEncoder.h" $(COPY) "$(ROOT)/src/Pegasus/Server/CIMOperationRequestAuthorizer.cpp" "./CIMOperationRequestAuthorizer.cpp" $(COPY) "$(ROOT)/src/Pegasus/Server/CIMOperationRequestAuthorizer.h" "./CIMOperationRequestAuthorizer.h" $(COPY) "$(ROOT)/src/Pegasus/Server/CIMServerState.cpp" "./CIMServerState.cpp" $(COPY) "$(ROOT)/src/Pegasus/Server/CIMServerState.h" "./CIMServerState.h" $(COPY) "$(ROOT)/src/Pegasus/Server/HTTPAuthenticatorDelegator.h" "./HTTPAuthenticatorDelegator.h" clean2: $(RM) ./CIMOperationResponseEncoder.cpp $(RM) ./CIMOperationResponseEncoder.h $(RM) ./CIMOperationRequestAuthorizer.cpp $(RM) ./CIMOperationRequestAuthorizer.h $(RM) ./CIMServerState.cpp $(RM) ./CIMServerState.h $(RM) ./HTTPAuthenticatorDelegator.h
{ "content_hash": "0378183f3d3190e7463db830c3274cdf", "timestamp": "", "source": "github", "line_count": 69, "max_line_length": 109, "avg_line_length": 28.579710144927535, "alnum_prop": 0.7383367139959433, "repo_name": "ncultra/Pegasus-2.5", "id": "d287b924acf77b781d003af499a807a4e0311ff4", "size": "3798", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "src/WMIMapper/PegServer/Makefile", "mode": "33188", "license": "mit", "language": [ { "name": "Awk", "bytes": "8389" }, { "name": "C", "bytes": "2094310" }, { "name": "C++", "bytes": "16778278" }, { "name": "Erlang", "bytes": "59698" }, { "name": "Java", "bytes": "477479" }, { "name": "Objective-C", "bytes": "165760" }, { "name": "Perl", "bytes": "16616" }, { "name": "Scala", "bytes": "255" }, { "name": "Shell", "bytes": "61767" } ], "symlink_target": "" }
package org.elasticsearch.xpack.security.authc.support.mapper; import org.apache.logging.log4j.LogManager; import org.apache.logging.log4j.Logger; import org.apache.logging.log4j.message.ParameterizedMessage; import org.elasticsearch.action.ActionListener; import org.elasticsearch.action.delete.DeleteResponse; import org.elasticsearch.action.index.IndexResponse; import org.elasticsearch.action.search.SearchRequest; import org.elasticsearch.action.support.ContextPreservingActionListener; import org.elasticsearch.client.Client; import org.elasticsearch.common.CheckedBiConsumer; import org.elasticsearch.common.Strings; import org.elasticsearch.common.bytes.BytesReference; import org.elasticsearch.common.settings.Settings; import org.elasticsearch.common.util.concurrent.ThreadContext; import org.elasticsearch.common.xcontent.LoggingDeprecationHandler; import org.elasticsearch.index.query.QueryBuilder; import org.elasticsearch.index.query.QueryBuilders; import org.elasticsearch.script.ScriptService; import org.elasticsearch.xcontent.NamedXContentRegistry; import org.elasticsearch.xcontent.ToXContent; import org.elasticsearch.xcontent.XContentBuilder; import org.elasticsearch.xcontent.XContentParser; import org.elasticsearch.xcontent.XContentType; import org.elasticsearch.xpack.core.security.ScrollHelper; import org.elasticsearch.xpack.core.security.action.realm.ClearRealmCacheAction; import org.elasticsearch.xpack.core.security.action.realm.ClearRealmCacheRequest; import org.elasticsearch.xpack.core.security.action.rolemapping.DeleteRoleMappingRequest; import org.elasticsearch.xpack.core.security.action.rolemapping.PutRoleMappingRequest; import org.elasticsearch.xpack.core.security.authc.support.CachingRealm; import org.elasticsearch.xpack.core.security.authc.support.UserRoleMapper; import org.elasticsearch.xpack.core.security.authc.support.mapper.ExpressionRoleMapping; import org.elasticsearch.xpack.core.security.authc.support.mapper.TemplateRoleName; import org.elasticsearch.xpack.core.security.authc.support.mapper.expressiondsl.ExpressionModel; import org.elasticsearch.xpack.core.security.index.RestrictedIndicesNames; import org.elasticsearch.xpack.security.support.SecurityIndexManager; import java.io.IOException; import java.io.InputStream; import java.util.Arrays; import java.util.Collection; import java.util.Collections; import java.util.HashMap; import java.util.List; import java.util.Map; import java.util.Objects; import java.util.Set; import java.util.concurrent.CopyOnWriteArrayList; import java.util.function.Supplier; import java.util.stream.Collectors; import static org.elasticsearch.action.DocWriteResponse.Result.CREATED; import static org.elasticsearch.action.DocWriteResponse.Result.DELETED; import static org.elasticsearch.search.SearchService.DEFAULT_KEEPALIVE_SETTING; import static org.elasticsearch.xcontent.XContentFactory.jsonBuilder; import static org.elasticsearch.xpack.core.ClientHelper.SECURITY_ORIGIN; import static org.elasticsearch.xpack.core.ClientHelper.executeAsyncWithOrigin; import static org.elasticsearch.xpack.core.security.index.RestrictedIndicesNames.SECURITY_MAIN_ALIAS; import static org.elasticsearch.xpack.security.support.SecurityIndexManager.isIndexDeleted; import static org.elasticsearch.xpack.security.support.SecurityIndexManager.isMoveFromRedToNonRed; /** * This store reads + writes {@link ExpressionRoleMapping role mappings} in an Elasticsearch * {@link RestrictedIndicesNames#SECURITY_MAIN_ALIAS index}. * <br> * The store is responsible for all read and write operations as well as * {@link #resolveRoles(UserData, ActionListener) resolving roles}. * <p> * No caching is done by this class, it is handled at a higher level and no polling for changes * is done by this class. Modification operations make a best effort attempt to clear the cache * on all nodes for the user that was modified. */ public class NativeRoleMappingStore implements UserRoleMapper { private static final Logger logger = LogManager.getLogger(NativeRoleMappingStore.class); static final String DOC_TYPE_FIELD = "doc_type"; static final String DOC_TYPE_ROLE_MAPPING = "role-mapping"; private static final String ID_PREFIX = DOC_TYPE_ROLE_MAPPING + "_"; private static final ActionListener<Object> NO_OP_ACTION_LISTENER = new ActionListener<Object>() { @Override public void onResponse(Object o) { // nothing } @Override public void onFailure(Exception e) { // nothing } }; private final Settings settings; private final Client client; private final SecurityIndexManager securityIndex; private final ScriptService scriptService; private final List<String> realmsToRefresh = new CopyOnWriteArrayList<>(); public NativeRoleMappingStore(Settings settings, Client client, SecurityIndexManager securityIndex, ScriptService scriptService) { this.settings = settings; this.client = client; this.securityIndex = securityIndex; this.scriptService = scriptService; } private String getNameFromId(String id) { assert id.startsWith(ID_PREFIX); return id.substring(ID_PREFIX.length()); } private String getIdForName(String name) { return ID_PREFIX + name; } /** * Loads all mappings from the index. * <em>package private</em> for unit testing */ protected void loadMappings(ActionListener<List<ExpressionRoleMapping>> listener) { if (securityIndex.isIndexUpToDate() == false) { listener.onFailure( new IllegalStateException( "Security index is not on the current version - the native realm will not be operational until " + "the upgrade API is run on the security index" ) ); return; } final QueryBuilder query = QueryBuilders.termQuery(DOC_TYPE_FIELD, DOC_TYPE_ROLE_MAPPING); final Supplier<ThreadContext.StoredContext> supplier = client.threadPool().getThreadContext().newRestorableContext(false); try (ThreadContext.StoredContext ignore = client.threadPool().getThreadContext().stashWithOrigin(SECURITY_ORIGIN)) { SearchRequest request = client.prepareSearch(SECURITY_MAIN_ALIAS) .setScroll(DEFAULT_KEEPALIVE_SETTING.get(settings)) .setQuery(query) .setSize(1000) .setFetchSource(true) .request(); request.indicesOptions().ignoreUnavailable(); ScrollHelper.fetchAllByEntity( client, request, new ContextPreservingActionListener<>( supplier, ActionListener.wrap( (Collection<ExpressionRoleMapping> mappings) -> listener.onResponse( mappings.stream().filter(Objects::nonNull).collect(Collectors.toList()) ), ex -> { logger.error( new ParameterizedMessage( "failed to load role mappings from index [{}] skipping all mappings.", SECURITY_MAIN_ALIAS ), ex ); listener.onResponse(Collections.emptyList()); } ) ), doc -> buildMapping(getNameFromId(doc.getId()), doc.getSourceRef()) ); } } protected ExpressionRoleMapping buildMapping(String id, BytesReference source) { try ( InputStream stream = source.streamInput(); XContentParser parser = XContentType.JSON.xContent() .createParser(NamedXContentRegistry.EMPTY, LoggingDeprecationHandler.INSTANCE, stream) ) { return ExpressionRoleMapping.parse(id, parser); } catch (Exception e) { logger.warn(new ParameterizedMessage("Role mapping [{}] cannot be parsed and will be skipped", id), e); return null; } } /** * Stores (create or update) a single mapping in the index */ public void putRoleMapping(PutRoleMappingRequest request, ActionListener<Boolean> listener) { // Validate all templates before storing the role mapping for (TemplateRoleName templateRoleName : request.getRoleTemplates()) { templateRoleName.validate(scriptService); } modifyMapping(request.getName(), this::innerPutMapping, request, listener); } /** * Deletes a named mapping from the index */ public void deleteRoleMapping(DeleteRoleMappingRequest request, ActionListener<Boolean> listener) { modifyMapping(request.getName(), this::innerDeleteMapping, request, listener); } private <Request, Result> void modifyMapping( String name, CheckedBiConsumer<Request, ActionListener<Result>, Exception> inner, Request request, ActionListener<Result> listener ) { if (securityIndex.isIndexUpToDate() == false) { listener.onFailure( new IllegalStateException( "Security index is not on the current version - the native realm will not be operational until " + "the upgrade API is run on the security index" ) ); } else { try { inner.accept(request, ActionListener.wrap(r -> refreshRealms(listener, r), listener::onFailure)); } catch (Exception e) { logger.error(new ParameterizedMessage("failed to modify role-mapping [{}]", name), e); listener.onFailure(e); } } } private void innerPutMapping(PutRoleMappingRequest request, ActionListener<Boolean> listener) { final ExpressionRoleMapping mapping = request.getMapping(); securityIndex.prepareIndexIfNeededThenExecute(listener::onFailure, () -> { final XContentBuilder xContentBuilder; try { xContentBuilder = mapping.toXContent(jsonBuilder(), ToXContent.EMPTY_PARAMS, true); } catch (IOException e) { listener.onFailure(e); return; } executeAsyncWithOrigin( client.threadPool().getThreadContext(), SECURITY_ORIGIN, client.prepareIndex(SECURITY_MAIN_ALIAS) .setId(getIdForName(mapping.getName())) .setSource(xContentBuilder) .setRefreshPolicy(request.getRefreshPolicy()) .request(), new ActionListener<IndexResponse>() { @Override public void onResponse(IndexResponse indexResponse) { boolean created = indexResponse.getResult() == CREATED; listener.onResponse(created); } @Override public void onFailure(Exception e) { logger.error(new ParameterizedMessage("failed to put role-mapping [{}]", mapping.getName()), e); listener.onFailure(e); } }, client::index ); }); } private void innerDeleteMapping(DeleteRoleMappingRequest request, ActionListener<Boolean> listener) { final SecurityIndexManager frozenSecurityIndex = securityIndex.freeze(); if (frozenSecurityIndex.indexExists() == false) { listener.onResponse(false); } else if (securityIndex.isAvailable() == false) { listener.onFailure(frozenSecurityIndex.getUnavailableReason()); } else { securityIndex.checkIndexVersionThenExecute(listener::onFailure, () -> { executeAsyncWithOrigin( client.threadPool().getThreadContext(), SECURITY_ORIGIN, client.prepareDelete(SECURITY_MAIN_ALIAS, getIdForName(request.getName())) .setRefreshPolicy(request.getRefreshPolicy()) .request(), new ActionListener<DeleteResponse>() { @Override public void onResponse(DeleteResponse deleteResponse) { boolean deleted = deleteResponse.getResult() == DELETED; listener.onResponse(deleted); } @Override public void onFailure(Exception e) { logger.error(new ParameterizedMessage("failed to delete role-mapping [{}]", request.getName()), e); listener.onFailure(e); } }, client::delete ); }); } } /** * Retrieves one or more mappings from the index. * If <code>names</code> is <code>null</code> or {@link Set#isEmpty empty}, then this retrieves all mappings. * Otherwise it retrieves the specified mappings by name. */ public void getRoleMappings(Set<String> names, ActionListener<List<ExpressionRoleMapping>> listener) { if (names == null || names.isEmpty()) { getMappings(listener); } else { getMappings(listener.delegateFailure((l, mappings) -> { final List<ExpressionRoleMapping> filtered = mappings.stream() .filter(m -> names.contains(m.getName())) .collect(Collectors.toList()); l.onResponse(filtered); })); } } private void getMappings(ActionListener<List<ExpressionRoleMapping>> listener) { if (securityIndex.isAvailable()) { loadMappings(listener); } else { logger.info("The security index is not yet available - no role mappings can be loaded"); if (logger.isDebugEnabled()) { logger.debug( "Security Index [{}] [exists: {}] [available: {}]", SECURITY_MAIN_ALIAS, securityIndex.indexExists(), securityIndex.isAvailable() ); } listener.onResponse(Collections.emptyList()); } } /** * Provides usage statistics for this store. * The resulting map contains the keys * <ul> * <li><code>size</code> - The total number of mappings stored in the index</li> * <li><code>enabled</code> - The number of mappings that are * {@link ExpressionRoleMapping#isEnabled() enabled}</li> * </ul> */ public void usageStats(ActionListener<Map<String, Object>> listener) { if (securityIndex.isAvailable() == false) { reportStats(listener, Collections.emptyList()); } else { getMappings(ActionListener.wrap(mappings -> reportStats(listener, mappings), listener::onFailure)); } } private void reportStats(ActionListener<Map<String, Object>> listener, List<ExpressionRoleMapping> mappings) { Map<String, Object> usageStats = new HashMap<>(); usageStats.put("size", mappings.size()); usageStats.put("enabled", mappings.stream().filter(ExpressionRoleMapping::isEnabled).count()); listener.onResponse(usageStats); } public void onSecurityIndexStateChange(SecurityIndexManager.State previousState, SecurityIndexManager.State currentState) { if (isMoveFromRedToNonRed(previousState, currentState) || isIndexDeleted(previousState, currentState) || Objects.equals(previousState.indexUUID, currentState.indexUUID) == false || previousState.isIndexUpToDate != currentState.isIndexUpToDate) { refreshRealms(NO_OP_ACTION_LISTENER, null); } } private <Result> void refreshRealms(ActionListener<Result> listener, Result result) { if (realmsToRefresh.isEmpty()) { listener.onResponse(result); return; } final String[] realmNames = this.realmsToRefresh.toArray(Strings.EMPTY_ARRAY); executeAsyncWithOrigin( client, SECURITY_ORIGIN, ClearRealmCacheAction.INSTANCE, new ClearRealmCacheRequest().realms(realmNames), ActionListener.wrap(response -> { logger.debug( (org.apache.logging.log4j.util.Supplier<?>) () -> new ParameterizedMessage( "Cleared cached in realms [{}] due to role mapping change", Arrays.toString(realmNames) ) ); listener.onResponse(result); }, ex -> { logger.warn(new ParameterizedMessage("Failed to clear cache for realms [{}]", Arrays.toString(realmNames)), ex); listener.onFailure(ex); }) ); } @Override public void resolveRoles(UserData user, ActionListener<Set<String>> listener) { getRoleMappings(null, ActionListener.wrap(mappings -> { final ExpressionModel model = user.asModel(); final Set<String> roles = mappings.stream() .filter(ExpressionRoleMapping::isEnabled) .filter(m -> m.getExpression().match(model)) .flatMap(m -> { final Set<String> roleNames = m.getRoleNames(scriptService, model); logger.trace("Applying role-mapping [{}] to user-model [{}] produced role-names [{}]", m.getName(), model, roleNames); return roleNames.stream(); }) .collect(Collectors.toSet()); logger.debug("Mapping user [{}] to roles [{}]", user, roles); listener.onResponse(roles); }, listener::onFailure)); } /** * Indicates that the provided realm should have its cache cleared if this store is updated * (that is, {@link #putRoleMapping(PutRoleMappingRequest, ActionListener)} or * {@link #deleteRoleMapping(DeleteRoleMappingRequest, ActionListener)} are called). * @see ClearRealmCacheAction */ @Override public void refreshRealmOnChange(CachingRealm realm) { realmsToRefresh.add(realm.name()); } }
{ "content_hash": "9cc52670e8194d2e561e353e0de08f42", "timestamp": "", "source": "github", "line_count": 415, "max_line_length": 138, "avg_line_length": 44.86987951807229, "alnum_prop": 0.6352505236023844, "repo_name": "GlenRSmith/elasticsearch", "id": "6e1803ab5152265853d06ba2ba61dbee8dd18893", "size": "18873", "binary": false, "copies": "3", "ref": "refs/heads/master", "path": "x-pack/plugin/security/src/main/java/org/elasticsearch/xpack/security/authc/support/mapper/NativeRoleMappingStore.java", "mode": "33188", "license": "apache-2.0", "language": [ { "name": "ANTLR", "bytes": "11082" }, { "name": "Batchfile", "bytes": "11057" }, { "name": "Emacs Lisp", "bytes": "3341" }, { "name": "FreeMarker", "bytes": "45" }, { "name": "Groovy", "bytes": "337461" }, { "name": "HTML", "bytes": "2186" }, { "name": "Java", "bytes": "43224931" }, { "name": "Perl", "bytes": "11756" }, { "name": "Python", "bytes": "19852" }, { "name": "Shell", "bytes": "99571" } ], "symlink_target": "" }
#pragma once #include <OgreString.h> #include "fmod.hpp" class NBID; /* Declares NBID* varname and getter function */ #define ID_DECL(varname) \ private:\ NBID* varname;\ public:\ NBID* getID() const { return varname;} /* * Abstract class that encapsulates low-level FMOD API's audio source and channels. * To be derived by @SoundEffect and @Music that use the exposed general audio functionality. */ class Audio { public: Audio(const Ogre::String& name); virtual ~Audio(); /* Play FMOD sound source */ virtual void play() = 0; /* Pause FMOD sound source */ virtual void pause() = 0; /* Stop FMOD sound source */ virtual void stop() = 0; bool isPlaying() const { return m_playing; } const Ogre::String& getResourceName() const { return m_resourceName; } void setAudioSource(FMOD::Sound* sound) { m_audioSource = sound; } FMOD::Sound* getAudioSource() const { return m_audioSource; } void setVolume(float v) { m_audioChannel->setVolume(v); } float getVolume() const { float volume; m_audioChannel->getVolume(&volume); return volume; } void setPitch(float v) { m_audioChannel->setPitch(v); } float getPitch() const { float pitch; m_audioChannel->getPitch(&pitch); return pitch; } ID_DECL(m_id); protected: FMOD::Sound* m_audioSource; FMOD::Channel* m_audioChannel; const Ogre::String m_resourceName; bool m_playing; };
{ "content_hash": "565a97a00920c033a55f3d547c7da94d", "timestamp": "", "source": "github", "line_count": 59, "max_line_length": 93, "avg_line_length": 23.084745762711865, "alnum_prop": 0.7033773861967695, "repo_name": "zomeelee/Arcade-Racing", "id": "eebcf68d87f07302c7484b0ec315be0d9ff7b911", "size": "2447", "binary": false, "copies": "2", "ref": "refs/heads/master", "path": "include/Audio/Audio.h", "mode": "33188", "license": "mit", "language": [ { "name": "C++", "bytes": "348638" }, { "name": "GLSL", "bytes": "411" }, { "name": "Mathematica", "bytes": "231795866" }, { "name": "Ruby", "bytes": "11231" } ], "symlink_target": "" }
package org.hive2hive.core.file; import java.io.File; import java.io.IOException; import java.io.RandomAccessFile; import java.util.List; import org.apache.commons.io.FileUtils; import org.hive2hive.core.model.Chunk; import org.slf4j.Logger; import org.slf4j.LoggerFactory; public class FileChunkUtil { private static final Logger logger = LoggerFactory.getLogger(FileChunkUtil.class); private FileChunkUtil() { // only static methods } /** * Calculates the number of chunks. This depends on the file size and the chunk size * * @param file the file to chunk * @param chunkSize the size of an individual chunk * @return the number of chunks, if the file is empty, 1 is returned. If file is not existing, 0 is * returned. In case the given chunkSize is smaller or equal to zero, 0 is returned */ public static int getNumberOfChunks(File file, int chunkSize) { if (file == null || !file.exists()) { // no chunk needed return 0; } else if (chunkSize <= 0) { // don't divide by 0 return 0; } long fileSize = FileUtil.getFileSize(file); if (fileSize == 0) { // special case return 1; } return (int) Math.ceil((double) fileSize / Math.abs(chunkSize)); } /** * Returns the chunk of a given file. * * @param file the file to chunk * @param chunkSize the maximum size of a single chunk. If the end of the file has been reached before, * the returned chunk can be smaller. * @param chunkNumber the index of the chunk, starting at 0. When giving 0, the first chunk is read. This * parameter is similar to the offset. * @param chunkId the id of the chunk which should be returned * @return the chunk or null if no data could be read with the given parameter * @throws IOException if the file cannot be read */ public static Chunk getChunk(File file, int chunkSize, int chunkNumber, String chunkId) throws IOException { if (file == null || !file.exists()) { throw new IOException("File does not exist"); } else if (chunkSize <= 0) { throw new IOException("Chunk size cannot be smaller or equal to 0"); } else if (chunkNumber < 0) { throw new IOException("Chunk number cannot be smaller than 0"); } if (FileUtil.getFileSize(file) == 0 && chunkNumber == 0) { // special case: file exists but is empty. // return an empty chunk return new Chunk(chunkId, new byte[0], 0); } int read = 0; long offset = chunkSize * chunkNumber; byte[] data = new byte[chunkSize]; // read the next chunk of the file considering the offset RandomAccessFile rndAccessFile = new RandomAccessFile(file, "r"); rndAccessFile.seek(offset); read = rndAccessFile.read(data); rndAccessFile.close(); if (read > 0) { // the byte-Array may contain many empty slots if last chunk. Truncate it data = truncateData(data, read); return new Chunk(chunkId, data, chunkNumber); } else { return null; } } /** * Truncates a byte array * * @param data * @param read * @return a shorter byte array */ private static byte[] truncateData(byte[] data, int numOfBytes) { // shortcut if (data.length == numOfBytes) { return data; } else { byte[] truncated = new byte[numOfBytes]; for (int i = 0; i < truncated.length; i++) { truncated[i] = data[i]; } return truncated; } } /** * Reassembly of multiple file parts to a single file. Note that the file parts need to be sorted * beforehand * * @param fileParts the sorted file parts. * @param destination the destination * @throws IOException in case the files could not be read or written. */ public static void reassembly(List<File> fileParts, File destination) throws IOException { if (fileParts == null || fileParts.isEmpty()) { logger.error("File parts can't be null."); return; } else if (fileParts.isEmpty()) { logger.error("File parts can't be empty."); return; } else if (destination == null) { logger.error("Destination can't be null"); return; } if (destination.exists()) { // overwrite if (destination.delete()) { logger.debug("Destination gets overwritten. destination = '{}'", destination); } else { logger.error("Couldn't overwrite destination. destination = '{}'", destination); return; } } for (File filePart : fileParts) { // copy file parts to the new location, append FileUtils.writeByteArrayToFile(destination, FileUtils.readFileToByteArray(filePart), true); if (!filePart.delete()) { logger.warn("Couldn't delete temporary file part. filePart = '{}'", filePart); } } } }
{ "content_hash": "2c938ae70df956b0e58b945c4714e4ba", "timestamp": "", "source": "github", "line_count": 152, "max_line_length": 109, "avg_line_length": 30.282894736842106, "alnum_prop": 0.6778188138170759, "repo_name": "albu89/Hive2Hive-dev", "id": "1ac1fe5c25242cf8ebdb596623d019203fc907be", "size": "4603", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "org.hive2hive.core/src/main/java/org/hive2hive/core/file/FileChunkUtil.java", "mode": "33188", "license": "mit", "language": [ { "name": "Java", "bytes": "1541957" } ], "symlink_target": "" }
namespace v8 { namespace internal { inline double JunkStringValue() { return bit_cast<double, uint64_t>(kQuietNaNMask); } inline double SignedZero(bool negative) { return negative ? uint64_to_double(Double::kSignMask) : 0.0; } // The fast double-to-unsigned-int conversion routine does not guarantee // rounding towards zero, or any reasonable value if the argument is larger // than what fits in an unsigned 32-bit integer. inline unsigned int FastD2UI(double x) { // There is no unsigned version of lrint, so there is no fast path // in this function as there is in FastD2I. Using lrint doesn't work // for values of 2^31 and above. // Convert "small enough" doubles to uint32_t by fixing the 32 // least significant non-fractional bits in the low 32 bits of the // double, and reading them from there. const double k2Pow52 = 4503599627370496.0; bool negative = x < 0; if (negative) { x = -x; } if (x < k2Pow52) { x += k2Pow52; uint32_t result; #ifndef V8_TARGET_BIG_ENDIAN Address mantissa_ptr = reinterpret_cast<Address>(&x); #else Address mantissa_ptr = reinterpret_cast<Address>(&x) + kIntSize; #endif // Copy least significant 32 bits of mantissa. memcpy(&result, mantissa_ptr, sizeof(result)); return negative ? ~result + 1 : result; } // Large number (outside uint32 range), Infinity or NaN. return 0x80000000u; // Return integer indefinite. } inline float DoubleToFloat32(double x) { // TODO(yangguo): This static_cast is implementation-defined behaviour in C++, // so we may need to do the conversion manually instead to match the spec. volatile float f = static_cast<float>(x); return f; } inline double DoubleToInteger(double x) { if (std::isnan(x)) return 0; if (!std::isfinite(x) || x == 0) return x; return (x >= 0) ? std::floor(x) : std::ceil(x); } int32_t DoubleToInt32(double x) { int32_t i = FastD2I(x); if (FastI2D(i) == x) return i; Double d(x); int exponent = d.Exponent(); if (exponent < 0) { if (exponent <= -Double::kSignificandSize) return 0; return d.Sign() * static_cast<int32_t>(d.Significand() >> -exponent); } else { if (exponent > 31) return 0; return d.Sign() * static_cast<int32_t>(d.Significand() << exponent); } } bool IsSmiDouble(double value) { return !IsMinusZero(value) && value >= Smi::kMinValue && value <= Smi::kMaxValue && value == FastI2D(FastD2I(value)); } bool IsInt32Double(double value) { return !IsMinusZero(value) && value >= kMinInt && value <= kMaxInt && value == FastI2D(FastD2I(value)); } bool IsUint32Double(double value) { return !IsMinusZero(value) && value >= 0 && value <= kMaxUInt32 && value == FastUI2D(FastD2UI(value)); } int32_t NumberToInt32(Object* number) { if (number->IsSmi()) return Smi::cast(number)->value(); return DoubleToInt32(number->Number()); } uint32_t NumberToUint32(Object* number) { if (number->IsSmi()) return Smi::cast(number)->value(); return DoubleToUint32(number->Number()); } bool TryNumberToSize(Isolate* isolate, Object* number, size_t* result) { SealHandleScope shs(isolate); if (number->IsSmi()) { int value = Smi::cast(number)->value(); DCHECK(static_cast<unsigned>(Smi::kMaxValue) <= std::numeric_limits<size_t>::max()); if (value >= 0) { *result = static_cast<size_t>(value); return true; } return false; } else { DCHECK(number->IsHeapNumber()); double value = HeapNumber::cast(number)->value(); if (value >= 0 && value <= std::numeric_limits<size_t>::max()) { *result = static_cast<size_t>(value); return true; } else { return false; } } } size_t NumberToSize(Isolate* isolate, Object* number) { size_t result = 0; bool is_valid = TryNumberToSize(isolate, number, &result); CHECK(is_valid); return result; } uint32_t DoubleToUint32(double x) { return static_cast<uint32_t>(DoubleToInt32(x)); } template <class Iterator, class EndMark> bool SubStringEquals(Iterator* current, EndMark end, const char* substring) { DCHECK(**current == *substring); for (substring++; *substring != '\0'; substring++) { ++*current; if (*current == end || **current != *substring) return false; } ++*current; return true; } // Returns true if a nonspace character has been found and false if the // end was been reached before finding a nonspace character. template <class Iterator, class EndMark> inline bool AdvanceToNonspace(UnicodeCache* unicode_cache, Iterator* current, EndMark end) { while (*current != end) { if (!unicode_cache->IsWhiteSpaceOrLineTerminator(**current)) return true; ++*current; } return false; } // Parsing integers with radix 2, 4, 8, 16, 32. Assumes current != end. template <int radix_log_2, class Iterator, class EndMark> double InternalStringToIntDouble(UnicodeCache* unicode_cache, Iterator current, EndMark end, bool negative, bool allow_trailing_junk) { DCHECK(current != end); // Skip leading 0s. while (*current == '0') { ++current; if (current == end) return SignedZero(negative); } int64_t number = 0; int exponent = 0; const int radix = (1 << radix_log_2); do { int digit; if (*current >= '0' && *current <= '9' && *current < '0' + radix) { digit = static_cast<char>(*current) - '0'; } else if (radix > 10 && *current >= 'a' && *current < 'a' + radix - 10) { digit = static_cast<char>(*current) - 'a' + 10; } else if (radix > 10 && *current >= 'A' && *current < 'A' + radix - 10) { digit = static_cast<char>(*current) - 'A' + 10; } else { if (allow_trailing_junk || !AdvanceToNonspace(unicode_cache, &current, end)) { break; } else { return JunkStringValue(); } } number = number * radix + digit; int overflow = static_cast<int>(number >> 53); if (overflow != 0) { // Overflow occurred. Need to determine which direction to round the // result. int overflow_bits_count = 1; while (overflow > 1) { overflow_bits_count++; overflow >>= 1; } int dropped_bits_mask = ((1 << overflow_bits_count) - 1); int dropped_bits = static_cast<int>(number) & dropped_bits_mask; number >>= overflow_bits_count; exponent = overflow_bits_count; bool zero_tail = true; while (true) { ++current; if (current == end || !isDigit(*current, radix)) break; zero_tail = zero_tail && *current == '0'; exponent += radix_log_2; } if (!allow_trailing_junk && AdvanceToNonspace(unicode_cache, &current, end)) { return JunkStringValue(); } int middle_value = (1 << (overflow_bits_count - 1)); if (dropped_bits > middle_value) { number++; // Rounding up. } else if (dropped_bits == middle_value) { // Rounding to even to consistency with decimals: half-way case rounds // up if significant part is odd and down otherwise. if ((number & 1) != 0 || !zero_tail) { number++; // Rounding up. } } // Rounding up may cause overflow. if ((number & (static_cast<int64_t>(1) << 53)) != 0) { exponent++; number >>= 1; } break; } ++current; } while (current != end); DCHECK(number < ((int64_t)1 << 53)); DCHECK(static_cast<int64_t>(static_cast<double>(number)) == number); if (exponent == 0) { if (negative) { if (number == 0) return -0.0; number = -number; } return static_cast<double>(number); } DCHECK(number != 0); return std::ldexp(static_cast<double>(negative ? -number : number), exponent); } template <class Iterator, class EndMark> double InternalStringToInt(UnicodeCache* unicode_cache, Iterator current, EndMark end, int radix) { const bool allow_trailing_junk = true; const double empty_string_val = JunkStringValue(); if (!AdvanceToNonspace(unicode_cache, &current, end)) { return empty_string_val; } bool negative = false; bool leading_zero = false; if (*current == '+') { // Ignore leading sign; skip following spaces. ++current; if (current == end) { return JunkStringValue(); } } else if (*current == '-') { ++current; if (current == end) { return JunkStringValue(); } negative = true; } if (radix == 0) { // Radix detection. radix = 10; if (*current == '0') { ++current; if (current == end) return SignedZero(negative); if (*current == 'x' || *current == 'X') { radix = 16; ++current; if (current == end) return JunkStringValue(); } else { leading_zero = true; } } } else if (radix == 16) { if (*current == '0') { // Allow "0x" prefix. ++current; if (current == end) return SignedZero(negative); if (*current == 'x' || *current == 'X') { ++current; if (current == end) return JunkStringValue(); } else { leading_zero = true; } } } if (radix < 2 || radix > 36) return JunkStringValue(); // Skip leading zeros. while (*current == '0') { leading_zero = true; ++current; if (current == end) return SignedZero(negative); } if (!leading_zero && !isDigit(*current, radix)) { return JunkStringValue(); } if (base::bits::IsPowerOfTwo32(radix)) { switch (radix) { case 2: return InternalStringToIntDouble<1>( unicode_cache, current, end, negative, allow_trailing_junk); case 4: return InternalStringToIntDouble<2>( unicode_cache, current, end, negative, allow_trailing_junk); case 8: return InternalStringToIntDouble<3>( unicode_cache, current, end, negative, allow_trailing_junk); case 16: return InternalStringToIntDouble<4>( unicode_cache, current, end, negative, allow_trailing_junk); case 32: return InternalStringToIntDouble<5>( unicode_cache, current, end, negative, allow_trailing_junk); default: UNREACHABLE(); } } if (radix == 10) { // Parsing with strtod. const int kMaxSignificantDigits = 309; // Doubles are less than 1.8e308. // The buffer may contain up to kMaxSignificantDigits + 1 digits and a zero // end. const int kBufferSize = kMaxSignificantDigits + 2; char buffer[kBufferSize]; int buffer_pos = 0; while (*current >= '0' && *current <= '9') { if (buffer_pos <= kMaxSignificantDigits) { // If the number has more than kMaxSignificantDigits it will be parsed // as infinity. DCHECK(buffer_pos < kBufferSize); buffer[buffer_pos++] = static_cast<char>(*current); } ++current; if (current == end) break; } if (!allow_trailing_junk && AdvanceToNonspace(unicode_cache, &current, end)) { return JunkStringValue(); } SLOW_DCHECK(buffer_pos < kBufferSize); buffer[buffer_pos] = '\0'; Vector<const char> buffer_vector(buffer, buffer_pos); return negative ? -Strtod(buffer_vector, 0) : Strtod(buffer_vector, 0); } // The following code causes accumulating rounding error for numbers greater // than ~2^56. It's explicitly allowed in the spec: "if R is not 2, 4, 8, 10, // 16, or 32, then mathInt may be an implementation-dependent approximation to // the mathematical integer value" (15.1.2.2). int lim_0 = '0' + (radix < 10 ? radix : 10); int lim_a = 'a' + (radix - 10); int lim_A = 'A' + (radix - 10); // NOTE: The code for computing the value may seem a bit complex at // first glance. It is structured to use 32-bit multiply-and-add // loops as long as possible to avoid loosing precision. double v = 0.0; bool done = false; do { // Parse the longest part of the string starting at index j // possible while keeping the multiplier, and thus the part // itself, within 32 bits. unsigned int part = 0, multiplier = 1; while (true) { int d; if (*current >= '0' && *current < lim_0) { d = *current - '0'; } else if (*current >= 'a' && *current < lim_a) { d = *current - 'a' + 10; } else if (*current >= 'A' && *current < lim_A) { d = *current - 'A' + 10; } else { done = true; break; } // Update the value of the part as long as the multiplier fits // in 32 bits. When we can't guarantee that the next iteration // will not overflow the multiplier, we stop parsing the part // by leaving the loop. const unsigned int kMaximumMultiplier = 0xffffffffU / 36; uint32_t m = multiplier * radix; if (m > kMaximumMultiplier) break; part = part * radix + d; multiplier = m; DCHECK(multiplier > part); ++current; if (current == end) { done = true; break; } } // Update the value and skip the part in the string. v = v * multiplier + part; } while (!done); if (!allow_trailing_junk && AdvanceToNonspace(unicode_cache, &current, end)) { return JunkStringValue(); } return negative ? -v : v; } // Converts a string to a double value. Assumes the Iterator supports // the following operations: // 1. current == end (other ops are not allowed), current != end. // 2. *current - gets the current character in the sequence. // 3. ++current (advances the position). template <class Iterator, class EndMark> double InternalStringToDouble(UnicodeCache* unicode_cache, Iterator current, EndMark end, int flags, double empty_string_val) { // To make sure that iterator dereferencing is valid the following // convention is used: // 1. Each '++current' statement is followed by check for equality to 'end'. // 2. If AdvanceToNonspace returned false then current == end. // 3. If 'current' becomes be equal to 'end' the function returns or goes to // 'parsing_done'. // 4. 'current' is not dereferenced after the 'parsing_done' label. // 5. Code before 'parsing_done' may rely on 'current != end'. if (!AdvanceToNonspace(unicode_cache, &current, end)) { return empty_string_val; } const bool allow_trailing_junk = (flags & ALLOW_TRAILING_JUNK) != 0; // The longest form of simplified number is: "-<significant digits>'.1eXXX\0". const int kBufferSize = kMaxSignificantDigits + 10; char buffer[kBufferSize]; // NOLINT: size is known at compile time. int buffer_pos = 0; // Exponent will be adjusted if insignificant digits of the integer part // or insignificant leading zeros of the fractional part are dropped. int exponent = 0; int significant_digits = 0; int insignificant_digits = 0; bool nonzero_digit_dropped = false; enum Sign { NONE, NEGATIVE, POSITIVE }; Sign sign = NONE; if (*current == '+') { // Ignore leading sign. ++current; if (current == end) return JunkStringValue(); sign = POSITIVE; } else if (*current == '-') { ++current; if (current == end) return JunkStringValue(); sign = NEGATIVE; } static const char kInfinityString[] = "Infinity"; if (*current == kInfinityString[0]) { if (!SubStringEquals(&current, end, kInfinityString)) { return JunkStringValue(); } if (!allow_trailing_junk && AdvanceToNonspace(unicode_cache, &current, end)) { return JunkStringValue(); } DCHECK(buffer_pos == 0); return (sign == NEGATIVE) ? -V8_INFINITY : V8_INFINITY; } bool leading_zero = false; if (*current == '0') { ++current; if (current == end) return SignedZero(sign == NEGATIVE); leading_zero = true; // It could be hexadecimal value. if ((flags & ALLOW_HEX) && (*current == 'x' || *current == 'X')) { ++current; if (current == end || !isDigit(*current, 16) || sign != NONE) { return JunkStringValue(); // "0x". } return InternalStringToIntDouble<4>(unicode_cache, current, end, false, allow_trailing_junk); // It could be an explicit octal value. } else if ((flags & ALLOW_OCTAL) && (*current == 'o' || *current == 'O')) { ++current; if (current == end || !isDigit(*current, 8) || sign != NONE) { return JunkStringValue(); // "0o". } return InternalStringToIntDouble<3>(unicode_cache, current, end, false, allow_trailing_junk); // It could be a binary value. } else if ((flags & ALLOW_BINARY) && (*current == 'b' || *current == 'B')) { ++current; if (current == end || !isBinaryDigit(*current) || sign != NONE) { return JunkStringValue(); // "0b". } return InternalStringToIntDouble<1>(unicode_cache, current, end, false, allow_trailing_junk); } // Ignore leading zeros in the integer part. while (*current == '0') { ++current; if (current == end) return SignedZero(sign == NEGATIVE); } } bool octal = leading_zero && (flags & ALLOW_IMPLICIT_OCTAL) != 0; // Copy significant digits of the integer part (if any) to the buffer. while (*current >= '0' && *current <= '9') { if (significant_digits < kMaxSignificantDigits) { DCHECK(buffer_pos < kBufferSize); buffer[buffer_pos++] = static_cast<char>(*current); significant_digits++; // Will later check if it's an octal in the buffer. } else { insignificant_digits++; // Move the digit into the exponential part. nonzero_digit_dropped = nonzero_digit_dropped || *current != '0'; } octal = octal && *current < '8'; ++current; if (current == end) goto parsing_done; } if (significant_digits == 0) { octal = false; } if (*current == '.') { if (octal && !allow_trailing_junk) return JunkStringValue(); if (octal) goto parsing_done; ++current; if (current == end) { if (significant_digits == 0 && !leading_zero) { return JunkStringValue(); } else { goto parsing_done; } } if (significant_digits == 0) { // octal = false; // Integer part consists of 0 or is absent. Significant digits start after // leading zeros (if any). while (*current == '0') { ++current; if (current == end) return SignedZero(sign == NEGATIVE); exponent--; // Move this 0 into the exponent. } } // There is a fractional part. We don't emit a '.', but adjust the exponent // instead. while (*current >= '0' && *current <= '9') { if (significant_digits < kMaxSignificantDigits) { DCHECK(buffer_pos < kBufferSize); buffer[buffer_pos++] = static_cast<char>(*current); significant_digits++; exponent--; } else { // Ignore insignificant digits in the fractional part. nonzero_digit_dropped = nonzero_digit_dropped || *current != '0'; } ++current; if (current == end) goto parsing_done; } } if (!leading_zero && exponent == 0 && significant_digits == 0) { // If leading_zeros is true then the string contains zeros. // If exponent < 0 then string was [+-]\.0*... // If significant_digits != 0 the string is not equal to 0. // Otherwise there are no digits in the string. return JunkStringValue(); } // Parse exponential part. if (*current == 'e' || *current == 'E') { if (octal) return JunkStringValue(); ++current; if (current == end) { if (allow_trailing_junk) { goto parsing_done; } else { return JunkStringValue(); } } char sign = '+'; if (*current == '+' || *current == '-') { sign = static_cast<char>(*current); ++current; if (current == end) { if (allow_trailing_junk) { goto parsing_done; } else { return JunkStringValue(); } } } if (current == end || *current < '0' || *current > '9') { if (allow_trailing_junk) { goto parsing_done; } else { return JunkStringValue(); } } const int max_exponent = INT_MAX / 2; DCHECK(-max_exponent / 2 <= exponent && exponent <= max_exponent / 2); int num = 0; do { // Check overflow. int digit = *current - '0'; if (num >= max_exponent / 10 && !(num == max_exponent / 10 && digit <= max_exponent % 10)) { num = max_exponent; } else { num = num * 10 + digit; } ++current; } while (current != end && *current >= '0' && *current <= '9'); exponent += (sign == '-' ? -num : num); } if (!allow_trailing_junk && AdvanceToNonspace(unicode_cache, &current, end)) { return JunkStringValue(); } parsing_done: exponent += insignificant_digits; if (octal) { return InternalStringToIntDouble<3>(unicode_cache, buffer, buffer + buffer_pos, sign == NEGATIVE, allow_trailing_junk); } if (nonzero_digit_dropped) { buffer[buffer_pos++] = '1'; exponent--; } SLOW_DCHECK(buffer_pos < kBufferSize); buffer[buffer_pos] = '\0'; double converted = Strtod(Vector<const char>(buffer, buffer_pos), exponent); return (sign == NEGATIVE) ? -converted : converted; } } // namespace internal } // namespace v8 #endif // V8_CONVERSIONS_INL_H_
{ "content_hash": "c9e691cc8fcc5ca548ec1c2c2d9f215c", "timestamp": "", "source": "github", "line_count": 739, "max_line_length": 80, "avg_line_length": 30.28958051420839, "alnum_prop": 0.5746962115796997, "repo_name": "zero-rp/miniblink49", "id": "c05c0644da5eb675c75b6b6617df29fba418cfe9", "size": "23204", "binary": false, "copies": "4", "ref": "refs/heads/master", "path": "v8_4_8/src/conversions-inl.h", "mode": "33188", "license": "apache-2.0", "language": [ { "name": "Assembly", "bytes": "11324414" }, { "name": "Batchfile", "bytes": "52488" }, { "name": "C", "bytes": "31014938" }, { "name": "C++", "bytes": "281193388" }, { "name": "CMake", "bytes": "88548" }, { "name": "CSS", "bytes": "20839" }, { "name": "DIGITAL Command Language", "bytes": "226954" }, { "name": "HTML", "bytes": "202637" }, { "name": "JavaScript", "bytes": "32544926" }, { "name": "Lua", "bytes": "32432" }, { "name": "M4", "bytes": "125191" }, { "name": "Makefile", "bytes": "1517330" }, { "name": "Objective-C", "bytes": "87691" }, { "name": "Objective-C++", "bytes": "35037" }, { "name": "PHP", "bytes": "307541" }, { "name": "Perl", "bytes": "3283676" }, { "name": "Prolog", "bytes": "29177" }, { "name": "Python", "bytes": "4308928" }, { "name": "R", "bytes": "10248" }, { "name": "Scheme", "bytes": "25457" }, { "name": "Shell", "bytes": "264021" }, { "name": "TypeScript", "bytes": "162421" }, { "name": "Vim script", "bytes": "11362" }, { "name": "XS", "bytes": "4319" }, { "name": "eC", "bytes": "4383" } ], "symlink_target": "" }
<?php namespace Zimbra\Mail\Struct; /** * AddressTest struct class * * @package Zimbra * @subpackage Mail * @category Struct * @author Nguyen Van Nguyen - [email protected] * @copyright Copyright © 2013 by Nguyen Van Nguyen. */ class AddressTest extends FilterTest { /** * Constructor method for AddressTest * @param int $index Index - specifies a guaranteed order for the test elements * @param string $header Header * @param string $part Part * @param string $comparison String comparison * @param string $value Value * @param bool $caseSensitive Case sensitive * @param bool $negative Specifies a "not" condition for the test * @return self */ public function __construct( $index, $header, $part, $comparison, $value, $caseSensitive = null, $negative = null ) { parent::__construct($index, $negative); $this->setProperty('header', trim($header)); $this->setProperty('part', trim($part)); $this->setProperty('stringComparison', trim($comparison)); $this->setProperty('value', trim($value)); if(null !== $caseSensitive) { $this->setProperty('caseSensitive', (bool) $caseSensitive); } } /** * Gets header * * @return string */ public function getHeader() { return $this->getProperty('header'); } /** * Sets header * * @param string $header * @return self */ public function setHeader($header) { return $this->setProperty('header', trim($header)); } /** * Gets part * * @return string */ public function getPart() { return $this->getProperty('part'); } /** * Sets part * * @param string $part * @return self */ public function setPart($part) { return $this->setProperty('part', trim($part)); } /** * Gets comparison * * @return string */ public function getComparison() { return $this->getProperty('stringComparison'); } /** * Sets comparison * * @param string $comparison * @return self */ public function setComparison($comparison) { return $this->setProperty('stringComparison', trim($comparison)); } /** * Gets value * * @return string */ public function getValue() { return $this->getProperty('value'); } /** * Sets value * * @param string $value * @return self */ public function setValue($value) { return $this->setProperty('value', trim($value)); } /** * Gets case sensitive setting * * @return bool */ public function getCaseSensitive() { return $this->getProperty('caseSensitive'); } /** * Sets case sensitive setting * * @param bool $caseSensitive * @return self */ public function setCaseSensitive($caseSensitive) { return $this->setProperty('caseSensitive', (bool) $caseSensitive); } /** * Returns the array representation of this class * * @return array */ public function toArray($name = 'addressTest') { return parent::toArray($name); } /** * Method returning the xml representative this class * * @return SimpleXML */ public function toXml($name = 'addressTest') { return parent::toXml($name); } }
{ "content_hash": "97e6b8b583c2363739150caae3a5a4c1", "timestamp": "", "source": "github", "line_count": 173, "max_line_length": 83, "avg_line_length": 20.884393063583815, "alnum_prop": 0.5505120398560753, "repo_name": "zimbra-api/zimbra-api", "id": "ba5711b2a8ee6e72504159874705d1fa7b4c9a4d", "size": "3858", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "src/Zimbra/Mail/Struct/AddressTest.php", "mode": "33188", "license": "bsd-3-clause", "language": [ { "name": "PHP", "bytes": "4530990" } ], "symlink_target": "" }
using System.Reflection; using System.Runtime.CompilerServices; // Information about this assembly is defined by the following attributes. // Change them to the values specific to your project. [assembly: AssemblyTitle("MonadSharp")] [assembly: AssemblyDescription("")] [assembly: AssemblyConfiguration("")] [assembly: AssemblyCompany("")] [assembly: AssemblyProduct("")] [assembly: AssemblyCopyright("kylereed")] [assembly: AssemblyTrademark("")] [assembly: AssemblyCulture("")] // The assembly version has the format "{Major}.{Minor}.{Build}.{Revision}". // The form "{Major}.{Minor}.*" will automatically update the build and revision, // and "{Major}.{Minor}.{Build}.*" will update just the revision. [assembly: AssemblyVersion("1.0.*")] // The following attributes are used to specify the signing key for the assembly, // if desired. See the Mono documentation for more information about signing. //[assembly: AssemblyDelaySign(false)] //[assembly: AssemblyKeyFile("")]
{ "content_hash": "08b89a9a494f9caa215fff47bdc73158", "timestamp": "", "source": "github", "line_count": 27, "max_line_length": 82, "avg_line_length": 36.44444444444444, "alnum_prop": 0.7439024390243902, "repo_name": "kallanreed/monadsharp", "id": "113749428ec376e0443e432f99a15e42a5e84b7e", "size": "984", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "MonadSharp/AssemblyInfo.cs", "mode": "33188", "license": "mit", "language": [ { "name": "C#", "bytes": "21460" } ], "symlink_target": "" }
<?xml version="1.0" encoding="UTF-8"?> <web-app xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" xmlns="http://java.sun.com/xml/ns/javaee" xsi:schemaLocation="http://java.sun.com/xml/ns/javaee http://java.sun.com/xml/ns/javaee/web-app_2_5.xsd" version="2.5"> <display-name>Spring-Hibernate-Template</display-name> <filter> <filter-name>OAuthConfigChecker</filter-name> <filter-class>com.fielo.deploy.config.OAuthConfigChecker</filter-class> </filter> <filter-mapping> <filter-name>OAuthConfigChecker</filter-name> <url-pattern>/app/*</url-pattern> </filter-mapping> <filter> <filter-name>springSecurityFilterChain</filter-name> <filter-class>org.springframework.web.filter.DelegatingFilterProxy</filter-class> <init-param> <param-name>contextAttribute</param-name> <param-value>org.springframework.web.servlet.FrameworkServlet.CONTEXT.spring</param-value> </init-param> </filter> <filter-mapping> <filter-name>springSecurityFilterChain</filter-name> <url-pattern>/*</url-pattern> </filter-mapping> <welcome-file-list> <welcome-file>index.jsp</welcome-file> </welcome-file-list> <error-page> <error-code>400</error-code> <location>/WEB-INF/jsp/error.jsp</location> </error-page> <error-page> <error-code>401</error-code> <location>/WEB-INF/jsp/error.jsp</location> </error-page> <error-page> <error-code>404</error-code> <location>/WEB-INF/jsp/error.jsp</location> </error-page> <context-param> <param-name>defaultHtmlEscape</param-name> <param-value>true</param-value> </context-param> <servlet> <servlet-name>spring</servlet-name> <servlet-class> org.springframework.web.servlet.DispatcherServlet </servlet-class> <init-param> <param-name>contextConfigLocation</param-name> <param-value>classpath:applicationContext.xml</param-value> </init-param> <load-on-startup>1</load-on-startup> </servlet> <servlet-mapping> <servlet-name>spring</servlet-name> <url-pattern>/app/*</url-pattern> </servlet-mapping> </web-app>
{ "content_hash": "07b43df01437f417de8bdd4894477e36", "timestamp": "", "source": "github", "line_count": 69, "max_line_length": 113, "avg_line_length": 33.53623188405797, "alnum_prop": 0.6335350043215212, "repo_name": "FieloIncentiveAutomation/fielodeploy", "id": "6faa337434a6f572b0e627e5a31c4eafd3f55db2", "size": "2314", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "src/main/webapp/WEB-INF/web.xml", "mode": "33188", "license": "bsd-3-clause", "language": [ { "name": "CSS", "bytes": "1416859" }, { "name": "HTML", "bytes": "666550" }, { "name": "Java", "bytes": "160112" }, { "name": "JavaScript", "bytes": "23127" } ], "symlink_target": "" }
from model_base import ModelBase class H2ORegressionModel(ModelBase): def _make_model(self): return H2ORegressionModel() def plot(self, timestep="AUTO", metric="AUTO", **kwargs): """ Plots training set (and validation set if available) scoring history for an H2ORegressionModel. The timestep and metric arguments are restricted to what is available in its scoring history. :param timestep: A unit of measurement for the x-axis. :param metric: A unit of measurement for the y-axis. :return: A scoring history plot. """ if self._model_json["algo"] in ("deeplearning", "drf", "gbm"): if metric == "AUTO": metric = "MSE" elif metric not in ("MSE","deviance"): raise ValueError("metric for H2ORegressionModel must be one of: AUTO, MSE, deviance") self._plot(timestep=timestep, metric=metric, **kwargs) def _mean_var(frame, weights=None): """ Compute the (weighted) mean and variance :param frame: Single column H2OFrame :param weights: optional weights column :return: The (weighted) mean and variance """ return frame.mean()[0], frame.var() def h2o_mean_absolute_error(y_actual, y_predicted, weights=None): """ Mean absolute error regression loss. :param y_actual: H2OFrame of actual response. :param y_predicted: H2OFrame of predicted response. :param weights: (Optional) sample weights :return: loss (float) (best is 0.0) """ ModelBase._check_targets(y_actual, y_predicted) return (y_predicted-y_actual).abs().mean()[0] def h2o_mean_squared_error(y_actual, y_predicted, weights=None): """ Mean squared error regression loss :param y_actual: H2OFrame of actual response. :param y_predicted: H2OFrame of predicted response. :param weights: (Optional) sample weights :return: loss (float) (best is 0.0) """ ModelBase._check_targets(y_actual, y_predicted) return ((y_predicted-y_actual)**2).mean()[0] def h2o_median_absolute_error(y_actual, y_predicted): """ Median absolute error regression loss :param y_actual: H2OFrame of actual response. :param y_predicted: H2OFrame of predicted response. :return: loss (float) (best is 0.0) """ ModelBase._check_targets(y_actual, y_predicted) return (y_predicted-y_actual).abs().median() def h2o_explained_variance_score(y_actual, y_predicted, weights=None): """ Explained variance regression score function :param y_actual: H2OFrame of actual response. :param y_predicted: H2OFrame of predicted response. :param weights: (Optional) sample weights :return: the explained variance score (float) """ ModelBase._check_targets(y_actual, y_predicted) _, numerator = _mean_var(y_actual - y_predicted, weights) _, denominator = _mean_var(y_actual, weights) if denominator == 0.0: return 1. if numerator == 0 else 0. # 0/0 => 1, otherwise, 0 return 1 - numerator / denominator def h2o_r2_score(y_actual, y_predicted, weights=1.): """ R^2 (coefficient of determination) regression score function :param y_actual: H2OFrame of actual response. :param y_predicted: H2OFrame of predicted response. :param weights: (Optional) sample weights :return: R^2 (float) (best is 1.0, lower is worse) """ ModelBase._check_targets(y_actual, y_predicted) numerator = (weights * (y_actual - y_predicted) ** 2).sum() denominator = (weights * (y_actual - y_actual.mean()[0]) ** 2).sum() if denominator == 0.0: return 1. if numerator == 0. else 0. # 0/0 => 1, else 0 return 1 - numerator / denominator
{ "content_hash": "183b5e03ec119861be4fd056b74cdca2", "timestamp": "", "source": "github", "line_count": 109, "max_line_length": 123, "avg_line_length": 32.3394495412844, "alnum_prop": 0.6936170212765957, "repo_name": "madmax983/h2o-3", "id": "c1ba640c8b518782ba711245de34b7abfa7b444c", "size": "3525", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "h2o-py/h2o/model/regression.py", "mode": "33188", "license": "apache-2.0", "language": [ { "name": "Batchfile", "bytes": "5090" }, { "name": "CSS", "bytes": "162402" }, { "name": "CoffeeScript", "bytes": "262107" }, { "name": "Emacs Lisp", "bytes": "8927" }, { "name": "HTML", "bytes": "139398" }, { "name": "Java", "bytes": "5770492" }, { "name": "JavaScript", "bytes": "38932" }, { "name": "Makefile", "bytes": "34048" }, { "name": "Python", "bytes": "2721983" }, { "name": "R", "bytes": "1611237" }, { "name": "Rebol", "bytes": "7059" }, { "name": "Ruby", "bytes": "3506" }, { "name": "Scala", "bytes": "22834" }, { "name": "Shell", "bytes": "46382" }, { "name": "TeX", "bytes": "535732" } ], "symlink_target": "" }
<?xml version="1.0" ?><!DOCTYPE TS><TS language="eo" version="2.0"> <defaultcodec>UTF-8</defaultcodec> <context> <name>AboutDialog</name> <message> <location filename="../forms/aboutdialog.ui" line="+14"/> <source>About Neutralitycoin</source> <translation>Pri Neutralitycoin</translation> </message> <message> <location line="+39"/> <source>&lt;b&gt;Neutralitycoin&lt;/b&gt; version</source> <translation>&lt;b&gt;Neutralitycoin&lt;/b&gt;-a versio</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 type="unfinished"/> </message> <message> <location filename="../aboutdialog.cpp" line="+14"/> <source>Copyright</source> <translation type="unfinished"/> </message> <message> <location line="+0"/> <source>The Neutralitycoin developers</source> <translation type="unfinished"/> </message> </context> <context> <name>AddressBookPage</name> <message> <location filename="../forms/addressbookpage.ui" line="+14"/> <source>Address Book</source> <translation>Adresaro</translation> </message> <message> <location line="+19"/> <source>Double-click to edit address or label</source> <translation>Duoble-klaku por redakti adreson aŭ etikedon</translation> </message> <message> <location line="+27"/> <source>Create a new address</source> <translation>Kreu novan adreson</translation> </message> <message> <location line="+14"/> <source>Copy the currently selected address to the system clipboard</source> <translation>Kopiu elektitan adreson al la tondejo</translation> </message> <message> <location line="-11"/> <source>&amp;New Address</source> <translation>&amp;Nova Adreso</translation> </message> <message> <location filename="../addressbookpage.cpp" line="+63"/> <source>These are your Neutralitycoin 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 type="unfinished"/> </message> <message> <location filename="../forms/addressbookpage.ui" line="+14"/> <source>&amp;Copy Address</source> <translation>&amp;Kopiu Adreson</translation> </message> <message> <location line="+11"/> <source>Show &amp;QR Code</source> <translation type="unfinished"/> </message> <message> <location line="+11"/> <source>Sign a message to prove you own a Neutralitycoin address</source> <translation type="unfinished"/> </message> <message> <location line="+3"/> <source>Sign &amp;Message</source> <translation type="unfinished"/> </message> <message> <location line="+25"/> <source>Delete the currently selected address from the list</source> <translation type="unfinished"/> </message> <message> <location line="+27"/> <source>Export the data in the current tab to a file</source> <translation type="unfinished"/> </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 Neutralitycoin address</source> <translation type="unfinished"/> </message> <message> <location line="+3"/> <source>&amp;Verify Message</source> <translation type="unfinished"/> </message> <message> <location line="+14"/> <source>&amp;Delete</source> <translation>&amp;Forviŝu</translation> </message> <message> <location filename="../addressbookpage.cpp" line="-5"/> <source>These are your Neutralitycoin 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>Kopiu &amp;Etikedon</translation> </message> <message> <location line="+1"/> <source>&amp;Edit</source> <translation>&amp;Redaktu</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>Eksportu Adresarajn Datumojn</translation> </message> <message> <location line="+1"/> <source>Comma separated file (*.csv)</source> <translation>Diskoma dosiero (*.csv)</translation> </message> <message> <location line="+13"/> <source>Error exporting</source> <translation>Eraro dum eksportado</translation> </message> <message> <location line="+0"/> <source>Could not write to file %1.</source> <translation>Ne eblis skribi al dosiero %1.</translation> </message> </context> <context> <name>AddressTableModel</name> <message> <location filename="../addresstablemodel.cpp" line="+144"/> <source>Label</source> <translation>Etikedo</translation> </message> <message> <location line="+0"/> <source>Address</source> <translation>Adreso</translation> </message> <message> <location line="+36"/> <source>(no label)</source> <translation>(ne etikedo)</translation> </message> </context> <context> <name>AskPassphraseDialog</name> <message> <location filename="../forms/askpassphrasedialog.ui" line="+26"/> <source>Passphrase Dialog</source> <translation type="unfinished"/> </message> <message> <location line="+21"/> <source>Enter passphrase</source> <translation>Enigu pasfrazon</translation> </message> <message> <location line="+14"/> <source>New passphrase</source> <translation>Nova pasfrazo</translation> </message> <message> <location line="+14"/> <source>Repeat new passphrase</source> <translation>Ripetu novan pasfrazon</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>Enigu novan pasfrazon por la monujo.&lt;br/&gt;Bonvolu, uzu pasfrazon kun &lt;b&gt;10 aŭ pli hazardaj signoj&lt;/b&gt;, aŭ &lt;b&gt;ok aŭ pli vortoj&lt;/b&gt;.</translation> </message> <message> <location line="+1"/> <source>Encrypt wallet</source> <translation>Ĉifru monujon</translation> </message> <message> <location line="+3"/> <source>This operation needs your wallet passphrase to unlock the wallet.</source> <translation>Ĉi tiu operacio devas vian monujan pasfrazon, por malŝlosi la monujon.</translation> </message> <message> <location line="+5"/> <source>Unlock wallet</source> <translation>Malŝlosu monujon</translation> </message> <message> <location line="+3"/> <source>This operation needs your wallet passphrase to decrypt the wallet.</source> <translation>Ĉi tiu operacio devas vian monujan pasfrazon, por malĉifri la monujon.</translation> </message> <message> <location line="+5"/> <source>Decrypt wallet</source> <translation>Malĉifru monujon</translation> </message> <message> <location line="+3"/> <source>Change passphrase</source> <translation>Anstataŭigu pasfrazon</translation> </message> <message> <location line="+1"/> <source>Enter the old and new passphrase to the wallet.</source> <translation>Enigu la malnovan kaj novan monujan pasfrazon.</translation> </message> <message> <location line="+46"/> <source>Confirm wallet encryption</source> <translation>Konfirmu ĉifrado de monujo</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 NEUTRALITYCOINS&lt;/b&gt;!</source> <translation type="unfinished"/> </message> <message> <location line="+0"/> <source>Are you sure you wish to encrypt your wallet?</source> <translation type="unfinished"/> </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 type="unfinished"/> </message> <message> <location line="-130"/> <location line="+58"/> <source>Wallet encrypted</source> <translation>Monujo ĉifrita</translation> </message> <message> <location line="-56"/> <source>Neutralitycoin will close now to finish the encryption process. Remember that encrypting your wallet cannot fully protect your neutralitycoins from being stolen by malware infecting your computer.</source> <translation type="unfinished"/> </message> <message> <location line="+13"/> <location line="+7"/> <location line="+42"/> <location line="+6"/> <source>Wallet encryption failed</source> <translation>Monujo ĉifrado fiaskis</translation> </message> <message> <location line="-54"/> <source>Wallet encryption failed due to an internal error. Your wallet was not encrypted.</source> <translation>Ĉifrado de monujo fiaskis, kaŭze de interna eraro. Via monujo ne ĉifritas.</translation> </message> <message> <location line="+7"/> <location line="+48"/> <source>The supplied passphrases do not match.</source> <translation>La pasfrazoj enigitaj ne samas.</translation> </message> <message> <location line="-37"/> <source>Wallet unlock failed</source> <translation>Monujo malŝlosado fiaskis</translation> </message> <message> <location line="+1"/> <location line="+11"/> <location line="+19"/> <source>The passphrase entered for the wallet decryption was incorrect.</source> <translation>La pasfrazo enigita por ĉifrado de monujo ne konformas.</translation> </message> <message> <location line="-20"/> <source>Wallet decryption failed</source> <translation>Monujo malĉifrado fiaskis</translation> </message> <message> <location line="+14"/> <source>Wallet passphrase was successfully changed.</source> <translation type="unfinished"/> </message> </context> <context> <name>BitcoinGUI</name> <message> <location filename="../bitcoingui.cpp" line="+233"/> <source>Sign &amp;message...</source> <translation>Subskribu &amp;mesaĝon...</translation> </message> <message> <location line="+280"/> <source>Synchronizing with network...</source> <translation>Sinkronigante kun reto...</translation> </message> <message> <location line="-349"/> <source>&amp;Overview</source> <translation>&amp;Superrigardo</translation> </message> <message> <location line="+1"/> <source>Show general overview of wallet</source> <translation type="unfinished"/> </message> <message> <location line="+20"/> <source>&amp;Transactions</source> <translation>&amp;Transakcioj</translation> </message> <message> <location line="+1"/> <source>Browse transaction history</source> <translation>Esploru historion de transakcioj</translation> </message> <message> <location line="+7"/> <source>Edit the list of stored addresses and labels</source> <translation type="unfinished"/> </message> <message> <location line="-14"/> <source>Show the list of addresses for receiving payments</source> <translation type="unfinished"/> </message> <message> <location line="+31"/> <source>E&amp;xit</source> <translation>&amp;Eliru</translation> </message> <message> <location line="+1"/> <source>Quit application</source> <translation>Eliru de aplikaĵo</translation> </message> <message> <location line="+4"/> <source>Show information about Neutralitycoin</source> <translation>Vidigu informaĵon pri Bitmono</translation> </message> <message> <location line="+2"/> <source>About &amp;Qt</source> <translation>Pri &amp;QT</translation> </message> <message> <location line="+1"/> <source>Show information about Qt</source> <translation>Vidigu informaĵon pri Qt</translation> </message> <message> <location line="+2"/> <source>&amp;Options...</source> <translation>&amp;Opcioj...</translation> </message> <message> <location line="+6"/> <source>&amp;Encrypt Wallet...</source> <translation>&amp;Ĉifru Monujon...</translation> </message> <message> <location line="+3"/> <source>&amp;Backup Wallet...</source> <translation type="unfinished"/> </message> <message> <location line="+2"/> <source>&amp;Change Passphrase...</source> <translation>&amp;Anstataŭigu pasfrazon...</translation> </message> <message> <location line="+285"/> <source>Importing blocks from disk...</source> <translation type="unfinished"/> </message> <message> <location line="+3"/> <source>Reindexing blocks on disk...</source> <translation type="unfinished"/> </message> <message> <location line="-347"/> <source>Send coins to a Neutralitycoin address</source> <translation type="unfinished"/> </message> <message> <location line="+49"/> <source>Modify configuration options for Neutralitycoin</source> <translation type="unfinished"/> </message> <message> <location line="+9"/> <source>Backup wallet to another location</source> <translation type="unfinished"/> </message> <message> <location line="+2"/> <source>Change the passphrase used for wallet encryption</source> <translation type="unfinished"/> </message> <message> <location line="+6"/> <source>&amp;Debug window</source> <translation type="unfinished"/> </message> <message> <location line="+1"/> <source>Open debugging and diagnostic console</source> <translation type="unfinished"/> </message> <message> <location line="-4"/> <source>&amp;Verify message...</source> <translation>&amp;Kontrolu mesaĝon...</translation> </message> <message> <location line="-165"/> <location line="+530"/> <source>Neutralitycoin</source> <translation type="unfinished"/> </message> <message> <location line="-530"/> <source>Wallet</source> <translation>Monujo</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 Neutralitycoin</source> <translation type="unfinished"/> </message> <message> <location line="+9"/> <source>&amp;Show / Hide</source> <translation type="unfinished"/> </message> <message> <location line="+1"/> <source>Show or hide the main Window</source> <translation type="unfinished"/> </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 Neutralitycoin addresses to prove you own them</source> <translation type="unfinished"/> </message> <message> <location line="+2"/> <source>Verify messages to ensure they were signed with specified Neutralitycoin addresses</source> <translation type="unfinished"/> </message> <message> <location line="+28"/> <source>&amp;File</source> <translation>&amp;Dosiero</translation> </message> <message> <location line="+7"/> <source>&amp;Settings</source> <translation>&amp;Agordoj</translation> </message> <message> <location line="+6"/> <source>&amp;Help</source> <translation>&amp;Helpo</translation> </message> <message> <location line="+9"/> <source>Tabs toolbar</source> <translation type="unfinished"/> </message> <message> <location line="+17"/> <location line="+10"/> <source>[testnet]</source> <translation type="unfinished"/> </message> <message> <location line="+47"/> <source>Neutralitycoin client</source> <translation type="unfinished"/> </message> <message numerus="yes"> <location line="+141"/> <source>%n active connection(s) to Neutralitycoin network</source> <translation type="unfinished"><numerusform></numerusform><numerusform></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 type="unfinished"/> </message> <message numerus="yes"> <location line="+20"/> <source>%n hour(s)</source> <translation><numerusform>%n horo</numerusform><numerusform>%n horoj</numerusform></translation> </message> <message numerus="yes"> <location line="+4"/> <source>%n day(s)</source> <translation><numerusform>%n tago</numerusform><numerusform>%n tagoj</numerusform></translation> </message> <message numerus="yes"> <location line="+4"/> <source>%n week(s)</source> <translation><numerusform>%n semajno</numerusform><numerusform>%n semajnoj</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>Eraro</translation> </message> <message> <location line="+3"/> <source>Warning</source> <translation type="unfinished"/> </message> <message> <location line="+3"/> <source>Information</source> <translation type="unfinished"/> </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>Ĝisdata</translation> </message> <message> <location line="+31"/> <source>Catching up...</source> <translation>Ĝisdatigante...</translation> </message> <message> <location line="+113"/> <source>Confirm transaction fee</source> <translation type="unfinished"/> </message> <message> <location line="+8"/> <source>Sent transaction</source> <translation>Sendita transakcio</translation> </message> <message> <location line="+0"/> <source>Incoming transaction</source> <translation>Envenanta transakcio</translation> </message> <message> <location line="+1"/> <source>Date: %1 Amount: %2 Type: %3 Address: %4 </source> <translation type="unfinished"/> </message> <message> <location line="+33"/> <location line="+23"/> <source>URI handling</source> <translation type="unfinished"/> </message> <message> <location line="-23"/> <location line="+23"/> <source>URI can not be parsed! This can be caused by an invalid Neutralitycoin address or malformed URI parameters.</source> <translation type="unfinished"/> </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>Monujo estas &lt;b&gt;ĉifrita&lt;/b&gt; kaj nun &lt;b&gt;malŝlosita&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>Monujo estas &lt;b&gt;ĉifrita&lt;/b&gt; kaj nun &lt;b&gt;ŝlosita&lt;/b&gt;</translation> </message> <message> <location filename="../bitcoin.cpp" line="+111"/> <source>A fatal error occurred. Neutralitycoin 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>Reta Averto</translation> </message> </context> <context> <name>EditAddressDialog</name> <message> <location filename="../forms/editaddressdialog.ui" line="+14"/> <source>Edit Address</source> <translation>Redaktu Adreson</translation> </message> <message> <location line="+11"/> <source>&amp;Label</source> <translation>&amp;Etikedo</translation> </message> <message> <location line="+10"/> <source>The label associated with this address book entry</source> <translation>La etikedo interrilatita kun ĉi tiun adreso</translation> </message> <message> <location line="+7"/> <source>&amp;Address</source> <translation>&amp;Adreso</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 type="unfinished"/> </message> <message> <location filename="../editaddressdialog.cpp" line="+21"/> <source>New receiving address</source> <translation type="unfinished"/> </message> <message> <location line="+4"/> <source>New sending address</source> <translation type="unfinished"/> </message> <message> <location line="+3"/> <source>Edit receiving address</source> <translation type="unfinished"/> </message> <message> <location line="+4"/> <source>Edit sending address</source> <translation type="unfinished"/> </message> <message> <location line="+76"/> <source>The entered address &quot;%1&quot; is already in the address book.</source> <translation>La adreso enigita &quot;%1&quot; jam ekzistas en la adresaro.</translation> </message> <message> <location line="-5"/> <source>The entered address &quot;%1&quot; is not a valid Neutralitycoin address.</source> <translation type="unfinished"/> </message> <message> <location line="+10"/> <source>Could not unlock wallet.</source> <translation>Ne eblis malŝlosi monujon</translation> </message> <message> <location line="+5"/> <source>New key generation failed.</source> <translation type="unfinished"/> </message> </context> <context> <name>GUIUtil::HelpMessageBox</name> <message> <location filename="../guiutil.cpp" line="+424"/> <location line="+12"/> <source>Neutralitycoin-Qt</source> <translation>Neutralitycoin-Qt</translation> </message> <message> <location line="-12"/> <source>version</source> <translation>versio</translation> </message> <message> <location line="+2"/> <source>Usage:</source> <translation type="unfinished"/> </message> <message> <location line="+1"/> <source>command-line options</source> <translation type="unfinished"/> </message> <message> <location line="+4"/> <source>UI options</source> <translation type="unfinished"/> </message> <message> <location line="+1"/> <source>Set language, for example &quot;de_DE&quot; (default: system locale)</source> <translation type="unfinished"/> </message> <message> <location line="+1"/> <source>Start minimized</source> <translation type="unfinished"/> </message> <message> <location line="+1"/> <source>Show splash screen on startup (default: 1)</source> <translation type="unfinished"/> </message> </context> <context> <name>OptionsDialog</name> <message> <location filename="../forms/optionsdialog.ui" line="+14"/> <source>Options</source> <translation>Opcioj</translation> </message> <message> <location line="+16"/> <source>&amp;Main</source> <translation type="unfinished"/> </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 type="unfinished"/> </message> <message> <location line="+31"/> <source>Automatically start Neutralitycoin after logging in to the system.</source> <translation type="unfinished"/> </message> <message> <location line="+3"/> <source>&amp;Start Neutralitycoin on system login</source> <translation type="unfinished"/> </message> <message> <location line="+35"/> <source>Reset all client options to default.</source> <translation type="unfinished"/> </message> <message> <location line="+3"/> <source>&amp;Reset Options</source> <translation type="unfinished"/> </message> <message> <location line="+13"/> <source>&amp;Network</source> <translation type="unfinished"/> </message> <message> <location line="+6"/> <source>Automatically open the Neutralitycoin client port on the router. This only works when your router supports UPnP and it is enabled.</source> <translation type="unfinished"/> </message> <message> <location line="+3"/> <source>Map port using &amp;UPnP</source> <translation type="unfinished"/> </message> <message> <location line="+7"/> <source>Connect to the Neutralitycoin network through a SOCKS proxy (e.g. when connecting through Tor).</source> <translation type="unfinished"/> </message> <message> <location line="+3"/> <source>&amp;Connect through SOCKS proxy:</source> <translation type="unfinished"/> </message> <message> <location line="+9"/> <source>Proxy &amp;IP:</source> <translation type="unfinished"/> </message> <message> <location line="+19"/> <source>IP address of the proxy (e.g. 127.0.0.1)</source> <translation type="unfinished"/> </message> <message> <location line="+7"/> <source>&amp;Port:</source> <translation type="unfinished"/> </message> <message> <location line="+19"/> <source>Port of the proxy (e.g. 9050)</source> <translation type="unfinished"/> </message> <message> <location line="+7"/> <source>SOCKS &amp;Version:</source> <translation type="unfinished"/> </message> <message> <location line="+13"/> <source>SOCKS version of the proxy (e.g. 5)</source> <translation type="unfinished"/> </message> <message> <location line="+36"/> <source>&amp;Window</source> <translation type="unfinished"/> </message> <message> <location line="+6"/> <source>Show only a tray icon after minimizing the window.</source> <translation type="unfinished"/> </message> <message> <location line="+3"/> <source>&amp;Minimize to the tray instead of the taskbar</source> <translation type="unfinished"/> </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 type="unfinished"/> </message> <message> <location line="+3"/> <source>M&amp;inimize on close</source> <translation type="unfinished"/> </message> <message> <location line="+21"/> <source>&amp;Display</source> <translation type="unfinished"/> </message> <message> <location line="+8"/> <source>User Interface &amp;language:</source> <translation type="unfinished"/> </message> <message> <location line="+13"/> <source>The user interface language can be set here. This setting will take effect after restarting Neutralitycoin.</source> <translation type="unfinished"/> </message> <message> <location line="+11"/> <source>&amp;Unit to show amounts in:</source> <translation type="unfinished"/> </message> <message> <location line="+13"/> <source>Choose the default subdivision unit to show in the interface and when sending coins.</source> <translation type="unfinished"/> </message> <message> <location line="+9"/> <source>Whether to show Neutralitycoin 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 type="unfinished"/> </message> <message> <location line="+71"/> <source>&amp;OK</source> <translation>&amp;OK</translation> </message> <message> <location line="+7"/> <source>&amp;Cancel</source> <translation>&amp;Nuligu</translation> </message> <message> <location line="+10"/> <source>&amp;Apply</source> <translation>&amp;Apliku</translation> </message> <message> <location filename="../optionsdialog.cpp" line="+53"/> <source>default</source> <translation type="unfinished"/> </message> <message> <location line="+130"/> <source>Confirm options reset</source> <translation type="unfinished"/> </message> <message> <location line="+1"/> <source>Some settings may require a client restart to take effect.</source> <translation type="unfinished"/> </message> <message> <location line="+0"/> <source>Do you want to proceed?</source> <translation type="unfinished"/> </message> <message> <location line="+42"/> <location line="+9"/> <source>Warning</source> <translation type="unfinished"/> </message> <message> <location line="-9"/> <location line="+9"/> <source>This setting will take effect after restarting Neutralitycoin.</source> <translation type="unfinished"/> </message> <message> <location line="+29"/> <source>The supplied proxy address is invalid.</source> <translation type="unfinished"/> </message> </context> <context> <name>OverviewPage</name> <message> <location filename="../forms/overviewpage.ui" line="+14"/> <source>Form</source> <translation type="unfinished"/> </message> <message> <location line="+50"/> <location line="+166"/> <source>The displayed information may be out of date. Your wallet automatically synchronizes with the Neutralitycoin network after a connection is established, but this process has not completed yet.</source> <translation type="unfinished"/> </message> <message> <location line="-124"/> <source>Balance:</source> <translation type="unfinished"/> </message> <message> <location line="+29"/> <source>Unconfirmed:</source> <translation>Nekonfirmita:</translation> </message> <message> <location line="-78"/> <source>Wallet</source> <translation>Monujo</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;Lastaj transakcioj&lt;/b&gt;</translation> </message> <message> <location line="-101"/> <source>Your current balance</source> <translation type="unfinished"/> </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 type="unfinished"/> </message> <message> <location filename="../overviewpage.cpp" line="+116"/> <location line="+1"/> <source>out of sync</source> <translation type="unfinished"/> </message> </context> <context> <name>PaymentServer</name> <message> <location filename="../paymentserver.cpp" line="+107"/> <source>Cannot start neutralitycoin: 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 type="unfinished"/> </message> <message> <location line="+59"/> <source>Request Payment</source> <translation type="unfinished"/> </message> <message> <location line="+56"/> <source>Amount:</source> <translation type="unfinished"/> </message> <message> <location line="-44"/> <source>Label:</source> <translation>Etikedo:</translation> </message> <message> <location line="+19"/> <source>Message:</source> <translation type="unfinished"/> </message> <message> <location line="+71"/> <source>&amp;Save As...</source> <translation type="unfinished"/> </message> <message> <location filename="../qrcodedialog.cpp" line="+62"/> <source>Error encoding URI into QR Code.</source> <translation type="unfinished"/> </message> <message> <location line="+40"/> <source>The entered amount is invalid, please check.</source> <translation type="unfinished"/> </message> <message> <location line="+23"/> <source>Resulting URI too long, try to reduce the text for label / message.</source> <translation type="unfinished"/> </message> <message> <location line="+25"/> <source>Save QR Code</source> <translation type="unfinished"/> </message> <message> <location line="+0"/> <source>PNG Images (*.png)</source> <translation type="unfinished"/> </message> </context> <context> <name>RPCConsole</name> <message> <location filename="../forms/rpcconsole.ui" line="+46"/> <source>Client name</source> <translation type="unfinished"/> </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 type="unfinished"/> </message> <message> <location line="-217"/> <source>Client version</source> <translation type="unfinished"/> </message> <message> <location line="-45"/> <source>&amp;Information</source> <translation type="unfinished"/> </message> <message> <location line="+68"/> <source>Using OpenSSL version</source> <translation type="unfinished"/> </message> <message> <location line="+49"/> <source>Startup time</source> <translation type="unfinished"/> </message> <message> <location line="+29"/> <source>Network</source> <translation>Reto</translation> </message> <message> <location line="+7"/> <source>Number of connections</source> <translation type="unfinished"/> </message> <message> <location line="+23"/> <source>On testnet</source> <translation type="unfinished"/> </message> <message> <location line="+23"/> <source>Block chain</source> <translation type="unfinished"/> </message> <message> <location line="+7"/> <source>Current number of blocks</source> <translation type="unfinished"/> </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>&amp;Malfermu</translation> </message> <message> <location line="+16"/> <source>Command-line options</source> <translation type="unfinished"/> </message> <message> <location line="+7"/> <source>Show the Neutralitycoin-Qt help message to get a list with possible Neutralitycoin command-line options.</source> <translation type="unfinished"/> </message> <message> <location line="+3"/> <source>&amp;Show</source> <translation type="unfinished"/> </message> <message> <location line="+24"/> <source>&amp;Console</source> <translation type="unfinished"/> </message> <message> <location line="-260"/> <source>Build date</source> <translation type="unfinished"/> </message> <message> <location line="-104"/> <source>Neutralitycoin - Debug window</source> <translation type="unfinished"/> </message> <message> <location line="+25"/> <source>Neutralitycoin Core</source> <translation type="unfinished"/> </message> <message> <location line="+279"/> <source>Debug log file</source> <translation type="unfinished"/> </message> <message> <location line="+7"/> <source>Open the Neutralitycoin 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 type="unfinished"/> </message> <message> <location filename="../rpcconsole.cpp" line="-30"/> <source>Welcome to the Neutralitycoin RPC console.</source> <translation type="unfinished"/> </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 type="unfinished"/> </message> <message> <location line="+1"/> <source>Type &lt;b&gt;help&lt;/b&gt; for an overview of available commands.</source> <translation type="unfinished"/> </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>Sendu Monojn</translation> </message> <message> <location line="+50"/> <source>Send to multiple recipients at once</source> <translation>Sendu samtempe al multaj ricevantoj</translation> </message> <message> <location line="+3"/> <source>Add &amp;Recipient</source> <translation type="unfinished"/> </message> <message> <location line="+20"/> <source>Remove all transaction fields</source> <translation type="unfinished"/> </message> <message> <location line="+3"/> <source>Clear &amp;All</source> <translation type="unfinished"/> </message> <message> <location line="+22"/> <source>Balance:</source> <translation type="unfinished"/> </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 type="unfinished"/> </message> <message> <location line="+3"/> <source>S&amp;end</source> <translation type="unfinished"/> </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; al %2 (%3)</translation> </message> <message> <location line="+5"/> <source>Confirm send coins</source> <translation type="unfinished"/> </message> <message> <location line="+1"/> <source>Are you sure you want to send %1?</source> <translation>Ĉu vi vere volas sendi %1?</translation> </message> <message> <location line="+0"/> <source> and </source> <translation>kaj</translation> </message> <message> <location line="+23"/> <source>The recipient address is not valid, please recheck.</source> <translation type="unfinished"/> </message> <message> <location line="+5"/> <source>The amount to pay must be larger than 0.</source> <translation type="unfinished"/> </message> <message> <location line="+5"/> <source>The amount exceeds your balance.</source> <translation type="unfinished"/> </message> <message> <location line="+5"/> <source>The total exceeds your balance when the %1 transaction fee is included.</source> <translation type="unfinished"/> </message> <message> <location line="+6"/> <source>Duplicate address found, can only send to each address once per send operation.</source> <translation type="unfinished"/> </message> <message> <location line="+5"/> <source>Error: Transaction creation failed!</source> <translation type="unfinished"/> </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 type="unfinished"/> </message> </context> <context> <name>SendCoinsEntry</name> <message> <location filename="../forms/sendcoinsentry.ui" line="+14"/> <source>Form</source> <translation type="unfinished"/> </message> <message> <location line="+15"/> <source>A&amp;mount:</source> <translation type="unfinished"/> </message> <message> <location line="+13"/> <source>Pay &amp;To:</source> <translation type="unfinished"/> </message> <message> <location line="+34"/> <source>The address to send the payment to (e.g. Ler4HNAEfwYhBmGXcFP2Po1NpRUEiK8km2)</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 type="unfinished"/> </message> <message> <location line="-78"/> <source>&amp;Label:</source> <translation>&amp;Etikedo:</translation> </message> <message> <location line="+28"/> <source>Choose address from address book</source> <translation>Elektu adreson el adresaro</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>Algluu adreson de tondejo</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>Forigu ĉi tiun ricevanton</translation> </message> <message> <location filename="../sendcoinsentry.cpp" line="+1"/> <source>Enter a Neutralitycoin address (e.g. Ler4HNAEfwYhBmGXcFP2Po1NpRUEiK8km2)</source> <translation type="unfinished"/> </message> </context> <context> <name>SignVerifyMessageDialog</name> <message> <location filename="../forms/signverifymessagedialog.ui" line="+14"/> <source>Signatures - Sign / Verify a Message</source> <translation type="unfinished"/> </message> <message> <location line="+13"/> <source>&amp;Sign Message</source> <translation type="unfinished"/> </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. Ler4HNAEfwYhBmGXcFP2Po1NpRUEiK8km2)</source> <translation type="unfinished"/> </message> <message> <location line="+10"/> <location line="+213"/> <source>Choose an address from the address book</source> <translation type="unfinished"/> </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>Algluu adreson de tondejo</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 type="unfinished"/> </message> <message> <location line="+7"/> <source>Signature</source> <translation type="unfinished"/> </message> <message> <location line="+27"/> <source>Copy the current signature to the system clipboard</source> <translation type="unfinished"/> </message> <message> <location line="+21"/> <source>Sign the message to prove you own this Neutralitycoin address</source> <translation type="unfinished"/> </message> <message> <location line="+3"/> <source>Sign &amp;Message</source> <translation type="unfinished"/> </message> <message> <location line="+14"/> <source>Reset all sign message fields</source> <translation type="unfinished"/> </message> <message> <location line="+3"/> <location line="+146"/> <source>Clear &amp;All</source> <translation type="unfinished"/> </message> <message> <location line="-87"/> <source>&amp;Verify Message</source> <translation type="unfinished"/> </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. Ler4HNAEfwYhBmGXcFP2Po1NpRUEiK8km2)</source> <translation type="unfinished"/> </message> <message> <location line="+40"/> <source>Verify the message to ensure it was signed with the specified Neutralitycoin address</source> <translation type="unfinished"/> </message> <message> <location line="+3"/> <source>Verify &amp;Message</source> <translation type="unfinished"/> </message> <message> <location line="+14"/> <source>Reset all verify message fields</source> <translation type="unfinished"/> </message> <message> <location filename="../signverifymessagedialog.cpp" line="+27"/> <location line="+3"/> <source>Enter a Neutralitycoin address (e.g. Ler4HNAEfwYhBmGXcFP2Po1NpRUEiK8km2)</source> <translation type="unfinished"/> </message> <message> <location line="-2"/> <source>Click &quot;Sign Message&quot; to generate signature</source> <translation type="unfinished"/> </message> <message> <location line="+3"/> <source>Enter Neutralitycoin signature</source> <translation type="unfinished"/> </message> <message> <location line="+82"/> <location line="+81"/> <source>The entered address is invalid.</source> <translation type="unfinished"/> </message> <message> <location line="-81"/> <location line="+8"/> <location line="+73"/> <location line="+8"/> <source>Please check the address and try again.</source> <translation type="unfinished"/> </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 type="unfinished"/> </message> <message> <location line="+5"/> <source>Message signed.</source> <translation type="unfinished"/> </message> <message> <location line="+59"/> <source>The signature could not be decoded.</source> <translation type="unfinished"/> </message> <message> <location line="+0"/> <location line="+13"/> <source>Please check the signature and try again.</source> <translation type="unfinished"/> </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 type="unfinished"/> </message> <message> <location line="+5"/> <source>Message verified.</source> <translation type="unfinished"/> </message> </context> <context> <name>SplashScreen</name> <message> <location filename="../splashscreen.cpp" line="+22"/> <source>The Neutralitycoin developers</source> <translation type="unfinished"/> </message> <message> <location line="+1"/> <source>[testnet]</source> <translation type="unfinished"/> </message> </context> <context> <name>TransactionDesc</name> <message> <location filename="../transactiondesc.cpp" line="+20"/> <source>Open until %1</source> <translation type="unfinished"/> </message> <message> <location line="+6"/> <source>%1/offline</source> <translation type="unfinished"/> </message> <message> <location line="+2"/> <source>%1/unconfirmed</source> <translation>%1/nekonfirmita</translation> </message> <message> <location line="+2"/> <source>%1 confirmations</source> <translation>%1 konfirmoj</translation> </message> <message> <location line="+18"/> <source>Status</source> <translation type="unfinished"/> </message> <message numerus="yes"> <location line="+7"/> <source>, broadcast through %n node(s)</source> <translation type="unfinished"><numerusform></numerusform><numerusform></numerusform></translation> </message> <message> <location line="+4"/> <source>Date</source> <translation>Dato</translation> </message> <message> <location line="+7"/> <source>Source</source> <translation type="unfinished"/> </message> <message> <location line="+0"/> <source>Generated</source> <translation type="unfinished"/> </message> <message> <location line="+5"/> <location line="+17"/> <source>From</source> <translation type="unfinished"/> </message> <message> <location line="+1"/> <location line="+22"/> <location line="+58"/> <source>To</source> <translation type="unfinished"/> </message> <message> <location line="-77"/> <location line="+2"/> <source>own address</source> <translation type="unfinished"/> </message> <message> <location line="-2"/> <source>label</source> <translation type="unfinished"/> </message> <message> <location line="+37"/> <location line="+12"/> <location line="+45"/> <location line="+17"/> <location line="+30"/> <source>Credit</source> <translation type="unfinished"/> </message> <message numerus="yes"> <location line="-102"/> <source>matures in %n more block(s)</source> <translation type="unfinished"><numerusform></numerusform><numerusform></numerusform></translation> </message> <message> <location line="+2"/> <source>not accepted</source> <translation type="unfinished"/> </message> <message> <location line="+44"/> <location line="+8"/> <location line="+15"/> <location line="+30"/> <source>Debit</source> <translation type="unfinished"/> </message> <message> <location line="-39"/> <source>Transaction fee</source> <translation type="unfinished"/> </message> <message> <location line="+16"/> <source>Net amount</source> <translation type="unfinished"/> </message> <message> <location line="+6"/> <source>Message</source> <translation type="unfinished"/> </message> <message> <location line="+2"/> <source>Comment</source> <translation type="unfinished"/> </message> <message> <location line="+2"/> <source>Transaction ID</source> <translation type="unfinished"/> </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 type="unfinished"/> </message> <message> <location line="+7"/> <source>Debug information</source> <translation type="unfinished"/> </message> <message> <location line="+8"/> <source>Transaction</source> <translation type="unfinished"/> </message> <message> <location line="+3"/> <source>Inputs</source> <translation type="unfinished"/> </message> <message> <location line="+23"/> <source>Amount</source> <translation>Sumo</translation> </message> <message> <location line="+1"/> <source>true</source> <translation type="unfinished"/> </message> <message> <location line="+0"/> <source>false</source> <translation type="unfinished"/> </message> <message> <location line="-209"/> <source>, has not been successfully broadcast yet</source> <translation>, ankoraŭ ne elsendita sukcese</translation> </message> <message numerus="yes"> <location line="-35"/> <source>Open for %n more block(s)</source> <translation type="unfinished"><numerusform></numerusform><numerusform></numerusform></translation> </message> <message> <location line="+70"/> <source>unknown</source> <translation>nekonata</translation> </message> </context> <context> <name>TransactionDescDialog</name> <message> <location filename="../forms/transactiondescdialog.ui" line="+14"/> <source>Transaction details</source> <translation>Transakciaj detaloj</translation> </message> <message> <location line="+6"/> <source>This pane shows a detailed description of the transaction</source> <translation type="unfinished"/> </message> </context> <context> <name>TransactionTableModel</name> <message> <location filename="../transactiontablemodel.cpp" line="+225"/> <source>Date</source> <translation>Dato</translation> </message> <message> <location line="+0"/> <source>Type</source> <translation>Tipo</translation> </message> <message> <location line="+0"/> <source>Address</source> <translation>Adreso</translation> </message> <message> <location line="+0"/> <source>Amount</source> <translation>Sumo</translation> </message> <message numerus="yes"> <location line="+57"/> <source>Open for %n more block(s)</source> <translation type="unfinished"><numerusform></numerusform><numerusform></numerusform></translation> </message> <message> <location line="+3"/> <source>Open until %1</source> <translation type="unfinished"/> </message> <message> <location line="+3"/> <source>Offline (%1 confirmations)</source> <translation type="unfinished"/> </message> <message> <location line="+3"/> <source>Unconfirmed (%1 of %2 confirmations)</source> <translation type="unfinished"/> </message> <message> <location line="+3"/> <source>Confirmed (%1 confirmations)</source> <translation type="unfinished"/> </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></translation> </message> <message> <location line="+5"/> <source>This block was not received by any other nodes and will probably not be accepted!</source> <translation type="unfinished"/> </message> <message> <location line="+3"/> <source>Generated but not accepted</source> <translation type="unfinished"/> </message> <message> <location line="+43"/> <source>Received with</source> <translation>Ricevita kun</translation> </message> <message> <location line="+2"/> <source>Received from</source> <translation>Ricevita de</translation> </message> <message> <location line="+3"/> <source>Sent to</source> <translation>Sendita al</translation> </message> <message> <location line="+2"/> <source>Payment to yourself</source> <translation>Pago al vi mem</translation> </message> <message> <location line="+2"/> <source>Mined</source> <translation>Minita</translation> </message> <message> <location line="+38"/> <source>(n/a)</source> <translation type="unfinished"/> </message> <message> <location line="+199"/> <source>Transaction status. Hover over this field to show number of confirmations.</source> <translation type="unfinished"/> </message> <message> <location line="+2"/> <source>Date and time that the transaction was received.</source> <translation type="unfinished"/> </message> <message> <location line="+2"/> <source>Type of transaction.</source> <translation>Transakcia tipo.</translation> </message> <message> <location line="+2"/> <source>Destination address of transaction.</source> <translation type="unfinished"/> </message> <message> <location line="+2"/> <source>Amount removed from or added to balance.</source> <translation type="unfinished"/> </message> </context> <context> <name>TransactionView</name> <message> <location filename="../transactionview.cpp" line="+52"/> <location line="+16"/> <source>All</source> <translation>Ĉiuj</translation> </message> <message> <location line="-15"/> <source>Today</source> <translation>Hodiaŭ</translation> </message> <message> <location line="+1"/> <source>This week</source> <translation type="unfinished"/> </message> <message> <location line="+1"/> <source>This month</source> <translation type="unfinished"/> </message> <message> <location line="+1"/> <source>Last month</source> <translation type="unfinished"/> </message> <message> <location line="+1"/> <source>This year</source> <translation type="unfinished"/> </message> <message> <location line="+1"/> <source>Range...</source> <translation type="unfinished"/> </message> <message> <location line="+11"/> <source>Received with</source> <translation>Ricevita kun</translation> </message> <message> <location line="+2"/> <source>Sent to</source> <translation>Sendita al</translation> </message> <message> <location line="+2"/> <source>To yourself</source> <translation>Al vi mem</translation> </message> <message> <location line="+1"/> <source>Mined</source> <translation>Minita</translation> </message> <message> <location line="+1"/> <source>Other</source> <translation type="unfinished"/> </message> <message> <location line="+7"/> <source>Enter address or label to search</source> <translation type="unfinished"/> </message> <message> <location line="+7"/> <source>Min amount</source> <translation type="unfinished"/> </message> <message> <location line="+34"/> <source>Copy address</source> <translation>Kopiu adreson</translation> </message> <message> <location line="+1"/> <source>Copy label</source> <translation type="unfinished"/> </message> <message> <location line="+1"/> <source>Copy amount</source> <translation type="unfinished"/> </message> <message> <location line="+1"/> <source>Copy transaction ID</source> <translation type="unfinished"/> </message> <message> <location line="+1"/> <source>Edit label</source> <translation>Redaktu etikedon</translation> </message> <message> <location line="+1"/> <source>Show transaction details</source> <translation type="unfinished"/> </message> <message> <location line="+139"/> <source>Export Transaction Data</source> <translation type="unfinished"/> </message> <message> <location line="+1"/> <source>Comma separated file (*.csv)</source> <translation>Diskoma dosiero (*.csv)</translation> </message> <message> <location line="+8"/> <source>Confirmed</source> <translation>Konfirmita</translation> </message> <message> <location line="+1"/> <source>Date</source> <translation>Dato</translation> </message> <message> <location line="+1"/> <source>Type</source> <translation>Tipo</translation> </message> <message> <location line="+1"/> <source>Label</source> <translation>Etikedo</translation> </message> <message> <location line="+1"/> <source>Address</source> <translation>Adreso</translation> </message> <message> <location line="+1"/> <source>Amount</source> <translation>Sumo</translation> </message> <message> <location line="+1"/> <source>ID</source> <translation type="unfinished"/> </message> <message> <location line="+4"/> <source>Error exporting</source> <translation>Eraro dum eksportado</translation> </message> <message> <location line="+0"/> <source>Could not write to file %1.</source> <translation>Ne eblis skribi al dosiero %1.</translation> </message> <message> <location line="+100"/> <source>Range:</source> <translation type="unfinished"/> </message> <message> <location line="+8"/> <source>to</source> <translation type="unfinished"/> </message> </context> <context> <name>WalletModel</name> <message> <location filename="../walletmodel.cpp" line="+193"/> <source>Send Coins</source> <translation type="unfinished"/> </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 type="unfinished"/> </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 type="unfinished"/> </message> <message> <location line="+4"/> <source>Backup Successful</source> <translation type="unfinished"/> </message> <message> <location line="+0"/> <source>The wallet data was successfully saved to the new location.</source> <translation type="unfinished"/> </message> </context> <context> <name>bitcoin-core</name> <message> <location filename="../bitcoinstrings.cpp" line="+94"/> <source>Neutralitycoin version</source> <translation>Neutralitycoin-a versio</translation> </message> <message> <location line="+102"/> <source>Usage:</source> <translation type="unfinished"/> </message> <message> <location line="-29"/> <source>Send command to -server or neutralitycoind</source> <translation type="unfinished"/> </message> <message> <location line="-23"/> <source>List commands</source> <translation>Listigu instrukciojn</translation> </message> <message> <location line="-12"/> <source>Get help for a command</source> <translation type="unfinished"/> </message> <message> <location line="+24"/> <source>Options:</source> <translation>Opcioj:</translation> </message> <message> <location line="+24"/> <source>Specify configuration file (default: neutralitycoin.conf)</source> <translation type="unfinished"/> </message> <message> <location line="+3"/> <source>Specify pid file (default: neutralitycoind.pid)</source> <translation type="unfinished"/> </message> <message> <location line="-1"/> <source>Specify data directory</source> <translation type="unfinished"/> </message> <message> <location line="-9"/> <source>Set database cache size in megabytes (default: 25)</source> <translation type="unfinished"/> </message> <message> <location line="-28"/> <source>Listen for connections on &lt;port&gt; (default: 57017 or testnet: 58017)</source> <translation type="unfinished"/> </message> <message> <location line="+5"/> <source>Maintain at most &lt;n&gt; connections to peers (default: 125)</source> <translation type="unfinished"/> </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 type="unfinished"/> </message> <message> <location line="-134"/> <source>Number of seconds to keep misbehaving peers from reconnecting (default: 86400)</source> <translation type="unfinished"/> </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: 57016 or testnet: 58016)</source> <translation type="unfinished"/> </message> <message> <location line="+37"/> <source>Accept command line and JSON-RPC commands</source> <translation type="unfinished"/> </message> <message> <location line="+76"/> <source>Run in the background as a daemon and accept commands</source> <translation type="unfinished"/> </message> <message> <location line="+37"/> <source>Use the test network</source> <translation type="unfinished"/> </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=neutralitycoinrpc 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;Neutralitycoin 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. Neutralitycoin 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 type="unfinished"/> </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 type="unfinished"/> </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 Neutralitycoin will not work properly.</source> <translation type="unfinished"/> </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 type="unfinished"/> </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 type="unfinished"/> </message> <message> <location line="+14"/> <source>Attempt to recover private keys from a corrupt wallet.dat</source> <translation type="unfinished"/> </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 type="unfinished"/> </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 type="unfinished"/> </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 type="unfinished"/> </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 type="unfinished"/> </message> <message> <location line="+1"/> <source>Error: Wallet locked, unable to create transaction!</source> <translation type="unfinished"/> </message> <message> <location line="+1"/> <source>Error: system error: </source> <translation type="unfinished"/> </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 type="unfinished"/> </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 type="unfinished"/> </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 type="unfinished"/> </message> <message> <location line="+3"/> <source>Invalid -tor address: &apos;%s&apos;</source> <translation type="unfinished"/> </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 type="unfinished"/> </message> <message> <location line="+1"/> <source>Maximum per-connection send buffer, &lt;n&gt;*1000 bytes (default: 1000)</source> <translation type="unfinished"/> </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 type="unfinished"/> </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 type="unfinished"/> </message> <message> <location line="+5"/> <source>SSL options: (see the Neutralitycoin Wiki for SSL setup instructions)</source> <translation type="unfinished"/> </message> <message> <location line="+1"/> <source>Select the version of socks proxy to use (4-5, default: 5)</source> <translation type="unfinished"/> </message> <message> <location line="+3"/> <source>Send trace/debug info to console instead of debug.log file</source> <translation type="unfinished"/> </message> <message> <location line="+1"/> <source>Send trace/debug info to debugger</source> <translation type="unfinished"/> </message> <message> <location line="+5"/> <source>Set maximum block size in bytes (default: 250000)</source> <translation type="unfinished"/> </message> <message> <location line="+1"/> <source>Set minimum block size in bytes (default: 0)</source> <translation type="unfinished"/> </message> <message> <location line="+2"/> <source>Shrink debug.log file on client startup (default: 1 when no -debug)</source> <translation type="unfinished"/> </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 type="unfinished"/> </message> <message> <location line="+4"/> <source>System error: </source> <translation type="unfinished"/> </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 type="unfinished"/> </message> <message> <location line="+1"/> <source>Use UPnP to map the listening port (default: 1 when listening)</source> <translation type="unfinished"/> </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 type="unfinished"/> </message> <message> <location line="+4"/> <source>Warning</source> <translation type="unfinished"/> </message> <message> <location line="+1"/> <source>Warning: This version is obsolete, upgrade required!</source> <translation type="unfinished"/> </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 type="unfinished"/> </message> <message> <location line="-50"/> <source>Password for JSON-RPC connections</source> <translation type="unfinished"/> </message> <message> <location line="-67"/> <source>Allow JSON-RPC connections from specified IP address</source> <translation type="unfinished"/> </message> <message> <location line="+76"/> <source>Send commands to node running on &lt;ip&gt; (default: 127.0.0.1)</source> <translation type="unfinished"/> </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 type="unfinished"/> </message> <message> <location line="-21"/> <source>Set key pool size to &lt;n&gt; (default: 100)</source> <translation type="unfinished"/> </message> <message> <location line="-12"/> <source>Rescan the block chain for missing wallet transactions</source> <translation type="unfinished"/> </message> <message> <location line="+35"/> <source>Use OpenSSL (https) for JSON-RPC connections</source> <translation type="unfinished"/> </message> <message> <location line="-26"/> <source>Server certificate file (default: server.cert)</source> <translation type="unfinished"/> </message> <message> <location line="+1"/> <source>Server private key (default: server.pem)</source> <translation type="unfinished"/> </message> <message> <location line="-151"/> <source>Acceptable ciphers (default: TLSv1+HIGH:!SSLv2:!aNULL:!eNULL:!AH:!3DES:@STRENGTH)</source> <translation type="unfinished"/> </message> <message> <location line="+165"/> <source>This help message</source> <translation type="unfinished"/> </message> <message> <location line="+6"/> <source>Unable to bind to %s on this computer (bind returned error %d, %s)</source> <translation type="unfinished"/> </message> <message> <location line="-91"/> <source>Connect through socks proxy</source> <translation type="unfinished"/> </message> <message> <location line="-10"/> <source>Allow DNS lookups for -addnode, -seednode and -connect</source> <translation type="unfinished"/> </message> <message> <location line="+55"/> <source>Loading addresses...</source> <translation>Ŝarĝante adresojn...</translation> </message> <message> <location line="-35"/> <source>Error loading wallet.dat: Wallet corrupted</source> <translation type="unfinished"/> </message> <message> <location line="+1"/> <source>Error loading wallet.dat: Wallet requires newer version of Neutralitycoin</source> <translation type="unfinished"/> </message> <message> <location line="+93"/> <source>Wallet needed to be rewritten: restart Neutralitycoin to complete</source> <translation type="unfinished"/> </message> <message> <location line="-95"/> <source>Error loading wallet.dat</source> <translation type="unfinished"/> </message> <message> <location line="+28"/> <source>Invalid -proxy address: &apos;%s&apos;</source> <translation type="unfinished"/> </message> <message> <location line="+56"/> <source>Unknown network specified in -onlynet: &apos;%s&apos;</source> <translation type="unfinished"/> </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 type="unfinished"/> </message> <message> <location line="+1"/> <source>Invalid amount</source> <translation type="unfinished"/> </message> <message> <location line="-6"/> <source>Insufficient funds</source> <translation type="unfinished"/> </message> <message> <location line="+10"/> <source>Loading block index...</source> <translation>Ŝarĝante blok-indekson...</translation> </message> <message> <location line="-57"/> <source>Add a node to connect to and attempt to keep the connection open</source> <translation type="unfinished"/> </message> <message> <location line="-25"/> <source>Unable to bind to %s on this computer. Neutralitycoin is probably already running.</source> <translation type="unfinished"/> </message> <message> <location line="+64"/> <source>Fee per KB to add to transactions you send</source> <translation type="unfinished"/> </message> <message> <location line="+19"/> <source>Loading wallet...</source> <translation>Ŝarĝante monujon...</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 type="unfinished"/> </message> <message> <location line="+64"/> <source>Rescanning...</source> <translation type="unfinished"/> </message> <message> <location line="-57"/> <source>Done loading</source> <translation>Ŝarĝado finitas</translation> </message> <message> <location line="+82"/> <source>To use the %s option</source> <translation>Por uzi la opcion %s</translation> </message> <message> <location line="-74"/> <source>Error</source> <translation>Eraro</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 type="unfinished"/> </message> </context> </TS>
{ "content_hash": "132609f37db3b424e9dfaa4072aca868", "timestamp": "", "source": "github", "line_count": 2917, "max_line_length": 395, "avg_line_length": 33.88275625642784, "alnum_prop": 0.5933060828038367, "repo_name": "neutrality/nucoin", "id": "520560dbee65752ef0613468b3a4c433b0f397a5", "size": "98886", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "src/qt/locale/bitcoin_eo.ts", "mode": "33188", "license": "mit", "language": [ { "name": "C", "bytes": "103297" }, { "name": "C++", "bytes": "16133797" }, { "name": "CSS", "bytes": "1127" }, { "name": "IDL", "bytes": "14720" }, { "name": "Objective-C", "bytes": "5864" }, { "name": "Python", "bytes": "69751" }, { "name": "Shell", "bytes": "9702" }, { "name": "TypeScript", "bytes": "5261819" } ], "symlink_target": "" }
#include "io/lab_boost_model_reader.h" #include <vector> namespace seeta { namespace fd { bool LABBoostModelReader::Read(std::istream* input, seeta::fd::Classifier* model) { bool is_read; seeta::fd::LABBoostedClassifier* lab_boosted_classifier = dynamic_cast<seeta::fd::LABBoostedClassifier*>(model); input->read(reinterpret_cast<char*>(&num_base_classifer_), sizeof(int32_t)); input->read(reinterpret_cast<char*>(&num_bin_), sizeof(int32_t)); is_read = (!input->fail()) && num_base_classifer_ > 0 && num_bin_ > 0 && ReadFeatureParam(input, lab_boosted_classifier) && ReadBaseClassifierParam(input, lab_boosted_classifier); return is_read; } bool LABBoostModelReader::ReadFeatureParam(std::istream* input, seeta::fd::LABBoostedClassifier* model) { int32_t x; int32_t y; for (int32_t i = 0; i < num_base_classifer_; i++) { input->read(reinterpret_cast<char*>(&x), sizeof(int32_t)); input->read(reinterpret_cast<char*>(&y), sizeof(int32_t)); model->AddFeature(x, y); } return !input->fail(); } bool LABBoostModelReader::ReadBaseClassifierParam(std::istream* input, seeta::fd::LABBoostedClassifier* model) { std::vector<float> thresh; thresh.resize(num_base_classifer_); input->read(reinterpret_cast<char*>(thresh.data()), sizeof(float)* num_base_classifer_); int32_t weight_len = sizeof(float)* (num_bin_ + 1); std::vector<float> weights; weights.resize(num_bin_ + 1); for (int32_t i = 0; i < num_base_classifer_; i++) { input->read(reinterpret_cast<char*>(weights.data()), weight_len); model->AddBaseClassifier(weights.data(), num_bin_, thresh[i]); } return !input->fail(); } } // namespace fd } // namespace seeta
{ "content_hash": "2f4ea37ece7b41d8ad6d316489fe05d3", "timestamp": "", "source": "github", "line_count": 58, "max_line_length": 78, "avg_line_length": 29.620689655172413, "alnum_prop": 0.6746216530849826, "repo_name": "whlook/eveFace", "id": "87e5b6e71e7538b59ce86c8252dd5a32ecc8522d", "size": "2995", "binary": false, "copies": "4", "ref": "refs/heads/master", "path": "eveFace/src/lab_boost_model_reader.cpp", "mode": "33188", "license": "mit", "language": [ { "name": "C", "bytes": "3410" }, { "name": "C++", "bytes": "240222" }, { "name": "Objective-C", "bytes": "3921" } ], "symlink_target": "" }
package org.auraframework.http; import java.io.BufferedReader; import java.io.IOException; import java.util.Map; import javax.servlet.ServletException; import javax.servlet.http.*; import org.auraframework.Aura; import org.auraframework.service.LoggingService; import org.auraframework.util.json.JsonReader; import com.google.common.net.HttpHeaders; /** * Endpoint for reporting Content Security Policy violations, * per the <a href="http://www.w3.org/TR/CSP/">W3C Content Security * Policy 1.0 spec</a>. */ public class CSPReporterServlet extends HttpServlet { // KEEP THIS IN SYNC WITH THE SERVLET'S URL-MAPPING ENTRY IN WEB.XML! // (or find a way to do it programmatically.) public static final String URL = "/_/csp"; public static final String JSON_NAME = "csp-report"; public static final String BLOCKED_URI = "blocked-uri"; public static final String COLUMN_NUMBER = "column-number"; public static final String DOCUMENT_URI = "document-uri"; public static final String LINE_NUMBER = "line-number"; public static final String ORIGINAL_POLICY = "original-policy"; public static final String REFERRER = "referrer"; public static final String SCRIPT_SAMPLE = "script-sample"; public static final String SOURCE_FILE = "source-file"; public static final String STATUS_CODE = "status-code"; public static final String VIOLATED_DIRECTIVE = "violated-directive"; @SuppressWarnings("unchecked") @Override protected void doPost(HttpServletRequest req, HttpServletResponse resp) throws ServletException, IOException { Map<String, Object> report = null; try { BufferedReader reader = req.getReader(); report = (Map<String, Object>)new JsonReader().read(reader); } catch (Exception e) { /* TODO: report an error*/ } // make sure we actually received a csp-report if (report.containsKey(JSON_NAME)) { report.put(HttpHeaders.USER_AGENT, req.getHeader(HttpHeaders.USER_AGENT)); LoggingService ls = Aura.getLoggingService(); ls.establish(); try { ls.logCSPReport(report); } finally { ls.release(); } } } }
{ "content_hash": "b23d6baaca228803ae7994c8b92abe3a", "timestamp": "", "source": "github", "line_count": 66, "max_line_length": 114, "avg_line_length": 35.166666666666664, "alnum_prop": 0.6622145626884963, "repo_name": "lhong375/aura", "id": "1097a1afd1dd6f5d7101bc64e0ae768d92df165a", "size": "2932", "binary": false, "copies": "1", "ref": "refs/heads/load-test-without-testjar", "path": "aura/src/main/java/org/auraframework/http/CSPReporterServlet.java", "mode": "33188", "license": "apache-2.0", "language": [ { "name": "CSS", "bytes": "633422" }, { "name": "GAP", "bytes": "9236" }, { "name": "Java", "bytes": "6205033" }, { "name": "JavaScript", "bytes": "9903940" }, { "name": "Python", "bytes": "7342" }, { "name": "Shell", "bytes": "12892" }, { "name": "XSLT", "bytes": "1140" } ], "symlink_target": "" }
package com.zhanggui.uilayouttest; import android.support.v7.app.AppCompatActivity; import android.os.Bundle; public class RelativeActivity extends AppCompatActivity { @Override protected void onCreate(Bundle savedInstanceState) { super.onCreate(savedInstanceState); setContentView(R.layout.relative_layout); } }
{ "content_hash": "6d0948a13c88304152fa067ebfea56fb", "timestamp": "", "source": "github", "line_count": 13, "max_line_length": 57, "avg_line_length": 26.46153846153846, "alnum_prop": 0.7645348837209303, "repo_name": "ScottZg/AndroidTest", "id": "d43596b2689c170f346b7b82ed02216f95b4338f", "size": "344", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "AndroidTest/UILayoutTest/app/src/main/java/com/zhanggui/uilayouttest/RelativeActivity.java", "mode": "33188", "license": "mit", "language": [ { "name": "HTML", "bytes": "402" }, { "name": "Java", "bytes": "115552" }, { "name": "JavaScript", "bytes": "64773" } ], "symlink_target": "" }
import datetime import json import logging from dateutil import parser from django.utils import timezone from rest_framework.renderers import JSONRenderer logger = logging.getLogger('print') class CompactJSONRenderer(JSONRenderer): """Renderer which serializes to JSON using the most compact JSON representation.""" def render(self, data, accepted_media_type=None, renderer_context=None): if data is None: return bytes() return json.dumps(data, separators=(',', ':'), cls=self.encoder_class, ensure_ascii=self.ensure_ascii) def to_datetime(x): if x is None or not x: return None try: default_dt = datetime.datetime.now().replace(hour=0, minute=0, second=0, microsecond=0, tzinfo=timezone.utc) return parser.parse(x, default=default_dt) except Exception as e: logger.error(str(e)) return None def to_int(x): try: return int(x) except (ValueError, TypeError) as _: return None
{ "content_hash": "6d4bd104c597f3b8d9b62248593f64d1", "timestamp": "", "source": "github", "line_count": 34, "max_line_length": 116, "avg_line_length": 29.235294117647058, "alnum_prop": 0.682092555331992, "repo_name": "thachhoang/log", "id": "009ca4dadfbb300bd7e6812a8c9078b95b86baf9", "size": "994", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "main/utils.py", "mode": "33188", "license": "mit", "language": [ { "name": "CSS", "bytes": "7036" }, { "name": "HTML", "bytes": "5367" }, { "name": "JavaScript", "bytes": "15471" }, { "name": "Python", "bytes": "22702" } ], "symlink_target": "" }
/* * This program is free software; you can redistribute it and/or modify * it under the terms of the GNU General Public License as published by * the Free Software Foundation; either version 2 of the License, or * (at your option) any later version. * * This program is distributed in the hope that it will be useful, * but WITHOUT ANY WARRANTY; without even the implied warranty of * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the * GNU General Public License for more details. * * You should have received a copy of the GNU General Public License * along with this program; if not, write to the Free Software * Foundation, Inc., 675 Mass Ave, Cambridge, MA 02139, USA. */ /* * NearestNeighbourSearch.java * Copyright (C) 1999-2007 University of Waikato */ package weka.core.neighboursearch; import weka.core.AdditionalMeasureProducer; import weka.core.DistanceFunction; import weka.core.EuclideanDistance; import weka.core.Instance; import weka.core.Instances; import weka.core.Option; import weka.core.OptionHandler; import weka.core.RevisionHandler; import weka.core.RevisionUtils; import weka.core.Utils; import java.io.Serializable; import java.util.Enumeration; import java.util.Vector; /** * Abstract class for nearest neighbour search. All algorithms (classes) that * do nearest neighbour search should extend this class. * * @author Ashraf M. Kibriya (amk14[at-the-rate]cs[dot]waikato[dot]ac[dot]nz) * @version $Revision: 1.2 $ */ public abstract class NearestNeighbourSearch implements Serializable, OptionHandler, AdditionalMeasureProducer, RevisionHandler { /** * A class for a heap to store the nearest k neighbours to an instance. * The heap also takes care of cases where multiple neighbours are the same * distance away. * i.e. the minimum size of the heap is k. * * @author Ashraf M. Kibriya (amk14[at-the-rate]cs[dot]waikato[dot]ac[dot]nz) * @version $Revision: 1.2 $ */ protected class MyHeap implements RevisionHandler { /** the heap. */ MyHeapElement m_heap[] = null; /** * constructor. * * @param maxSize the maximum size of the heap */ public MyHeap(int maxSize) { if((maxSize%2)==0) maxSize++; m_heap = new MyHeapElement[maxSize+1]; m_heap[0] = new MyHeapElement(0, 0); } /** * returns the size of the heap. * * @return the size */ public int size() { return m_heap[0].index; } /** * peeks at the first element. * * @return the first element */ public MyHeapElement peek() { return m_heap[1]; } /** * returns the first element and removes it from the heap. * * @return the first element * @throws Exception if no elements in heap */ public MyHeapElement get() throws Exception { if(m_heap[0].index==0) throw new Exception("No elements present in the heap"); MyHeapElement r = m_heap[1]; m_heap[1] = m_heap[m_heap[0].index]; m_heap[0].index--; downheap(); return r; } /** * adds the value to the heap. * * @param i the index * @param d the distance * @throws Exception if the heap gets too large */ public void put(int i, double d) throws Exception { if((m_heap[0].index+1)>(m_heap.length-1)) throw new Exception("the number of elements cannot exceed the "+ "initially set maximum limit"); m_heap[0].index++; m_heap[m_heap[0].index] = new MyHeapElement(i, d); upheap(); } /** * Puts an element by substituting it in place of * the top most element. * * @param i the index * @param d the distance * @throws Exception if distance is smaller than that of the head * element */ public void putBySubstitute(int i, double d) throws Exception { MyHeapElement head = get(); put(i, d); // System.out.println("previous: "+head.distance+" current: "+m_heap[1].distance); if(head.distance == m_heap[1].distance) { //Utils.eq(head.distance, m_heap[1].distance)) { putKthNearest(head.index, head.distance); } else if(head.distance > m_heap[1].distance) { //Utils.gr(head.distance, m_heap[1].distance)) { m_KthNearest = null; m_KthNearestSize = 0; initSize = 10; } else if(head.distance < m_heap[1].distance) { throw new Exception("The substituted element is smaller than the "+ "head element. put() should have been called "+ "in place of putBySubstitute()"); } } /** the kth nearest ones. */ MyHeapElement m_KthNearest[] = null; /** The number of kth nearest elements. */ int m_KthNearestSize = 0; /** the initial size of the heap. */ int initSize=10; /** * returns the number of k nearest. * * @return the number of k nearest * @see #m_KthNearestSize */ public int noOfKthNearest() { return m_KthNearestSize; } /** * Stores kth nearest elements (if there are * more than one). * @param i the index * @param d the distance */ public void putKthNearest(int i, double d) { if(m_KthNearest==null) { m_KthNearest = new MyHeapElement[initSize]; } if(m_KthNearestSize>=m_KthNearest.length) { initSize += initSize; MyHeapElement temp[] = new MyHeapElement[initSize]; System.arraycopy(m_KthNearest, 0, temp, 0, m_KthNearest.length); m_KthNearest = temp; } m_KthNearest[m_KthNearestSize++] = new MyHeapElement(i, d); } /** * returns the kth nearest element or null if none there. * * @return the kth nearest element */ public MyHeapElement getKthNearest() { if(m_KthNearestSize==0) return null; m_KthNearestSize--; return m_KthNearest[m_KthNearestSize]; } /** * performs upheap operation for the heap * to maintian its properties. */ protected void upheap() { int i = m_heap[0].index; MyHeapElement temp; while( i > 1 && m_heap[i].distance>m_heap[i/2].distance) { temp = m_heap[i]; m_heap[i] = m_heap[i/2]; i = i/2; m_heap[i] = temp; //this is i/2 done here to avoid another division. } } /** * performs downheap operation for the heap * to maintian its properties. */ protected void downheap() { int i = 1; MyHeapElement temp; while( ( (2*i) <= m_heap[0].index && m_heap[i].distance < m_heap[2*i].distance ) || ( (2*i+1) <= m_heap[0].index && m_heap[i].distance < m_heap[2*i+1].distance) ) { if((2*i+1)<=m_heap[0].index) { if(m_heap[2*i].distance>m_heap[2*i+1].distance) { temp = m_heap[i]; m_heap[i] = m_heap[2*i]; i = 2*i; m_heap[i] = temp; } else { temp = m_heap[i]; m_heap[i] = m_heap[2*i+1]; i = 2*i+1; m_heap[i] = temp; } } else { temp = m_heap[i]; m_heap[i] = m_heap[2*i]; i = 2*i; m_heap[i] = temp; } } } /** * returns the total size. * * @return the total size */ public int totalSize() { return size()+noOfKthNearest(); } /** * Returns the revision string. * * @return the revision */ public String getRevision() { return RevisionUtils.extract("$Revision: 1.2 $"); } } /** * A class for storing data about a neighboring instance. * * @author Ashraf M. Kibriya (amk14[at-the-rate]cs[dot]waikato[dot]ac[dot]nz) * @version $Revision: 1.2 $ */ protected class MyHeapElement implements RevisionHandler { /** the index of this element. */ public int index; /** the distance of this element. */ public double distance; /** * constructor. * * @param i the index * @param d the distance */ public MyHeapElement(int i, double d) { distance = d; index = i; } /** * Returns the revision string. * * @return the revision */ public String getRevision() { return RevisionUtils.extract("$Revision: 1.2 $"); } } /** * A class for storing data about a neighboring instance. * * @author Ashraf M. Kibriya (amk14[at-the-rate]cs[dot]waikato[dot]ac[dot]nz) * @version $Revision: 1.2 $ */ //better to change this into a heap element protected class NeighborNode implements RevisionHandler { /** The neighbor instance. */ public Instance m_Instance; /** The distance from the current instance to this neighbor. */ public double m_Distance; /** A link to the next neighbor instance. */ public NeighborNode m_Next; /** * Create a new neighbor node. * * @param distance the distance to the neighbor * @param instance the neighbor instance * @param next the next neighbor node */ public NeighborNode(double distance, Instance instance, NeighborNode next) { m_Distance = distance; m_Instance = instance; m_Next = next; } /** * Create a new neighbor node that doesn't link to any other nodes. * * @param distance the distance to the neighbor * @param instance the neighbor instance */ public NeighborNode(double distance, Instance instance) { this(distance, instance, null); } /** * Returns the revision string. * * @return the revision */ public String getRevision() { return RevisionUtils.extract("$Revision: 1.2 $"); } } /** * A class for a linked list to store the nearest k neighbours * to an instance. We use a list so that we can take care of * cases where multiple neighbours are the same distance away. * i.e. the minimum length of the list is k. * * @author Ashraf M. Kibriya (amk14[at-the-rate]cs[dot]waikato[dot]ac[dot]nz) * @version $Revision: 1.2 $ */ //better to change this into a heap protected class NeighborList implements RevisionHandler { /** The first node in the list. */ protected NeighborNode m_First; /** The last node in the list. */ protected NeighborNode m_Last; /** The number of nodes to attempt to maintain in the list. */ protected int m_Length = 1; /** * Creates the neighborlist with a desired length. * * @param length the length of list to attempt to maintain */ public NeighborList(int length) { m_Length = length; } /** * Gets whether the list is empty. * * @return true if list is empty */ public boolean isEmpty() { return (m_First == null); } /** * Gets the current length of the list. * * @return the current length of the list */ public int currentLength() { int i = 0; NeighborNode current = m_First; while (current != null) { i++; current = current.m_Next; } return i; } /** * Inserts an instance neighbor into the list, maintaining the list * sorted by distance. * * @param distance the distance to the instance * @param instance the neighboring instance */ public void insertSorted(double distance, Instance instance) { if (isEmpty()) { m_First = m_Last = new NeighborNode(distance, instance); } else { NeighborNode current = m_First; if (distance < m_First.m_Distance) {// Insert at head m_First = new NeighborNode(distance, instance, m_First); } else { // Insert further down the list for( ;(current.m_Next != null) && (current.m_Next.m_Distance < distance); current = current.m_Next); current.m_Next = new NeighborNode(distance, instance, current.m_Next); if (current.equals(m_Last)) { m_Last = current.m_Next; } } // Trip down the list until we've got k list elements (or more if the // distance to the last elements is the same). int valcount = 0; for(current = m_First; current.m_Next != null; current = current.m_Next) { valcount++; if ((valcount >= m_Length) && (current.m_Distance != current.m_Next.m_Distance)) { m_Last = current; current.m_Next = null; break; } } } } /** * Prunes the list to contain the k nearest neighbors. If there are * multiple neighbors at the k'th distance, all will be kept. * * @param k the number of neighbors to keep in the list. */ public void pruneToK(int k) { if (isEmpty()) { return; } if (k < 1) { k = 1; } int currentK = 0; double currentDist = m_First.m_Distance; NeighborNode current = m_First; for(; current.m_Next != null; current = current.m_Next) { currentK++; currentDist = current.m_Distance; if ((currentK >= k) && (currentDist != current.m_Next.m_Distance)) { m_Last = current; current.m_Next = null; break; } } } /** * Prints out the contents of the neighborlist. */ public void printList() { if (isEmpty()) { System.out.println("Empty list"); } else { NeighborNode current = m_First; while (current != null) { System.out.println("Node: instance " + current.m_Instance + ", distance " + current.m_Distance); current = current.m_Next; } System.out.println(); } } /** * returns the first element in the list. * * @return the first element */ public NeighborNode getFirst() { return m_First; } /** * returns the last element in the list. * * @return the last element */ public NeighborNode getLast() { return m_Last; } /** * Returns the revision string. * * @return the revision */ public String getRevision() { return RevisionUtils.extract("$Revision: 1.2 $"); } } /** The neighbourhood of instances to find neighbours in. */ protected Instances m_Instances; /** The number of neighbours to find. */ protected int m_kNN; /** the distance function used. */ protected DistanceFunction m_DistanceFunction = new EuclideanDistance(); /** Performance statistics. */ protected PerformanceStats m_Stats = null; /** Should we measure Performance. */ protected boolean m_MeasurePerformance = false; /** * Constructor. */ public NearestNeighbourSearch() { if(m_MeasurePerformance) m_Stats = new PerformanceStats(); } /** * Constructor. * * @param insts The set of instances that constitute the neighbourhood. */ public NearestNeighbourSearch(Instances insts) { this(); m_Instances = insts; } /** * Returns a string describing this nearest neighbour search algorithm. * * @return a description of the algorithm for displaying in the * explorer/experimenter gui */ public String globalInfo() { return "Abstract class for nearest neighbour search. All algorithms (classes) that " + "do nearest neighbour search should extend this class."; } /** * Returns an enumeration describing the available options. * * @return an enumeration of all the available options. */ public Enumeration listOptions() { Vector newVector = new Vector(); newVector.add(new Option( "\tDistance function to use.\n" + "\t(default: weka.core.EuclideanDistance)", "A", 1,"-A <classname and options>")); newVector.add(new Option( "\tCalculate performance statistics.", "P", 0,"-P")); return newVector.elements(); } /** * Parses a given list of options. Valid options are: * <!-- options-start --> <!-- options-end --> * * @param options the list of options as an array of strings * @throws Exception if an option is not supported */ public void setOptions(String[] options) throws Exception { String nnSearchClass = Utils.getOption('A', options); if(nnSearchClass.length() != 0) { String nnSearchClassSpec[] = Utils.splitOptions(nnSearchClass); if(nnSearchClassSpec.length == 0) { throw new Exception("Invalid DistanceFunction specification string."); } String className = nnSearchClassSpec[0]; nnSearchClassSpec[0] = ""; setDistanceFunction( (DistanceFunction) Utils.forName( DistanceFunction.class, className, nnSearchClassSpec) ); } else { setDistanceFunction(new EuclideanDistance()); } setMeasurePerformance(Utils.getFlag('P',options)); } /** * Gets the current settings. * * @return an array of strings suitable for passing to setOptions() */ public String [] getOptions() { Vector<String> result; result = new Vector<String>(); result.add("-A"); result.add((m_DistanceFunction.getClass().getName() + " " + Utils.joinOptions(m_DistanceFunction.getOptions())).trim()); if(getMeasurePerformance()) result.add("-P"); return result.toArray(new String[result.size()]); } /** * Returns the tip text for this property. * * @return tip text for this property suitable for * displaying in the explorer/experimenter gui */ public String distanceFunctionTipText() { return "The distance function to use for finding neighbours " + "(default: weka.core.EuclideanDistance). "; } /** * returns the distance function currently in use. * * @return the distance function */ public DistanceFunction getDistanceFunction() { return m_DistanceFunction; } /** * sets the distance function to use for nearest neighbour search. * * @param df the new distance function to use * @throws Exception if instances cannot be processed */ public void setDistanceFunction(DistanceFunction df) throws Exception { m_DistanceFunction = df; } /** * Returns the tip text for this property. * * @return tip text for this property suitable for * displaying in the explorer/experimenter gui */ public String measurePerformanceTipText() { return "Whether to calculate performance statistics " + "for the NN search or not"; } /** * Gets whether performance statistics are being calculated or not. * * @return true if the measure performance is calculated */ public boolean getMeasurePerformance() { return m_MeasurePerformance; } /** * Sets whether to calculate the performance statistics or not. * * @param measurePerformance if true then the performance is calculated */ public void setMeasurePerformance(boolean measurePerformance) { m_MeasurePerformance = measurePerformance; if(m_MeasurePerformance) { if(m_Stats==null) m_Stats = new PerformanceStats(); } else m_Stats = null; } /** * Returns the nearest instance in the current neighbourhood to the supplied * instance. * * @param target The instance to find the nearest neighbour for. * @return the nearest neighbor * @throws Exception if the nearest neighbour could not be found. */ public abstract Instance nearestNeighbour(Instance target) throws Exception; /** * Returns k nearest instances in the current neighbourhood to the supplied * instance. * * @param target The instance to find the k nearest neighbours for. * @param k The number of nearest neighbours to find. * @return the k nearest neighbors * @throws Exception if the neighbours could not be found. */ public abstract Instances kNearestNeighbours(Instance target, int k) throws Exception; /** * Returns the distances of the k nearest neighbours. The kNearestNeighbours * or nearestNeighbour needs to be called first for this to work. * * @return the distances * @throws Exception if called before calling kNearestNeighbours * or nearestNeighbours. */ public abstract double[] getDistances() throws Exception; /** * Updates the NearNeighbourSearch algorithm for the new added instance. * P.S.: The method assumes the instance has already been added to the * m_Instances object by the caller. * * @param ins the instance to add * @throws Exception if updating fails */ public abstract void update(Instance ins) throws Exception; /** * Adds information from the given instance without modifying the * datastructure a lot. * * @param ins the instance to add the information from */ public void addInstanceInfo(Instance ins) { } /** * Sets the instances. * * @param insts the instances to use * @throws Exception if setting fails */ public void setInstances(Instances insts) throws Exception { m_Instances = insts; } /** * returns the instances currently set. * * @return the current instances */ public Instances getInstances() { return m_Instances; } /** * Gets the class object that contains the performance statistics of * the search method. * * @return the performance statistics */ public PerformanceStats getPerformanceStats() { return m_Stats; } /** * Returns an enumeration of the additional measure names. * * @return an enumeration of the measure names */ public Enumeration enumerateMeasures() { Vector newVector; if(m_Stats == null) { newVector = new Vector(0); } else { newVector = new Vector(); Enumeration en = m_Stats.enumerateMeasures(); while(en.hasMoreElements()) newVector.add(en.nextElement()); } return newVector.elements(); } /** * Returns the value of the named measure. * * @param additionalMeasureName the name of the measure to query for * its value * @return the value of the named measure * @throws IllegalArgumentException if the named measure is not supported */ public double getMeasure(String additionalMeasureName) { if(m_Stats==null) throw new IllegalArgumentException(additionalMeasureName + " not supported (NearestNeighbourSearch)"); else return m_Stats.getMeasure(additionalMeasureName); } /** * sorts the two given arrays. * * @param arrayToSort The array sorting should be based on. * @param linkedArray The array that should have the same ordering as * arrayToSort. */ public static void combSort11(double arrayToSort[], int linkedArray[]) { int switches, j, top, gap; double hold1; int hold2; gap = arrayToSort.length; do { gap=(int)(gap/1.3); switch(gap) { case 0: gap = 1; break; case 9: case 10: gap=11; break; default: break; } switches=0; top = arrayToSort.length-gap; for(int i=0; i<top; i++) { j=i+gap; if(arrayToSort[i] > arrayToSort[j]) { hold1=arrayToSort[i]; hold2=linkedArray[i]; arrayToSort[i]=arrayToSort[j]; linkedArray[i]=linkedArray[j]; arrayToSort[j]=hold1; linkedArray[j]=hold2; switches++; }//endif }//endfor } while(switches>0 || gap>1); } /** * Partitions the instances around a pivot. Used by quicksort and * kthSmallestValue. * * @param arrayToSort the array of doubles to be sorted * @param linkedArray the linked array * @param l the first index of the subset * @param r the last index of the subset * @return the index of the middle element */ protected static int partition(double[] arrayToSort, double[] linkedArray, int l, int r) { double pivot = arrayToSort[(l + r) / 2]; double help; while (l < r) { while ((arrayToSort[l] < pivot) && (l < r)) { l++; } while ((arrayToSort[r] > pivot) && (l < r)) { r--; } if (l < r) { help = arrayToSort[l]; arrayToSort[l] = arrayToSort[r]; arrayToSort[r] = help; help = linkedArray[l]; linkedArray[l] = linkedArray[r]; linkedArray[r] = help; l++; r--; } } if ((l == r) && (arrayToSort[r] > pivot)) { r--; } return r; } /** * performs quicksort. * * @param arrayToSort the array to sort * @param linkedArray the linked array * @param left the first index of the subset * @param right the last index of the subset */ public static void quickSort(double[] arrayToSort, double[] linkedArray, int left, int right) { if (left < right) { int middle = partition(arrayToSort, linkedArray, left, right); quickSort(arrayToSort, linkedArray, left, middle); quickSort(arrayToSort, linkedArray, middle + 1, right); } } }
{ "content_hash": "92c4c4ec00bad4eb20d75c03b68a82fc", "timestamp": "", "source": "github", "line_count": 922, "max_line_length": 100, "avg_line_length": 27.879609544468547, "alnum_prop": 0.5984827854503015, "repo_name": "BaldoAgosta/weka-dev", "id": "aa58baaf8f50664b9cda6ed81ffe52e374da8da8", "size": "25705", "binary": false, "copies": "4", "ref": "refs/heads/master", "path": "src/weka/core/neighboursearch/NearestNeighbourSearch.java", "mode": "33188", "license": "apache-2.0", "language": [ { "name": "Java", "bytes": "15638858" }, { "name": "Shell", "bytes": "71" } ], "symlink_target": "" }
<!DOCTYPE html> <html lang="en"> <head> <meta charset="utf-8" /> <title>User agent detail - Mozilla/4.0 (compatible; MSIE 6.0; MSIE 5.5; Windows NT 5.1) Opera 7.0 [en]</title> <link rel="stylesheet" href="https://cdnjs.cloudflare.com/ajax/libs/materialize/0.97.3/css/materialize.min.css"> <link href="https://fonts.googleapis.com/icon?family=Material+Icons" rel="stylesheet"> <link href="../circle.css" rel="stylesheet"> </head> <body> <div class="container"> <div class="section"> <h1 class="header center orange-text">User agent detail</h1> <div class="row center"> <h5 class="header light"> Mozilla/4.0 (compatible; MSIE 6.0; MSIE 5.5; Windows NT 5.1) Opera 7.0 [en] </h5> </div> </div> <div class="section"> <table class="striped"><tr><th></th><th colspan="3">General</th><th colspan="5">Device</th><th colspan="3">Bot</th><th colspan="2"></th></tr><tr><th>Provider</th><th>Browser</th><th>Engine</th><th>OS</th><th>Brand</th><th>Model</th><th>Type</th><th>Is mobile</th><th>Is touch</th><th>Is bot</th><th>Name</th><th>Type</th><th>Parse time</th><th>Actions</th></tr><tr><th colspan="14" class="green lighten-3">Test suite</th></tr><tr><td>Browscap<br /><small>6014</small><br /><small>vendor/browscap/browscap/tests/fixtures/issues/issue-900.php</small></td><td>Opera 7.0</td><td>Presto 1.0</td><td>WinXP 5.1</td><td style="border-left: 1px solid #555">unknown</td><td>Windows Desktop</td><td>Desktop</td><td></td><td></td><td style="border-left: 1px solid #555"></td><td></td><td></td><td>0</td><td> <!-- Modal Trigger --> <a class="modal-trigger btn waves-effect waves-light" href="#modal-b3ace57b-0c56-4fa0-aa1d-8ee4ba0e42c7">Detail</a> <!-- Modal Structure --> <div id="modal-b3ace57b-0c56-4fa0-aa1d-8ee4ba0e42c7" class="modal modal-fixed-footer"> <div class="modal-content"> <h4>Browscap result detail</h4> <p><pre><code class="php">Array ( [Comment] => Opera 7.0 [Browser] => Opera [Browser_Type] => Browser [Browser_Bits] => 32 [Browser_Maker] => Opera Software ASA [Browser_Modus] => unknown [Version] => 7.0 [MajorVer] => 7 [MinorVer] => 0 [Platform] => WinXP [Platform_Version] => 5.1 [Platform_Description] => Windows XP [Platform_Bits] => 32 [Platform_Maker] => Microsoft Corporation [Alpha] => [Beta] => [Win16] => [Win32] => 1 [Win64] => [Frames] => 1 [IFrames] => 1 [Tables] => 1 [Cookies] => 1 [BackgroundSounds] => [JavaScript] => 1 [VBScript] => [JavaApplets] => [ActiveXControls] => [isMobileDevice] => [isTablet] => [isSyndicationReader] => [Crawler] => [isFake] => [isAnonymized] => [isModified] => [CssVersion] => 3 [AolVersion] => 0 [Device_Name] => Windows Desktop [Device_Maker] => Various [Device_Type] => Desktop [Device_Pointing_Method] => mouse [Device_Code_Name] => Windows Desktop [Device_Brand_Name] => unknown [RenderingEngine_Name] => Presto [RenderingEngine_Version] => 1.0 [RenderingEngine_Maker] => Opera Software ASA ) </code></pre></p> </div> <div class="modal-footer"> <a href="#!" class="modal-action modal-close waves-effect waves-green btn-flat ">close</a> </div> </div> </td></tr><tr><th colspan="14" class="green lighten-3">Providers</th></tr><tr><td>BrowscapFull<br /><small>6014</small><br /></td><td>Opera 7.0</td><td>Presto 1.0</td><td>WinXP 5.1</td><td style="border-left: 1px solid #555"></td><td></td><td>Desktop</td><td></td><td></td><td style="border-left: 1px solid #555"></td><td></td><td></td><td>0.026</td><td> <!-- Modal Trigger --> <a class="modal-trigger btn waves-effect waves-light" href="#modal-47a9cd06-e213-4882-bc34-db6aed664223">Detail</a> <!-- Modal Structure --> <div id="modal-47a9cd06-e213-4882-bc34-db6aed664223" class="modal modal-fixed-footer"> <div class="modal-content"> <h4>BrowscapFull result detail</h4> <p><pre><code class="php">stdClass Object ( [browser_name_regex] => /^mozilla\/4\.0 \(compatible; msie.*windows nt 5\.1.*\).*opera.7\.0.*$/ [browser_name_pattern] => mozilla/4.0 (compatible; msie*windows nt 5.1*)*opera?7.0* [parent] => Opera 7.0 [comment] => Opera 7.0 [browser] => Opera [browser_type] => Browser [browser_bits] => 32 [browser_maker] => Opera Software ASA [browser_modus] => unknown [version] => 7.0 [majorver] => 7 [minorver] => 0 [platform] => WinXP [platform_version] => 5.1 [platform_description] => Windows XP [platform_bits] => 32 [platform_maker] => Microsoft Corporation [alpha] => [beta] => [win16] => [win32] => 1 [win64] => [frames] => 1 [iframes] => 1 [tables] => 1 [cookies] => 1 [backgroundsounds] => [javascript] => 1 [vbscript] => [javaapplets] => [activexcontrols] => [ismobiledevice] => [istablet] => [issyndicationreader] => [crawler] => [isfake] => [isanonymized] => [ismodified] => [cssversion] => 3 [aolversion] => 0 [device_name] => Windows Desktop [device_maker] => Various [device_type] => Desktop [device_pointing_method] => mouse [device_code_name] => Windows Desktop [device_brand_name] => unknown [renderingengine_name] => Presto [renderingengine_version] => 1.0 [renderingengine_description] => For Opera 7 and above, Macromedia Dreamweaver MX and MX 2004 (Mac), and Adobe Creative Suite 2. [renderingengine_maker] => Opera Software ASA ) </code></pre></p> </div> <div class="modal-footer"> <a href="#!" class="modal-action modal-close waves-effect waves-green btn-flat ">close</a> </div> </div> </td></tr><tr><td>BrowscapLite<br /><small>6014</small><br /></td><td>IE 6.0</td><td><i class="material-icons">close</i></td><td>Win32 </td><td style="border-left: 1px solid #555"><i class="material-icons">close</i></td><td><i class="material-icons">close</i></td><td>Desktop</td><td></td><td><i class="material-icons">close</i></td><td style="border-left: 1px solid #555"><i class="material-icons">close</i></td><td><i class="material-icons">close</i></td><td><i class="material-icons">close</i></td><td>0.014</td><td> <!-- Modal Trigger --> <a class="modal-trigger btn waves-effect waves-light" href="#modal-42bb56ba-b834-47c5-bea0-c0270e9ab371">Detail</a> <!-- Modal Structure --> <div id="modal-42bb56ba-b834-47c5-bea0-c0270e9ab371" class="modal modal-fixed-footer"> <div class="modal-content"> <h4>BrowscapLite result detail</h4> <p><pre><code class="php">stdClass Object ( [browser_name_regex] => /^mozilla\/4\.0 \(compatible; msie 6\.0.*; .*windows.*$/ [browser_name_pattern] => mozilla/4.0 (compatible; msie 6.0*; *windows* [parent] => IE 6.0 for Desktop [comment] => IE 6.0 [browser] => IE [browser_type] => unknown [browser_bits] => 0 [browser_maker] => unknown [browser_modus] => unknown [version] => 6.0 [majorver] => 0 [minorver] => 0 [platform] => Win32 [platform_version] => unknown [platform_description] => unknown [platform_bits] => 0 [platform_maker] => unknown [alpha] => false [beta] => false [win16] => false [win32] => false [win64] => false [frames] => false [iframes] => false [tables] => false [cookies] => false [backgroundsounds] => false [javascript] => false [vbscript] => false [javaapplets] => false [activexcontrols] => false [ismobiledevice] => [istablet] => [issyndicationreader] => false [crawler] => false [isfake] => false [isanonymized] => false [ismodified] => false [cssversion] => 0 [aolversion] => 0 [device_name] => unknown [device_maker] => unknown [device_type] => Desktop [device_pointing_method] => unknown [device_code_name] => unknown [device_brand_name] => unknown [renderingengine_name] => unknown [renderingengine_version] => unknown [renderingengine_description] => unknown [renderingengine_maker] => unknown ) </code></pre></p> </div> <div class="modal-footer"> <a href="#!" class="modal-action modal-close waves-effect waves-green btn-flat ">close</a> </div> </div> </td></tr><tr><td>BrowscapPhp<br /><small>6014</small><br /></td><td>Opera 7.0</td><td><i class="material-icons">close</i></td><td>WinXP </td><td style="border-left: 1px solid #555"><i class="material-icons">close</i></td><td><i class="material-icons">close</i></td><td>Desktop</td><td></td><td></td><td style="border-left: 1px solid #555"></td><td></td><td><i class="material-icons">close</i></td><td>0.009</td><td> <!-- Modal Trigger --> <a class="modal-trigger btn waves-effect waves-light" href="#modal-ad0041a2-b0f4-43f6-a70d-cad1443caa68">Detail</a> <!-- Modal Structure --> <div id="modal-ad0041a2-b0f4-43f6-a70d-cad1443caa68" class="modal modal-fixed-footer"> <div class="modal-content"> <h4>BrowscapPhp result detail</h4> <p><pre><code class="php">stdClass Object ( [browser_name_regex] => /^mozilla\/4\.0 \(compatible; msie.*windows nt 5\.1.*\).*opera.7\.0.*$/ [browser_name_pattern] => mozilla/4.0 (compatible; msie*windows nt 5.1*)*opera?7.0* [parent] => Opera 7.0 [comment] => Opera 7.0 [browser] => Opera [browser_type] => unknown [browser_bits] => 0 [browser_maker] => Opera Software ASA [browser_modus] => unknown [version] => 7.0 [majorver] => 7 [minorver] => 0 [platform] => WinXP [platform_version] => unknown [platform_description] => unknown [platform_bits] => 0 [platform_maker] => unknown [alpha] => false [beta] => false [win16] => false [win32] => false [win64] => false [frames] => false [iframes] => false [tables] => false [cookies] => false [backgroundsounds] => false [javascript] => false [vbscript] => false [javaapplets] => false [activexcontrols] => false [ismobiledevice] => [istablet] => [issyndicationreader] => false [crawler] => [isfake] => false [isanonymized] => false [ismodified] => false [cssversion] => 0 [aolversion] => 0 [device_name] => unknown [device_maker] => unknown [device_type] => Desktop [device_pointing_method] => mouse [device_code_name] => unknown [device_brand_name] => unknown [renderingengine_name] => unknown [renderingengine_version] => unknown [renderingengine_description] => unknown [renderingengine_maker] => unknown ) </code></pre></p> </div> <div class="modal-footer"> <a href="#!" class="modal-action modal-close waves-effect waves-green btn-flat ">close</a> </div> </div> </td></tr><tr><td>DonatjUAParser<br /><small>v0.5.1</small><br /></td><td>Opera 7.0</td><td><i class="material-icons">close</i></td><td><i class="material-icons">close</i></td><td style="border-left: 1px solid #555"><i class="material-icons">close</i></td><td><i class="material-icons">close</i></td><td><i class="material-icons">close</i></td><td><i class="material-icons">close</i></td><td><i class="material-icons">close</i></td><td style="border-left: 1px solid #555"><i class="material-icons">close</i></td><td><i class="material-icons">close</i></td><td><i class="material-icons">close</i></td><td>0</td><td> <!-- Modal Trigger --> <a class="modal-trigger btn waves-effect waves-light" href="#modal-15fbc1f0-2615-4d42-b5d9-a30dd647b050">Detail</a> <!-- Modal Structure --> <div id="modal-15fbc1f0-2615-4d42-b5d9-a30dd647b050" class="modal modal-fixed-footer"> <div class="modal-content"> <h4>DonatjUAParser result detail</h4> <p><pre><code class="php">Array ( [platform] => Windows [browser] => Opera [version] => 7.0 ) </code></pre></p> </div> <div class="modal-footer"> <a href="#!" class="modal-action modal-close waves-effect waves-green btn-flat ">close</a> </div> </div> </td></tr><tr><td>JenssegersAgent<br /><small>v2.3.3</small><br /></td><td>Opera 7.0</td><td><i class="material-icons">close</i></td><td>Windows 5.1</td><td style="border-left: 1px solid #555"><i class="material-icons">close</i></td><td><i class="material-icons">close</i></td><td><i class="material-icons">close</i></td><td></td><td><i class="material-icons">close</i></td><td style="border-left: 1px solid #555"></td><td></td><td><i class="material-icons">close</i></td><td>0.003</td><td> <!-- Modal Trigger --> <a class="modal-trigger btn waves-effect waves-light" href="#modal-b85a2b91-6a55-4436-a82c-1ea0d46e2e51">Detail</a> <!-- Modal Structure --> <div id="modal-b85a2b91-6a55-4436-a82c-1ea0d46e2e51" class="modal modal-fixed-footer"> <div class="modal-content"> <h4>JenssegersAgent result detail</h4> <p><pre><code class="php">Array ( [browserName] => Opera [browserVersion] => 7.0 [osName] => Windows [osVersion] => 5.1 [deviceModel] => [isMobile] => [isRobot] => [botName] => ) </code></pre></p> </div> <div class="modal-footer"> <a href="#!" class="modal-action modal-close waves-effect waves-green btn-flat ">close</a> </div> </div> </td></tr><tr><td>NeutrinoApiCom<br /><small></small><br /></td><td>Opera 7.0</td><td><i class="material-icons">close</i></td><td>Windows 5.1</td><td style="border-left: 1px solid #555"></td><td></td><td>desktop-browser</td><td></td><td><i class="material-icons">close</i></td><td style="border-left: 1px solid #555"></td><td></td><td><i class="material-icons">close</i></td><td>0.20401</td><td> <!-- Modal Trigger --> <a class="modal-trigger btn waves-effect waves-light" href="#modal-8c2a7a4e-3fbf-4df2-8d61-5e730422f67b">Detail</a> <!-- Modal Structure --> <div id="modal-8c2a7a4e-3fbf-4df2-8d61-5e730422f67b" class="modal modal-fixed-footer"> <div class="modal-content"> <h4>NeutrinoApiCom result detail</h4> <p><pre><code class="php">stdClass Object ( [mobile_screen_height] => 0 [is_mobile] => [type] => desktop-browser [mobile_brand] => [mobile_model] => [version] => 7.0 [is_android] => [browser_name] => Opera [operating_system_family] => Windows [operating_system_version] => 5.1 [is_ios] => [producer] => Opera Software ASA. [operating_system] => Windows XP [mobile_screen_width] => 0 [mobile_browser] => ) </code></pre></p> </div> <div class="modal-footer"> <a href="#!" class="modal-action modal-close waves-effect waves-green btn-flat ">close</a> </div> </div> </td></tr><tr><td>PiwikDeviceDetector<br /><small>3.6.1</small><br /></td><td>Opera 7.0</td><td>Presto </td><td>Windows XP</td><td style="border-left: 1px solid #555"></td><td></td><td>desktop</td><td></td><td></td><td style="border-left: 1px solid #555"></td><td></td><td></td><td>0.005</td><td> <!-- Modal Trigger --> <a class="modal-trigger btn waves-effect waves-light" href="#modal-4a941d34-a8d3-4914-9724-346f60ad7046">Detail</a> <!-- Modal Structure --> <div id="modal-4a941d34-a8d3-4914-9724-346f60ad7046" class="modal modal-fixed-footer"> <div class="modal-content"> <h4>PiwikDeviceDetector result detail</h4> <p><pre><code class="php">Array ( [client] => Array ( [type] => browser [name] => Opera [short_name] => OP [version] => 7.0 [engine] => Presto ) [operatingSystem] => Array ( [name] => Windows [short_name] => WIN [version] => XP [platform] => ) [device] => Array ( [brand] => [brandName] => [model] => [device] => 0 [deviceName] => desktop ) [bot] => [extra] => Array ( [isBot] => [isBrowser] => 1 [isFeedReader] => [isMobileApp] => [isPIM] => [isLibrary] => [isMediaPlayer] => [isCamera] => [isCarBrowser] => [isConsole] => [isFeaturePhone] => [isPhablet] => [isPortableMediaPlayer] => [isSmartDisplay] => [isSmartphone] => [isTablet] => [isTV] => [isDesktop] => 1 [isMobile] => [isTouchEnabled] => ) ) </code></pre></p> </div> <div class="modal-footer"> <a href="#!" class="modal-action modal-close waves-effect waves-green btn-flat ">close</a> </div> </div> </td></tr><tr><td>SinergiBrowserDetector<br /><small>6.0.1</small><br /></td><td>Opera 7.0</td><td><i class="material-icons">close</i></td><td>Windows XP</td><td style="border-left: 1px solid #555"><i class="material-icons">close</i></td><td></td><td><i class="material-icons">close</i></td><td></td><td><i class="material-icons">close</i></td><td style="border-left: 1px solid #555"></td><td><i class="material-icons">close</i></td><td><i class="material-icons">close</i></td><td>0.001</td><td> <!-- Modal Trigger --> <a class="modal-trigger btn waves-effect waves-light" href="#modal-ec1cd248-02b0-457e-8a9d-35bb99af008c">Detail</a> <!-- Modal Structure --> <div id="modal-ec1cd248-02b0-457e-8a9d-35bb99af008c" class="modal modal-fixed-footer"> <div class="modal-content"> <h4>SinergiBrowserDetector result detail</h4> <p><pre><code class="php">Array ( [browser] => Sinergi\BrowserDetector\Browser Object ( [userAgent:Sinergi\BrowserDetector\Browser:private] => Sinergi\BrowserDetector\UserAgent Object ( [userAgentString:Sinergi\BrowserDetector\UserAgent:private] => Mozilla/4.0 (compatible; MSIE 6.0; MSIE 5.5; Windows NT 5.1) Opera 7.0 [en] ) [name:Sinergi\BrowserDetector\Browser:private] => Opera [version:Sinergi\BrowserDetector\Browser:private] => 7.0 [isRobot:Sinergi\BrowserDetector\Browser:private] => [isChromeFrame:Sinergi\BrowserDetector\Browser:private] => [isFacebookWebView:Sinergi\BrowserDetector\Browser:private] => [isCompatibilityMode:Sinergi\BrowserDetector\Browser:private] => ) [operatingSystem] => Sinergi\BrowserDetector\Os Object ( [name:Sinergi\BrowserDetector\Os:private] => Windows [version:Sinergi\BrowserDetector\Os:private] => XP [isMobile:Sinergi\BrowserDetector\Os:private] => [userAgent:Sinergi\BrowserDetector\Os:private] => Sinergi\BrowserDetector\UserAgent Object ( [userAgentString:Sinergi\BrowserDetector\UserAgent:private] => Mozilla/4.0 (compatible; MSIE 6.0; MSIE 5.5; Windows NT 5.1) Opera 7.0 [en] ) ) [device] => Sinergi\BrowserDetector\Device Object ( [name:Sinergi\BrowserDetector\Device:private] => unknown [userAgent:Sinergi\BrowserDetector\Device:private] => Sinergi\BrowserDetector\UserAgent Object ( [userAgentString:Sinergi\BrowserDetector\UserAgent:private] => Mozilla/4.0 (compatible; MSIE 6.0; MSIE 5.5; Windows NT 5.1) Opera 7.0 [en] ) ) ) </code></pre></p> </div> <div class="modal-footer"> <a href="#!" class="modal-action modal-close waves-effect waves-green btn-flat ">close</a> </div> </div> </td></tr><tr><td>UAParser<br /><small>v3.4.5</small><br /></td><td>Opera 7.0</td><td><i class="material-icons">close</i></td><td>Windows XP </td><td style="border-left: 1px solid #555"></td><td></td><td><i class="material-icons">close</i></td><td><i class="material-icons">close</i></td><td><i class="material-icons">close</i></td><td style="border-left: 1px solid #555"></td><td></td><td><i class="material-icons">close</i></td><td>0.005</td><td> <!-- Modal Trigger --> <a class="modal-trigger btn waves-effect waves-light" href="#modal-3160e405-8a8f-46dd-8f47-5115f06462d2">Detail</a> <!-- Modal Structure --> <div id="modal-3160e405-8a8f-46dd-8f47-5115f06462d2" class="modal modal-fixed-footer"> <div class="modal-content"> <h4>UAParser result detail</h4> <p><pre><code class="php">UAParser\Result\Client Object ( [ua] => UAParser\Result\UserAgent Object ( [major] => 7 [minor] => 0 [patch] => [family] => Opera ) [os] => UAParser\Result\OperatingSystem Object ( [major] => [minor] => [patch] => [patchMinor] => [family] => Windows XP ) [device] => UAParser\Result\Device Object ( [brand] => [model] => [family] => Other ) [originalUserAgent] => Mozilla/4.0 (compatible; MSIE 6.0; MSIE 5.5; Windows NT 5.1) Opera 7.0 [en] ) </code></pre></p> </div> <div class="modal-footer"> <a href="#!" class="modal-action modal-close waves-effect waves-green btn-flat ">close</a> </div> </div> </td></tr><tr><td>UserAgentApiCom<br /><small></small><br /></td><td>Opera 7.0</td><td> </td><td><i class="material-icons">close</i></td><td style="border-left: 1px solid #555"><i class="material-icons">close</i></td><td><i class="material-icons">close</i></td><td>Desktop</td><td><i class="material-icons">close</i></td><td><i class="material-icons">close</i></td><td style="border-left: 1px solid #555"></td><td></td><td><i class="material-icons">close</i></td><td>0.16601</td><td> <!-- Modal Trigger --> <a class="modal-trigger btn waves-effect waves-light" href="#modal-afeb05fb-26b9-4509-b8ac-0c604a9e97d6">Detail</a> <!-- Modal Structure --> <div id="modal-afeb05fb-26b9-4509-b8ac-0c604a9e97d6" class="modal modal-fixed-footer"> <div class="modal-content"> <h4>UserAgentApiCom result detail</h4> <p><pre><code class="php">stdClass Object ( [platform_name] => Windows XP [platform_version] => Windows NT 5.1 [platform_type] => Desktop [browser_name] => Opera [browser_version] => 7.0 ) </code></pre></p> </div> <div class="modal-footer"> <a href="#!" class="modal-action modal-close waves-effect waves-green btn-flat ">close</a> </div> </div> </td></tr><tr><td>UserAgentStringCom<br /><small></small><br /></td><td>Opera 7.0</td><td><i class="material-icons">close</i></td><td>Windows XP </td><td style="border-left: 1px solid #555"><i class="material-icons">close</i></td><td><i class="material-icons">close</i></td><td><i class="material-icons">close</i></td><td><i class="material-icons">close</i></td><td><i class="material-icons">close</i></td><td style="border-left: 1px solid #555"></td><td></td><td></td><td>0.068</td><td> <!-- Modal Trigger --> <a class="modal-trigger btn waves-effect waves-light" href="#modal-08a9ddfb-838f-48d7-9ede-1d132306b2ee">Detail</a> <!-- Modal Structure --> <div id="modal-08a9ddfb-838f-48d7-9ede-1d132306b2ee" class="modal modal-fixed-footer"> <div class="modal-content"> <h4>UserAgentStringCom result detail</h4> <p><pre><code class="php">stdClass Object ( [agent_type] => Browser [agent_name] => Opera [agent_version] => 7.0 [os_type] => Windows [os_name] => Windows XP [os_versionName] => [os_versionNumber] => [os_producer] => [os_producerURL] => [linux_distibution] => Null [agent_language] => English [agent_languageTag] => en ) </code></pre></p> </div> <div class="modal-footer"> <a href="#!" class="modal-action modal-close waves-effect waves-green btn-flat ">close</a> </div> </div> </td></tr><tr><td>WhatIsMyBrowserCom<br /><small></small><br /></td><td>Opera 7.0</td><td> </td><td>Windows Windows NT 5.1</td><td style="border-left: 1px solid #555"></td><td></td><td><i class="material-icons">close</i></td><td><i class="material-icons">close</i></td><td><i class="material-icons">close</i></td><td style="border-left: 1px solid #555"><i class="material-icons">close</i></td><td><i class="material-icons">close</i></td><td><i class="material-icons">close</i></td><td>0.23301</td><td> <!-- Modal Trigger --> <a class="modal-trigger btn waves-effect waves-light" href="#modal-5fc1ff22-a74d-481b-9ad1-fcfde73ded9c">Detail</a> <!-- Modal Structure --> <div id="modal-5fc1ff22-a74d-481b-9ad1-fcfde73ded9c" class="modal modal-fixed-footer"> <div class="modal-content"> <h4>WhatIsMyBrowserCom result detail</h4> <p><pre><code class="php">stdClass Object ( [operating_system_name] => Windows [simple_sub_description_string] => [simple_browser_string] => Opera 7 on Windows XP [browser_version] => 7 [extra_info] => stdClass Object ( [20] => Array ( [0] => Pretending to be Internet Explorer 6 ) ) [operating_platform] => [extra_info_table] => Array ( ) [layout_engine_name] => [detected_addons] => Array ( ) [operating_system_flavour_code] => [hardware_architecture] => [operating_system_flavour] => [operating_system_frameworks] => Array ( ) [browser_name_code] => opera [operating_system_version] => XP [simple_operating_platform_string] => [is_abusive] => [layout_engine_version] => [browser_capabilities] => Array ( ) [operating_platform_vendor_name] => [operating_system] => Windows XP [operating_system_version_full] => Windows NT 5.1 [operating_platform_code] => [browser_name] => Opera [operating_system_name_code] => windows [user_agent] => Mozilla/4.0 (compatible; MSIE 6.0; MSIE 5.5; Windows NT 5.1) Opera 7.0 [en] [browser_version_full] => 7.0 [browser] => Opera 7 ) </code></pre></p> </div> <div class="modal-footer"> <a href="#!" class="modal-action modal-close waves-effect waves-green btn-flat ">close</a> </div> </div> </td></tr><tr><td>WhichBrowser<br /><small>v2.0.18</small><br /></td><td>Opera 7.0</td><td> </td><td>Windows XP</td><td style="border-left: 1px solid #555"></td><td></td><td>desktop</td><td></td><td><i class="material-icons">close</i></td><td style="border-left: 1px solid #555"></td><td></td><td><i class="material-icons">close</i></td><td>0.004</td><td> <!-- Modal Trigger --> <a class="modal-trigger btn waves-effect waves-light" href="#modal-083a336f-5d73-4505-84f3-c5fc9bb78652">Detail</a> <!-- Modal Structure --> <div id="modal-083a336f-5d73-4505-84f3-c5fc9bb78652" class="modal modal-fixed-footer"> <div class="modal-content"> <h4>WhichBrowser result detail</h4> <p><pre><code class="php">Array ( [browser] => Array ( [name] => Opera [version] => 7.0 [type] => browser ) [os] => Array ( [name] => Windows [version] => Array ( [value] => 5.1 [alias] => XP ) ) [device] => Array ( [type] => desktop ) ) </code></pre></p> </div> <div class="modal-footer"> <a href="#!" class="modal-action modal-close waves-effect waves-green btn-flat ">close</a> </div> </div> </td></tr><tr><td>Woothee<br /><small>v1.2.0</small><br /></td><td>Internet Explorer 6.0</td><td><i class="material-icons">close</i></td><td><i class="material-icons">close</i></td><td style="border-left: 1px solid #555"><i class="material-icons">close</i></td><td><i class="material-icons">close</i></td><td>pc</td><td><i class="material-icons">close</i></td><td><i class="material-icons">close</i></td><td style="border-left: 1px solid #555"></td><td></td><td><i class="material-icons">close</i></td><td>0</td><td> <!-- Modal Trigger --> <a class="modal-trigger btn waves-effect waves-light" href="#modal-f00e7198-0e22-49fe-bad0-dbb3a9cde9b9">Detail</a> <!-- Modal Structure --> <div id="modal-f00e7198-0e22-49fe-bad0-dbb3a9cde9b9" class="modal modal-fixed-footer"> <div class="modal-content"> <h4>Woothee result detail</h4> <p><pre><code class="php">Array ( [name] => Internet Explorer [vendor] => Microsoft [version] => 6.0 [category] => pc [os] => Windows XP [os_version] => NT 5.1 ) </code></pre></p> </div> <div class="modal-footer"> <a href="#!" class="modal-action modal-close waves-effect waves-green btn-flat ">close</a> </div> </div> </td></tr><tr><td>Wurfl<br /><small>1.7.1.0</small><br /></td><td> </td><td><i class="material-icons">close</i></td><td> </td><td style="border-left: 1px solid #555"></td><td></td><td>Desktop</td><td></td><td></td><td style="border-left: 1px solid #555"></td><td><i class="material-icons">close</i></td><td><i class="material-icons">close</i></td><td>0.021</td><td> <!-- Modal Trigger --> <a class="modal-trigger btn waves-effect waves-light" href="#modal-a2bedf8c-4a95-42a7-96c5-aaf233b2ac50">Detail</a> <!-- Modal Structure --> <div id="modal-a2bedf8c-4a95-42a7-96c5-aaf233b2ac50" class="modal modal-fixed-footer"> <div class="modal-content"> <h4>Wurfl result detail</h4> <p><pre><code class="php">Array ( [virtual] => Array ( [is_android] => false [is_ios] => false [is_windows_phone] => false [is_app] => false [is_full_desktop] => true [is_largescreen] => true [is_mobile] => false [is_robot] => false [is_smartphone] => false [is_touchscreen] => false [is_wml_preferred] => false [is_xhtmlmp_preferred] => false [is_html_preferred] => true [advertised_device_os] => [advertised_device_os_version] => [advertised_browser] => [advertised_browser_version] => [complete_device_name] => Opera Software Opera [device_name] => Opera Software Opera [form_factor] => Desktop [is_phone] => false [is_app_webview] => false ) [all] => Array ( [brand_name] => Opera Software [model_name] => Opera [unique] => true [ununiqueness_handler] => [is_wireless_device] => false [device_claims_web_support] => true [has_qwerty_keyboard] => true [can_skip_aligned_link_row] => true [uaprof] => [uaprof2] => [uaprof3] => [nokia_series] => 0 [nokia_edition] => 0 [device_os] => Desktop [mobile_browser] => Opera [mobile_browser_version] => 7.0 [device_os_version] => [pointing_method] => mouse [release_date] => 2003_january [marketing_name] => [model_extra_info] => [nokia_feature_pack] => 0 [can_assign_phone_number] => false [is_tablet] => false [manufacturer_name] => [is_bot] => false [is_google_glass] => false [proportional_font] => false [built_in_back_button_support] => false [card_title_support] => false [softkey_support] => false [table_support] => false [numbered_menus] => false [menu_with_select_element_recommended] => false [menu_with_list_of_links_recommended] => false [icons_on_menu_items_support] => false [break_list_of_links_with_br_element_recommended] => false [access_key_support] => false [wrap_mode_support] => false [times_square_mode_support] => false [deck_prefetch_support] => false [elective_forms_recommended] => false [wizards_recommended] => false [image_as_link_support] => false [insert_br_element_after_widget_recommended] => false [wml_can_display_images_and_text_on_same_line] => false [wml_displays_image_in_center] => false [opwv_wml_extensions_support] => false [wml_make_phone_call_string] => none [chtml_display_accesskey] => false [emoji] => false [chtml_can_display_images_and_text_on_same_line] => false [chtml_displays_image_in_center] => false [imode_region] => none [chtml_make_phone_call_string] => tel: [chtml_table_support] => true [xhtml_honors_bgcolor] => true [xhtml_supports_forms_in_table] => true [xhtml_support_wml2_namespace] => false [xhtml_autoexpand_select] => false [xhtml_select_as_dropdown] => true [xhtml_select_as_radiobutton] => true [xhtml_select_as_popup] => true [xhtml_display_accesskey] => false [xhtml_supports_invisible_text] => false [xhtml_supports_inline_input] => false [xhtml_supports_monospace_font] => false [xhtml_supports_table_for_layout] => false [xhtml_supports_css_cell_table_coloring] => false [xhtml_format_as_css_property] => false [xhtml_format_as_attribute] => false [xhtml_nowrap_mode] => false [xhtml_marquee_as_css_property] => false [xhtml_readable_background_color1] => #FFFFFF [xhtml_readable_background_color2] => #FFFFFF [xhtml_allows_disabled_form_elements] => false [xhtml_document_title_support] => true [xhtml_preferred_charset] => utf8 [opwv_xhtml_extensions_support] => false [xhtml_make_phone_call_string] => none [xhtmlmp_preferred_mime_type] => text/html [xhtml_table_support] => false [xhtml_send_sms_string] => none [xhtml_send_mms_string] => none [xhtml_file_upload] => supported [cookie_support] => true [accept_third_party_cookie] => true [xhtml_supports_iframe] => full [xhtml_avoid_accesskeys] => true [xhtml_can_embed_video] => play_and_stop [ajax_support_javascript] => true [ajax_manipulate_css] => true [ajax_support_getelementbyid] => true [ajax_support_inner_html] => true [ajax_xhr_type] => standard [ajax_manipulate_dom] => true [ajax_support_events] => true [ajax_support_event_listener] => true [ajax_preferred_geoloc_api] => none [xhtml_support_level] => 4 [preferred_markup] => html_web_4_0 [wml_1_1] => false [wml_1_2] => false [wml_1_3] => false [html_wi_w3_xhtmlbasic] => true [html_wi_oma_xhtmlmp_1_0] => false [html_wi_imode_html_1] => false [html_wi_imode_html_2] => false [html_wi_imode_html_3] => false [html_wi_imode_html_4] => false [html_wi_imode_html_5] => false [html_wi_imode_htmlx_1] => false [html_wi_imode_htmlx_1_1] => false [html_wi_imode_compact_generic] => false [html_web_3_2] => true [html_web_4_0] => true [voicexml] => false [multipart_support] => false [total_cache_disable_support] => false [time_to_live_support] => false [resolution_width] => 800 [resolution_height] => 600 [columns] => 120 [max_image_width] => 800 [max_image_height] => 600 [rows] => 200 [physical_screen_width] => 400 [physical_screen_height] => 400 [dual_orientation] => false [density_class] => 1.0 [wbmp] => false [bmp] => true [epoc_bmp] => false [gif_animated] => true [jpg] => true [png] => true [tiff] => false [transparent_png_alpha] => false [transparent_png_index] => false [svgt_1_1] => true [svgt_1_1_plus] => false [greyscale] => false [gif] => true [colors] => 65536 [webp_lossy_support] => false [webp_lossless_support] => false [post_method_support] => true [basic_authentication_support] => true [empty_option_value_support] => true [emptyok] => false [nokia_voice_call] => false [wta_voice_call] => false [wta_phonebook] => false [wta_misc] => false [wta_pdc] => false [https_support] => true [phone_id_provided] => false [max_data_rate] => 3200 [wifi] => true [sdio] => false [vpn] => false [has_cellular_radio] => false [max_deck_size] => 100000 [max_url_length_in_requests] => 128 [max_url_length_homepage] => 0 [max_url_length_bookmark] => 0 [max_url_length_cached_page] => 0 [max_no_of_connection_settings] => 0 [max_no_of_bookmarks] => 0 [max_length_of_username] => 0 [max_length_of_password] => 0 [max_object_size] => 0 [downloadfun_support] => false [directdownload_support] => false [inline_support] => false [oma_support] => false [ringtone] => false [ringtone_3gpp] => false [ringtone_midi_monophonic] => false [ringtone_midi_polyphonic] => false [ringtone_imelody] => false [ringtone_digiplug] => false [ringtone_compactmidi] => false [ringtone_mmf] => false [ringtone_rmf] => false [ringtone_xmf] => false [ringtone_amr] => false [ringtone_awb] => false [ringtone_aac] => false [ringtone_wav] => false [ringtone_mp3] => false [ringtone_spmidi] => false [ringtone_qcelp] => false [ringtone_voices] => 1 [ringtone_df_size_limit] => 0 [ringtone_directdownload_size_limit] => 0 [ringtone_inline_size_limit] => 0 [ringtone_oma_size_limit] => 0 [wallpaper] => false [wallpaper_max_width] => 0 [wallpaper_max_height] => 0 [wallpaper_preferred_width] => 0 [wallpaper_preferred_height] => 0 [wallpaper_resize] => none [wallpaper_wbmp] => false [wallpaper_bmp] => false [wallpaper_gif] => false [wallpaper_jpg] => false [wallpaper_png] => false [wallpaper_tiff] => false [wallpaper_greyscale] => false [wallpaper_colors] => 2 [wallpaper_df_size_limit] => 0 [wallpaper_directdownload_size_limit] => 0 [wallpaper_inline_size_limit] => 0 [wallpaper_oma_size_limit] => 0 [screensaver] => false [screensaver_max_width] => 0 [screensaver_max_height] => 0 [screensaver_preferred_width] => 0 [screensaver_preferred_height] => 0 [screensaver_resize] => none [screensaver_wbmp] => false [screensaver_bmp] => false [screensaver_gif] => false [screensaver_jpg] => false [screensaver_png] => false [screensaver_greyscale] => false [screensaver_colors] => 2 [screensaver_df_size_limit] => 0 [screensaver_directdownload_size_limit] => 0 [screensaver_inline_size_limit] => 0 [screensaver_oma_size_limit] => 0 [picture] => false [picture_max_width] => 0 [picture_max_height] => 0 [picture_preferred_width] => 0 [picture_preferred_height] => 0 [picture_resize] => none [picture_wbmp] => false [picture_bmp] => false [picture_gif] => false [picture_jpg] => false [picture_png] => false [picture_greyscale] => false [picture_colors] => 2 [picture_df_size_limit] => 0 [picture_directdownload_size_limit] => 0 [picture_inline_size_limit] => 0 [picture_oma_size_limit] => 0 [video] => false [oma_v_1_0_forwardlock] => false [oma_v_1_0_combined_delivery] => false [oma_v_1_0_separate_delivery] => false [streaming_video] => false [streaming_3gpp] => false [streaming_mp4] => false [streaming_mov] => false [streaming_video_size_limit] => 0 [streaming_real_media] => none [streaming_flv] => false [streaming_3g2] => false [streaming_vcodec_h263_0] => -1 [streaming_vcodec_h263_3] => -1 [streaming_vcodec_mpeg4_sp] => -1 [streaming_vcodec_mpeg4_asp] => -1 [streaming_vcodec_h264_bp] => -1 [streaming_acodec_amr] => none [streaming_acodec_aac] => none [streaming_wmv] => none [streaming_preferred_protocol] => rtsp [streaming_preferred_http_protocol] => none [wap_push_support] => false [connectionless_service_indication] => false [connectionless_service_load] => false [connectionless_cache_operation] => false [connectionoriented_unconfirmed_service_indication] => false [connectionoriented_unconfirmed_service_load] => false [connectionoriented_unconfirmed_cache_operation] => false [connectionoriented_confirmed_service_indication] => false [connectionoriented_confirmed_service_load] => false [connectionoriented_confirmed_cache_operation] => false [utf8_support] => true [ascii_support] => false [iso8859_support] => false [expiration_date] => false [j2me_cldc_1_0] => false [j2me_cldc_1_1] => false [j2me_midp_1_0] => false [j2me_midp_2_0] => false [doja_1_0] => false [doja_1_5] => false [doja_2_0] => false [doja_2_1] => false [doja_2_2] => false [doja_3_0] => false [doja_3_5] => false [doja_4_0] => false [j2me_jtwi] => false [j2me_mmapi_1_0] => false [j2me_mmapi_1_1] => false [j2me_wmapi_1_0] => false [j2me_wmapi_1_1] => false [j2me_wmapi_2_0] => false [j2me_btapi] => false [j2me_3dapi] => false [j2me_locapi] => false [j2me_nokia_ui] => false [j2me_motorola_lwt] => false [j2me_siemens_color_game] => false [j2me_siemens_extension] => false [j2me_heap_size] => 0 [j2me_max_jar_size] => 0 [j2me_storage_size] => 0 [j2me_max_record_store_size] => 0 [j2me_screen_width] => 0 [j2me_screen_height] => 0 [j2me_canvas_width] => 0 [j2me_canvas_height] => 0 [j2me_bits_per_pixel] => 0 [j2me_audio_capture_enabled] => false [j2me_video_capture_enabled] => false [j2me_photo_capture_enabled] => false [j2me_capture_image_formats] => none [j2me_http] => false [j2me_https] => false [j2me_socket] => false [j2me_udp] => false [j2me_serial] => false [j2me_gif] => false [j2me_gif89a] => false [j2me_jpg] => false [j2me_png] => false [j2me_bmp] => false [j2me_bmp3] => false [j2me_wbmp] => false [j2me_midi] => false [j2me_wav] => false [j2me_amr] => false [j2me_mp3] => false [j2me_mp4] => false [j2me_imelody] => false [j2me_rmf] => false [j2me_au] => false [j2me_aac] => false [j2me_realaudio] => false [j2me_xmf] => false [j2me_wma] => false [j2me_3gpp] => false [j2me_h263] => false [j2me_svgt] => false [j2me_mpeg4] => false [j2me_realvideo] => false [j2me_real8] => false [j2me_realmedia] => false [j2me_left_softkey_code] => 0 [j2me_right_softkey_code] => 0 [j2me_middle_softkey_code] => 0 [j2me_select_key_code] => 0 [j2me_return_key_code] => 0 [j2me_clear_key_code] => 0 [j2me_datefield_no_accepts_null_date] => false [j2me_datefield_broken] => false [receiver] => false [sender] => false [mms_max_size] => 0 [mms_max_height] => 0 [mms_max_width] => 0 [built_in_recorder] => false [built_in_camera] => false [mms_jpeg_baseline] => false [mms_jpeg_progressive] => false [mms_gif_static] => false [mms_gif_animated] => false [mms_png] => false [mms_bmp] => false [mms_wbmp] => false [mms_amr] => false [mms_wav] => false [mms_midi_monophonic] => false [mms_midi_polyphonic] => false [mms_midi_polyphonic_voices] => 0 [mms_spmidi] => false [mms_mmf] => false [mms_mp3] => false [mms_evrc] => false [mms_qcelp] => false [mms_ota_bitmap] => false [mms_nokia_wallpaper] => false [mms_nokia_operatorlogo] => false [mms_nokia_3dscreensaver] => false [mms_nokia_ringingtone] => false [mms_rmf] => false [mms_xmf] => false [mms_symbian_install] => false [mms_jar] => false [mms_jad] => false [mms_vcard] => false [mms_vcalendar] => false [mms_wml] => false [mms_wbxml] => false [mms_wmlc] => false [mms_video] => false [mms_mp4] => false [mms_3gpp] => false [mms_3gpp2] => false [mms_max_frame_rate] => 0 [nokiaring] => false [picturemessage] => false [operatorlogo] => false [largeoperatorlogo] => false [callericon] => false [nokiavcard] => false [nokiavcal] => false [sckl_ringtone] => false [sckl_operatorlogo] => false [sckl_groupgraphic] => false [sckl_vcard] => false [sckl_vcalendar] => false [text_imelody] => false [ems] => false [ems_variablesizedpictures] => false [ems_imelody] => false [ems_odi] => false [ems_upi] => false [ems_version] => 0 [siemens_ota] => false [siemens_logo_width] => 101 [siemens_logo_height] => 29 [siemens_screensaver_width] => 101 [siemens_screensaver_height] => 50 [gprtf] => false [sagem_v1] => false [sagem_v2] => false [panasonic] => false [sms_enabled] => false [wav] => false [mmf] => false [smf] => false [mld] => false [midi_monophonic] => false [midi_polyphonic] => false [sp_midi] => false [rmf] => false [xmf] => false [compactmidi] => false [digiplug] => false [nokia_ringtone] => false [imelody] => false [au] => false [amr] => false [awb] => false [aac] => false [mp3] => false [voices] => 1 [qcelp] => false [evrc] => false [flash_lite_version] => [fl_wallpaper] => false [fl_screensaver] => false [fl_standalone] => false [fl_browser] => false [fl_sub_lcd] => false [full_flash_support] => true [css_supports_width_as_percentage] => true [css_border_image] => none [css_rounded_corners] => none [css_gradient] => none [css_spriting] => true [css_gradient_linear] => none [is_transcoder] => false [transcoder_ua_header] => user-agent [rss_support] => false [pdf_support] => true [progressive_download] => true [playback_vcodec_h263_0] => -1 [playback_vcodec_h263_3] => -1 [playback_vcodec_mpeg4_sp] => -1 [playback_vcodec_mpeg4_asp] => -1 [playback_vcodec_h264_bp] => -1 [playback_real_media] => none [playback_3gpp] => false [playback_3g2] => false [playback_mp4] => false [playback_mov] => false [playback_acodec_amr] => none [playback_acodec_aac] => none [playback_df_size_limit] => 0 [playback_directdownload_size_limit] => 0 [playback_inline_size_limit] => 0 [playback_oma_size_limit] => 0 [playback_acodec_qcelp] => false [playback_wmv] => none [hinted_progressive_download] => false [html_preferred_dtd] => html4 [viewport_supported] => false [viewport_width] => width_equals_max_image_width [viewport_userscalable] => [viewport_initial_scale] => [viewport_maximum_scale] => [viewport_minimum_scale] => [mobileoptimized] => false [handheldfriendly] => false [canvas_support] => none [image_inlining] => true [is_smarttv] => false [is_console] => false [nfc_support] => false [ux_full_desktop] => true [jqm_grade] => A [is_sencha_touch_ok] => true ) ) </code></pre></p> </div> <div class="modal-footer"> <a href="#!" class="modal-action modal-close waves-effect waves-green btn-flat ">close</a> </div> </div> </td></tr><tr><td>Zsxsoft<br /><small>1.3</small><br /></td><td>Opera 7.0</td><td><i class="material-icons">close</i></td><td>Windows XP</td><td style="border-left: 1px solid #555"></td><td></td><td><i class="material-icons">close</i></td><td><i class="material-icons">close</i></td><td><i class="material-icons">close</i></td><td style="border-left: 1px solid #555"><i class="material-icons">close</i></td><td><i class="material-icons">close</i></td><td><i class="material-icons">close</i></td><td>0.001</td><td> <!-- Modal Trigger --> <a class="modal-trigger btn waves-effect waves-light" href="#modal-5d43e024-b46c-44f6-8914-529b05569bc2">Detail</a> <!-- Modal Structure --> <div id="modal-5d43e024-b46c-44f6-8914-529b05569bc2" class="modal modal-fixed-footer"> <div class="modal-content"> <h4>Zsxsoft result detail</h4> <p><pre><code class="php">Array ( [browser] => Array ( [link] => http://www.opera.com/ [title] => Opera 7.0 [name] => Opera [version] => 7.0 [code] => opera-1 [image] => img/16/browser/opera-1.png ) [os] => Array ( [link] => http://www.microsoft.com/windows/ [name] => Windows [version] => XP [code] => win-2 [x64] => [title] => Windows XP [type] => os [dir] => os [image] => img/16/os/win-2.png ) [device] => Array ( [link] => [title] => [model] => [brand] => [code] => null [dir] => device [type] => device [image] => img/16/device/null.png ) [platform] => Array ( [link] => http://www.microsoft.com/windows/ [name] => Windows [version] => XP [code] => win-2 [x64] => [title] => Windows XP [type] => os [dir] => os [image] => img/16/os/win-2.png ) ) </code></pre></p> </div> <div class="modal-footer"> <a href="#!" class="modal-action modal-close waves-effect waves-green btn-flat ">close</a> </div> </div> </td></tr></table> </div> <div class="section"> <h1 class="header center orange-text">About this comparison</h1> <div class="row center"> <h5 class="header light"> The primary goal of this project is simple<br /> I wanted to know which user agent parser is the most accurate in each part - device detection, bot detection and so on...<br /> <br /> The secondary goal is to provide a source for all user agent parsers to improve their detection based on this results.<br /> <br /> You can also improve this further, by suggesting ideas at <a href="https://github.com/ThaDafinser/UserAgentParserComparison">ThaDafinser/UserAgentParserComparison</a><br /> <br /> The comparison is based on the abstraction by <a href="https://github.com/ThaDafinser/UserAgentParser">ThaDafinser/UserAgentParser</a> </h5> </div> </div> <div class="card"> <div class="card-content"> Comparison created <i>2016-05-10 08:00:58</i> | by <a href="https://github.com/ThaDafinser">ThaDafinser</a> </div> </div> </div> <script src="https://code.jquery.com/jquery-2.1.4.min.js"></script> <script src="https://cdnjs.cloudflare.com/ajax/libs/materialize/0.97.3/js/materialize.min.js"></script> <script src="http://cdnjs.cloudflare.com/ajax/libs/list.js/1.2.0/list.min.js"></script> <script> $(document).ready(function(){ // the "href" attribute of .modal-trigger must specify the modal ID that wants to be triggered $('.modal-trigger').leanModal(); }); </script> </body> </html>
{ "content_hash": "7e031723c8e07dfca0882ad5e9128538", "timestamp": "", "source": "github", "line_count": 1413, "max_line_length": 799, "avg_line_length": 39.481953290870486, "alnum_prop": 0.5387000788700079, "repo_name": "ThaDafinser/UserAgentParserComparison", "id": "7644d51d2da0ebe5487bac69dcfaadf8b17f0578", "size": "55789", "binary": false, "copies": "1", "ref": "refs/heads/gh-pages", "path": "v5/user-agent-detail/7d/e3/7de3554a-c85e-427a-a3d4-cf656e01fb1c.html", "mode": "33188", "license": "mit", "language": [ { "name": "HTML", "bytes": "2060859160" } ], "symlink_target": "" }
<?xml version='1.0' encoding='UTF-8'?> <resources> <string name="object_null_title">Ой...</string> <string name="object_null_message">Кажется здесь ничего нет...</string> </resources>
{ "content_hash": "67ae1277ddb2ee36028cb7784715cfa6", "timestamp": "", "source": "github", "line_count": 5, "max_line_length": 73, "avg_line_length": 37.6, "alnum_prop": 0.6861702127659575, "repo_name": "oshepherd/Impeller", "id": "eb7ffa04f4358319d441157fb668f63c7198a38f", "size": "211", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "res/values-ru/strings_fragment_object_null.xml", "mode": "33188", "license": "apache-2.0", "language": [ { "name": "Java", "bytes": "512203" }, { "name": "Shell", "bytes": "423" } ], "symlink_target": "" }
interface ConvertOptions { cap?: boolean; curry?: boolean; fixed?: boolean; immutable?: boolean; rearg?: boolean; } interface Convert { (func: object, options?: ConvertOptions): any; (name: string, func: (...args: any[]) => any, options?: ConvertOptions): any; } declare const convert: Convert; export = convert;
{ "content_hash": "3234775fcb0aa7427f934303607ac2c0", "timestamp": "", "source": "github", "line_count": 15, "max_line_length": 81, "avg_line_length": 23.866666666666667, "alnum_prop": 0.6201117318435754, "repo_name": "cripplet/munuc-django", "id": "39415177123249125c8d2666396774d6a32b649d", "size": "358", "binary": false, "copies": "2", "ref": "refs/heads/master", "path": "functions/node_modules/@types/lodash/fp/convert.d.ts", "mode": "33188", "license": "mit", "language": [ { "name": "Python", "bytes": "21108" } ], "symlink_target": "" }
@echo off set VSCOMNTOOLS=%VS120COMNTOOLS% @call "%VSCOMNTOOLS%\VsDevCmd.bat" @call :GetWindowsSdk35ExecutablePath32 @rem Use MIDL to compile IDL to TLB set DIA2IDL=%VSCOMNTOOLS%\..\..\DIA SDK\idl\dia2.idl set DIA2INC=%VSCOMNTOOLS%\..\..\DIA SDK\include midl /tlb dia2lib.tlb /I "%DIA2INC%" "%DIA2IDL%" @rem Cleanup after MIDL del dia2.h dia2_i.c dia2_p.c dlldata.c @rem Use TLBIMP to convert TLB to Assembly tlbimp /out:net40\dia2lib.dll /namespace:Dia2Lib dia2lib.tlb "%WindowsSDK35_ExecutablePath_x86%\tlbimp.exe" /out:net20\dia2lib.dll /namespace:Dia2Lib dia2lib.tlb @rem Cleanup - no longer need TLB del dia2lib.tlb @exit /B 0 @REM ----------------------------------------------------------------------- @REM .NET 3.5 SDK @REM ----------------------------------------------------------------------- :GetWindowsSdk35ExecutablePath32 @set WindowsSDK35_ExecutablePath_x86= @call :GetWindowsSdk35ExePathHelper HKLM > nul 2>&1 @if errorlevel 1 call :GetWindowsSdk35ExePathHelper HKCU > nul 2>&1 @if errorlevel 1 call :GetWindowsSdk35ExePathHelperWow6432 HKLM > nul 2>&1 @if errorlevel 1 call :GetWindowsSdk35ExePathHelperWow6432 HKCU > nul 2>&1 @exit /B 0 :GetWindowsSdk35ExePathHelper @for /F "tokens=1,2*" %%i in ('reg query "%1\SOFTWARE\Microsoft\Microsoft SDKs\Windows\v8.0A\WinSDK-NetFx35Tools" /v "InstallationFolder"') DO ( @if "%%i"=="InstallationFolder" ( @SET "WindowsSDK35_ExecutablePath_x86=%%k" ) ) @if "%WindowsSDK35_ExecutablePath_x86%"=="" exit /B 1 @exit /B 0 :GetWindowsSdk35ExePathHelperWow6432 @for /F "tokens=1,2*" %%i in ('reg query "%1\SOFTWARE\Wow6432Node\Microsoft\Microsoft SDKs\Windows\v8.0A\WinSDK-NetFx35Tools" /v "InstallationFolder"') DO ( @if "%%i"=="InstallationFolder" ( @SET "WindowsSDK35_ExecutablePath_x86=%%k" ) ) @if "%WindowsSDK35_ExecutablePath_x86%"=="" exit /B 1 @exit /B 0
{ "content_hash": "9a7915af8c458e038af6ab8b4d8434c5", "timestamp": "", "source": "github", "line_count": 51, "max_line_length": 156, "avg_line_length": 36.09803921568628, "alnum_prop": 0.6854970124932103, "repo_name": "gimelfarb/ProductionStackTrace", "id": "727964aa09e32863a05e095d8e29d1a022c03b53", "size": "1841", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "Lib/dia2lib/gen_dia2lib.cmd", "mode": "33188", "license": "mit", "language": [ { "name": "Batchfile", "bytes": "3343" }, { "name": "C#", "bytes": "83290" }, { "name": "PowerShell", "bytes": "1028" } ], "symlink_target": "" }
<!DOCTYPE HTML PUBLIC "-//W3C//DTD HTML 4.01 Transitional//EN" "http://www.w3.org/TR/html4/loose.dtd"> <!-- NewPage --> <html lang="en"> <head> <!-- Generated by javadoc (1.8.0_151) on Wed Jan 16 10:54:25 MST 2019 --> <meta http-equiv="Content-Type" content="text/html; charset=UTF-8"> <title>Uses of Interface org.wildfly.swarm.config.remoting.PolicySASLPolicyConsumer (BOM: * : All 2.3.0.Final-SNAPSHOT API)</title> <meta name="date" content="2019-01-16"> <link rel="stylesheet" type="text/css" href="../../../../../../stylesheet.css" title="Style"> <script type="text/javascript" src="../../../../../../script.js"></script> </head> <body> <script type="text/javascript"><!-- try { if (location.href.indexOf('is-external=true') == -1) { parent.document.title="Uses of Interface org.wildfly.swarm.config.remoting.PolicySASLPolicyConsumer (BOM: * : All 2.3.0.Final-SNAPSHOT API)"; } } catch(err) { } //--> </script> <noscript> <div>JavaScript is disabled on your browser.</div> </noscript> <!-- ========= START OF TOP NAVBAR ======= --> <div class="topNav"><a name="navbar.top"> <!-- --> </a> <div class="skipNav"><a href="#skip.navbar.top" title="Skip navigation links">Skip navigation links</a></div> <a name="navbar.top.firstrow"> <!-- --> </a> <ul class="navList" title="Navigation"> <li><a href="../../../../../../overview-summary.html">Overview</a></li> <li><a href="../package-summary.html">Package</a></li> <li><a href="../../../../../../org/wildfly/swarm/config/remoting/PolicySASLPolicyConsumer.html" title="interface in org.wildfly.swarm.config.remoting">Class</a></li> <li class="navBarCell1Rev">Use</li> <li><a href="../../../../../../overview-tree.html">Tree</a></li> <li><a href="../../../../../../deprecated-list.html">Deprecated</a></li> <li><a href="../../../../../../index-all.html">Index</a></li> <li><a href="../../../../../../help-doc.html">Help</a></li> </ul> <div class="aboutLanguage">Thorntail API, 2.3.0.Final-SNAPSHOT</div> </div> <div class="subNav"> <ul class="navList"> <li>Prev</li> <li>Next</li> </ul> <ul class="navList"> <li><a href="../../../../../../index.html?org/wildfly/swarm/config/remoting/class-use/PolicySASLPolicyConsumer.html" target="_top">Frames</a></li> <li><a href="PolicySASLPolicyConsumer.html" target="_top">No&nbsp;Frames</a></li> </ul> <ul class="navList" id="allclasses_navbar_top"> <li><a href="../../../../../../allclasses-noframe.html">All&nbsp;Classes</a></li> </ul> <div> <script type="text/javascript"><!-- allClassesLink = document.getElementById("allclasses_navbar_top"); if(window==top) { allClassesLink.style.display = "block"; } else { allClassesLink.style.display = "none"; } //--> </script> </div> <a name="skip.navbar.top"> <!-- --> </a></div> <!-- ========= END OF TOP NAVBAR ========= --> <div class="header"> <h2 title="Uses of Interface org.wildfly.swarm.config.remoting.PolicySASLPolicyConsumer" class="title">Uses of Interface<br>org.wildfly.swarm.config.remoting.PolicySASLPolicyConsumer</h2> </div> <div class="classUseContainer"> <ul class="blockList"> <li class="blockList"> <table class="useSummary" border="0" cellpadding="3" cellspacing="0" summary="Use table, listing packages, and an explanation"> <caption><span>Packages that use <a href="../../../../../../org/wildfly/swarm/config/remoting/PolicySASLPolicyConsumer.html" title="interface in org.wildfly.swarm.config.remoting">PolicySASLPolicyConsumer</a></span><span class="tabEnd">&nbsp;</span></caption> <tr> <th class="colFirst" scope="col">Package</th> <th class="colLast" scope="col">Description</th> </tr> <tbody> <tr class="altColor"> <td class="colFirst"><a href="#org.wildfly.swarm.config.remoting">org.wildfly.swarm.config.remoting</a></td> <td class="colLast">&nbsp;</td> </tr> </tbody> </table> </li> <li class="blockList"> <ul class="blockList"> <li class="blockList"><a name="org.wildfly.swarm.config.remoting"> <!-- --> </a> <h3>Uses of <a href="../../../../../../org/wildfly/swarm/config/remoting/PolicySASLPolicyConsumer.html" title="interface in org.wildfly.swarm.config.remoting">PolicySASLPolicyConsumer</a> in <a href="../../../../../../org/wildfly/swarm/config/remoting/package-summary.html">org.wildfly.swarm.config.remoting</a></h3> <table class="useSummary" border="0" cellpadding="3" cellspacing="0" summary="Use table, listing methods, and an explanation"> <caption><span>Methods in <a href="../../../../../../org/wildfly/swarm/config/remoting/package-summary.html">org.wildfly.swarm.config.remoting</a> that return <a href="../../../../../../org/wildfly/swarm/config/remoting/PolicySASLPolicyConsumer.html" title="interface in org.wildfly.swarm.config.remoting">PolicySASLPolicyConsumer</a></span><span class="tabEnd">&nbsp;</span></caption> <tr> <th class="colFirst" scope="col">Modifier and Type</th> <th class="colLast" scope="col">Method and Description</th> </tr> <tbody> <tr class="altColor"> <td class="colFirst"><code>default <a href="../../../../../../org/wildfly/swarm/config/remoting/PolicySASLPolicyConsumer.html" title="interface in org.wildfly.swarm.config.remoting">PolicySASLPolicyConsumer</a>&lt;<a href="../../../../../../org/wildfly/swarm/config/remoting/PolicySASLPolicyConsumer.html" title="type parameter in PolicySASLPolicyConsumer">T</a>&gt;</code></td> <td class="colLast"><span class="typeNameLabel">PolicySASLPolicyConsumer.</span><code><span class="memberNameLink"><a href="../../../../../../org/wildfly/swarm/config/remoting/PolicySASLPolicyConsumer.html#andThen-org.wildfly.swarm.config.remoting.PolicySASLPolicyConsumer-">andThen</a></span>(<a href="../../../../../../org/wildfly/swarm/config/remoting/PolicySASLPolicyConsumer.html" title="interface in org.wildfly.swarm.config.remoting">PolicySASLPolicyConsumer</a>&lt;<a href="../../../../../../org/wildfly/swarm/config/remoting/PolicySASLPolicyConsumer.html" title="type parameter in PolicySASLPolicyConsumer">T</a>&gt;&nbsp;after)</code>&nbsp;</td> </tr> </tbody> </table> <table class="useSummary" border="0" cellpadding="3" cellspacing="0" summary="Use table, listing methods, and an explanation"> <caption><span>Methods in <a href="../../../../../../org/wildfly/swarm/config/remoting/package-summary.html">org.wildfly.swarm.config.remoting</a> with parameters of type <a href="../../../../../../org/wildfly/swarm/config/remoting/PolicySASLPolicyConsumer.html" title="interface in org.wildfly.swarm.config.remoting">PolicySASLPolicyConsumer</a></span><span class="tabEnd">&nbsp;</span></caption> <tr> <th class="colFirst" scope="col">Modifier and Type</th> <th class="colLast" scope="col">Method and Description</th> </tr> <tbody> <tr class="altColor"> <td class="colFirst"><code>default <a href="../../../../../../org/wildfly/swarm/config/remoting/PolicySASLPolicyConsumer.html" title="interface in org.wildfly.swarm.config.remoting">PolicySASLPolicyConsumer</a>&lt;<a href="../../../../../../org/wildfly/swarm/config/remoting/PolicySASLPolicyConsumer.html" title="type parameter in PolicySASLPolicyConsumer">T</a>&gt;</code></td> <td class="colLast"><span class="typeNameLabel">PolicySASLPolicyConsumer.</span><code><span class="memberNameLink"><a href="../../../../../../org/wildfly/swarm/config/remoting/PolicySASLPolicyConsumer.html#andThen-org.wildfly.swarm.config.remoting.PolicySASLPolicyConsumer-">andThen</a></span>(<a href="../../../../../../org/wildfly/swarm/config/remoting/PolicySASLPolicyConsumer.html" title="interface in org.wildfly.swarm.config.remoting">PolicySASLPolicyConsumer</a>&lt;<a href="../../../../../../org/wildfly/swarm/config/remoting/PolicySASLPolicyConsumer.html" title="type parameter in PolicySASLPolicyConsumer">T</a>&gt;&nbsp;after)</code>&nbsp;</td> </tr> <tr class="rowColor"> <td class="colFirst"><code><a href="../../../../../../org/wildfly/swarm/config/remoting/SASLSecurity.html" title="type parameter in SASLSecurity">T</a></code></td> <td class="colLast"><span class="typeNameLabel">SASLSecurity.</span><code><span class="memberNameLink"><a href="../../../../../../org/wildfly/swarm/config/remoting/SASLSecurity.html#policySaslPolicy-org.wildfly.swarm.config.remoting.PolicySASLPolicyConsumer-">policySaslPolicy</a></span>(<a href="../../../../../../org/wildfly/swarm/config/remoting/PolicySASLPolicyConsumer.html" title="interface in org.wildfly.swarm.config.remoting">PolicySASLPolicyConsumer</a>&nbsp;consumer)</code> <div class="block">The policy configuration.</div> </td> </tr> </tbody> </table> </li> </ul> </li> </ul> </div> <!-- ======= START OF BOTTOM NAVBAR ====== --> <div class="bottomNav"><a name="navbar.bottom"> <!-- --> </a> <div class="skipNav"><a href="#skip.navbar.bottom" title="Skip navigation links">Skip navigation links</a></div> <a name="navbar.bottom.firstrow"> <!-- --> </a> <ul class="navList" title="Navigation"> <li><a href="../../../../../../overview-summary.html">Overview</a></li> <li><a href="../package-summary.html">Package</a></li> <li><a href="../../../../../../org/wildfly/swarm/config/remoting/PolicySASLPolicyConsumer.html" title="interface in org.wildfly.swarm.config.remoting">Class</a></li> <li class="navBarCell1Rev">Use</li> <li><a href="../../../../../../overview-tree.html">Tree</a></li> <li><a href="../../../../../../deprecated-list.html">Deprecated</a></li> <li><a href="../../../../../../index-all.html">Index</a></li> <li><a href="../../../../../../help-doc.html">Help</a></li> </ul> <div class="aboutLanguage">Thorntail API, 2.3.0.Final-SNAPSHOT</div> </div> <div class="subNav"> <ul class="navList"> <li>Prev</li> <li>Next</li> </ul> <ul class="navList"> <li><a href="../../../../../../index.html?org/wildfly/swarm/config/remoting/class-use/PolicySASLPolicyConsumer.html" target="_top">Frames</a></li> <li><a href="PolicySASLPolicyConsumer.html" target="_top">No&nbsp;Frames</a></li> </ul> <ul class="navList" id="allclasses_navbar_bottom"> <li><a href="../../../../../../allclasses-noframe.html">All&nbsp;Classes</a></li> </ul> <div> <script type="text/javascript"><!-- allClassesLink = document.getElementById("allclasses_navbar_bottom"); if(window==top) { allClassesLink.style.display = "block"; } else { allClassesLink.style.display = "none"; } //--> </script> </div> <a name="skip.navbar.bottom"> <!-- --> </a></div> <!-- ======== END OF BOTTOM NAVBAR ======= --> <p class="legalCopy"><small>Copyright &#169; 2019 <a href="http://www.jboss.org">JBoss by Red Hat</a>. All rights reserved.</small></p> </body> </html>
{ "content_hash": "37ec8b92159fad4ae670501f14e27507", "timestamp": "", "source": "github", "line_count": 187, "max_line_length": 655, "avg_line_length": 56.01069518716577, "alnum_prop": 0.6729043345426771, "repo_name": "wildfly-swarm/wildfly-swarm-javadocs", "id": "fe1d0523461f08fa9a8b32a247250084fbf6a022", "size": "10474", "binary": false, "copies": "1", "ref": "refs/heads/gh-pages", "path": "2.3.0.Final-SNAPSHOT/apidocs/org/wildfly/swarm/config/remoting/class-use/PolicySASLPolicyConsumer.html", "mode": "33188", "license": "apache-2.0", "language": [], "symlink_target": "" }
#ifndef SPIRE_RENDER_GEOMPROMISE_HPP #define SPIRE_RENDER_GEOMPROMISE_HPP #include <es-log/trace-log.h> #include <cstring> #include <es-cereal/ComponentSerialize.hpp> namespace ren { struct GeomPromise { // -- Data -- static const int MaxAssetName = 64; /// Name of the shader that was promised. char assetName[MaxAssetName]; // Indicator variable. Never serialized out and is used to indicate when // we need to re-issue a request to the filesystem. bool requestInitiated; // -- Functions -- GeomPromise() { requestInitiated = false; assetName[0] = 0; } static const char* getName() {return "ren:GeomPromise";} void setAssetName(const char* name) { size_t nameLen = std::strlen(name); if (nameLen < MaxAssetName - 1) { std::strncpy(assetName, name, MaxAssetName); } else { logRendererError("GeomPromise: Unable to set name: {}. Name must be {} characters or shorter.", name, MaxAssetName - 1); } } bool serialize(spire::ComponentSerialize& s, uint64_t /* entityID */) { std::string asset = assetName; s.serialize("name", asset); // If we are deserializing, then we need to absolutely sure that // requestInitiated is false (although it should be from the constructor // and the fact that we did not serialize it). if (s.isDeserializing()) requestInitiated = false; return true; } }; } // namespace ren #endif
{ "content_hash": "93225353048c5bb6435bd296ec97ab50", "timestamp": "", "source": "github", "line_count": 61, "max_line_length": 101, "avg_line_length": 23.704918032786885, "alnum_prop": 0.6666666666666666, "repo_name": "jcollfont/SCIRun", "id": "b3d3fdd557abc6eb35eac922d28d0199945c6f7a", "size": "1446", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "src/Externals/spire/es-render/comp/GeomPromise.hpp", "mode": "33188", "license": "mit", "language": [ { "name": "C", "bytes": "13183713" }, { "name": "C++", "bytes": "29735033" }, { "name": "CMake", "bytes": "778930" }, { "name": "CSS", "bytes": "5383" }, { "name": "Cuda", "bytes": "131738" }, { "name": "DIGITAL Command Language", "bytes": "8092" }, { "name": "Fortran", "bytes": "1326303" }, { "name": "GLSL", "bytes": "58737" }, { "name": "JavaScript", "bytes": "36777" }, { "name": "M4", "bytes": "34003" }, { "name": "Makefile", "bytes": "459071" }, { "name": "Mercury", "bytes": "347" }, { "name": "Objective-C", "bytes": "109973" }, { "name": "Perl", "bytes": "3057" }, { "name": "Perl 6", "bytes": "2651" }, { "name": "Python", "bytes": "429910" }, { "name": "Roff", "bytes": "2817" }, { "name": "Shell", "bytes": "938818" }, { "name": "VCL", "bytes": "4153" }, { "name": "XSLT", "bytes": "14273" } ], "symlink_target": "" }
// Copyright (c) Narvalo.Org. All rights reserved. See LICENSE.txt in the project root for license information. namespace MvpCommandLine { using System; using Narvalo.Mvp; public sealed class SamplePresenter : Presenter<ISampleView> { public SamplePresenter(ISampleView view) : base(view) { View.Load += View_Load; View.Completed += View_Completed; } private void View_Load(object sender, EventArgs e) => View.ShowLoad(); private void View_Completed(object sender, EventArgs e) => View.ShowCompleted(); } }
{ "content_hash": "d5adc15aeb7f4bece581a84da0646cd1", "timestamp": "", "source": "github", "line_count": 21, "max_line_length": 112, "avg_line_length": 28.952380952380953, "alnum_prop": 0.6414473684210527, "repo_name": "chtoucas/Narvalo.NET", "id": "bd910f98ac1b875f7048b0b4a2bdbf29469ff787", "size": "610", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "samples/MvpCommandLine/SamplePresenter.cs", "mode": "33188", "license": "bsd-2-clause", "language": [ { "name": "Batchfile", "bytes": "677" }, { "name": "C#", "bytes": "2226214" }, { "name": "CSS", "bytes": "2067" }, { "name": "F#", "bytes": "15230" }, { "name": "HTML", "bytes": "564" }, { "name": "PowerShell", "bytes": "22167" }, { "name": "Smalltalk", "bytes": "2134" } ], "symlink_target": "" }
namespace OldAlbums { using System; using System.Xml; public class OldAlbums { public static void Main(string[] args) { XmlDocument xmlDoc = new XmlDocument(); xmlDoc.Load("../../../files/catalog.xml"); string xPathQuery = "/catalog/album[year<=2010]"; XmlNodeList albums = xmlDoc.SelectNodes(xPathQuery); foreach (XmlElement album in albums) { Console.WriteLine("Year {0} - Price: {1}", album["year"].InnerText, album["price"].InnerText); } } } }
{ "content_hash": "0df31c2611ee89f3ea1386d1eac3b80c", "timestamp": "", "source": "github", "line_count": 22, "max_line_length": 110, "avg_line_length": 27.09090909090909, "alnum_prop": 0.5419463087248322, "repo_name": "danisio/Databases-Homeworks", "id": "8927218d350a613253b0543b893781b28225f34a", "size": "598", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "02.ProcessingXMLin.NET/Task11 - OldAlbums/OldAlbums.cs", "mode": "33188", "license": "mit", "language": [ { "name": "C#", "bytes": "106603" }, { "name": "HTML", "bytes": "16637" }, { "name": "XSLT", "bytes": "5127" } ], "symlink_target": "" }
<?php class Sabre_CalDAV_Property_SupportedCalendarData extends Sabre_DAV_Property { /** * Serializes the property in a DOMDocument * * @param Sabre_DAV_Server $server * @param DOMElement $node * @return void */ public function serialize(Sabre_DAV_Server $server,DOMElement $node) { $doc = $node->ownerDocument; $prefix = isset($server->xmlNamespaces[Sabre_CalDAV_Plugin::NS_CALDAV])?$server->xmlNamespaces[Sabre_CalDAV_Plugin::NS_CALDAV]:'cal'; $caldata = $doc->createElement($prefix . ':calendar-data'); $caldata->setAttribute('content-type','text/calendar'); $caldata->setAttribute('version','2.0'); $node->appendChild($caldata); } }
{ "content_hash": "29c4497cffcff68f57ea1dd251b41841", "timestamp": "", "source": "github", "line_count": 26, "max_line_length": 141, "avg_line_length": 28.26923076923077, "alnum_prop": 0.6421768707482993, "repo_name": "ArcherCraftStore/ArcherVMPeridot", "id": "2cf3c7b6aa8de53c6f1fb5edcc23c4a57210f183", "size": "1231", "binary": false, "copies": "3", "ref": "refs/heads/master", "path": "apps/owncloud/htdocs/3rdparty/Sabre/CalDAV/Property/SupportedCalendarData.php", "mode": "33261", "license": "apache-2.0", "language": [], "symlink_target": "" }
package org.jboss.resteasy.test.cdi.modules; import org.apache.logging.log4j.LogManager; import org.apache.logging.log4j.Logger; import org.jboss.arquillian.container.test.api.Deployment; import org.jboss.arquillian.container.test.api.RunAsClient; import org.jboss.arquillian.junit.Arquillian; import org.jboss.resteasy.test.cdi.modules.resource.CDIModulesInjectable; import org.jboss.resteasy.test.cdi.modules.resource.CDIModulesInjectableBinder; import org.jboss.resteasy.test.cdi.modules.resource.CDIModulesInjectableIntf; import org.jboss.resteasy.test.cdi.modules.resource.CDIModulesModulesResource; import org.jboss.resteasy.test.cdi.modules.resource.CDIModulesModulesResourceIntf; import org.jboss.resteasy.test.cdi.util.UtilityProducer; import org.jboss.resteasy.util.HttpResponseCodes; import org.jboss.resteasy.utils.PortProviderUtil; import org.jboss.resteasy.utils.TestUtil; import org.jboss.shrinkwrap.api.Archive; import org.jboss.shrinkwrap.api.ShrinkWrap; import org.jboss.shrinkwrap.api.asset.EmptyAsset; import org.jboss.shrinkwrap.api.spec.EnterpriseArchive; import org.jboss.shrinkwrap.api.spec.JavaArchive; import org.jboss.shrinkwrap.api.spec.WebArchive; import org.junit.Test; import org.junit.runner.RunWith; import javax.ws.rs.client.Client; import javax.ws.rs.client.ClientBuilder; import javax.ws.rs.client.WebTarget; import javax.ws.rs.core.Response; import static org.junit.Assert.assertEquals; /** * @tpSubChapter CDI * @tpChapter Integration tests * @tpTestCaseDetails Test bean injection from lib to war in ear. * @tpSince RESTEasy 3.0.16 */ @RunWith(Arquillian.class) @RunAsClient public class EarLibIntoWarLibTest { protected static final Logger log = LogManager.getLogger(EarLibIntoWarLibTest.class.getName()); @Deployment public static Archive<?> createTestArchive() { JavaArchive fromJar = ShrinkWrap.create(JavaArchive.class, "from.jar") .addClasses(CDIModulesInjectableBinder.class, CDIModulesInjectableIntf.class, CDIModulesInjectable.class) .add(EmptyAsset.INSTANCE, "META-INF/beans.xml"); JavaArchive toJar = ShrinkWrap.create(JavaArchive.class, "to.jar") .addClasses(EarLibIntoWarLibTest.class, UtilityProducer.class) .addClasses(CDIModulesModulesResourceIntf.class, CDIModulesModulesResource.class) .add(EmptyAsset.INSTANCE, "META-INF/beans.xml"); WebArchive war = TestUtil.prepareArchive(EarLibIntoWarLibTest.class.getSimpleName()) .addAsLibrary(toJar) .addAsWebInfResource(EmptyAsset.INSTANCE, "beans.xml"); EnterpriseArchive ear = ShrinkWrap.create(EnterpriseArchive.class, "test.ear") .addAsLibrary(fromJar) .addAsModule(war); return ear; } /** * @tpTestDetails Test bean injection from lib to war in ear. * @tpSince RESTEasy 3.0.16 */ @Test public void testModules() throws Exception { log.info("starting testModules()"); Client client = ClientBuilder.newClient(); WebTarget base = client.target(PortProviderUtil.generateURL("/modules/test/", EarLibIntoWarLibTest.class.getSimpleName())); Response response = base.request().get(); log.info("Status: " + response.getStatus()); assertEquals(HttpResponseCodes.SC_OK, response.getStatus()); response.close(); client.close(); } }
{ "content_hash": "ddac4fe41c9c229046e6894e889b0409", "timestamp": "", "source": "github", "line_count": 79, "max_line_length": 131, "avg_line_length": 43.44303797468354, "alnum_prop": 0.7441724941724942, "repo_name": "awhitford/Resteasy", "id": "08b288a9cf162ad0e1f7a3cbd80b1f25617bfb1c", "size": "3432", "binary": false, "copies": "2", "ref": "refs/heads/master", "path": "testsuite/integration-tests/src/test/java/org/jboss/resteasy/test/cdi/modules/EarLibIntoWarLibTest.java", "mode": "33188", "license": "apache-2.0", "language": [ { "name": "HTML", "bytes": "226" }, { "name": "Java", "bytes": "8760338" }, { "name": "JavaScript", "bytes": "17786" }, { "name": "Python", "bytes": "4868" }, { "name": "Shell", "bytes": "1606" } ], "symlink_target": "" }
'use strict'; /** * Our first store. This is what is going to * hold the application state and logic. In * general Stores manage the state of many * objects, and not a particular instance of it. * It will manage app state for a DOMAIN (Todo * stuff) within the application. * * TodoStore will register itself with * AppDispatcher (which inherits from our base * Dispatcher) providing it with a callback, * which is going to receive action's painted * payload from the call of AppDispatcher's * `dispatch` method. */ var AppDispatcher = require('../dispatcher/AppDispatcher') , EventEmitter = require('events').EventEmitter , TodoConstants = require('../constants/TodoConstants') , merge = require('react/lib/merge') , CHANGE_EVENT = 'change' // will persist our data while our application // lives. As it lives outside the class, but // within the closure of the module, it will // remain private. , _todos = {}; /** * Auxiliary Functions */ function create (text) { var id = Date.now(); _todos[id] = { id: id, complete: false, text: text }; } function areNotAllComplete () { return _todos.some(elem => elem.complete ? false : true); } function destroy (id) { delete _todos[id]; } /** * Definition of our Store. Notice that it * inherits from EventEmitter, which provides us * the basic functionality that we expect, i.e, * the possibility of emitting events and * letting others register with them. */ var TodoStore = merge(EventEmitter.prototype, { // exposes the data (which is private, contained // in the module's closure) so that the view can // fetch it when it want's to get the state. We // often pass the entire state of the store down // the chain of views in a single object so that // different descendants are able to use what // they need. getAll () { return _todos; }, // emits the 'change' event to whatever // controller-views are listening to it. This // will actually be fired in the callback that // we provided to the Dispatcher when we do its // registration (below). emitChange () { this.emit(CHANGE_EVENT); }, // provide do our controller-views to register // themselves with the store. addChangeListener (cb) { this.on(CHANGE_EVENT, cb); }, // opposite of addChangeListener removeChangeListener (cb) { this.removeListener(CHANGE_EVENT, cb); }, /** * The index of the Store's callback in the * Dispatcher registry. Here we are actually * registering the Store's callback function * with the Dispatcher and just storing the * index that the registry returns to us. * * Note that the callback receives a painted * payload, which comes from the action. * Within this callback is were we distinguish * between the types of action, do some * changes in the state of the application and * then finally emit the 'change' event for * those controller-views that are listening * to the 'change' event. */ dispatcherIndex: AppDispatcher.register(payload => { var action = payload.action; var text; switch (action.actionType) { case TodoConstants.TODO_CREATE: text = action.text.trim(); if (text) { create(text); TodoStore.emitChange(); } break; case TodoConstants.TODO_DESTROY: destroy(action.id); TodoStore.emitChange(); break; case TodoConstants.TODO_DESTROY: destroy(action.id); TodoStore.emitChange(); break; default: throw new Error('No handle for ' + action.actionType + ' action.'); } // so that the promise is resolved, and not // rejected - as we expect :D return true; }) }); module.exports = TodoStore;
{ "content_hash": "534d6743ad93c6ced198e9c859e8c468", "timestamp": "", "source": "github", "line_count": 144, "max_line_length": 75, "avg_line_length": 26.291666666666668, "alnum_prop": 0.6658742736397253, "repo_name": "cirocosta/react-samples", "id": "277756447576276d84d6c2664cda97142636c9f1", "size": "3786", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "flux/todo-sample/js/stores/TodoStore.js", "mode": "33188", "license": "mit", "language": [ { "name": "CSS", "bytes": "705" }, { "name": "JavaScript", "bytes": "1471465" } ], "symlink_target": "" }
var mongoose = require('mongoose'); var Schema = mongoose.Schema; const mongoError = require('./MongoHelper'); const MatchData = require('./MatchData') mongoose.Promise = global.Promise; var TeamSchema = new Schema({ number: Number, pitData: { type: Schema.ObjectId, ref: 'PitData' } }); TeamSchema.statics.get = async function(teamNumber) { return await this.findOne() .where('number').equals(teamNumber) .exec().catch(mongoError); }; TeamSchema.statics.getMatches = async function(teamNumber) { var output = {} var results = await MatchData.getTeam(teamNumber).catch(mongoError); console.log(results) for (var i in results){ var data=results[i] output[data.matchNumber] ={ "matchNumber" : data.matchNumber, "aPickup": data.autoCubePickup, "aAttempted": data.autoCubeAttempt, "aScored": data.autoCubeScored, "tPickup": data.teleCubePickup, "zones": [data.telePickup[1], data.telePickup[2], data.telePickup[3], data.telePickup[4]], "own" : data.teleSwitchScored, "scale" : data.teleScaleScored, "opp" : data.teleOppSwitchScored, "exchange": data.teleExchangeScored, "hangAttempt" : 1*data.hangAttempt, "hangSuccess" : 1*data.hangSuccess, } console.log(output[data.matchNumber]) } return {"summary" : output, "teamNumber" : teamNumber, "names" : ['Station', 'mPlayed', 'aPickup', 'aAttempted', 'aScored', 'tPickup', 'zones', 'own', 'scale', 'opp', 'exchange', 'hangAtt', 'hangSucc']} }; const Team = mongoose.model('Team', TeamSchema, 'Teams'); module.exports = Team;
{ "content_hash": "0f5ecdb3dab68ff8cb1badca38fad519", "timestamp": "", "source": "github", "line_count": 53, "max_line_length": 96, "avg_line_length": 30.754716981132077, "alnum_prop": 0.658282208588957, "repo_name": "frcteam188/frc-team188-website", "id": "ab7b3d6b808763c54725bbbcf2f1bb8084f39441", "size": "1630", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "models/Team.js", "mode": "33188", "license": "mit", "language": [ { "name": "CSS", "bytes": "397361" }, { "name": "JavaScript", "bytes": "159921" }, { "name": "Procfile", "bytes": "16" }, { "name": "Pug", "bytes": "27509" }, { "name": "Python", "bytes": "896" }, { "name": "SCSS", "bytes": "8632" }, { "name": "Shell", "bytes": "1214" } ], "symlink_target": "" }
@interface VICacheSessionManager : NSObject @property (nonatomic, strong, readonly) NSOperationQueue *downloadQueue; @property (nonatomic, assign) BOOL allowsCellularAccess; @property (nonatomic, copy) NSString *referer; + (instancetype)shared; @end
{ "content_hash": "7dfe6694e78d79d44434c5c58f881ca4", "timestamp": "", "source": "github", "line_count": 9, "max_line_length": 72, "avg_line_length": 28.11111111111111, "alnum_prop": 0.7984189723320159, "repo_name": "smhjsw/VIMediaCache", "id": "0ac29d2e9a989377246e3abaf9b93f4696620ad2", "size": "428", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "VIMediaCache/Cache/VICacheSessionManager.h", "mode": "33188", "license": "mit", "language": [ { "name": "Objective-C", "bytes": "84452" }, { "name": "Ruby", "bytes": "581" } ], "symlink_target": "" }
ES5Harness.registerTest( { id: "15.4.4.21-8-c-2", path: "TestCases/chapter15/15.4/15.4.4/15.4.4.21/15.4.4.21-8-c-2.js", description: "Array.prototype.reduce throws TypeError when elements assigned values are deleted by reducing array length and initialValue is not present", test: function testcase() { function callbackfn(prevVal, curVal, idx, obj) { } var arr = new Array(10); arr[9] = 1; arr.length = 5; try { arr.reduce(callbackfn); } catch(e) { if(e instanceof TypeError) return true; } }, precondition: function prereq() { return fnExists(Array.prototype.reduce); } });
{ "content_hash": "35da8c365f57a636d70ae110e278f614", "timestamp": "", "source": "github", "line_count": 31, "max_line_length": 154, "avg_line_length": 21.225806451612904, "alnum_prop": 0.6337386018237082, "repo_name": "lordmos/blink", "id": "87af7d08f18007519f70c0b0c677422dc110599f", "size": "2236", "binary": false, "copies": "8", "ref": "refs/heads/master", "path": "LayoutTests/ietestcenter/Javascript/TestCases/15.4.4.21-8-c-2.js", "mode": "33188", "license": "mit", "language": [ { "name": "Assembly", "bytes": "6433" }, { "name": "C", "bytes": "753714" }, { "name": "C++", "bytes": "40028043" }, { "name": "CSS", "bytes": "539440" }, { "name": "F#", "bytes": "8755" }, { "name": "Java", "bytes": "18650" }, { "name": "JavaScript", "bytes": "25700387" }, { "name": "Objective-C", "bytes": "426711" }, { "name": "PHP", "bytes": "141755" }, { "name": "Perl", "bytes": "901523" }, { "name": "Python", "bytes": "3748305" }, { "name": "Ruby", "bytes": "141818" }, { "name": "Shell", "bytes": "9635" }, { "name": "XSLT", "bytes": "49328" } ], "symlink_target": "" }
import * as React from 'react' import classNames from 'classnames' import { ComputedAction } from '../../models/computed-action' import { assertNever } from '../../lib/fatal-error' import { Octicon, OcticonSymbol } from '../octicons' interface IActionStatusIconProps { /** The status to display to the user */ readonly status: { kind: ComputedAction } | null /** A required class name prefix for the Octicon component */ readonly classNamePrefix: string /** The classname for the underlying element. */ readonly className?: string } /** * A component used to render a visual indication of a `ComputedAction` state. * * In essence this is a small wrapper around an `Octicon` which determines which * icon to use based on the `ComputedAction`. A computed action is essentially * the current state of a merge or a rebase operation and this component is used * in the header of merge or rebase conflict dialogs to augment the textual * representation of the current merge or rebase progress. */ export class ActionStatusIcon extends React.Component<IActionStatusIconProps> { public render() { const { status, classNamePrefix } = this.props if (status === null) { return null } const { kind } = status const className = `${classNamePrefix}-icon-container` return ( <div className={className}> <Octicon className={classNames( classNamePrefix, `${classNamePrefix}-${kind}`, this.props.className )} symbol={getSymbolForState(kind)} /> </div> ) } } function getSymbolForState(status: ComputedAction): OcticonSymbol { switch (status) { case ComputedAction.Loading: return OcticonSymbol.dotFill case ComputedAction.Conflicts: return OcticonSymbol.alert case ComputedAction.Invalid: return OcticonSymbol.x case ComputedAction.Clean: return OcticonSymbol.check default: return assertNever(status, `Unknown state: ${JSON.stringify(status)}`) } }
{ "content_hash": "0fd6e1d2380fb4438a0df3f6fe653d42", "timestamp": "", "source": "github", "line_count": 67, "max_line_length": 80, "avg_line_length": 30.55223880597015, "alnum_prop": 0.6868588177821202, "repo_name": "kactus-io/kactus", "id": "b301c48d5febef5d8c8819c605775f8775d31141", "size": "2047", "binary": false, "copies": "1", "ref": "refs/heads/main", "path": "app/src/ui/lib/action-status-icon.tsx", "mode": "33188", "license": "mit", "language": [ { "name": "Batchfile", "bytes": "247" }, { "name": "HTML", "bytes": "268" }, { "name": "JavaScript", "bytes": "6659" }, { "name": "SCSS", "bytes": "205486" }, { "name": "Shell", "bytes": "3035" }, { "name": "TypeScript", "bytes": "3398798" } ], "symlink_target": "" }
import os import sys try: from setuptools import setup except ImportError: from distutils.core import setup from fwissr.version import VERSION if sys.argv[-1] == 'publish': os.system('python setup.py sdist upload') sys.exit() readme = open('README.rst').read() history = open('HISTORY.rst').read().replace('.. :changelog:', '') setup( name='fwissr', version=VERSION, description='fwissr is a registry configuration tool.', long_description=readme + '\n\n' + history, author='Pierre Baillet', author_email='[email protected]', url='https://github.com/fotonauts/fwissr-python', packages=[ 'fwissr', 'fwissr.source' ], scripts=['scripts/fwissr'], package_dir={'fwissr': 'fwissr', 'fwissr.source': 'fwissr/source'}, include_package_data=True, install_requires=[ 'pymongo>=2.5.2', 'PyYAML>=3.10' ], license="MIT", zip_safe=False, keywords='fwissr', classifiers=[ 'Intended Audience :: Developers', 'License :: OSI Approved :: MIT License', "Programming Language :: Python :: 2", 'Programming Language :: Python :: 2.6', 'Programming Language :: Python :: 2.7' ], test_suite='tests', )
{ "content_hash": "057369385ed972ab6fe3dad2d415b097", "timestamp": "", "source": "github", "line_count": 49, "max_line_length": 71, "avg_line_length": 25.632653061224488, "alnum_prop": 0.6146496815286624, "repo_name": "fotonauts/fwissr-python", "id": "b90e6b99ab3b26ee62a29d95600357eae080715f", "size": "1303", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "setup.py", "mode": "33188", "license": "mit", "language": [ { "name": "Python", "bytes": "52123" }, { "name": "Shell", "bytes": "6466" } ], "symlink_target": "" }
package org.wso2.carbon.ml.core.spark.algorithms; import static water.util.FrameUtils.generateNumKeys; import java.io.Serializable; import java.util.ArrayList; import java.util.List; import org.apache.commons.logging.Log; import org.apache.commons.logging.LogFactory; import org.apache.spark.api.java.JavaPairRDD; import org.apache.spark.api.java.JavaRDD; import org.apache.spark.api.java.JavaSparkContext; import org.apache.spark.mllib.regression.LabeledPoint; import org.wso2.carbon.ml.commons.domain.Feature; import org.wso2.carbon.ml.commons.domain.MLModel; import org.wso2.carbon.ml.core.exceptions.MLModelBuilderException; import org.wso2.carbon.ml.core.utils.DeeplearningModelUtils; import scala.Tuple2; import water.DKV; import water.Key; import water.Scope; import water.fvec.Frame; import water.fvec.Vec; import hex.deeplearning.DeepLearning; import hex.deeplearning.DeepLearningModel; import hex.deeplearning.DeepLearningParameters; import hex.splitframe.ShuffleSplitFrame; /** * Stacked Autoencoder classifier class */ public class StackedAutoencodersClassifier implements Serializable { private static final long serialVersionUID = -3518369175759608115L; private static final Log log = LogFactory.getLog(StackedAutoencodersClassifier.class); private transient DeepLearning deeplearning; private transient DeepLearningModel dlModel; /** * This method trains a stacked autoencoder * * @param trainData Training dataset as a JavaRDD * @param batchSize Size of a training mini-batch * @param layerSizes Number of neurons for each layer * @param epochs Number of epochs to train * @param responseColumn Name of the response column * @param modelName Name of the model * @return DeepLearningModel */ public DeepLearningModel train(JavaRDD<LabeledPoint> trainData, int batchSize, int[] layerSizes, String activationType, int epochs, int seed, String responseColumn, String modelName, MLModel mlModel, long modelID) { // build stacked autoencoder by training the model with training data double trainingFraction = 1; try { Scope.enter(); if (trainData != null) { int numberOfFeatures = mlModel.getFeatures().size(); List<Feature> features = mlModel.getFeatures(); String[] names = new String[numberOfFeatures + 1]; for (int i = 0; i < numberOfFeatures; i++) { names[i] = features.get(i).getName(); } names[numberOfFeatures] = mlModel.getResponseVariable(); Frame frame = DeeplearningModelUtils.javaRDDToFrame(names, trainData); // H2O uses default C<x> for column header // String classifColName = "C" + frame.numCols(); String classifColName = mlModel.getResponseVariable(); // Convert response to categorical (digits 1 to <num of columns>) int ci = frame.find(classifColName); Scope.track(frame.replace(ci, frame.vecs()[ci].toEnum())._key); // Splitting train file to train, validation and test // Using FrameSplitter (instead of SuffleSplitFrame) gives a weird exception // barrier onExCompletion for hex.deeplearning.DeepLearning$DeepLearningDriver@78ec854 double[] ratios = new double[] { trainingFraction, 1 - trainingFraction }; @SuppressWarnings("unchecked") Frame[] splits = ShuffleSplitFrame.shuffleSplitFrame(frame, generateNumKeys(frame._key, ratios.length), ratios, 123456789); Frame trainFrame = splits[0]; Frame vframe = splits[1]; if (log.isDebugEnabled()) { log.debug("Creating Deeplearning parameters"); } DeepLearningParameters deeplearningParameters = new DeepLearningParameters(); // convert model name String dlModelName = modelName.replace('.', '_').replace('-', '_'); // populate model parameters deeplearningParameters._model_id = Key.make(dlModelName + "_dl"); deeplearningParameters._train = trainFrame._key; deeplearningParameters._valid = vframe._key; deeplearningParameters._response_column = classifColName; // last column is the response // This is causin all the predictions to be 0.0 // p._autoencoder = true; deeplearningParameters._activation = getActivationType(activationType); deeplearningParameters._hidden = layerSizes; deeplearningParameters._train_samples_per_iteration = batchSize; deeplearningParameters._input_dropout_ratio = 0.2; deeplearningParameters._l1 = 1e-5; deeplearningParameters._max_w2 = 10; deeplearningParameters._epochs = epochs; deeplearningParameters._seed = seed; // speed up training deeplearningParameters._adaptive_rate = true; // disable adaptive per-weight learning rate -> default // settings for learning rate and momentum are probably // not ideal (slow convergence) deeplearningParameters._replicate_training_data = true; // avoid extra communication cost upfront, got // enough data on each node for load balancing deeplearningParameters._overwrite_with_best_model = true; // no need to keep the best model around deeplearningParameters._diagnostics = false; // no need to compute statistics during training deeplearningParameters._classification_stop = -1; deeplearningParameters._score_interval = 60; // score and print progress report (only) every 20 seconds deeplearningParameters._score_training_samples = batchSize / 10; // only score on a small sample of the // training set -> don't want to spend // too much time scoring (note: there // will be at least 1 row per chunk) DKV.put(trainFrame); DKV.put(vframe); deeplearning = new DeepLearning(deeplearningParameters); if (log.isDebugEnabled()) { log.debug("Start training deeplearning model ...."); } try { dlModel = deeplearning.trainModel().get(); if (log.isDebugEnabled()) { log.debug("Successfully finished Training deeplearning model."); } } catch (RuntimeException ex) { log.error("Error in training Stacked Autoencoder classifier model", ex); } } else { log.error("Train file not found!"); } } catch (RuntimeException ex) { log.error("Failed to train the deeplearning model [id] " + modelID + ". " + ex.getMessage()); } finally { Scope.exit(); } return dlModel; } private DeepLearningParameters.Activation getActivationType(String activation) { String[] activationTypes = { "Rectifier", "RectifierWithDropout", "Tanh", "TanhWithDropout", "Maxout", "MaxoutWithDropout" }; if (activation.equalsIgnoreCase(activationTypes[0])) { return DeepLearningParameters.Activation.Rectifier; } else if (activation.equalsIgnoreCase(activationTypes[1])) { return DeepLearningParameters.Activation.RectifierWithDropout; } else if (activation.equalsIgnoreCase(activationTypes[2])) { return DeepLearningParameters.Activation.Tanh; } else if (activation.equalsIgnoreCase(activationTypes[3])) { return DeepLearningParameters.Activation.TanhWithDropout; } else if (activation.equalsIgnoreCase(activationTypes[4])) { return DeepLearningParameters.Activation.Maxout; } else if (activation.equalsIgnoreCase(activationTypes[5])) { return DeepLearningParameters.Activation.MaxoutWithDropout; } else { return DeepLearningParameters.Activation.RectifierWithDropout; } } /** * This method applies a stacked autoencoders model to a given dataset and make predictions * * @param ctxt JavaSparkContext * @param deeplearningModel Stacked Autoencoders model * @param test Testing dataset as a JavaRDD of labeled points * @return */ public JavaPairRDD<Double, Double> test(JavaSparkContext ctxt, final DeepLearningModel deeplearningModel, JavaRDD<LabeledPoint> test, MLModel mlModel) throws MLModelBuilderException { Scope.enter(); if (deeplearningModel == null) { throw new MLModelBuilderException("DeeplearningModel is Null"); } int numberOfFeatures = mlModel.getFeatures().size(); List<Feature> features = mlModel.getFeatures(); String[] names = new String[numberOfFeatures + 1]; for (int i = 0; i < numberOfFeatures; i++) { names[i] = features.get(i).getName(); } names[numberOfFeatures] = mlModel.getResponseVariable(); Frame testData = DeeplearningModelUtils.javaRDDToFrame(names, test); Frame testDataWithoutLabels = testData.subframe(0, testData.numCols() - 1); int numRows = (int) testDataWithoutLabels.numRows(); Vec predictionsVector = deeplearningModel.score(testDataWithoutLabels).vec(0); double[] predictionValues = new double[numRows]; for (int i = 0; i < numRows; i++) { predictionValues[i] = predictionsVector.at(i); } Vec labelsVector = testData.vec(testData.numCols() - 1); double[] labels = new double[numRows]; for (int i = 0; i < numRows; i++) { labels[i] = labelsVector.at(i); } Scope.exit(); ArrayList<Tuple2<Double, Double>> tupleList = new ArrayList<Tuple2<Double, Double>>(); for (int i = 0; i < labels.length; i++) { tupleList.add(new Tuple2<Double, Double>(predictionValues[i], labels[i])); } return ctxt.parallelizePairs(tupleList); } }
{ "content_hash": "23b62b99409c1176f28c5d4a8fa99cde", "timestamp": "", "source": "github", "line_count": 234, "max_line_length": 130, "avg_line_length": 46.10683760683761, "alnum_prop": 0.6154416535360089, "repo_name": "wso2/carbon-ml", "id": "352b06f21c08037d54c65ea732c32abd5d4cb708", "size": "11459", "binary": false, "copies": "3", "ref": "refs/heads/master", "path": "components/ml/org.wso2.carbon.ml.core/src/main/java/org/wso2/carbon/ml/core/spark/algorithms/StackedAutoencodersClassifier.java", "mode": "33188", "license": "apache-2.0", "language": [ { "name": "CSS", "bytes": "61806" }, { "name": "HTML", "bytes": "2783" }, { "name": "Java", "bytes": "1317246" }, { "name": "JavaScript", "bytes": "525434" } ], "symlink_target": "" }
/** * Automatically generated file. Please do not edit. * @author Highcharts Config Generator by Karasiq * @see [[http://api.highcharts.com/highstock]] */ package com.highstock.config import scalajs.js, js.`|` import com.highcharts.CleanJsObject import com.highcharts.HighchartsUtils._ /** * @note JavaScript name: <code>series&lt;histogram&gt;-marker-states</code> */ @js.annotation.ScalaJSDefined class SeriesHistogramMarkerStates extends com.highcharts.HighchartsGenericObject { /** * <p>The normal state of a single point marker. Currently only used * for setting animation when returning to normal state from hover.</p> * @since 6.0.0 */ val normal: js.Any = js.undefined /** * <p>The hover state for a single point marker.</p> * @since 6.0.0 */ val hover: js.Any = js.undefined /** * <p>The appearance of the point marker when selected. In order to * allow a point to be selected, set the <code>series.allowPointSelect</code> * option to true.</p> * @since 6.0.0 */ val select: js.Any = js.undefined } object SeriesHistogramMarkerStates { /** * @param normal <p>The normal state of a single point marker. Currently only used. for setting animation when returning to normal state from hover.</p> * @param hover <p>The hover state for a single point marker.</p> * @param select <p>The appearance of the point marker when selected. In order to. allow a point to be selected, set the <code>series.allowPointSelect</code>. option to true.</p> */ def apply(normal: js.UndefOr[js.Any] = js.undefined, hover: js.UndefOr[js.Any] = js.undefined, select: js.UndefOr[js.Any] = js.undefined): SeriesHistogramMarkerStates = { val normalOuter: js.Any = normal val hoverOuter: js.Any = hover val selectOuter: js.Any = select com.highcharts.HighchartsGenericObject.toCleanObject(new SeriesHistogramMarkerStates { override val normal: js.Any = normalOuter override val hover: js.Any = hoverOuter override val select: js.Any = selectOuter }) } }
{ "content_hash": "a826fa997faff80f19213a19387389e6", "timestamp": "", "source": "github", "line_count": 56, "max_line_length": 181, "avg_line_length": 36.982142857142854, "alnum_prop": 0.7001448575567358, "repo_name": "Karasiq/scalajs-highcharts", "id": "97b0ad990ef21e585fe4ace639ac35bbac5eb4db", "size": "2071", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "src/main/scala/com/highstock/config/SeriesHistogramMarkerStates.scala", "mode": "33188", "license": "mit", "language": [ { "name": "Scala", "bytes": "131509301" } ], "symlink_target": "" }
from django.conf import settings from django.views import generic from openstack_dashboard.api.rest import urls from openstack_dashboard.api.rest import utils as rest_utils # settings that we allow to be retrieved via REST API # these settings are available to the client and are not secured. # *** THEY SHOULD BE TREATED WITH EXTREME CAUTION *** settings_required = getattr(settings, 'REST_API_REQUIRED_SETTINGS', []) settings_additional = getattr(settings, 'REST_API_ADDITIONAL_SETTINGS', []) settings_allowed = settings_required + settings_additional @urls.register class Settings(generic.View): """API for retrieving settings. This API returns read-only settings values. This configuration object can be fetched as needed. Examples of settings: OPENSTACK_HYPERVISOR_FEATURES """ url_regex = r'settings/$' @rest_utils.ajax() def get(self, request): return {k: getattr(settings, k, None) for k in settings_allowed}
{ "content_hash": "a152ce896e67abce19c8a36cfa034a3a", "timestamp": "", "source": "github", "line_count": 30, "max_line_length": 75, "avg_line_length": 33.2, "alnum_prop": 0.7198795180722891, "repo_name": "zhaogaolong/oneFinger", "id": "f906fc259f824245c0331c0fad3aad6ddc71882e", "size": "1640", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "openstack/test/api/rest/config.py", "mode": "33188", "license": "apache-2.0", "language": [ { "name": "CSS", "bytes": "436003" }, { "name": "HTML", "bytes": "2963802" }, { "name": "JavaScript", "bytes": "2960983" }, { "name": "Python", "bytes": "546184" } ], "symlink_target": "" }