content
stringlengths
4
1.04M
lang
stringclasses
358 values
score
int64
0
5
repo_name
stringlengths
5
114
repo_path
stringlengths
4
229
repo_licenses
listlengths
1
8
{ "config": { "error": { "cannot_connect": "\u9023\u7dda\u5931\u6557", "invalid_auth": "\u65bc m\u00fctesync \u7cfb\u7d71\u504f\u597d\u8a2d\u5b9a > \u8a8d\u8b49\u4e2d\u958b\u555f\u8a8d\u8b49", "unknown": "\u672a\u9810\u671f\u932f\u8aa4" }, "step": { "user": { "data": { "host": "\u4e3b\u6a5f\u7aef" } } } } }
JSON
2
MrDelik/core
homeassistant/components/mutesync/translations/zh-Hant.json
[ "Apache-2.0" ]
--TEST-- Bug #33277 (private method accessed by child class) --FILE-- <?php class foo { private function bar() { echo "private!\n"; } } class fooson extends foo { function barson() { $this->bar(); } } class foo2son extends fooson { function bar() { echo "public!\n"; } } $b = new foo2son(); $b->barson(); ?> --EXPECT-- public!
PHP
3
thiagooak/php-src
Zend/tests/bug33277.phpt
[ "PHP-3.01" ]
// Copyright 2016 The etcd Authors // // Licensed under the Apache License, Version 2.0 (the "License"); // you may not use this file except in compliance with the License. // You may obtain a copy of the License at // // http://www.apache.org/licenses/LICENSE-2.0 // // Unless required by applicable law or agreed to in writing, software // distributed under the License is distributed on an "AS IS" BASIS, // WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. // See the License for the specific language governing permissions and // limitations under the License. //go:build darwin // +build darwin package fileutil import ( "os" "syscall" "golang.org/x/sys/unix" ) func preallocExtend(f *os.File, sizeInBytes int64) error { if err := preallocFixed(f, sizeInBytes); err != nil { return err } return preallocExtendTrunc(f, sizeInBytes) } func preallocFixed(f *os.File, sizeInBytes int64) error { // allocate all requested space or no space at all // TODO: allocate contiguous space on disk with F_ALLOCATECONTIG flag fstore := &unix.Fstore_t{ Flags: unix.F_ALLOCATEALL, Posmode: unix.F_PEOFPOSMODE, Length: sizeInBytes, } err := unix.FcntlFstore(f.Fd(), unix.F_PREALLOCATE, fstore) if err == nil || err == unix.ENOTSUP { return nil } // wrong argument to fallocate syscall if err == unix.EINVAL { // filesystem "st_blocks" are allocated in the units of // "Allocation Block Size" (run "diskutil info /" command) var stat syscall.Stat_t syscall.Fstat(int(f.Fd()), &stat) // syscall.Statfs_t.Bsize is "optimal transfer block size" // and contains matching 4096 value when latest OS X kernel // supports 4,096 KB filesystem block size var statfs syscall.Statfs_t syscall.Fstatfs(int(f.Fd()), &statfs) blockSize := int64(statfs.Bsize) if stat.Blocks*blockSize >= sizeInBytes { // enough blocks are already allocated return nil } } return err }
Go
5
yankay/autoscaler
cluster-autoscaler/vendor/go.etcd.io/etcd/client/pkg/v3/fileutil/preallocate_darwin.go
[ "Apache-2.0" ]
/*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ import { MarkersFilters } from 'vs/workbench/contrib/markers/browser/markersViewActions'; import { Event } from 'vs/base/common/event'; import { IView } from 'vs/workbench/common/views'; import { MarkerElement, ResourceMarkers } from 'vs/workbench/contrib/markers/browser/markersModel'; import { MarkersViewMode } from 'vs/workbench/contrib/markers/common/markers'; export interface IMarkersView extends IView { readonly onDidFocusFilter: Event<void>; readonly onDidClearFilterText: Event<void>; readonly filters: MarkersFilters; readonly onDidChangeFilterStats: Event<{ total: number; filtered: number }>; focusFilter(): void; clearFilterText(): void; getFilterStats(): { total: number; filtered: number }; getFocusElement(): MarkerElement | undefined; getFocusedSelectedElements(): MarkerElement[] | null; getAllResourceMarkers(): ResourceMarkers[]; collapseAll(): void; setMultiline(multiline: boolean): void; setViewMode(viewMode: MarkersViewMode): void; }
TypeScript
3
maxpark/vscode
src/vs/workbench/contrib/markers/browser/markers.ts
[ "MIT" ]
//===--- LoopRegionPrinter.cpp --------------------------------------------===// // // This source file is part of the Swift.org open source project // // Copyright (c) 2014 - 2017 Apple Inc. and the Swift project authors // Licensed under Apache License v2.0 with Runtime Library Exception // // See https://swift.org/LICENSE.txt for license information // See https://swift.org/CONTRIBUTORS.txt for the list of Swift project authors // //===----------------------------------------------------------------------===// // // Simple pass for testing the new loop region dumper analysis. Prints out // information suitable for checking with filecheck. // //===----------------------------------------------------------------------===// #define DEBUG_TYPE "sil-loop-region-printer" #include "swift/SILOptimizer/Analysis/LoopRegionAnalysis.h" #include "swift/SILOptimizer/PassManager/Passes.h" #include "swift/SILOptimizer/PassManager/Transforms.h" #include "llvm/Support/CommandLine.h" using namespace swift; static llvm::cl::opt<std::string> SILViewCFGOnlyFun("sil-loop-region-view-cfg-only-function", llvm::cl::init(""), llvm::cl::desc("Only produce a graphviz file for the " "loop region info of this function")); static llvm::cl::opt<std::string> SILViewCFGOnlyFuns("sil-loop-region-view-cfg-only-functions", llvm::cl::init(""), llvm::cl::desc("Only produce a graphviz file for the " "loop region info for the functions " "whose name contains this substring")); namespace { class LoopRegionViewText : public SILModuleTransform { void run() override { invalidateAll(); auto *lra = PM->getAnalysis<LoopRegionAnalysis>(); for (auto &fn : *getModule()) { if (fn.isExternalDeclaration()) continue; if (!SILViewCFGOnlyFun.empty() && fn.getName() != SILViewCFGOnlyFun) continue; if (!SILViewCFGOnlyFuns.empty() && !fn.getName().contains(SILViewCFGOnlyFuns)) continue; // Ok, we are going to analyze this function. Invalidate all state // associated with it so we recompute the loop regions. llvm::outs() << "Start @" << fn.getName() << "@\n"; lra->get(&fn)->dump(); llvm::outs() << "End @" << fn.getName() << "@\n"; llvm::outs().flush(); } } }; class LoopRegionViewCFG : public SILModuleTransform { void run() override { invalidateAll(); auto *lra = PM->getAnalysis<LoopRegionAnalysis>(); for (auto &fn : *getModule()) { if (fn.isExternalDeclaration()) continue; if (!SILViewCFGOnlyFun.empty() && fn.getName() != SILViewCFGOnlyFun) continue; if (!SILViewCFGOnlyFuns.empty() && !fn.getName().contains(SILViewCFGOnlyFuns)) continue; // Ok, we are going to analyze this function. Invalidate all state // associated with it so we recompute the loop regions. lra->get(&fn)->viewLoopRegions(); } } }; } // end anonymous namespace SILTransform *swift::createLoopRegionViewText() { return new LoopRegionViewText(); } SILTransform *swift::createLoopRegionViewCFG() { return new LoopRegionViewCFG(); }
C++
4
gandhi56/swift
lib/SILOptimizer/UtilityPasses/LoopRegionPrinter.cpp
[ "Apache-2.0" ]
"""Provides device actions for Z-Wave JS.""" from __future__ import annotations from collections import defaultdict import re from typing import Any import voluptuous as vol from zwave_js_server.const import CommandClass from zwave_js_server.const.command_class.lock import ATTR_CODE_SLOT, ATTR_USERCODE from zwave_js_server.const.command_class.meter import CC_SPECIFIC_METER_TYPE from zwave_js_server.model.value import get_value_id from zwave_js_server.util.command_class.meter import get_meter_type from homeassistant.components.lock import DOMAIN as LOCK_DOMAIN from homeassistant.components.sensor import DOMAIN as SENSOR_DOMAIN from homeassistant.const import ( ATTR_DEVICE_ID, ATTR_DOMAIN, CONF_DEVICE_ID, CONF_DOMAIN, CONF_ENTITY_ID, CONF_TYPE, STATE_UNAVAILABLE, ) from homeassistant.core import Context, HomeAssistant from homeassistant.exceptions import HomeAssistantError from homeassistant.helpers import entity_registry import homeassistant.helpers.config_validation as cv from homeassistant.helpers.typing import ConfigType, TemplateVarsType from .config_validation import VALUE_SCHEMA from .const import ( ATTR_COMMAND_CLASS, ATTR_CONFIG_PARAMETER, ATTR_CONFIG_PARAMETER_BITMASK, ATTR_ENDPOINT, ATTR_METER_TYPE, ATTR_PROPERTY, ATTR_PROPERTY_KEY, ATTR_REFRESH_ALL_VALUES, ATTR_VALUE, ATTR_WAIT_FOR_RESULT, DOMAIN, SERVICE_CLEAR_LOCK_USERCODE, SERVICE_PING, SERVICE_REFRESH_VALUE, SERVICE_RESET_METER, SERVICE_SET_CONFIG_PARAMETER, SERVICE_SET_LOCK_USERCODE, SERVICE_SET_VALUE, ) from .device_automation_helpers import ( CONF_SUBTYPE, VALUE_ID_REGEX, generate_config_parameter_subtype, get_config_parameter_value_schema, ) from .helpers import async_get_node_from_device_id ACTION_TYPES = { SERVICE_CLEAR_LOCK_USERCODE, SERVICE_PING, SERVICE_REFRESH_VALUE, SERVICE_RESET_METER, SERVICE_SET_CONFIG_PARAMETER, SERVICE_SET_LOCK_USERCODE, SERVICE_SET_VALUE, } CLEAR_LOCK_USERCODE_SCHEMA = cv.DEVICE_ACTION_BASE_SCHEMA.extend( { vol.Required(CONF_TYPE): SERVICE_CLEAR_LOCK_USERCODE, vol.Required(CONF_ENTITY_ID): cv.entity_domain(LOCK_DOMAIN), vol.Required(ATTR_CODE_SLOT): vol.Coerce(int), } ) PING_SCHEMA = cv.DEVICE_ACTION_BASE_SCHEMA.extend( { vol.Required(CONF_TYPE): SERVICE_PING, } ) REFRESH_VALUE_SCHEMA = cv.DEVICE_ACTION_BASE_SCHEMA.extend( { vol.Required(CONF_TYPE): SERVICE_REFRESH_VALUE, vol.Required(CONF_ENTITY_ID): cv.entity_id, vol.Optional(ATTR_REFRESH_ALL_VALUES, default=False): cv.boolean, } ) RESET_METER_SCHEMA = cv.DEVICE_ACTION_BASE_SCHEMA.extend( { vol.Required(CONF_TYPE): SERVICE_RESET_METER, vol.Required(CONF_ENTITY_ID): cv.entity_domain(SENSOR_DOMAIN), vol.Optional(ATTR_METER_TYPE): vol.Coerce(int), vol.Optional(ATTR_VALUE): vol.Coerce(int), } ) SET_CONFIG_PARAMETER_SCHEMA = cv.DEVICE_ACTION_BASE_SCHEMA.extend( { vol.Required(CONF_TYPE): SERVICE_SET_CONFIG_PARAMETER, vol.Required(ATTR_CONFIG_PARAMETER): vol.Any(int, str), vol.Required(ATTR_CONFIG_PARAMETER_BITMASK): vol.Any(None, int, str), vol.Required(ATTR_VALUE): vol.Coerce(int), vol.Required(CONF_SUBTYPE): cv.string, } ) SET_LOCK_USERCODE_SCHEMA = cv.DEVICE_ACTION_BASE_SCHEMA.extend( { vol.Required(CONF_TYPE): SERVICE_SET_LOCK_USERCODE, vol.Required(CONF_ENTITY_ID): cv.entity_domain(LOCK_DOMAIN), vol.Required(ATTR_CODE_SLOT): vol.Coerce(int), vol.Required(ATTR_USERCODE): cv.string, } ) SET_VALUE_SCHEMA = cv.DEVICE_ACTION_BASE_SCHEMA.extend( { vol.Required(CONF_TYPE): SERVICE_SET_VALUE, vol.Required(ATTR_COMMAND_CLASS): vol.In([cc.value for cc in CommandClass]), vol.Required(ATTR_PROPERTY): vol.Any(int, str), vol.Optional(ATTR_PROPERTY_KEY): vol.Any(vol.Coerce(int), cv.string), vol.Optional(ATTR_ENDPOINT): vol.Coerce(int), vol.Required(ATTR_VALUE): VALUE_SCHEMA, vol.Optional(ATTR_WAIT_FOR_RESULT, default=False): cv.boolean, } ) ACTION_SCHEMA = vol.Any( CLEAR_LOCK_USERCODE_SCHEMA, PING_SCHEMA, REFRESH_VALUE_SCHEMA, RESET_METER_SCHEMA, SET_CONFIG_PARAMETER_SCHEMA, SET_LOCK_USERCODE_SCHEMA, SET_VALUE_SCHEMA, ) async def async_get_actions( hass: HomeAssistant, device_id: str ) -> list[dict[str, Any]]: """List device actions for Z-Wave JS devices.""" registry = entity_registry.async_get(hass) actions: list[dict] = [] node = async_get_node_from_device_id(hass, device_id) base_action = { CONF_DEVICE_ID: device_id, CONF_DOMAIN: DOMAIN, } actions.extend( [ {**base_action, CONF_TYPE: SERVICE_SET_VALUE}, {**base_action, CONF_TYPE: SERVICE_PING}, ] ) actions.extend( [ { **base_action, CONF_TYPE: SERVICE_SET_CONFIG_PARAMETER, ATTR_CONFIG_PARAMETER: config_value.property_, ATTR_CONFIG_PARAMETER_BITMASK: config_value.property_key, CONF_SUBTYPE: generate_config_parameter_subtype(config_value), } for config_value in node.get_configuration_values().values() ] ) meter_endpoints: dict[int, dict[str, Any]] = defaultdict(dict) for entry in entity_registry.async_entries_for_device( registry, device_id, include_disabled_entities=False ): # If an entry is unavailable, it is possible that the underlying value # is no longer valid. Additionally, if an entry is disabled, its # underlying value is not being monitored by HA so we shouldn't allow # actions against it. if ( state := hass.states.get(entry.entity_id) ) and state.state == STATE_UNAVAILABLE: continue entity_action = {**base_action, CONF_ENTITY_ID: entry.entity_id} actions.append({**entity_action, CONF_TYPE: SERVICE_REFRESH_VALUE}) if entry.domain == LOCK_DOMAIN: actions.extend( [ {**entity_action, CONF_TYPE: SERVICE_SET_LOCK_USERCODE}, {**entity_action, CONF_TYPE: SERVICE_CLEAR_LOCK_USERCODE}, ] ) if entry.domain == SENSOR_DOMAIN: value_id = entry.unique_id.split(".")[1] # If this unique ID doesn't have a value ID, we know it is the node status # sensor which doesn't have any relevant actions if not re.match(VALUE_ID_REGEX, value_id): continue value = node.values[value_id] # If the value has the meterType CC specific value, we can add a reset_meter # action for it if CC_SPECIFIC_METER_TYPE in value.metadata.cc_specific: endpoint_idx = value.endpoint if endpoint_idx is None: endpoint_idx = 0 meter_endpoints[endpoint_idx].setdefault( CONF_ENTITY_ID, entry.entity_id ) meter_endpoints[endpoint_idx].setdefault(ATTR_METER_TYPE, set()).add( get_meter_type(value) ) if not meter_endpoints: return actions for endpoint, endpoint_data in meter_endpoints.items(): base_action[CONF_ENTITY_ID] = endpoint_data[CONF_ENTITY_ID] actions.append( { **base_action, CONF_TYPE: SERVICE_RESET_METER, CONF_SUBTYPE: f"Endpoint {endpoint} (All)", } ) for meter_type in endpoint_data[ATTR_METER_TYPE]: actions.append( { **base_action, CONF_TYPE: SERVICE_RESET_METER, ATTR_METER_TYPE: meter_type, CONF_SUBTYPE: f"Endpoint {endpoint} ({meter_type.name})", } ) return actions async def async_call_action_from_config( hass: HomeAssistant, config: ConfigType, variables: TemplateVarsType, context: Context | None, ) -> None: """Execute a device action.""" action_type = service = config[CONF_TYPE] if action_type not in ACTION_TYPES: raise HomeAssistantError(f"Unhandled action type {action_type}") # Don't include domain, subtype or any null/empty values in the service call service_data = { k: v for k, v in config.items() if k not in (ATTR_DOMAIN, CONF_TYPE, CONF_SUBTYPE) and v not in (None, "") } # Entity services (including refresh value which is a fake entity service) expect # just an entity ID if action_type in ( SERVICE_REFRESH_VALUE, SERVICE_SET_LOCK_USERCODE, SERVICE_CLEAR_LOCK_USERCODE, SERVICE_RESET_METER, ): service_data.pop(ATTR_DEVICE_ID) await hass.services.async_call( DOMAIN, service, service_data, blocking=True, context=context ) async def async_get_action_capabilities( hass: HomeAssistant, config: ConfigType ) -> dict[str, vol.Schema]: """List action capabilities.""" action_type = config[CONF_TYPE] node = async_get_node_from_device_id(hass, config[CONF_DEVICE_ID]) # Add additional fields to the automation action UI if action_type == SERVICE_CLEAR_LOCK_USERCODE: return { "extra_fields": vol.Schema( { vol.Required(ATTR_CODE_SLOT): cv.string, } ) } if action_type == SERVICE_SET_LOCK_USERCODE: return { "extra_fields": vol.Schema( { vol.Required(ATTR_CODE_SLOT): cv.string, vol.Required(ATTR_USERCODE): cv.string, } ) } if action_type == SERVICE_RESET_METER: return { "extra_fields": vol.Schema( { vol.Optional(ATTR_VALUE): cv.string, } ) } if action_type == SERVICE_REFRESH_VALUE: return { "extra_fields": vol.Schema( { vol.Optional(ATTR_REFRESH_ALL_VALUES): cv.boolean, } ) } if action_type == SERVICE_SET_VALUE: return { "extra_fields": vol.Schema( { vol.Required(ATTR_COMMAND_CLASS): vol.In( { CommandClass(cc.id).value: cc.name for cc in sorted( node.command_classes, key=lambda cc: cc.name ) } ), vol.Required(ATTR_PROPERTY): cv.string, vol.Optional(ATTR_PROPERTY_KEY): cv.string, vol.Optional(ATTR_ENDPOINT): cv.string, vol.Required(ATTR_VALUE): cv.string, vol.Optional(ATTR_WAIT_FOR_RESULT): cv.boolean, } ) } if action_type == SERVICE_SET_CONFIG_PARAMETER: value_id = get_value_id( node, CommandClass.CONFIGURATION, config[ATTR_CONFIG_PARAMETER], property_key=config[ATTR_CONFIG_PARAMETER_BITMASK], ) value_schema = get_config_parameter_value_schema(node, value_id) if value_schema is None: return {} return {"extra_fields": vol.Schema({vol.Required(ATTR_VALUE): value_schema})} return {}
Python
5
liangleslie/core
homeassistant/components/zwave_js/device_action.py
[ "Apache-2.0" ]
******************************************************************************; * Copyright (c) 2015 by SAS Institute Inc., Cary, NC 27513 USA *; * *; * Licensed under the Apache License, Version 2.0 (the "License"); *; * you may not use this file except in compliance with the License. *; * You may obtain a copy of the License at *; * *; * http://www.apache.org/licenses/LICENSE-2.0 *; * *; * Unless required by applicable law or agreed to in writing, software *; * distributed under the License is distributed on an "AS IS" BASIS, *; * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. *; * See the License for the specific language governing permissions and *; * limitations under the License. *; ******************************************************************************; ******************************************************************************; * script used to create a dictionary of representative images *; * using a stacked autoencoder - to be used after threaded_tile.py or *; * threaded_tile_r.py *; * *; * square images are imported from patches.csv *; * random selection of images are displayed to check import *; * 5 layer stacked autoencoder network is trained on all imported images *; * weights from top level of trained network create a dictionary of *; * representative images *; * dictionary is saved to OUT_DIR as dictionary.sas7bdat *; * hidden_output.sas7bdat is written to OUT_DIR *; * hidden_output.sas7bdat can be used as input to make_clusters.sas *; * *; * CORE_COUNT - number of physical cores to use, int *; * OUT_DIR - out (-o) directory created by Python script as unquoted string, *; * must contain the generated csv files and is the directory in *; * which to write the patches.sas7bdat and dictionary file, *; * dictionary.sas7bdat *; * DIM - side length of square patches in IN_SET, probably (-d) value from *; * Python script, int *; * HIDDEN_UNIT_LIST - number units in each layer, space separated list of *; * 5 integers *; ******************************************************************************; * TODO: user sets constants; %let CORE_COUNT = 2; %let OUT_DIR = ; %let DIM = 25; %let HIDDEN_UNIT_LIST = 50 25 2 25 50; * system options; options threads; ods html close; ods listing; * start timer; %let start = %sysfunc(datetime()); *** import csv ***************************************************************; * libref to OUT_DIR; libname l "&OUT_DIR."; * woring dir to OUT_DIR; x "cd &OUT_DIR"; * import csv; proc import datafile="&OUT_DIR./patches.csv" out=l.patches dbms=csv replace; run; *** view random patches *******************************************************; * define gtl template; ods path show; ods path(prepend) work.templat(update); proc template; define statgraph contour; dynamic _title; begingraph; entrytitle _title; layout overlayequated / equatetype=square commonaxisopts=(viewmin=0 viewmax=%eval(&dim.-1) tickvaluelist=(0 %eval(&dim./2) &dim.)) xaxisopts=(offsetmin=0 offsetmax=0) yaxisopts=(offsetmin=0 offsetmax=0); contourplotparm x=x y=y z=z / contourtype=gradient nlevels=255 colormodel=twocolorramp; endlayout; endgraph; end; run; * create random sample of patches; proc surveyselect data=l.patches out=samp method=srs n=20; run; * convert random patches to contours; data _xyz; set samp; array pixels pixel_:; pic_ID = _n_; do j=1 to %eval(&DIM*&DIM); x = (j-&DIM*floor((j-1)/&DIM))-1; y = (%eval(&DIM+1)-ceil(j/&DIM))-1; z = 255-pixels[j]; output; keep pic_ID x y z; end; run; * render selected patches; proc sgrender data=_xyz template=contour; dynamic _title="Input Image"; by pic_ID; run; *** train autoencoder network ************************************************; * create necessary dmdb catalog; proc dmdb data=l.patches out=_ dmdbcat=work.patches_cat; var pixel_:; target pixel_:; run; * train a simple stacked autoencoder with 5 layers; proc neural data=l.patches dmdbcat=work.patches_cat random=44444; performance compile details cpucount=&CORE_COUNT threads=yes; nloptions noprint; /* noprint=do not show weight values */ netoptions decay=0.1; /* decay=L2 penalty */ archi MLP hidden=5; /* 5-layer network architecture */ hidden %scan(&HIDDEN_UNIT_LIST, 1, ' ') / id=h1; hidden %scan(&HIDDEN_UNIT_LIST, 2, ' ') / id=h2; hidden %scan(&HIDDEN_UNIT_LIST, 3, ' ') / id=h3 act=linear; hidden %scan(&HIDDEN_UNIT_LIST, 4, ' ') / id=h4; hidden %scan(&HIDDEN_UNIT_LIST, 5, ' ') / id=h5; input pixel_0-pixel_%eval(&DIM*&DIM-1) / std=no id=i level=int; target pixel_0-pixel_%eval(&DIM*&DIM-1) / std=no id=t level=int; /* initialize network */ /* infan reduces chances of neurons being saturated by random init */ initial infan=0.1; /* pretrain layers seperately */ /* layer 1 */ freeze h1->h2; freeze h2->h3; freeze h3->h4; freeze h4->h5; train maxtime=10000 maxiter=5000; /* layer 2 */ freeze i->h1; thaw h1->h2; train maxtime=10000 maxiter=5000; /* layer 3 */ freeze h1->h2; thaw h2->h3; train maxtime=10000 maxiter=5000; /* layer 4 */ freeze h2->h3; thaw h3->h4; train maxtime=10000 maxiter=5000; /* layer 5 */ freeze h3->h4; thaw h4->h5; train maxtime=10000 maxiter=5000; /* retrain all layers together */ thaw i->h1; thaw h1->h2; thaw h2->h3; thaw h3->h4; train tech=congra maxtime=10000 maxiter=5000 outest=weights_all outfit=_fit estiter=1; code file="%sysfunc(pathname(WORK))/autoencoder_score.sas"; run; * plot training error; proc sgplot data=_fit (where=(_NAME_='OVERALL')); series x=_ITER_ y=_RASE_; xaxis label='Iteration'; title 'Iteration Plot'; run; title; *** save and visualize dictionary ********************************************; * extract filters from network weights; data _h5_weights; set weights_all(where=(_TYPE_='PARMS' and _NAME_='_LAST_') keep=_TYPE_ _NAME_ h5:); drop _TYPE_ _NAME_; run; proc transpose out=filters_t(drop=_LABEL_); run; proc sort sortseq=linguistic(numeric_collation=on); by _NAME_; run; proc transpose out=filters_tt(drop=_NAME_); run; * arrange filters into dictionary and save to OUT_DIR; data l.dictionary; set filters_tt; array h h5:; array pixels pixel_0-pixel_%eval(&DIM.*&DIM.-1); do i=1 to %scan(&HIDDEN_UNIT_LIST, 5, ' '); do j=1 to %eval(&DIM.*&DIM.); pixels[j] = h[(i-1)*%eval(&DIM.*&DIM.) + j]; end; filter_id = i; output; end; drop i j h5:; run; * convert dictionary to contours; data _xyz; set l.dictionary; array pixels pixel_0-pixel_%eval(&DIM.*&DIM.); do i=1 to %eval(&DIM.*&DIM.); x = (i-&DIM.*floor((i-1)/&DIM.))-1; y = ((&DIM.+1)-ceil(i/&DIM.))-1; z = pixels[i]; output; keep filter_ID x y z; end; run; * visualize dictionary; proc sgrender data= _xyz template=contour; dynamic _title='Dictionary Image'; by filter_ID; run; *** create hidden layer output ***********************************************; * can be clustered instead of raw pacthes using make_clusters.sas; data l.hidden_output; set l.patches; %include "%sysfunc(pathname(WORK))/autoencoder.sas" / nosource; drop h1: h2: h4: h5: pixel_: _WARN_ P_:; run; * end timer; %put NOTE: Total elapsed time: %sysfunc(putn(%sysevalf(%sysfunc(datetime())-&start), 10.2)) seconds.;
SAS
5
mikiec84/enlighten-apply
SAS_Py_Patches_PatternRecognition/make_dictionary.sas
[ "Apache-2.0" ]
{ 'body': { '0': { 'cases': { '1': { 'range': { '1': 54 }, 'loc': { 'end': { 'column': 54 }}, 'consequent': { '0': { 'range': { '1': 54 }, 'loc': { 'end': { 'column': 54 }}, } } } } } } }
Diff
0
oonsamyi/flow
src/parser/test/esprima/statement/switch/migrated_0002.diff
[ "MIT" ]
type $RR <class {@e1 i32, @e2 f32, @e3 f64}> type $SS <class <$RR> { &method1(agg)agg, &method2(void)void}> func $foo ( var %x <$SS>) i32 { dassign %x 2 ( constval i32 32 ) virtualcall &method2(addrof ptr %x) superclasscall &method2(addrof ptr %x) interfacecall &method2(addrof ptr %x) return ( dread i32 %x 2 ) } # EXEC: %irbuild Main.mpl # EXEC: %irbuild Main.irb.mpl # EXEC: %cmp Main.irb.mpl Main.irb.irb.mpl
Maple
3
harmonyos-mirror/OpenArkCompiler-test
test/testsuite/irbuild_test/I0086-mapleall-irbuild-edge-virtualcall/Main.mpl
[ "MulanPSL-1.0" ]
<patch-1.0 appVersion="1.0.12"> <obj type="patch/inlet b" uuid="3b0d3eacb5bb978cb05d1372aa2714d5a4790844" name="Button Up" x="14" y="84"> <params/> <attribs/> </obj> <obj type="logic/counter2" uuid="d9536f238ab92e53ac93d5927c3b43ceef998dc1" name="counter2_1" x="112" y="84"> <params> <int32 name="maximum" value="4"/> </params> <attribs/> </obj> <obj type="math/+1" uuid="13c1a4574bb81783beb8839e81782b9a34e3fc17" name="+1_1" x="210" y="84"> <params/> <attribs/> </obj> <obj type="patch/outlet i" uuid="aae2176b26209e34e4fdeba5edb1ace82d178655" name="Index Out" x="490" y="84"> <params/> <attribs/> </obj> <obj type="patch/inlet b" uuid="3b0d3eacb5bb978cb05d1372aa2714d5a4790844" name="Button Down" x="14" y="140"> <params/> <attribs/> </obj> <obj type="drj/math/== const i" uuid="36ae23539d64bc2fb798a1b4a65cf9dda17a1952" name="==_1" x="280" y="154"> <params/> <attribs> <spinner attributeName="value" value="1"/> </attribs> </obj> <obj type="logic/or 2" uuid="3805d3c84d30032a44fbdbe42d9a2988a1790a3e" name="or_2" x="406" y="154"> <params/> <attribs/> </obj> <obj type="patch/outlet b" uuid="191792f616d4835dba0b55375474a12942e5bcbd" name="LED A State" x="490" y="154"> <params/> <attribs/> </obj> <obj type="drj/math/== const i" uuid="36ae23539d64bc2fb798a1b4a65cf9dda17a1952" name="==_3" x="280" y="210"> <params/> <attribs> <spinner attributeName="value" value="3"/> </attribs> </obj> <comment type="patch/comment" x="490" y="210" text="Led Page Indicator States:"/> <comment type="patch/comment" x="490" y="224" text="Page 1: 1 0"/> <comment type="patch/comment" x="490" y="238" text="Page 2: 0 1"/> <comment type="patch/comment" x="490" y="252" text="Page 3: 1 1"/> <comment type="patch/comment" x="490" y="266" text="Page 4: 0 0"/> <obj type="drj/math/== const i" uuid="36ae23539d64bc2fb798a1b4a65cf9dda17a1952" name="==_2" x="280" y="294"> <params/> <attribs> <spinner attributeName="value" value="2"/> </attribs> </obj> <obj type="logic/or 2" uuid="3805d3c84d30032a44fbdbe42d9a2988a1790a3e" name="or_1" x="406" y="294"> <params/> <attribs/> </obj> <obj type="patch/outlet b" uuid="191792f616d4835dba0b55375474a12942e5bcbd" name="LED B State" x="490" y="294"> <params/> <attribs/> </obj> <obj type="drj/math/== const i" uuid="36ae23539d64bc2fb798a1b4a65cf9dda17a1952" name="==_4" x="280" y="350"> <params/> <attribs> <spinner attributeName="value" value="3"/> </attribs> </obj> <nets> <net> <source obj="Button Up" outlet="inlet"/> <dest obj="counter2_1" inlet="inc"/> </net> <net> <source obj="Button Down" outlet="inlet"/> <dest obj="counter2_1" inlet="dec"/> </net> <net> <source obj="counter2_1" outlet="o"/> <dest obj="+1_1" inlet="a"/> </net> <net> <source obj="+1_1" outlet="result"/> <dest obj="Index Out" inlet="outlet"/> <dest obj="==_1" inlet="in"/> <dest obj="==_2" inlet="in"/> <dest obj="==_3" inlet="in"/> <dest obj="==_4" inlet="in"/> </net> <net> <source obj="==_1" outlet="out"/> <dest obj="or_2" inlet="i1"/> </net> <net> <source obj="==_4" outlet="out"/> <dest obj="or_1" inlet="i2"/> </net> <net> <source obj="==_2" outlet="out"/> <dest obj="or_1" inlet="i1"/> </net> <net> <source obj="or_1" outlet="o"/> <dest obj="LED B State" inlet="outlet"/> </net> <net> <source obj="==_3" outlet="out"/> <dest obj="or_2" inlet="i2"/> </net> <net> <source obj="or_2" outlet="o"/> <dest obj="LED A State" inlet="outlet"/> </net> </nets> <settings> <subpatchmode>no</subpatchmode> </settings> <notes><![CDATA[]]></notes> <windowPos> <x>587</x> <y>23</y> <width>1206</width> <height>975</height> </windowPos> </patch-1.0>
NetLinx
4
pfawcett23/ssb_axoloti
ssb_library/ctrl/axoCtl4PageUpDown.axs
[ "MIT" ]
<GameFile> <PropertyGroup Name="MediaPlayerNavi" Type="Layer" ID="1579a466-7977-464e-b402-ea4d21282e25" Version="3.10.0.0" /> <Content ctype="GameProjectContent"> <Content> <Animation Duration="0" Speed="1.0000" /> <ObjectData Name="Layer" ctype="GameLayerObjectData"> <Size X="960.0000" Y="640.0000" /> <Children> <AbstractNodeData Name="NaviBar" ActionTag="210411868" Tag="10" IconVisible="False" HorizontalEdge="BothEdge" VerticalEdge="TopEdge" BottomMargin="490.0000" TouchEnable="True" StretchWidthEnable="True" ClipAble="False" ComboBoxIndex="1" ColorAngle="90.0000" ctype="PanelObjectData"> <Size X="960.0000" Y="150.0000" /> <Children> <AbstractNodeData Name="Title" ActionTag="-2067758255" Tag="11" IconVisible="False" HorizontalEdge="BothEdge" VerticalEdge="TopEdge" LeftMargin="80.0000" RightMargin="80.0000" TopMargin="20.0000" BottomMargin="58.0000" StretchWidthEnable="True" IsCustomSize="True" FontSize="40" LabelText="Text Label" HorizontalAlignmentType="HT_Center" ShadowOffsetX="2.0000" ShadowOffsetY="-2.0000" ctype="TextObjectData"> <Size X="800.0000" Y="52.0000" /> <AnchorPoint ScaleX="0.5000" ScaleY="1.0000" /> <Position X="480.0000" Y="130.0000" /> <Scale ScaleX="1.0000" ScaleY="1.0000" /> <CColor A="255" R="255" G="255" B="255" /> <PrePosition X="0.5000" Y="1.0000" /> <PreSize X="0.1521" Y="0.4200" /> <FontResource Type="Normal" Path="DroidSansFallback.ttf" Plist="" /> <OutlineColor A="255" R="255" G="0" B="0" /> <ShadowColor A="255" R="110" G="110" B="110" /> </AbstractNodeData> <AbstractNodeData Name="Timeline" ActionTag="-1226225042" Tag="12" IconVisible="False" HorizontalEdge="BothEdge" VerticalEdge="BottomEdge" LeftMargin="20.0000" RightMargin="20.0000" TopMargin="93.0000" BottomMargin="45.0000" TouchEnable="True" StretchWidthEnable="True" PercentInfo="50" ctype="SliderObjectData"> <Size X="920.0000" Y="20.0000" /> <AnchorPoint ScaleX="0.5000" ScaleY="0.5000" /> <Position X="480.0000" Y="55.0000" /> <Scale ScaleX="1.0000" ScaleY="1.0000" /> <CColor A="255" R="255" G="255" B="255" /> <PrePosition X="0.1250" /> <PreSize X="0.9583" Y="0.1538" /> <BackGroundData Type="Default" Path="Default/Slider_Back.png" Plist="" /> <ProgressBarData Type="Default" Path="Default/Slider_PressBar.png" Plist="" /> <BallNormalData Type="Default" Path="Default/SliderNode_Normal.png" Plist="" /> <BallPressedData Type="Default" Path="Default/SliderNode_Press.png" Plist="" /> <BallDisabledData Type="Default" Path="Default/SliderNode_Disable.png" Plist="" /> </AbstractNodeData> <AbstractNodeData Name="Back" ActionTag="259485318" Tag="37" IconVisible="False" HorizontalEdge="LeftEdge" VerticalEdge="TopEdge" LeftMargin="20.0000" RightMargin="620.0000" BottomMargin="20.0000" TouchEnable="True" FontSize="18" Scale9Width="64" Scale9Height="64" OutlineSize="0" ShadowOffsetX="0.0000" ShadowOffsetY="0.0000" ctype="ButtonObjectData"> <Size X="80.0000" Y="80.0000" /> <AnchorPoint ScaleY="0.5000" /> <Position X="20.0000" Y="110.0000" /> <Scale ScaleX="1.0000" ScaleY="1.0000" /> <CColor A="255" R="255" G="255" B="255" /> <PrePosition X="0.0278" Y="0.5000" /> <PreSize X="0.1111" Y="0.8333" /> <TextColor A="255" R="199" G="199" B="199" /> <DisabledFileData Type="Normal" Path="img/back_btn_on.png" Plist="" /> <PressedFileData Type="Normal" Path="img/back_btn_on.png" Plist="" /> <NormalFileData Type="Normal" Path="img/back_btn_off.png" Plist="" /> <OutlineColor A="255" R="255" G="0" B="0" /> <ShadowColor A="255" R="255" G="127" B="80" /> </AbstractNodeData> <AbstractNodeData Name="PlayTime" ActionTag="1409097770" Tag="39" IconVisible="False" HorizontalEdge="LeftEdge" VerticalEdge="BottomEdge" LeftMargin="20.0000" RightMargin="794.0000" TopMargin="103.0000" BottomMargin="5.0000" FontSize="32" LabelText="Text Label" ShadowOffsetX="2.0000" ShadowOffsetY="-2.0000" ctype="TextObjectData"> <Size X="146.0000" Y="42.0000" /> <AnchorPoint /> <Position X="20.0000" Y="5.0000" /> <Scale ScaleX="1.0000" ScaleY="1.0000" /> <CColor A="255" R="255" G="255" B="255" /> <PrePosition X="0.0208" Y="0.0333" /> <PreSize X="0.1521" Y="0.2800" /> <FontResource Type="Normal" Path="DroidSansFallback.ttf" Plist="" /> <OutlineColor A="255" R="255" G="0" B="0" /> <ShadowColor A="255" R="110" G="110" B="110" /> </AbstractNodeData> <AbstractNodeData Name="RemainTime" ActionTag="-1091607380" Tag="40" IconVisible="False" HorizontalEdge="RightEdge" VerticalEdge="BottomEdge" LeftMargin="794.0000" RightMargin="20.0000" TopMargin="98.0000" BottomMargin="5.0000" FontSize="32" LabelText="Text Label" ShadowOffsetX="2.0000" ShadowOffsetY="-2.0000" ctype="TextObjectData"> <Size X="146.0000" Y="42.0000" /> <AnchorPoint ScaleX="1.0000" /> <Position X="940.0000" Y="5.0000" /> <Scale ScaleX="1.0000" ScaleY="1.0000" /> <CColor A="255" R="255" G="255" B="255" /> <PrePosition X="0.0521" Y="-0.0667" /> <PreSize X="0.1521" Y="0.2800" /> <FontResource Type="Normal" Path="DroidSansFallback.ttf" Plist="" /> <OutlineColor A="255" R="255" G="0" B="0" /> <ShadowColor A="255" R="110" G="110" B="110" /> </AbstractNodeData> </Children> <AnchorPoint /> <Position Y="490.0000" /> <Scale ScaleX="1.0000" ScaleY="1.0000" /> <CColor A="255" R="255" G="255" B="255" /> <PrePosition Y="0.7656" /> <PreSize X="1.0000" Y="0.2344" /> <SingleColor A="255" R="42" G="42" B="42" /> <FirstColor A="255" R="150" G="200" B="255" /> <EndColor A="255" R="255" G="255" B="255" /> <ColorVector ScaleY="1.0000" /> </AbstractNodeData> </Children> </ObjectData> </Content> </Content> </GameFile>
Csound
3
A29586a/Kirikiroid2
cocos/kr2/cocosstudio/ui/MediaPlayerNavi.csd
[ "BSD-3-Clause" ]
<GameProjectFile> <PropertyGroup Type="Node" Name="jones" ID="a216914d-c0d7-49f6-8da3-6a19dd0dc55f" Version="0.0.0.1" /> <Content ctype="GameProjectContent"> <Content> <Animation Duration="54" Speed="0.4"> <Timeline ActionTag="-1426312150" FrameType="VisibleFrame"> <BoolFrame FrameIndex="0" Value="True" /> </Timeline> <Timeline ActionTag="-1426312150" FrameType="AnchorPointFrame"> <PointFrame FrameIndex="0" X="0.4991803" Y="0.5021276" /> <PointFrame FrameIndex="7" X="0.4991803" Y="0.4989362" /> <PointFrame FrameIndex="13" X="0.4991803" Y="0.5021276" /> <PointFrame FrameIndex="14" X="0.5" Y="0.5" /> <PointFrame FrameIndex="15" X="0.497541" Y="0.5" /> <PointFrame FrameIndex="16" X="0.497541" Y="0.5053192" /> <PointFrame FrameIndex="17" X="0.497541" Y="0.506383" /> <PointFrame FrameIndex="20" X="0.5008197" Y="0.5010638" /> <PointFrame FrameIndex="21" X="0.5" Y="0.5" /> <PointFrame FrameIndex="22" X="0.5" Y="0.5" /> <PointFrame FrameIndex="23" X="0.4991803" Y="0.5021276" /> <PointFrame FrameIndex="24" X="0.5" Y="0.5010638" /> <PointFrame FrameIndex="25" X="0.4983607" Y="0.5021276" /> <PointFrame FrameIndex="27" X="0.4983607" Y="0.5010638" /> <PointFrame FrameIndex="29" X="0.4967213" Y="0.5010638" /> <PointFrame FrameIndex="30" X="0.4991803" Y="0.5021276" /> <PointFrame FrameIndex="31" X="0.497541" Y="0.5" /> <PointFrame FrameIndex="33" X="0.497541" Y="0.5053192" /> <PointFrame FrameIndex="35" X="0.497541" Y="0.506383" /> <PointFrame FrameIndex="39" X="0.5008197" Y="0.5010638" /> <PointFrame FrameIndex="40" X="0.497541" Y="0.5053192" /> <PointFrame FrameIndex="42" X="0.497541" Y="0.506383" /> <PointFrame FrameIndex="46" X="0.5008197" Y="0.5010638" /> <PointFrame FrameIndex="48" X="0.497541" Y="0.5053192" /> <PointFrame FrameIndex="50" X="0.497541" Y="0.506383" /> <PointFrame FrameIndex="54" X="0.5008197" Y="0.5010638" /> </Timeline> <Timeline ActionTag="-1426312151" FrameType="PositionFrame"> <PointFrame FrameIndex="0" X="-16.85" Y="38.6" /> <PointFrame FrameIndex="7" X="-16" Y="36.9" /> <PointFrame FrameIndex="13" Tween="False" X="-16.85" Y="38.6" /> <PointFrame FrameIndex="14" X="-12.35" Y="36.45" /> <PointFrame FrameIndex="15" X="-12.9" Y="36.8" /> <PointFrame FrameIndex="16" X="-14.35" Y="43.1" /> <PointFrame FrameIndex="17" X="-13.65" Y="41.1" /> <PointFrame FrameIndex="20" X="-14.1" Y="35.45" /> <PointFrame FrameIndex="21" X="-12.35" Y="36.45" /> <PointFrame FrameIndex="22" X="-12.35" Y="36.45" /> <PointFrame FrameIndex="23" X="-16.85" Y="38.6" /> <PointFrame FrameIndex="24" X="-17.25" Y="39.35" /> <PointFrame FrameIndex="25" Tween="False" X="-18.15" Y="36.75" /> <PointFrame FrameIndex="27" Tween="False" X="-17.7" Y="37.45" /> <PointFrame FrameIndex="29" Tween="False" X="-17.2" Y="38.25" /> <PointFrame FrameIndex="30" Tween="False" X="-16.85" Y="38.6" /> <PointFrame FrameIndex="31" X="-12.9" Y="36.8" /> <PointFrame FrameIndex="33" X="-14.35" Y="43.1" /> <PointFrame FrameIndex="35" X="-13.65" Y="41.1" /> <PointFrame FrameIndex="39" X="-14.1" Y="35.45" /> <PointFrame FrameIndex="40" X="-14.35" Y="43.1" /> <PointFrame FrameIndex="42" X="-13.65" Y="41.1" /> <PointFrame FrameIndex="46" X="-14.1" Y="35.45" /> <PointFrame FrameIndex="48" X="-14.35" Y="43.1" /> <PointFrame FrameIndex="50" X="-13.65" Y="41.1" /> <PointFrame FrameIndex="54" X="-14.1" Y="35.45" /> </Timeline> <Timeline ActionTag="-1426312151" FrameType="ScaleFrame"> <PointFrame FrameIndex="0" X="0.2924347" Y="0.2924347" /> <PointFrame FrameIndex="7" X="0.2923279" Y="0.2923279" /> <PointFrame FrameIndex="13" Tween="False" X="0.2924347" Y="0.2924347" /> <PointFrame FrameIndex="14" X="0.2919617" Y="0.2919617" /> <PointFrame FrameIndex="15" X="0.2920074" Y="0.2920074" /> <PointFrame FrameIndex="16" X="0.2921143" Y="0.2921143" /> <PointFrame FrameIndex="17" X="0.2919922" Y="0.2984619" /> <PointFrame FrameIndex="20" X="0.2920227" Y="0.2920227" /> <PointFrame FrameIndex="21" X="0.2919617" Y="0.2919617" /> <PointFrame FrameIndex="22" X="0.2919617" Y="0.2919617" /> <PointFrame FrameIndex="23" X="0.2924347" Y="0.2924347" /> <PointFrame FrameIndex="24" X="0.2923584" Y="0.2923584" /> <PointFrame FrameIndex="25" Tween="False" X="0.2924347" Y="0.2924347" /> <PointFrame FrameIndex="27" Tween="False" X="0.2922974" Y="0.2922974" /> <PointFrame FrameIndex="29" Tween="False" X="0.2923584" Y="0.2923584" /> <PointFrame FrameIndex="30" Tween="False" X="0.2924347" Y="0.2924347" /> <PointFrame FrameIndex="31" X="0.2920074" Y="0.2920074" /> <PointFrame FrameIndex="33" X="0.2921143" Y="0.2921143" /> <PointFrame FrameIndex="35" X="0.2919922" Y="0.2984619" /> <PointFrame FrameIndex="39" X="0.2920227" Y="0.2920227" /> <PointFrame FrameIndex="40" X="0.2921143" Y="0.2921143" /> <PointFrame FrameIndex="42" X="0.2919922" Y="0.2984619" /> <PointFrame FrameIndex="46" X="0.2920227" Y="0.2920227" /> <PointFrame FrameIndex="48" X="0.2921143" Y="0.2921143" /> <PointFrame FrameIndex="50" X="0.2919922" Y="0.2984619" /> <PointFrame FrameIndex="54" X="0.2920227" Y="0.2920227" /> </Timeline> <Timeline ActionTag="-1426312151" FrameType="RotationSkewFrame"> <PointFrame FrameIndex="0" X="0" Y="0" /> <PointFrame FrameIndex="7" X="-7.302277" Y="-7.302277" /> <PointFrame FrameIndex="13" Tween="False" X="0" Y="0" /> <PointFrame FrameIndex="14" X="-36.86705" Y="-36.86705" /> <PointFrame FrameIndex="15" X="-31.85176" Y="-31.85176" /> <PointFrame FrameIndex="16" X="-21.5701" Y="-21.5701" /> <PointFrame FrameIndex="17" X="-30.83917" Y="-33.56117" /> <PointFrame FrameIndex="20" X="-29.5963" Y="-29.5963" /> <PointFrame FrameIndex="21" X="-36.86705" Y="-36.86705" /> <PointFrame FrameIndex="22" X="-36.86705" Y="-36.86705" /> <PointFrame FrameIndex="23" X="0" Y="0" /> <PointFrame FrameIndex="24" X="4.507996" Y="4.507996" /> <PointFrame FrameIndex="25" Tween="False" X="-13.39845" Y="-13.39845" /> <PointFrame FrameIndex="27" Tween="False" X="-8.015015" Y="-8.015015" /> <PointFrame FrameIndex="29" Tween="False" X="-2.542435" Y="-2.542435" /> <PointFrame FrameIndex="30" Tween="False" X="0" Y="0" /> <PointFrame FrameIndex="31" X="-31.85176" Y="-31.85176" /> <PointFrame FrameIndex="33" X="-21.5701" Y="-21.5701" /> <PointFrame FrameIndex="35" X="-30.83917" Y="-33.56117" /> <PointFrame FrameIndex="39" X="-29.5963" Y="-29.5963" /> <PointFrame FrameIndex="40" X="-21.5701" Y="-21.5701" /> <PointFrame FrameIndex="42" X="-30.83917" Y="-33.56117" /> <PointFrame FrameIndex="46" X="-29.5963" Y="-29.5963" /> <PointFrame FrameIndex="48" X="-21.5701" Y="-21.5701" /> <PointFrame FrameIndex="50" X="-30.83917" Y="-33.56117" /> <PointFrame FrameIndex="54" X="-29.5963" Y="-29.5963" /> </Timeline> <Timeline ActionTag="-1426312151" FrameType="EventFrame"> <StringFrame FrameIndex="54" Value="player3_end" /> </Timeline> <Timeline ActionTag="-1426312148" FrameType="VisibleFrame"> <BoolFrame FrameIndex="0" Value="True" /> <BoolFrame FrameIndex="16" Value="False" /> <BoolFrame FrameIndex="20" Value="True" /> <BoolFrame FrameIndex="33" Value="False" /> <BoolFrame FrameIndex="39" Value="True" /> <BoolFrame FrameIndex="40" Value="False" /> <BoolFrame FrameIndex="46" Value="True" /> <BoolFrame FrameIndex="48" Value="False" /> <BoolFrame FrameIndex="54" Value="True" /> </Timeline> <Timeline ActionTag="-1426312148" FrameType="AnchorPointFrame"> <PointFrame FrameIndex="0" X="0.49875" Y="0.5008929" /> <PointFrame FrameIndex="7" X="0.49875" Y="0.4991072" /> <PointFrame FrameIndex="13" X="0.49875" Y="0.5008929" /> <PointFrame FrameIndex="14" X="0.49875" Y="0.5008929" /> <PointFrame FrameIndex="15" X="0.49875" Y="0.4991072" /> <PointFrame FrameIndex="20" X="0.49625" Y="0.5017857" /> <PointFrame FrameIndex="21" X="0.49875" Y="0.5008929" /> <PointFrame FrameIndex="22" X="0.49875" Y="0.5008929" /> <PointFrame FrameIndex="23" X="0.49875" Y="0.5008929" /> <PointFrame FrameIndex="24" X="0.49875" Y="0.5008929" /> <PointFrame FrameIndex="25" X="0.50125" Y="0.5" /> <PointFrame FrameIndex="27" X="0.49875" Y="0.4982143" /> <PointFrame FrameIndex="29" X="0.49875" Y="0.4991072" /> <PointFrame FrameIndex="30" X="0.49875" Y="0.5008929" /> <PointFrame FrameIndex="31" X="0.4975" Y="0.5035715" /> <PointFrame FrameIndex="39" X="0.49625" Y="0.5017857" /> <PointFrame FrameIndex="46" X="0.49625" Y="0.5017857" /> <PointFrame FrameIndex="47" X="0.4975" Y="0.5035715" /> <PointFrame FrameIndex="54" X="0.49625" Y="0.5017857" /> </Timeline> <Timeline ActionTag="-1426312149" FrameType="PositionFrame"> <PointFrame FrameIndex="0" X="16.4" Y="39.3" /> <PointFrame FrameIndex="7" X="16.4" Y="38.75" /> <PointFrame FrameIndex="13" Tween="False" X="16.4" Y="39.3" /> <PointFrame FrameIndex="14" X="16.4" Y="39.3" /> <PointFrame FrameIndex="15" X="16.4" Y="39.05" /> <PointFrame FrameIndex="20" X="16.5" Y="39.2" /> <PointFrame FrameIndex="21" X="16.4" Y="39.05" /> <PointFrame FrameIndex="22" Tween="False" X="16.4" Y="39.3" /> <PointFrame FrameIndex="23" X="16.4" Y="39.3" /> <PointFrame FrameIndex="24" X="16.4" Y="39.3" /> <PointFrame FrameIndex="25" Tween="False" X="15" Y="38.45" /> <PointFrame FrameIndex="27" Tween="False" X="15.45" Y="38.75" /> <PointFrame FrameIndex="29" Tween="False" X="16" Y="39.15" /> <PointFrame FrameIndex="30" Tween="False" X="16.4" Y="39.3" /> <PointFrame FrameIndex="31" X="14.9" Y="41.45" /> <PointFrame FrameIndex="39" X="16.5" Y="39.2" /> <PointFrame FrameIndex="46" X="16.5" Y="39.2" /> <PointFrame FrameIndex="47" X="14.9" Y="41.45" /> <PointFrame FrameIndex="54" X="16.5" Y="39.2" /> </Timeline> <Timeline ActionTag="-1426312149" FrameType="ScaleFrame"> <PointFrame FrameIndex="0" X="0.2930908" Y="0.2930908" /> <PointFrame FrameIndex="7" X="0.2930908" Y="0.2930908" /> <PointFrame FrameIndex="13" Tween="False" X="0.2930908" Y="0.2930908" /> <PointFrame FrameIndex="14" X="0.2930908" Y="0.2930908" /> <PointFrame FrameIndex="15" X="0.2930908" Y="0.2930908" /> <PointFrame FrameIndex="20" X="0.293045" Y="0.293045" /> <PointFrame FrameIndex="21" X="0.2930908" Y="0.2930908" /> <PointFrame FrameIndex="22" Tween="False" X="0.2930908" Y="0.2930908" /> <PointFrame FrameIndex="23" X="0.2930908" Y="0.2930908" /> <PointFrame FrameIndex="24" X="0.2930908" Y="0.2930908" /> <PointFrame FrameIndex="25" Tween="False" X="0.2930756" Y="0.2930756" /> <PointFrame FrameIndex="27" Tween="False" X="0.2930298" Y="0.2930298" /> <PointFrame FrameIndex="29" Tween="False" X="0.293045" Y="0.293045" /> <PointFrame FrameIndex="30" Tween="False" X="0.2930908" Y="0.2930908" /> <PointFrame FrameIndex="31" X="0.2928009" Y="0.2928009" /> <PointFrame FrameIndex="39" X="0.293045" Y="0.293045" /> <PointFrame FrameIndex="46" X="0.293045" Y="0.293045" /> <PointFrame FrameIndex="47" X="0.2928009" Y="0.2928009" /> <PointFrame FrameIndex="54" X="0.293045" Y="0.293045" /> </Timeline> <Timeline ActionTag="-1426312149" FrameType="RotationSkewFrame"> <PointFrame FrameIndex="0" X="0" Y="0" /> <PointFrame FrameIndex="7" X="-1.055984" Y="-1.055984" /> <PointFrame FrameIndex="13" Tween="False" X="0" Y="0" /> <PointFrame FrameIndex="14" X="0" Y="0" /> <PointFrame FrameIndex="15" X="-1.055984" Y="-1.055984" /> <PointFrame FrameIndex="20" X="-3.043945" Y="-3.043945" /> <PointFrame FrameIndex="21" X="0" Y="0" /> <PointFrame FrameIndex="22" Tween="False" X="0" Y="0" /> <PointFrame FrameIndex="23" X="0" Y="0" /> <PointFrame FrameIndex="24" X="0" Y="0" /> <PointFrame FrameIndex="25" Tween="False" X="6.33606" Y="6.33606" /> <PointFrame FrameIndex="27" Tween="False" X="3.764404" Y="3.764404" /> <PointFrame FrameIndex="29" Tween="False" X="1.25" Y="1.25" /> <PointFrame FrameIndex="30" Tween="False" X="0" Y="0" /> <PointFrame FrameIndex="31" X="19.28647" Y="19.28647" /> <PointFrame FrameIndex="39" X="-3.043945" Y="-3.043945" /> <PointFrame FrameIndex="46" X="-3.043945" Y="-3.043945" /> <PointFrame FrameIndex="47" X="19.28647" Y="19.28647" /> <PointFrame FrameIndex="54" X="-3.043945" Y="-3.043945" /> </Timeline> <Timeline ActionTag="-1426312146" FrameType="VisibleFrame"> <BoolFrame FrameIndex="0" Value="True" /> </Timeline> <Timeline ActionTag="-1426312146" FrameType="AnchorPointFrame"> <PointFrame FrameIndex="0" X="0.5" Y="0.5010638" /> <PointFrame FrameIndex="7" X="0.5" Y="0.5010638" /> <PointFrame FrameIndex="13" X="0.5" Y="0.5010638" /> <PointFrame FrameIndex="14" X="0.5" Y="0.5010638" /> <PointFrame FrameIndex="15" X="0.5" Y="0.5010638" /> <PointFrame FrameIndex="16" X="0.5" Y="0.5010638" /> <PointFrame FrameIndex="17" X="0.5" Y="0.5010638" /> <PointFrame FrameIndex="20" X="0.5" Y="0.5010638" /> <PointFrame FrameIndex="21" X="0.5" Y="0.5010638" /> <PointFrame FrameIndex="22" X="0.5" Y="0.5010638" /> <PointFrame FrameIndex="23" X="0.5" Y="0.5010638" /> <PointFrame FrameIndex="24" X="0.5" Y="0.5010638" /> <PointFrame FrameIndex="25" X="0.5" Y="0.5010638" /> <PointFrame FrameIndex="27" X="0.5" Y="0.5010638" /> <PointFrame FrameIndex="29" X="0.5" Y="0.5010638" /> <PointFrame FrameIndex="30" X="0.5" Y="0.5010638" /> <PointFrame FrameIndex="31" X="0.5" Y="0.5010638" /> <PointFrame FrameIndex="33" X="0.5" Y="0.5010638" /> <PointFrame FrameIndex="35" X="0.5" Y="0.5010638" /> <PointFrame FrameIndex="39" X="0.5" Y="0.5010638" /> <PointFrame FrameIndex="40" X="0.5" Y="0.5010638" /> <PointFrame FrameIndex="42" X="0.5" Y="0.5010638" /> <PointFrame FrameIndex="46" X="0.5" Y="0.5010638" /> <PointFrame FrameIndex="48" X="0.5" Y="0.5010638" /> <PointFrame FrameIndex="50" X="0.5" Y="0.5010638" /> <PointFrame FrameIndex="54" X="0.5" Y="0.5010638" /> </Timeline> <Timeline ActionTag="-1426312147" FrameType="PositionFrame"> <PointFrame FrameIndex="0" X="-8.65" Y="6.6" /> <PointFrame FrameIndex="7" X="-8.65" Y="6.6" /> <PointFrame FrameIndex="13" Tween="False" X="-8.65" Y="6.6" /> <PointFrame FrameIndex="14" X="-8.65" Y="6.6" /> <PointFrame FrameIndex="15" X="-8.65" Y="6.6" /> <PointFrame FrameIndex="16" X="-8.65" Y="6.6" /> <PointFrame FrameIndex="17" X="-8.65" Y="6.6" /> <PointFrame FrameIndex="20" X="-8.65" Y="6.6" /> <PointFrame FrameIndex="21" X="-8.65" Y="6.6" /> <PointFrame FrameIndex="22" Tween="False" X="-8.65" Y="6.6" /> <PointFrame FrameIndex="23" X="-8.65" Y="6.6" /> <PointFrame FrameIndex="24" X="-8.65" Y="6.6" /> <PointFrame FrameIndex="25" Tween="False" X="-8.65" Y="6.6" /> <PointFrame FrameIndex="27" Tween="False" X="-8.65" Y="6.6" /> <PointFrame FrameIndex="29" Tween="False" X="-8.65" Y="6.6" /> <PointFrame FrameIndex="30" Tween="False" X="-8.65" Y="6.6" /> <PointFrame FrameIndex="31" X="-8.65" Y="6.6" /> <PointFrame FrameIndex="33" X="-8.65" Y="6.6" /> <PointFrame FrameIndex="35" X="-8.65" Y="6.6" /> <PointFrame FrameIndex="39" X="-8.65" Y="6.6" /> <PointFrame FrameIndex="40" X="-8.65" Y="6.6" /> <PointFrame FrameIndex="42" X="-8.65" Y="6.6" /> <PointFrame FrameIndex="46" X="-8.65" Y="6.6" /> <PointFrame FrameIndex="48" X="-8.65" Y="6.6" /> <PointFrame FrameIndex="50" X="-8.65" Y="6.6" /> <PointFrame FrameIndex="54" X="-8.65" Y="6.6" /> </Timeline> <Timeline ActionTag="-1426312147" FrameType="ScaleFrame"> <PointFrame FrameIndex="0" X="0.2924347" Y="0.2924347" /> <PointFrame FrameIndex="7" X="0.2924347" Y="0.2924347" /> <PointFrame FrameIndex="13" Tween="False" X="0.2924347" Y="0.2924347" /> <PointFrame FrameIndex="14" X="0.2924347" Y="0.2924347" /> <PointFrame FrameIndex="15" X="0.2924347" Y="0.2924347" /> <PointFrame FrameIndex="16" X="0.2924347" Y="0.2924347" /> <PointFrame FrameIndex="17" X="0.2924347" Y="0.2924347" /> <PointFrame FrameIndex="20" X="0.2924347" Y="0.2924347" /> <PointFrame FrameIndex="21" X="0.2924347" Y="0.2924347" /> <PointFrame FrameIndex="22" Tween="False" X="0.2924347" Y="0.2924347" /> <PointFrame FrameIndex="23" X="0.2924347" Y="0.2924347" /> <PointFrame FrameIndex="24" X="0.2924347" Y="0.2924347" /> <PointFrame FrameIndex="25" Tween="False" X="0.2924347" Y="0.2924347" /> <PointFrame FrameIndex="27" Tween="False" X="0.2924347" Y="0.2924347" /> <PointFrame FrameIndex="29" Tween="False" X="0.2924347" Y="0.2924347" /> <PointFrame FrameIndex="30" Tween="False" X="0.2924347" Y="0.2924347" /> <PointFrame FrameIndex="31" X="0.2924347" Y="0.2924347" /> <PointFrame FrameIndex="33" X="0.2924347" Y="0.2924347" /> <PointFrame FrameIndex="35" X="0.2924347" Y="0.2924347" /> <PointFrame FrameIndex="39" X="0.2924347" Y="0.2924347" /> <PointFrame FrameIndex="40" X="0.2924347" Y="0.2924347" /> <PointFrame FrameIndex="42" X="0.2924347" Y="0.2924347" /> <PointFrame FrameIndex="46" X="0.2924347" Y="0.2924347" /> <PointFrame FrameIndex="48" X="0.2924347" Y="0.2924347" /> <PointFrame FrameIndex="50" X="0.2924347" Y="0.2924347" /> <PointFrame FrameIndex="54" X="0.2924347" Y="0.2924347" /> </Timeline> <Timeline ActionTag="-1426312147" FrameType="RotationSkewFrame"> <PointFrame FrameIndex="0" X="0" Y="0" /> <PointFrame FrameIndex="7" X="0" Y="0" /> <PointFrame FrameIndex="13" Tween="False" X="0" Y="0" /> <PointFrame FrameIndex="14" X="0" Y="0" /> <PointFrame FrameIndex="15" X="0" Y="0" /> <PointFrame FrameIndex="16" X="0" Y="0" /> <PointFrame FrameIndex="17" X="0" Y="0" /> <PointFrame FrameIndex="20" X="0" Y="0" /> <PointFrame FrameIndex="21" X="0" Y="0" /> <PointFrame FrameIndex="22" Tween="False" X="0" Y="0" /> <PointFrame FrameIndex="23" X="0" Y="0" /> <PointFrame FrameIndex="24" X="0" Y="0" /> <PointFrame FrameIndex="25" Tween="False" X="0" Y="0" /> <PointFrame FrameIndex="27" Tween="False" X="0" Y="0" /> <PointFrame FrameIndex="29" Tween="False" X="0" Y="0" /> <PointFrame FrameIndex="30" Tween="False" X="0" Y="0" /> <PointFrame FrameIndex="31" X="0" Y="0" /> <PointFrame FrameIndex="33" X="0" Y="0" /> <PointFrame FrameIndex="35" X="0" Y="0" /> <PointFrame FrameIndex="39" X="0" Y="0" /> <PointFrame FrameIndex="40" X="0" Y="0" /> <PointFrame FrameIndex="42" X="0" Y="0" /> <PointFrame FrameIndex="46" X="0" Y="0" /> <PointFrame FrameIndex="48" X="0" Y="0" /> <PointFrame FrameIndex="50" X="0" Y="0" /> <PointFrame FrameIndex="54" X="0" Y="0" /> </Timeline> <Timeline ActionTag="-1426312144" FrameType="VisibleFrame"> <BoolFrame FrameIndex="0" Value="True" /> </Timeline> <Timeline ActionTag="-1426312144" FrameType="AnchorPointFrame"> <PointFrame FrameIndex="0" X="0.5016129" Y="0.5" /> <PointFrame FrameIndex="7" X="0.5016129" Y="0.5" /> <PointFrame FrameIndex="13" X="0.5016129" Y="0.5" /> <PointFrame FrameIndex="14" X="0.5016129" Y="0.5" /> <PointFrame FrameIndex="15" X="0.5016129" Y="0.5" /> <PointFrame FrameIndex="16" X="0.5016129" Y="0.5" /> <PointFrame FrameIndex="17" X="0.5016129" Y="0.5" /> <PointFrame FrameIndex="20" X="0.5016129" Y="0.5" /> <PointFrame FrameIndex="21" X="0.5016129" Y="0.5" /> <PointFrame FrameIndex="22" X="0.5016129" Y="0.5" /> <PointFrame FrameIndex="23" X="0.5016129" Y="0.5" /> <PointFrame FrameIndex="24" X="0.5016129" Y="0.5" /> <PointFrame FrameIndex="25" X="0.5016129" Y="0.5" /> <PointFrame FrameIndex="27" X="0.5016129" Y="0.5" /> <PointFrame FrameIndex="29" X="0.5016129" Y="0.5" /> <PointFrame FrameIndex="30" X="0.5016129" Y="0.5" /> <PointFrame FrameIndex="31" X="0.5016129" Y="0.5" /> <PointFrame FrameIndex="33" X="0.5016129" Y="0.5" /> <PointFrame FrameIndex="35" X="0.5016129" Y="0.5" /> <PointFrame FrameIndex="39" X="0.5016129" Y="0.5" /> <PointFrame FrameIndex="40" X="0.5016129" Y="0.5" /> <PointFrame FrameIndex="42" X="0.5016129" Y="0.5" /> <PointFrame FrameIndex="46" X="0.5016129" Y="0.5" /> <PointFrame FrameIndex="48" X="0.5016129" Y="0.5" /> <PointFrame FrameIndex="50" X="0.5016129" Y="0.5" /> <PointFrame FrameIndex="54" X="0.5016129" Y="0.5" /> </Timeline> <Timeline ActionTag="-1426312145" FrameType="PositionFrame"> <PointFrame FrameIndex="0" X="11.9" Y="2.7" /> <PointFrame FrameIndex="7" X="11.9" Y="2.7" /> <PointFrame FrameIndex="13" Tween="False" X="11.9" Y="2.7" /> <PointFrame FrameIndex="14" X="11.9" Y="2.7" /> <PointFrame FrameIndex="15" X="11.9" Y="2.7" /> <PointFrame FrameIndex="16" X="11.9" Y="2.7" /> <PointFrame FrameIndex="17" X="11.9" Y="2.7" /> <PointFrame FrameIndex="20" X="11.9" Y="2.7" /> <PointFrame FrameIndex="21" X="11.9" Y="2.7" /> <PointFrame FrameIndex="22" Tween="False" X="11.9" Y="2.7" /> <PointFrame FrameIndex="23" X="11.9" Y="2.7" /> <PointFrame FrameIndex="24" X="11.9" Y="2.7" /> <PointFrame FrameIndex="25" Tween="False" X="11.9" Y="2.7" /> <PointFrame FrameIndex="27" Tween="False" X="11.9" Y="2.7" /> <PointFrame FrameIndex="29" Tween="False" X="11.9" Y="2.7" /> <PointFrame FrameIndex="30" Tween="False" X="11.9" Y="2.7" /> <PointFrame FrameIndex="31" X="11.9" Y="2.7" /> <PointFrame FrameIndex="33" X="11.9" Y="2.7" /> <PointFrame FrameIndex="35" X="11.9" Y="2.7" /> <PointFrame FrameIndex="39" X="11.9" Y="2.7" /> <PointFrame FrameIndex="40" X="11.9" Y="2.7" /> <PointFrame FrameIndex="42" X="11.9" Y="2.7" /> <PointFrame FrameIndex="46" X="11.9" Y="2.7" /> <PointFrame FrameIndex="48" X="11.9" Y="2.7" /> <PointFrame FrameIndex="50" X="11.9" Y="2.7" /> <PointFrame FrameIndex="54" X="11.9" Y="2.7" /> </Timeline> <Timeline ActionTag="-1426312145" FrameType="ScaleFrame"> <PointFrame FrameIndex="0" X="0.2924347" Y="0.2924347" /> <PointFrame FrameIndex="7" X="0.2924347" Y="0.2924347" /> <PointFrame FrameIndex="13" Tween="False" X="0.2924347" Y="0.2924347" /> <PointFrame FrameIndex="14" X="0.2924347" Y="0.2924347" /> <PointFrame FrameIndex="15" X="0.2924347" Y="0.2924347" /> <PointFrame FrameIndex="16" X="0.2924347" Y="0.2924347" /> <PointFrame FrameIndex="17" X="0.2924347" Y="0.2924347" /> <PointFrame FrameIndex="20" X="0.2924347" Y="0.2924347" /> <PointFrame FrameIndex="21" X="0.2924347" Y="0.2924347" /> <PointFrame FrameIndex="22" Tween="False" X="0.2924347" Y="0.2924347" /> <PointFrame FrameIndex="23" X="0.2924347" Y="0.2924347" /> <PointFrame FrameIndex="24" X="0.2924347" Y="0.2924347" /> <PointFrame FrameIndex="25" Tween="False" X="0.2924347" Y="0.2924347" /> <PointFrame FrameIndex="27" Tween="False" X="0.2924347" Y="0.2924347" /> <PointFrame FrameIndex="29" Tween="False" X="0.2924347" Y="0.2924347" /> <PointFrame FrameIndex="30" Tween="False" X="0.2924347" Y="0.2924347" /> <PointFrame FrameIndex="31" X="0.2924347" Y="0.2924347" /> <PointFrame FrameIndex="33" X="0.2924347" Y="0.2924347" /> <PointFrame FrameIndex="35" X="0.2924347" Y="0.2924347" /> <PointFrame FrameIndex="39" X="0.2924347" Y="0.2924347" /> <PointFrame FrameIndex="40" X="0.2924347" Y="0.2924347" /> <PointFrame FrameIndex="42" X="0.2924347" Y="0.2924347" /> <PointFrame FrameIndex="46" X="0.2924347" Y="0.2924347" /> <PointFrame FrameIndex="48" X="0.2924347" Y="0.2924347" /> <PointFrame FrameIndex="50" X="0.2924347" Y="0.2924347" /> <PointFrame FrameIndex="54" X="0.2924347" Y="0.2924347" /> </Timeline> <Timeline ActionTag="-1426312145" FrameType="RotationSkewFrame"> <PointFrame FrameIndex="0" X="0" Y="0" /> <PointFrame FrameIndex="7" X="0" Y="0" /> <PointFrame FrameIndex="13" Tween="False" X="0" Y="0" /> <PointFrame FrameIndex="14" X="0" Y="0" /> <PointFrame FrameIndex="15" X="0" Y="0" /> <PointFrame FrameIndex="16" X="0" Y="0" /> <PointFrame FrameIndex="17" X="0" Y="0" /> <PointFrame FrameIndex="20" X="0" Y="0" /> <PointFrame FrameIndex="21" X="0" Y="0" /> <PointFrame FrameIndex="22" Tween="False" X="0" Y="0" /> <PointFrame FrameIndex="23" X="0" Y="0" /> <PointFrame FrameIndex="24" X="0" Y="0" /> <PointFrame FrameIndex="25" Tween="False" X="0" Y="0" /> <PointFrame FrameIndex="27" Tween="False" X="0" Y="0" /> <PointFrame FrameIndex="29" Tween="False" X="0" Y="0" /> <PointFrame FrameIndex="30" Tween="False" X="0" Y="0" /> <PointFrame FrameIndex="31" X="0" Y="0" /> <PointFrame FrameIndex="33" X="0" Y="0" /> <PointFrame FrameIndex="35" X="0" Y="0" /> <PointFrame FrameIndex="39" X="0" Y="0" /> <PointFrame FrameIndex="40" X="0" Y="0" /> <PointFrame FrameIndex="42" X="0" Y="0" /> <PointFrame FrameIndex="46" X="0" Y="0" /> <PointFrame FrameIndex="48" X="0" Y="0" /> <PointFrame FrameIndex="50" X="0" Y="0" /> <PointFrame FrameIndex="54" X="0" Y="0" /> </Timeline> <Timeline ActionTag="-1266003673" FrameType="VisibleFrame"> <BoolFrame FrameIndex="0" Value="True" /> </Timeline> <Timeline ActionTag="-1266003673" FrameType="AnchorPointFrame"> <PointFrame FrameIndex="0" X="0.5005882" Y="0.4986111" /> <PointFrame FrameIndex="7" X="0.5005882" Y="0.4986111" /> <PointFrame FrameIndex="13" X="0.5005882" Y="0.4986111" /> <PointFrame FrameIndex="14" X="0.5005882" Y="0.4986111" /> <PointFrame FrameIndex="15" X="0.5005882" Y="0.4986111" /> <PointFrame FrameIndex="16" X="0.5005882" Y="0.5" /> <PointFrame FrameIndex="17" X="0.5005882" Y="0.5" /> <PointFrame FrameIndex="20" X="0.5005882" Y="0.4986111" /> <PointFrame FrameIndex="21" X="0.5005882" Y="0.4986111" /> <PointFrame FrameIndex="22" X="0.5005882" Y="0.4986111" /> <PointFrame FrameIndex="23" X="0.5005882" Y="0.4986111" /> <PointFrame FrameIndex="24" X="0.5005882" Y="0.4986111" /> <PointFrame FrameIndex="25" X="0.5011765" Y="0.4972222" /> <PointFrame FrameIndex="27" X="0.5017647" Y="0.5" /> <PointFrame FrameIndex="29" X="0.5011765" Y="0.4986111" /> <PointFrame FrameIndex="30" X="0.5005882" Y="0.4986111" /> <PointFrame FrameIndex="31" X="0.5005882" Y="0.4986111" /> <PointFrame FrameIndex="33" X="0.5005882" Y="0.5" /> <PointFrame FrameIndex="35" X="0.5005882" Y="0.5" /> <PointFrame FrameIndex="39" X="0.5005882" Y="0.4986111" /> <PointFrame FrameIndex="40" X="0.5005882" Y="0.5" /> <PointFrame FrameIndex="42" X="0.5005882" Y="0.5" /> <PointFrame FrameIndex="46" X="0.5005882" Y="0.4986111" /> <PointFrame FrameIndex="48" X="0.5005882" Y="0.5" /> <PointFrame FrameIndex="50" X="0.5005882" Y="0.5" /> <PointFrame FrameIndex="54" X="0.5005882" Y="0.4986111" /> </Timeline> <Timeline ActionTag="-1426312143" FrameType="PositionFrame"> <PointFrame FrameIndex="0" X="1.8" Y="17.2" /> <PointFrame FrameIndex="7" X="1.8" Y="17.2" /> <PointFrame FrameIndex="13" Tween="False" X="1.8" Y="17.2" /> <PointFrame FrameIndex="14" X="1.8" Y="17.2" /> <PointFrame FrameIndex="15" X="1.8" Y="17.2" /> <PointFrame FrameIndex="16" X="1.8" Y="17.95" /> <PointFrame FrameIndex="17" X="1.8" Y="17.95" /> <PointFrame FrameIndex="20" X="1.8" Y="17.2" /> <PointFrame FrameIndex="21" X="1.8" Y="17.2" /> <PointFrame FrameIndex="22" Tween="False" X="1.8" Y="17.2" /> <PointFrame FrameIndex="23" X="1.8" Y="17.2" /> <PointFrame FrameIndex="24" X="1.8" Y="17.2" /> <PointFrame FrameIndex="25" Tween="False" X="1.8" Y="18" /> <PointFrame FrameIndex="27" Tween="False" X="1.85" Y="17.7" /> <PointFrame FrameIndex="29" Tween="False" X="1.85" Y="17.35" /> <PointFrame FrameIndex="30" Tween="False" X="1.8" Y="17.2" /> <PointFrame FrameIndex="31" X="1.8" Y="17.2" /> <PointFrame FrameIndex="33" X="1.8" Y="17.95" /> <PointFrame FrameIndex="35" X="1.8" Y="17.95" /> <PointFrame FrameIndex="39" X="1.8" Y="17.2" /> <PointFrame FrameIndex="40" X="1.8" Y="17.95" /> <PointFrame FrameIndex="42" X="1.8" Y="17.95" /> <PointFrame FrameIndex="46" X="1.8" Y="17.2" /> <PointFrame FrameIndex="48" X="1.8" Y="17.95" /> <PointFrame FrameIndex="50" X="1.8" Y="17.95" /> <PointFrame FrameIndex="54" X="1.8" Y="17.2" /> </Timeline> <Timeline ActionTag="-1426312143" FrameType="ScaleFrame"> <PointFrame FrameIndex="0" X="0.2924347" Y="0.2924347" /> <PointFrame FrameIndex="7" X="0.29245" Y="0.29245" /> <PointFrame FrameIndex="13" Tween="False" X="0.2924347" Y="0.2924347" /> <PointFrame FrameIndex="14" X="0.2924347" Y="0.2924347" /> <PointFrame FrameIndex="15" X="0.2924347" Y="0.2924347" /> <PointFrame FrameIndex="16" X="0.2924347" Y="0.3137665" /> <PointFrame FrameIndex="17" X="0.2924347" Y="0.3137665" /> <PointFrame FrameIndex="20" X="0.2924347" Y="0.2924347" /> <PointFrame FrameIndex="21" X="0.2924347" Y="0.2924347" /> <PointFrame FrameIndex="22" Tween="False" X="0.2924347" Y="0.2924347" /> <PointFrame FrameIndex="23" X="0.2924347" Y="0.2924347" /> <PointFrame FrameIndex="24" X="0.2924347" Y="0.2924347" /> <PointFrame FrameIndex="25" Tween="False" X="0.2924347" Y="0.2924347" /> <PointFrame FrameIndex="27" Tween="False" X="0.2924194" Y="0.2924194" /> <PointFrame FrameIndex="29" Tween="False" X="0.2924347" Y="0.2924347" /> <PointFrame FrameIndex="30" Tween="False" X="0.2924347" Y="0.2924347" /> <PointFrame FrameIndex="31" X="0.2924347" Y="0.2924347" /> <PointFrame FrameIndex="33" X="0.2924347" Y="0.3137665" /> <PointFrame FrameIndex="35" X="0.2924347" Y="0.3137665" /> <PointFrame FrameIndex="39" X="0.2924347" Y="0.2924347" /> <PointFrame FrameIndex="40" X="0.2924347" Y="0.3137665" /> <PointFrame FrameIndex="42" X="0.2924347" Y="0.3137665" /> <PointFrame FrameIndex="46" X="0.2924347" Y="0.2924347" /> <PointFrame FrameIndex="48" X="0.2924347" Y="0.3137665" /> <PointFrame FrameIndex="50" X="0.2924347" Y="0.3137665" /> <PointFrame FrameIndex="54" X="0.2924347" Y="0.2924347" /> </Timeline> <Timeline ActionTag="-1426312143" FrameType="RotationSkewFrame"> <PointFrame FrameIndex="0" X="0" Y="0" /> <PointFrame FrameIndex="7" X="0" Y="0" /> <PointFrame FrameIndex="13" Tween="False" X="0" Y="0" /> <PointFrame FrameIndex="14" X="0" Y="0" /> <PointFrame FrameIndex="15" X="0" Y="0" /> <PointFrame FrameIndex="16" X="0" Y="0" /> <PointFrame FrameIndex="17" X="0" Y="0" /> <PointFrame FrameIndex="20" X="0" Y="0" /> <PointFrame FrameIndex="21" X="0" Y="0" /> <PointFrame FrameIndex="22" Tween="False" X="0" Y="0" /> <PointFrame FrameIndex="23" X="0" Y="0" /> <PointFrame FrameIndex="24" X="0" Y="0" /> <PointFrame FrameIndex="25" Tween="False" X="-1.948853" Y="-1.948853" /> <PointFrame FrameIndex="27" Tween="False" X="-1.042877" Y="-1.042877" /> <PointFrame FrameIndex="29" Tween="False" X="-0.2745209" Y="-0.2745209" /> <PointFrame FrameIndex="30" Tween="False" X="0" Y="0" /> <PointFrame FrameIndex="31" X="0" Y="0" /> <PointFrame FrameIndex="33" X="0" Y="0" /> <PointFrame FrameIndex="35" X="0" Y="0" /> <PointFrame FrameIndex="39" X="0" Y="0" /> <PointFrame FrameIndex="40" X="0" Y="0" /> <PointFrame FrameIndex="42" X="0" Y="0" /> <PointFrame FrameIndex="46" X="0" Y="0" /> <PointFrame FrameIndex="48" X="0" Y="0" /> <PointFrame FrameIndex="50" X="0" Y="0" /> <PointFrame FrameIndex="54" X="0" Y="0" /> </Timeline> <Timeline ActionTag="-1266003671" FrameType="VisibleFrame"> <BoolFrame FrameIndex="0" Value="True" /> </Timeline> <Timeline ActionTag="-1266003671" FrameType="AnchorPointFrame"> <PointFrame FrameIndex="0" X="0.5" Y="0.4991072" /> <PointFrame FrameIndex="7" X="0.5" Y="0.4986607" /> <PointFrame FrameIndex="13" X="0.5" Y="0.4991072" /> <PointFrame FrameIndex="14" X="0.5" Y="0.4991072" /> <PointFrame FrameIndex="15" X="0.5" Y="0.4986607" /> <PointFrame FrameIndex="16" X="0.5" Y="0.4995536" /> <PointFrame FrameIndex="17" X="0.5" Y="0.4991072" /> <PointFrame FrameIndex="20" X="0.5" Y="0.4986607" /> <PointFrame FrameIndex="21" X="0.5" Y="0.4991072" /> <PointFrame FrameIndex="22" X="0.5" Y="0.4991072" /> <PointFrame FrameIndex="23" X="0.5" Y="0.4991072" /> <PointFrame FrameIndex="24" X="0.5" Y="0.4991072" /> <PointFrame FrameIndex="25" X="0.5" Y="0.4982143" /> <PointFrame FrameIndex="27" X="0.501087" Y="0.4986607" /> <PointFrame FrameIndex="29" X="0.501087" Y="0.4995536" /> <PointFrame FrameIndex="30" X="0.5005435" Y="0.4995536" /> <PointFrame FrameIndex="31" X="0.5" Y="0.4986607" /> <PointFrame FrameIndex="33" X="0.5" Y="0.4995536" /> <PointFrame FrameIndex="35" X="0.5" Y="0.4991072" /> <PointFrame FrameIndex="39" X="0.5" Y="0.4986607" /> <PointFrame FrameIndex="40" X="0.5" Y="0.4995536" /> <PointFrame FrameIndex="42" X="0.5" Y="0.4991072" /> <PointFrame FrameIndex="46" X="0.5" Y="0.4986607" /> <PointFrame FrameIndex="48" X="0.5" Y="0.4995536" /> <PointFrame FrameIndex="50" X="0.5" Y="0.4991072" /> <PointFrame FrameIndex="54" X="0.5" Y="0.4986607" /> </Timeline> <Timeline ActionTag="-1266003672" FrameType="PositionFrame"> <PointFrame FrameIndex="0" X="-0.1" Y="32.7" /> <PointFrame FrameIndex="7" X="-0.1" Y="32.3" /> <PointFrame FrameIndex="13" Tween="False" X="-0.1" Y="32.7" /> <PointFrame FrameIndex="14" X="-0.1" Y="32.7" /> <PointFrame FrameIndex="15" X="-0.1" Y="32.3" /> <PointFrame FrameIndex="16" X="-0.1" Y="36.75" /> <PointFrame FrameIndex="17" X="-0.1" Y="37.5" /> <PointFrame FrameIndex="20" X="-0.1" Y="32.3" /> <PointFrame FrameIndex="21" X="-0.1" Y="32.45" /> <PointFrame FrameIndex="22" Tween="False" X="-0.1" Y="32.7" /> <PointFrame FrameIndex="23" X="-0.1" Y="32.7" /> <PointFrame FrameIndex="24" X="-0.1" Y="32.7" /> <PointFrame FrameIndex="25" Tween="False" X="-0.6" Y="33.45" /> <PointFrame FrameIndex="27" Tween="False" X="-0.65" Y="33.15" /> <PointFrame FrameIndex="29" Tween="False" X="-0.6" Y="32.85" /> <PointFrame FrameIndex="30" Tween="False" X="-0.55" Y="32.7" /> <PointFrame FrameIndex="31" X="-0.1" Y="32.3" /> <PointFrame FrameIndex="33" X="-0.1" Y="36.75" /> <PointFrame FrameIndex="35" X="-0.1" Y="37.5" /> <PointFrame FrameIndex="39" X="-0.1" Y="32.3" /> <PointFrame FrameIndex="40" X="-0.1" Y="36.75" /> <PointFrame FrameIndex="42" X="-0.1" Y="37.5" /> <PointFrame FrameIndex="46" X="-0.1" Y="32.3" /> <PointFrame FrameIndex="48" X="-0.1" Y="36.75" /> <PointFrame FrameIndex="50" X="-0.1" Y="37.5" /> <PointFrame FrameIndex="54" X="-0.1" Y="32.3" /> </Timeline> <Timeline ActionTag="-1266003672" FrameType="ScaleFrame"> <PointFrame FrameIndex="0" X="0.2924347" Y="0.2924347" /> <PointFrame FrameIndex="7" X="0.2924347" Y="0.2724457" /> <PointFrame FrameIndex="13" Tween="False" X="0.2924347" Y="0.2924347" /> <PointFrame FrameIndex="14" X="0.2924347" Y="0.2924347" /> <PointFrame FrameIndex="15" X="0.2924347" Y="0.2832031" /> <PointFrame FrameIndex="16" X="0.2924347" Y="0.3148956" /> <PointFrame FrameIndex="17" X="0.2924347" Y="0.3076172" /> <PointFrame FrameIndex="20" X="0.2924347" Y="0.2832031" /> <PointFrame FrameIndex="21" X="0.2924347" Y="0.2924347" /> <PointFrame FrameIndex="22" Tween="False" X="0.2924347" Y="0.2924347" /> <PointFrame FrameIndex="23" X="0.2924347" Y="0.2924347" /> <PointFrame FrameIndex="24" X="0.2924347" Y="0.2924347" /> <PointFrame FrameIndex="25" Tween="False" X="0.2924347" Y="0.2924347" /> <PointFrame FrameIndex="27" Tween="False" X="0.2924347" Y="0.2924347" /> <PointFrame FrameIndex="29" Tween="False" X="0.2924042" Y="0.2924042" /> <PointFrame FrameIndex="30" Tween="False" X="0.2924347" Y="0.2924347" /> <PointFrame FrameIndex="31" X="0.2924347" Y="0.2832031" /> <PointFrame FrameIndex="33" X="0.2924347" Y="0.3148956" /> <PointFrame FrameIndex="35" X="0.2924347" Y="0.3076172" /> <PointFrame FrameIndex="39" X="0.2924347" Y="0.2832031" /> <PointFrame FrameIndex="40" X="0.2924347" Y="0.3148956" /> <PointFrame FrameIndex="42" X="0.2924347" Y="0.3076172" /> <PointFrame FrameIndex="46" X="0.2924347" Y="0.2832031" /> <PointFrame FrameIndex="48" X="0.2924347" Y="0.3148956" /> <PointFrame FrameIndex="50" X="0.2924347" Y="0.3076172" /> <PointFrame FrameIndex="54" X="0.2924347" Y="0.2832031" /> </Timeline> <Timeline ActionTag="-1266003672" FrameType="RotationSkewFrame"> <PointFrame FrameIndex="0" X="0" Y="0" /> <PointFrame FrameIndex="7" X="0" Y="0" /> <PointFrame FrameIndex="13" Tween="False" X="0" Y="0" /> <PointFrame FrameIndex="14" X="0" Y="0" /> <PointFrame FrameIndex="15" X="0" Y="0" /> <PointFrame FrameIndex="16" X="0" Y="0" /> <PointFrame FrameIndex="17" X="0" Y="0" /> <PointFrame FrameIndex="20" X="0" Y="0" /> <PointFrame FrameIndex="21" X="0" Y="0" /> <PointFrame FrameIndex="22" Tween="False" X="0" Y="0" /> <PointFrame FrameIndex="23" X="0" Y="0" /> <PointFrame FrameIndex="24" X="0" Y="0" /> <PointFrame FrameIndex="25" Tween="False" X="-1.948853" Y="-1.948853" /> <PointFrame FrameIndex="27" Tween="False" X="-1.309418" Y="-1.309418" /> <PointFrame FrameIndex="29" Tween="False" X="-0.8069" Y="-0.8069" /> <PointFrame FrameIndex="30" Tween="False" X="-0.8095093" Y="-0.8095093" /> <PointFrame FrameIndex="31" X="0" Y="0" /> <PointFrame FrameIndex="33" X="0" Y="0" /> <PointFrame FrameIndex="35" X="0" Y="0" /> <PointFrame FrameIndex="39" X="0" Y="0" /> <PointFrame FrameIndex="40" X="0" Y="0" /> <PointFrame FrameIndex="42" X="0" Y="0" /> <PointFrame FrameIndex="46" X="0" Y="0" /> <PointFrame FrameIndex="48" X="0" Y="0" /> <PointFrame FrameIndex="50" X="0" Y="0" /> <PointFrame FrameIndex="54" X="0" Y="0" /> </Timeline> <Timeline ActionTag="-1266003669" FrameType="VisibleFrame"> <BoolFrame FrameIndex="0" Value="True" /> </Timeline> <Timeline ActionTag="-1266003669" FrameType="AnchorPointFrame"> <PointFrame FrameIndex="0" X="0.5001961" Y="0.5003906" /> <PointFrame FrameIndex="7" X="0.5001961" Y="0.5003906" /> <PointFrame FrameIndex="13" X="0.5001961" Y="0.5003906" /> <PointFrame FrameIndex="14" X="0.5001961" Y="0.5003906" /> <PointFrame FrameIndex="15" X="0.5001961" Y="0.5007812" /> <PointFrame FrameIndex="16" X="0.5005882" Y="0.5003906" /> <PointFrame FrameIndex="17" X="0.5" Y="0.5011719" /> <PointFrame FrameIndex="20" X="0.5001961" Y="0.5007812" /> <PointFrame FrameIndex="21" X="0.5001961" Y="0.5003906" /> <PointFrame FrameIndex="22" X="0.5001961" Y="0.5003906" /> <PointFrame FrameIndex="23" X="0.5001961" Y="0.5003906" /> <PointFrame FrameIndex="24" X="0.4998039" Y="0.5003906" /> <PointFrame FrameIndex="25" X="0.5" Y="0.5007812" /> <PointFrame FrameIndex="27" X="0.5007843" Y="0.4996094" /> <PointFrame FrameIndex="29" X="0.5003921" Y="0.4988281" /> <PointFrame FrameIndex="30" X="0.5009804" Y="0.5" /> <PointFrame FrameIndex="31" X="0.5001961" Y="0.5007812" /> <PointFrame FrameIndex="33" X="0.5005882" Y="0.5003906" /> <PointFrame FrameIndex="35" X="0.5" Y="0.5011719" /> <PointFrame FrameIndex="39" X="0.5001961" Y="0.5007812" /> <PointFrame FrameIndex="40" X="0.5005882" Y="0.5003906" /> <PointFrame FrameIndex="42" X="0.5" Y="0.5011719" /> <PointFrame FrameIndex="46" X="0.5001961" Y="0.5007812" /> <PointFrame FrameIndex="48" X="0.5005882" Y="0.5003906" /> <PointFrame FrameIndex="50" X="0.5" Y="0.5011719" /> <PointFrame FrameIndex="54" X="0.5001961" Y="0.5007812" /> </Timeline> <Timeline ActionTag="-1266003670" FrameType="PositionFrame"> <PointFrame FrameIndex="0" X="1.3" Y="62.95" /> <PointFrame FrameIndex="7" X="1.3" Y="61.65" /> <PointFrame FrameIndex="13" Tween="False" X="1.3" Y="62.95" /> <PointFrame FrameIndex="14" X="1.3" Y="62.95" /> <PointFrame FrameIndex="15" X="1.3" Y="62.15" /> <PointFrame FrameIndex="16" X="-2.75" Y="68.75" /> <PointFrame FrameIndex="17" X="2.95" Y="69.25" /> <PointFrame FrameIndex="20" X="1.3" Y="62.15" /> <PointFrame FrameIndex="21" X="1.3" Y="62.55" /> <PointFrame FrameIndex="22" Tween="False" X="1.3" Y="62.95" /> <PointFrame FrameIndex="23" X="1.3" Y="62.95" /> <PointFrame FrameIndex="24" X="1.95" Y="62.95" /> <PointFrame FrameIndex="25" Tween="False" X="-1.05" Y="62.85" /> <PointFrame FrameIndex="27" Tween="False" X="-0.25" Y="62.85" /> <PointFrame FrameIndex="29" Tween="False" X="0.65" Y="62.6" /> <PointFrame FrameIndex="30" Tween="False" X="1.15" Y="62.5" /> <PointFrame FrameIndex="31" X="1.3" Y="62.15" /> <PointFrame FrameIndex="33" X="-2.75" Y="68.75" /> <PointFrame FrameIndex="35" X="2.95" Y="69.25" /> <PointFrame FrameIndex="39" X="1.3" Y="62.15" /> <PointFrame FrameIndex="40" X="-2.75" Y="68.75" /> <PointFrame FrameIndex="42" X="2.95" Y="69.25" /> <PointFrame FrameIndex="46" X="1.3" Y="62.15" /> <PointFrame FrameIndex="48" X="-2.75" Y="68.75" /> <PointFrame FrameIndex="50" X="2.95" Y="69.25" /> <PointFrame FrameIndex="54" X="1.3" Y="62.15" /> </Timeline> <Timeline ActionTag="-1266003670" FrameType="ScaleFrame"> <PointFrame FrameIndex="0" X="0.2924347" Y="0.2924347" /> <PointFrame FrameIndex="7" X="0.2924347" Y="0.2924347" /> <PointFrame FrameIndex="13" Tween="False" X="0.2924347" Y="0.2924347" /> <PointFrame FrameIndex="14" X="0.2924347" Y="0.2924347" /> <PointFrame FrameIndex="15" X="0.2924347" Y="0.2924347" /> <PointFrame FrameIndex="16" X="0.2922058" Y="0.2922058" /> <PointFrame FrameIndex="17" X="0.2923431" Y="0.2923431" /> <PointFrame FrameIndex="20" X="0.2924347" Y="0.2924347" /> <PointFrame FrameIndex="21" X="0.2924347" Y="0.2924347" /> <PointFrame FrameIndex="22" Tween="False" X="0.2924347" Y="0.2924347" /> <PointFrame FrameIndex="23" X="0.2924347" Y="0.2924347" /> <PointFrame FrameIndex="24" X="0.2923889" Y="0.2923889" /> <PointFrame FrameIndex="25" Tween="False" X="0.2924347" Y="0.2924347" /> <PointFrame FrameIndex="27" Tween="False" X="0.2922821" Y="0.2922821" /> <PointFrame FrameIndex="29" Tween="False" X="0.2922974" Y="0.2922974" /> <PointFrame FrameIndex="30" Tween="False" X="0.2924347" Y="0.2924347" /> <PointFrame FrameIndex="31" X="0.2924347" Y="0.2924347" /> <PointFrame FrameIndex="33" X="0.2922058" Y="0.2922058" /> <PointFrame FrameIndex="35" X="0.2923431" Y="0.2923431" /> <PointFrame FrameIndex="39" X="0.2924347" Y="0.2924347" /> <PointFrame FrameIndex="40" X="0.2922058" Y="0.2922058" /> <PointFrame FrameIndex="42" X="0.2923431" Y="0.2923431" /> <PointFrame FrameIndex="46" X="0.2924347" Y="0.2924347" /> <PointFrame FrameIndex="48" X="0.2922058" Y="0.2922058" /> <PointFrame FrameIndex="50" X="0.2923431" Y="0.2923431" /> <PointFrame FrameIndex="54" X="0.2924347" Y="0.2924347" /> </Timeline> <Timeline ActionTag="-1266003670" FrameType="RotationSkewFrame"> <PointFrame FrameIndex="0" X="0" Y="0" /> <PointFrame FrameIndex="7" X="0" Y="0" /> <PointFrame FrameIndex="13" Tween="False" X="0" Y="0" /> <PointFrame FrameIndex="14" X="0" Y="0" /> <PointFrame FrameIndex="15" X="0" Y="0" /> <PointFrame FrameIndex="16" X="-14.27133" Y="-14.27133" /> <PointFrame FrameIndex="17" X="5.258743" Y="5.258743" /> <PointFrame FrameIndex="20" X="0" Y="0" /> <PointFrame FrameIndex="21" X="0" Y="0" /> <PointFrame FrameIndex="22" Tween="False" X="0" Y="0" /> <PointFrame FrameIndex="23" X="0" Y="0" /> <PointFrame FrameIndex="24" X="2.264038" Y="2.264038" /> <PointFrame FrameIndex="25" Tween="False" X="-13.94569" Y="-13.94569" /> <PointFrame FrameIndex="27" Tween="False" X="-9.513641" Y="-9.513641" /> <PointFrame FrameIndex="29" Tween="False" X="-5.03067" Y="-5.03067" /> <PointFrame FrameIndex="30" Tween="False" X="-2.921875" Y="-2.921875" /> <PointFrame FrameIndex="31" X="0" Y="0" /> <PointFrame FrameIndex="33" X="-14.27133" Y="-14.27133" /> <PointFrame FrameIndex="35" X="5.258743" Y="5.258743" /> <PointFrame FrameIndex="39" X="0" Y="0" /> <PointFrame FrameIndex="40" X="-14.27133" Y="-14.27133" /> <PointFrame FrameIndex="42" X="5.258743" Y="5.258743" /> <PointFrame FrameIndex="46" X="0" Y="0" /> <PointFrame FrameIndex="48" X="-14.27133" Y="-14.27133" /> <PointFrame FrameIndex="50" X="5.258743" Y="5.258743" /> <PointFrame FrameIndex="54" X="0" Y="0" /> </Timeline> <Timeline ActionTag="-1266003667" FrameType="VisibleFrame"> <BoolFrame FrameIndex="0" Value="True" /> </Timeline> <Timeline ActionTag="-1266003667" FrameType="AnchorPointFrame"> <PointFrame FrameIndex="0" X="0.5007143" Y="0.4987805" /> <PointFrame FrameIndex="7" X="0.5014285" Y="0.5" /> <PointFrame FrameIndex="13" X="0.5007143" Y="0.4987805" /> <PointFrame FrameIndex="14" X="0.5007143" Y="0.4987805" /> <PointFrame FrameIndex="15" X="0.5014285" Y="0.5012195" /> <PointFrame FrameIndex="16" X="0.5" Y="0.497561" /> <PointFrame FrameIndex="17" X="0.5" Y="0.502439" /> <PointFrame FrameIndex="20" X="0.5014285" Y="0.5" /> <PointFrame FrameIndex="21" X="0.5007143" Y="0.4987805" /> <PointFrame FrameIndex="22" X="0.5007143" Y="0.4987805" /> <PointFrame FrameIndex="23" X="0.5007143" Y="0.4987805" /> <PointFrame FrameIndex="24" X="0.4978572" Y="0.495122" /> <PointFrame FrameIndex="25" X="0.5" Y="0.5012195" /> <PointFrame FrameIndex="27" X="0.5" Y="0.502439" /> <PointFrame FrameIndex="29" X="0.5007143" Y="0.502439" /> <PointFrame FrameIndex="30" X="0.5" Y="0.5012195" /> <PointFrame FrameIndex="31" X="0.5014285" Y="0.5012195" /> <PointFrame FrameIndex="33" X="0.5" Y="0.497561" /> <PointFrame FrameIndex="35" X="0.5" Y="0.502439" /> <PointFrame FrameIndex="39" X="0.5014285" Y="0.5" /> <PointFrame FrameIndex="40" X="0.5" Y="0.497561" /> <PointFrame FrameIndex="42" X="0.5" Y="0.502439" /> <PointFrame FrameIndex="46" X="0.5014285" Y="0.5" /> <PointFrame FrameIndex="48" X="0.5" Y="0.497561" /> <PointFrame FrameIndex="50" X="0.5" Y="0.502439" /> <PointFrame FrameIndex="54" X="0.5014285" Y="0.5012195" /> </Timeline> <Timeline ActionTag="-1266003668" FrameType="PositionFrame"> <PointFrame FrameIndex="0" X="15.45" Y="45.1" /> <PointFrame FrameIndex="7" X="15.15" Y="43.25" /> <PointFrame FrameIndex="13" Tween="False" X="15.45" Y="45.1" /> <PointFrame FrameIndex="14" X="15.45" Y="45.1" /> <PointFrame FrameIndex="15" X="17" Y="47.05" /> <PointFrame FrameIndex="16" X="13.7" Y="51.35" /> <PointFrame FrameIndex="17" X="14.5" Y="50.05" /> <PointFrame FrameIndex="20" X="15.15" Y="43.45" /> <PointFrame FrameIndex="21" X="15.45" Y="44.85" /> <PointFrame FrameIndex="22" Tween="False" X="15.45" Y="45.1" /> <PointFrame FrameIndex="23" X="15.45" Y="45.1" /> <PointFrame FrameIndex="24" X="15.55" Y="44.35" /> <PointFrame FrameIndex="25" Tween="False" X="6.55" Y="42.3" /> <PointFrame FrameIndex="27" Tween="False" X="9.15" Y="43.15" /> <PointFrame FrameIndex="29" Tween="False" X="11.45" Y="44.35" /> <PointFrame FrameIndex="30" Tween="False" X="12.55" Y="45.15" /> <PointFrame FrameIndex="31" X="17" Y="47.05" /> <PointFrame FrameIndex="33" X="13.7" Y="51.35" /> <PointFrame FrameIndex="35" X="14.5" Y="50.05" /> <PointFrame FrameIndex="39" X="15.15" Y="43.45" /> <PointFrame FrameIndex="40" X="13.7" Y="51.35" /> <PointFrame FrameIndex="42" X="14.5" Y="50.05" /> <PointFrame FrameIndex="46" X="15.15" Y="43.45" /> <PointFrame FrameIndex="48" X="13.7" Y="51.35" /> <PointFrame FrameIndex="50" X="14.5" Y="50.05" /> <PointFrame FrameIndex="54" X="17" Y="47.05" /> </Timeline> <Timeline ActionTag="-1266003668" FrameType="ScaleFrame"> <PointFrame FrameIndex="0" X="0.2924347" Y="0.2924347" /> <PointFrame FrameIndex="7" X="0.2923889" Y="0.2923889" /> <PointFrame FrameIndex="13" Tween="False" X="0.2924347" Y="0.2924347" /> <PointFrame FrameIndex="14" X="0.2924347" Y="0.2924347" /> <PointFrame FrameIndex="15" X="0.29216" Y="0.29216" /> <PointFrame FrameIndex="16" X="0.2923584" Y="0.2923584" /> <PointFrame FrameIndex="17" X="0.2922974" Y="0.3069305" /> <PointFrame FrameIndex="20" X="0.2923889" Y="0.2923889" /> <PointFrame FrameIndex="21" X="0.2924347" Y="0.2924347" /> <PointFrame FrameIndex="22" Tween="False" X="0.2924347" Y="0.2924347" /> <PointFrame FrameIndex="23" X="0.2924347" Y="0.2924347" /> <PointFrame FrameIndex="24" X="0.2923889" Y="0.2923889" /> <PointFrame FrameIndex="25" Tween="False" X="0.2924347" Y="0.2924347" /> <PointFrame FrameIndex="27" Tween="False" X="0.2920074" Y="0.2920074" /> <PointFrame FrameIndex="29" Tween="False" X="0.292038" Y="0.292038" /> <PointFrame FrameIndex="30" Tween="False" X="0.2924347" Y="0.2924347" /> <PointFrame FrameIndex="31" X="0.29216" Y="0.29216" /> <PointFrame FrameIndex="33" X="0.2923584" Y="0.2923584" /> <PointFrame FrameIndex="35" X="0.2922974" Y="0.3069305" /> <PointFrame FrameIndex="39" X="0.2923889" Y="0.2923889" /> <PointFrame FrameIndex="40" X="0.2923584" Y="0.2923584" /> <PointFrame FrameIndex="42" X="0.2922974" Y="0.3069305" /> <PointFrame FrameIndex="46" X="0.2923889" Y="0.2923889" /> <PointFrame FrameIndex="48" X="0.2923584" Y="0.2923584" /> <PointFrame FrameIndex="50" X="0.2922974" Y="0.3069305" /> <PointFrame FrameIndex="54" X="0.29216" Y="0.29216" /> </Timeline> <Timeline ActionTag="-1266003668" FrameType="RotationSkewFrame"> <PointFrame FrameIndex="0" X="0" Y="0" /> <PointFrame FrameIndex="7" X="2.805023" Y="2.805023" /> <PointFrame FrameIndex="13" Tween="False" X="0" Y="0" /> <PointFrame FrameIndex="14" X="0" Y="0" /> <PointFrame FrameIndex="15" X="-17.02129" Y="-17.02129" /> <PointFrame FrameIndex="16" X="4.789398" Y="4.789398" /> <PointFrame FrameIndex="17" X="7.273895" Y="8.027023" /> <PointFrame FrameIndex="20" X="2.805023" Y="2.805023" /> <PointFrame FrameIndex="21" X="0" Y="0" /> <PointFrame FrameIndex="22" Tween="False" X="0" Y="0" /> <PointFrame FrameIndex="23" X="0" Y="0" /> <PointFrame FrameIndex="24" X="2.264038" Y="2.264038" /> <PointFrame FrameIndex="25" Tween="False" X="41.48409" Y="41.48409" /> <PointFrame FrameIndex="27" Tween="False" X="29.30128" Y="29.30128" /> <PointFrame FrameIndex="29" Tween="False" X="17.03488" Y="17.03488" /> <PointFrame FrameIndex="30" Tween="False" X="10.97565" Y="10.97565" /> <PointFrame FrameIndex="31" X="-17.02129" Y="-17.02129" /> <PointFrame FrameIndex="33" X="4.789398" Y="4.789398" /> <PointFrame FrameIndex="35" X="7.273895" Y="8.027023" /> <PointFrame FrameIndex="39" X="2.805023" Y="2.805023" /> <PointFrame FrameIndex="40" X="4.789398" Y="4.789398" /> <PointFrame FrameIndex="42" X="7.273895" Y="8.027023" /> <PointFrame FrameIndex="46" X="2.805023" Y="2.805023" /> <PointFrame FrameIndex="48" X="4.789398" Y="4.789398" /> <PointFrame FrameIndex="50" X="7.273895" Y="8.027023" /> <PointFrame FrameIndex="54" X="-17.02129" Y="-17.02129" /> </Timeline> <Timeline ActionTag="-1266003665" FrameType="VisibleFrame"> <BoolFrame FrameIndex="0" Value="True" /> </Timeline> <Timeline ActionTag="-1266003665" FrameType="AnchorPointFrame"> <PointFrame FrameIndex="0" X="0.5001548" Y="0.5" /> <PointFrame FrameIndex="7" X="0.5001548" Y="0.5" /> <PointFrame FrameIndex="13" X="0.5001548" Y="0.5" /> <PointFrame FrameIndex="14" X="0.5001548" Y="0.5" /> <PointFrame FrameIndex="15" X="0.5001548" Y="0.5002242" /> <PointFrame FrameIndex="16" X="0.5004644" Y="0.5002242" /> <PointFrame FrameIndex="17" X="0.5001548" Y="0.4995516" /> <PointFrame FrameIndex="20" X="0.5001548" Y="0.5002242" /> <PointFrame FrameIndex="21" X="0.5001548" Y="0.5002242" /> <PointFrame FrameIndex="22" X="0.5001548" Y="0.5" /> <PointFrame FrameIndex="23" X="0.5001548" Y="0.5" /> <PointFrame FrameIndex="24" X="0.5" Y="0.5006726" /> <PointFrame FrameIndex="25" X="0.5003096" Y="0.5" /> <PointFrame FrameIndex="27" X="0.4998452" Y="0.4997758" /> <PointFrame FrameIndex="29" X="0.4998452" Y="0.5" /> <PointFrame FrameIndex="30" X="0.5003096" Y="0.5" /> <PointFrame FrameIndex="31" X="0.5001548" Y="0.5002242" /> <PointFrame FrameIndex="33" X="0.5004644" Y="0.5002242" /> <PointFrame FrameIndex="35" X="0.5001548" Y="0.4995516" /> <PointFrame FrameIndex="39" X="0.5001548" Y="0.5002242" /> <PointFrame FrameIndex="40" X="0.5004644" Y="0.5002242" /> <PointFrame FrameIndex="42" X="0.5001548" Y="0.4995516" /> <PointFrame FrameIndex="46" X="0.5001548" Y="0.5002242" /> <PointFrame FrameIndex="48" X="0.5004644" Y="0.5002242" /> <PointFrame FrameIndex="50" X="0.5001548" Y="0.4995516" /> <PointFrame FrameIndex="54" X="0.5001548" Y="0.5002242" /> </Timeline> <Timeline ActionTag="-1266003666" FrameType="PositionFrame"> <PointFrame FrameIndex="0" X="1" Y="89.55" /> <PointFrame FrameIndex="7" X="1" Y="87.35" /> <PointFrame FrameIndex="13" Tween="False" X="1" Y="89.55" /> <PointFrame FrameIndex="14" X="1" Y="89.55" /> <PointFrame FrameIndex="15" X="1" Y="87.65" /> <PointFrame FrameIndex="16" X="-7.05" Y="84.8" /> <PointFrame FrameIndex="17" X="7.1" Y="93.6" /> <PointFrame FrameIndex="20" X="1" Y="87.65" /> <PointFrame FrameIndex="21" X="1" Y="89.25" /> <PointFrame FrameIndex="22" Tween="False" X="1" Y="89.55" /> <PointFrame FrameIndex="23" X="1" Y="89.55" /> <PointFrame FrameIndex="24" X="2.85" Y="89.45" /> <PointFrame FrameIndex="25" Tween="False" X="-8.5" Y="90" /> <PointFrame FrameIndex="27" Tween="False" X="-5.7" Y="90.05" /> <PointFrame FrameIndex="29" Tween="False" X="-2.95" Y="90.1" /> <PointFrame FrameIndex="30" Tween="False" X="-1.5" Y="90.05" /> <PointFrame FrameIndex="31" X="1" Y="87.65" /> <PointFrame FrameIndex="33" X="-7.05" Y="84.8" /> <PointFrame FrameIndex="35" X="7.1" Y="93.6" /> <PointFrame FrameIndex="39" X="1" Y="87.65" /> <PointFrame FrameIndex="40" X="-7.05" Y="84.8" /> <PointFrame FrameIndex="42" X="7.1" Y="93.6" /> <PointFrame FrameIndex="46" X="1" Y="87.65" /> <PointFrame FrameIndex="48" X="-7.05" Y="84.8" /> <PointFrame FrameIndex="50" X="7.1" Y="93.6" /> <PointFrame FrameIndex="54" X="1" Y="87.65" /> </Timeline> <Timeline ActionTag="-1266003666" FrameType="ScaleFrame"> <PointFrame FrameIndex="0" X="0.2924347" Y="0.2924347" /> <PointFrame FrameIndex="7" X="0.2924347" Y="0.2924347" /> <PointFrame FrameIndex="13" Tween="False" X="0.2924347" Y="0.2924347" /> <PointFrame FrameIndex="14" X="0.2924347" Y="0.2924347" /> <PointFrame FrameIndex="15" X="0.2924347" Y="0.2924347" /> <PointFrame FrameIndex="16" X="0.2922058" Y="0.3193359" /> <PointFrame FrameIndex="17" X="0.2923279" Y="0.3194427" /> <PointFrame FrameIndex="20" X="0.2924347" Y="0.2924347" /> <PointFrame FrameIndex="21" X="0.2924347" Y="0.2924347" /> <PointFrame FrameIndex="22" Tween="False" X="0.2924347" Y="0.2924347" /> <PointFrame FrameIndex="23" X="0.2924347" Y="0.2924347" /> <PointFrame FrameIndex="24" X="0.2923889" Y="0.2923889" /> <PointFrame FrameIndex="25" Tween="False" X="0.2924347" Y="0.2924347" /> <PointFrame FrameIndex="27" Tween="False" X="0.2922516" Y="0.2922516" /> <PointFrame FrameIndex="29" Tween="False" X="0.2922668" Y="0.2922668" /> <PointFrame FrameIndex="30" Tween="False" X="0.2924347" Y="0.2924347" /> <PointFrame FrameIndex="31" X="0.2924347" Y="0.2924347" /> <PointFrame FrameIndex="33" X="0.2922058" Y="0.3193359" /> <PointFrame FrameIndex="35" X="0.2923279" Y="0.3194427" /> <PointFrame FrameIndex="39" X="0.2924347" Y="0.2924347" /> <PointFrame FrameIndex="40" X="0.2922058" Y="0.3193359" /> <PointFrame FrameIndex="42" X="0.2923279" Y="0.3194427" /> <PointFrame FrameIndex="46" X="0.2924347" Y="0.2924347" /> <PointFrame FrameIndex="48" X="0.2922058" Y="0.3193359" /> <PointFrame FrameIndex="50" X="0.2923279" Y="0.3194427" /> <PointFrame FrameIndex="54" X="0.2924347" Y="0.2924347" /> </Timeline> <Timeline ActionTag="-1266003666" FrameType="RotationSkewFrame"> <PointFrame FrameIndex="0" X="0" Y="0" /> <PointFrame FrameIndex="7" X="0" Y="0" /> <PointFrame FrameIndex="13" Tween="False" X="0" Y="0" /> <PointFrame FrameIndex="14" X="0" Y="0" /> <PointFrame FrameIndex="15" X="0" Y="0" /> <PointFrame FrameIndex="16" X="-14.27051" Y="-14.27133" /> <PointFrame FrameIndex="17" X="6.55188" Y="6.55188" /> <PointFrame FrameIndex="20" X="0" Y="0" /> <PointFrame FrameIndex="21" X="0" Y="0" /> <PointFrame FrameIndex="22" Tween="False" X="0" Y="0" /> <PointFrame FrameIndex="23" X="0" Y="0" /> <PointFrame FrameIndex="24" X="2.264038" Y="2.264038" /> <PointFrame FrameIndex="25" Tween="False" X="-16.43677" Y="-16.43677" /> <PointFrame FrameIndex="27" Tween="False" X="-11.26016" Y="-11.26016" /> <PointFrame FrameIndex="29" Tween="False" X="-6.023254" Y="-6.023254" /> <PointFrame FrameIndex="30" Tween="False" X="-3.502304" Y="-3.502304" /> <PointFrame FrameIndex="31" X="0" Y="0" /> <PointFrame FrameIndex="33" X="-14.27051" Y="-14.27133" /> <PointFrame FrameIndex="35" X="6.55188" Y="6.55188" /> <PointFrame FrameIndex="39" X="0" Y="0" /> <PointFrame FrameIndex="40" X="-14.27051" Y="-14.27133" /> <PointFrame FrameIndex="42" X="6.55188" Y="6.55188" /> <PointFrame FrameIndex="46" X="0" Y="0" /> <PointFrame FrameIndex="48" X="-14.27051" Y="-14.27133" /> <PointFrame FrameIndex="50" X="6.55188" Y="6.55188" /> <PointFrame FrameIndex="54" X="0" Y="0" /> </Timeline> <Timeline ActionTag="-1266003642" FrameType="VisibleFrame"> <BoolFrame FrameIndex="0" Value="True" /> <BoolFrame FrameIndex="14" Value="False" /> <BoolFrame FrameIndex="23" Value="True" /> <BoolFrame FrameIndex="31" Value="False" /> </Timeline> <Timeline ActionTag="-1266003642" FrameType="AnchorPointFrame"> <PointFrame FrameIndex="0" X="0.5" Y="0.4995495" /> <PointFrame FrameIndex="7" X="0.4970588" Y="0.4995495" /> <PointFrame FrameIndex="13" X="0.5" Y="0.4995495" /> <PointFrame FrameIndex="23" X="0.5" Y="0.4995495" /> <PointFrame FrameIndex="24" X="0.5" Y="0.5004504" /> <PointFrame FrameIndex="25" X="0.5009804" Y="0.4981982" /> <PointFrame FrameIndex="27" X="0.4990196" Y="0.5009009" /> <PointFrame FrameIndex="29" X="0.4980392" Y="0.5" /> <PointFrame FrameIndex="30" X="0.5" Y="0.4995495" /> </Timeline> <Timeline ActionTag="-1266003664" FrameType="PositionFrame"> <PointFrame FrameIndex="0" X="-20.3" Y="48.1" /> <PointFrame FrameIndex="7" X="-19.25" Y="45.55" /> <PointFrame FrameIndex="13" Tween="False" X="-20.3" Y="48.1" /> <PointFrame FrameIndex="23" X="-20.3" Y="48.1" /> <PointFrame FrameIndex="24" X="-20.45" Y="48.9" /> <PointFrame FrameIndex="25" Tween="False" X="-22.2" Y="45" /> <PointFrame FrameIndex="27" Tween="False" X="-21.4" Y="46.25" /> <PointFrame FrameIndex="29" Tween="False" X="-20.7" Y="47.4" /> <PointFrame FrameIndex="30" Tween="False" X="-20.3" Y="48.1" /> </Timeline> <Timeline ActionTag="-1266003664" FrameType="ScaleFrame"> <PointFrame FrameIndex="0" X="0.2924347" Y="0.2924347" /> <PointFrame FrameIndex="7" X="0.2924347" Y="0.2924347" /> <PointFrame FrameIndex="13" Tween="False" X="0.2924347" Y="0.2924347" /> <PointFrame FrameIndex="23" X="0.2924347" Y="0.2924347" /> <PointFrame FrameIndex="24" X="0.2923889" Y="0.2923889" /> <PointFrame FrameIndex="25" Tween="False" X="0.29245" Y="0.29245" /> <PointFrame FrameIndex="27" Tween="False" X="0.2923737" Y="0.2923737" /> <PointFrame FrameIndex="29" Tween="False" X="0.2923889" Y="0.2923889" /> <PointFrame FrameIndex="30" Tween="False" X="0.2924347" Y="0.2924347" /> </Timeline> <Timeline ActionTag="-1266003664" FrameType="RotationSkewFrame"> <PointFrame FrameIndex="0" X="0" Y="0" /> <PointFrame FrameIndex="7" X="-0.3077393" Y="-0.3077393" /> <PointFrame FrameIndex="13" Tween="False" X="0" Y="0" /> <PointFrame FrameIndex="23" X="0" Y="0" /> <PointFrame FrameIndex="24" X="2.264038" Y="2.264038" /> <PointFrame FrameIndex="25" Tween="False" X="-7.44072" Y="-7.44072" /> <PointFrame FrameIndex="27" Tween="False" X="-4.303757" Y="-4.303757" /> <PointFrame FrameIndex="29" Tween="False" X="-1.29718" Y="-1.29718" /> <PointFrame FrameIndex="30" Tween="False" X="0" Y="0" /> </Timeline> <Timeline ActionTag="-1266003640" FrameType="VisibleFrame"> <BoolFrame FrameIndex="0" Value="False" /> <BoolFrame FrameIndex="14" Value="True" /> <BoolFrame FrameIndex="23" Value="False" /> <BoolFrame FrameIndex="31" Value="True" /> </Timeline> <Timeline ActionTag="-1266003640" FrameType="AnchorPointFrame"> <PointFrame FrameIndex="14" X="0.4967742" Y="0.4991803" /> <PointFrame FrameIndex="15" X="0.4983871" Y="0.5" /> <PointFrame FrameIndex="16" X="0.4967742" Y="0.5" /> <PointFrame FrameIndex="17" X="0.5016129" Y="0.502459" /> <PointFrame FrameIndex="20" X="0.5016129" Y="0.502459" /> <PointFrame FrameIndex="21" X="0.4967742" Y="0.4991803" /> <PointFrame FrameIndex="22" X="0.4967742" Y="0.4991803" /> <PointFrame FrameIndex="31" X="0.4983871" Y="0.5" /> <PointFrame FrameIndex="33" X="0.4967742" Y="0.5" /> <PointFrame FrameIndex="35" X="0.5016129" Y="0.502459" /> <PointFrame FrameIndex="39" X="0.5016129" Y="0.502459" /> <PointFrame FrameIndex="40" X="0.4967742" Y="0.5" /> <PointFrame FrameIndex="42" X="0.5016129" Y="0.502459" /> <PointFrame FrameIndex="46" X="0.5016129" Y="0.502459" /> <PointFrame FrameIndex="48" X="0.4967742" Y="0.5" /> <PointFrame FrameIndex="50" X="0.5016129" Y="0.502459" /> <PointFrame FrameIndex="54" X="0.5016129" Y="0.502459" /> </Timeline> <Timeline ActionTag="-1266003641" FrameType="PositionFrame"> <PointFrame FrameIndex="14" X="-15.35" Y="23.6" /> <PointFrame FrameIndex="15" X="-17" Y="24.35" /> <PointFrame FrameIndex="16" X="-18.65" Y="30" /> <PointFrame FrameIndex="17" X="-13.7" Y="27.65" /> <PointFrame FrameIndex="20" X="-17.1" Y="24.25" /> <PointFrame FrameIndex="21" X="-15.35" Y="23.6" /> <PointFrame FrameIndex="22" X="-15.35" Y="23.6" /> <PointFrame FrameIndex="31" X="-17" Y="24.35" /> <PointFrame FrameIndex="33" X="-18.65" Y="30" /> <PointFrame FrameIndex="35" X="-13.7" Y="27.65" /> <PointFrame FrameIndex="39" X="-17.1" Y="24.25" /> <PointFrame FrameIndex="40" X="-18.65" Y="30" /> <PointFrame FrameIndex="42" X="-13.7" Y="27.65" /> <PointFrame FrameIndex="46" X="-17.1" Y="24.25" /> <PointFrame FrameIndex="48" X="-18.65" Y="30" /> <PointFrame FrameIndex="50" X="-13.7" Y="27.65" /> <PointFrame FrameIndex="54" X="-17.1" Y="24.25" /> </Timeline> <Timeline ActionTag="-1266003641" FrameType="ScaleFrame"> <PointFrame FrameIndex="14" X="0.3225555" Y="0.3225555" /> <PointFrame FrameIndex="15" X="0.3226166" Y="0.3226166" /> <PointFrame FrameIndex="16" X="0.3225098" Y="0.3225098" /> <PointFrame FrameIndex="17" X="0.3178101" Y="0.3316193" /> <PointFrame FrameIndex="20" X="0.3225861" Y="0.3225861" /> <PointFrame FrameIndex="21" X="0.3225555" Y="0.3225555" /> <PointFrame FrameIndex="22" X="0.3225555" Y="0.3225555" /> <PointFrame FrameIndex="31" X="0.3226166" Y="0.3226166" /> <PointFrame FrameIndex="33" X="0.3225098" Y="0.3225098" /> <PointFrame FrameIndex="35" X="0.3178101" Y="0.3316193" /> <PointFrame FrameIndex="39" X="0.3225861" Y="0.3225861" /> <PointFrame FrameIndex="40" X="0.3225098" Y="0.3225098" /> <PointFrame FrameIndex="42" X="0.3178101" Y="0.3316193" /> <PointFrame FrameIndex="46" X="0.3225861" Y="0.3225861" /> <PointFrame FrameIndex="48" X="0.3225098" Y="0.3225098" /> <PointFrame FrameIndex="50" X="0.3178101" Y="0.3316193" /> <PointFrame FrameIndex="54" X="0.3225861" Y="0.3225861" /> </Timeline> <Timeline ActionTag="-1266003641" FrameType="RotationSkewFrame"> <PointFrame FrameIndex="14" X="7.70961" Y="-172.2904" /> <PointFrame FrameIndex="15" X="10.21626" Y="-169.7837" /> <PointFrame FrameIndex="16" X="3.697372" Y="-176.3026" /> <PointFrame FrameIndex="17" X="-15.65028" Y="-197.2201" /> <PointFrame FrameIndex="20" X="7.512054" Y="-172.4879" /> <PointFrame FrameIndex="21" X="7.70961" Y="-172.2904" /> <PointFrame FrameIndex="22" X="7.70961" Y="-172.2904" /> <PointFrame FrameIndex="31" X="10.21626" Y="-169.7837" /> <PointFrame FrameIndex="33" X="3.697372" Y="-176.3026" /> <PointFrame FrameIndex="35" X="-15.65028" Y="-197.2201" /> <PointFrame FrameIndex="39" X="7.512054" Y="-172.4879" /> <PointFrame FrameIndex="40" X="3.697372" Y="-176.3026" /> <PointFrame FrameIndex="42" X="-15.65028" Y="-197.2201" /> <PointFrame FrameIndex="46" X="7.512054" Y="-172.4879" /> <PointFrame FrameIndex="48" X="3.697372" Y="-176.3026" /> <PointFrame FrameIndex="50" X="-15.65028" Y="-197.2201" /> <PointFrame FrameIndex="54" X="7.512054" Y="-172.4879" /> </Timeline> <Timeline ActionTag="-1266003638" FrameType="VisibleFrame"> <BoolFrame FrameIndex="0" Value="False" /> <BoolFrame FrameIndex="16" Value="True" /> <BoolFrame FrameIndex="20" Value="False" /> <BoolFrame FrameIndex="33" Value="True" /> <BoolFrame FrameIndex="39" Value="False" /> <BoolFrame FrameIndex="40" Value="True" /> <BoolFrame FrameIndex="46" Value="False" /> <BoolFrame FrameIndex="48" Value="True" /> <BoolFrame FrameIndex="54" Value="False" /> </Timeline> <Timeline ActionTag="-1266003638" FrameType="AnchorPointFrame"> <PointFrame FrameIndex="16" X="0.5" Y="0.5008929" /> <PointFrame FrameIndex="17" X="0.49875" Y="0.5" /> <PointFrame FrameIndex="19" X="0.49875" Y="0.5017857" /> <PointFrame FrameIndex="33" X="0.5" Y="0.5008929" /> <PointFrame FrameIndex="35" X="0.49875" Y="0.5" /> <PointFrame FrameIndex="38" X="0.49875" Y="0.5017857" /> <PointFrame FrameIndex="40" X="0.5" Y="0.5008929" /> <PointFrame FrameIndex="42" X="0.49875" Y="0.5" /> <PointFrame FrameIndex="45" X="0.49875" Y="0.5017857" /> <PointFrame FrameIndex="48" X="0.5" Y="0.5008929" /> <PointFrame FrameIndex="50" X="0.49875" Y="0.5" /> <PointFrame FrameIndex="53" X="0.49875" Y="0.5017857" /> </Timeline> <Timeline ActionTag="-1266003639" FrameType="PositionFrame"> <PointFrame FrameIndex="16" X="12.75" Y="43.35" /> <PointFrame FrameIndex="17" X="6.3" Y="51.85" /> <PointFrame FrameIndex="19" X="15.85" Y="39.7" /> <PointFrame FrameIndex="33" X="12.75" Y="43.35" /> <PointFrame FrameIndex="35" X="6.3" Y="51.85" /> <PointFrame FrameIndex="38" X="15.85" Y="39.7" /> <PointFrame FrameIndex="40" X="12.75" Y="43.35" /> <PointFrame FrameIndex="42" X="6.3" Y="51.85" /> <PointFrame FrameIndex="45" X="15.85" Y="39.7" /> <PointFrame FrameIndex="48" X="12.75" Y="43.35" /> <PointFrame FrameIndex="50" X="6.3" Y="51.85" /> <PointFrame FrameIndex="53" X="15.85" Y="39.7" /> </Timeline> <Timeline ActionTag="-1266003639" FrameType="ScaleFrame"> <PointFrame FrameIndex="16" X="0.2919464" Y="0.2919464" /> <PointFrame FrameIndex="17" X="0.2928925" Y="0.3067932" /> <PointFrame FrameIndex="19" X="0.2930145" Y="0.2930145" /> <PointFrame FrameIndex="33" X="0.2919464" Y="0.2919464" /> <PointFrame FrameIndex="35" X="0.2928925" Y="0.3067932" /> <PointFrame FrameIndex="38" X="0.2930145" Y="0.2930145" /> <PointFrame FrameIndex="40" X="0.2919464" Y="0.2919464" /> <PointFrame FrameIndex="42" X="0.2928925" Y="0.3067932" /> <PointFrame FrameIndex="45" X="0.2930145" Y="0.2930145" /> <PointFrame FrameIndex="48" X="0.2919464" Y="0.2919464" /> <PointFrame FrameIndex="50" X="0.2928925" Y="0.3067932" /> <PointFrame FrameIndex="53" X="0.2930145" Y="0.2930145" /> </Timeline> <Timeline ActionTag="-1266003639" FrameType="RotationSkewFrame"> <PointFrame FrameIndex="16" X="45.40221" Y="45.40221" /> <PointFrame FrameIndex="17" X="168.9469" Y="167.716" /> <PointFrame FrameIndex="19" X="5.003769" Y="5.003769" /> <PointFrame FrameIndex="33" X="45.40221" Y="45.40221" /> <PointFrame FrameIndex="35" X="168.9469" Y="167.716" /> <PointFrame FrameIndex="38" X="5.003769" Y="5.003769" /> <PointFrame FrameIndex="40" X="45.40221" Y="45.40221" /> <PointFrame FrameIndex="42" X="168.9469" Y="167.716" /> <PointFrame FrameIndex="45" X="5.003769" Y="5.003769" /> <PointFrame FrameIndex="48" X="45.40221" Y="45.40221" /> <PointFrame FrameIndex="50" X="168.9469" Y="167.716" /> <PointFrame FrameIndex="53" X="5.003769" Y="5.003769" /> </Timeline> <Timeline ActionTag="-1266003636" FrameType="VisibleFrame"> <BoolFrame FrameIndex="0" Value="True" /> <BoolFrame FrameIndex="17" Value="False" /> <BoolFrame FrameIndex="20" Value="True" /> <BoolFrame FrameIndex="35" Value="False" /> <BoolFrame FrameIndex="39" Value="True" /> <BoolFrame FrameIndex="42" Value="False" /> <BoolFrame FrameIndex="46" Value="True" /> <BoolFrame FrameIndex="50" Value="False" /> <BoolFrame FrameIndex="54" Value="True" /> </Timeline> <Timeline ActionTag="-1266003636" FrameType="AnchorPointFrame"> <PointFrame FrameIndex="0" X="0.5" Y="0.5" /> <PointFrame FrameIndex="7" X="0.5005376" Y="0.4996241" /> <PointFrame FrameIndex="13" X="0.5" Y="0.5" /> <PointFrame FrameIndex="14" X="0.5" Y="0.5" /> <PointFrame FrameIndex="15" X="0.5005376" Y="0.4992481" /> <PointFrame FrameIndex="16" X="0.5010753" Y="0.4984962" /> <PointFrame FrameIndex="20" X="0.4994624" Y="0.5" /> <PointFrame FrameIndex="21" X="0.5005376" Y="0.5003759" /> <PointFrame FrameIndex="22" X="0.5" Y="0.5" /> <PointFrame FrameIndex="23" X="0.5" Y="0.5" /> <PointFrame FrameIndex="24" X="0.5" Y="0.5" /> <PointFrame FrameIndex="25" X="0.5005376" Y="0.5007519" /> <PointFrame FrameIndex="27" X="0.4994624" Y="0.4992481" /> <PointFrame FrameIndex="29" X="0.4989247" Y="0.5" /> <PointFrame FrameIndex="30" X="0.5" Y="0.5" /> <PointFrame FrameIndex="31" X="0.5005376" Y="0.4992481" /> <PointFrame FrameIndex="33" X="0.5010753" Y="0.4984962" /> <PointFrame FrameIndex="34" X="0.5016129" Y="0.4996241" /> <PointFrame FrameIndex="39" X="0.4994624" Y="0.5" /> <PointFrame FrameIndex="40" X="0.5010753" Y="0.4984962" /> <PointFrame FrameIndex="41" X="0.5016129" Y="0.4996241" /> <PointFrame FrameIndex="46" X="0.4994624" Y="0.5" /> <PointFrame FrameIndex="48" X="0.5010753" Y="0.4984962" /> <PointFrame FrameIndex="49" X="0.5016129" Y="0.4996241" /> <PointFrame FrameIndex="54" X="0.4994624" Y="0.5" /> </Timeline> <Timeline ActionTag="-1266003637" FrameType="PositionFrame"> <PointFrame FrameIndex="0" X="23.95" Y="17.4" /> <PointFrame FrameIndex="7" X="24.65" Y="17.1" /> <PointFrame FrameIndex="13" Tween="False" X="23.95" Y="17.4" /> <PointFrame FrameIndex="14" X="23.95" Y="17.4" /> <PointFrame FrameIndex="15" X="24.65" Y="17.25" /> <PointFrame FrameIndex="16" X="-3.4" Y="27.9" /> <PointFrame FrameIndex="20" X="25.9" Y="18.05" /> <PointFrame FrameIndex="21" X="24.05" Y="17.05" /> <PointFrame FrameIndex="22" Tween="False" X="23.95" Y="17.4" /> <PointFrame FrameIndex="23" X="23.95" Y="17.4" /> <PointFrame FrameIndex="24" X="23.95" Y="17.4" /> <PointFrame FrameIndex="25" Tween="False" X="16.8" Y="14.9" /> <PointFrame FrameIndex="27" Tween="False" X="19.7" Y="15.7" /> <PointFrame FrameIndex="29" Tween="False" X="22.55" Y="16.8" /> <PointFrame FrameIndex="30" Tween="False" X="23.95" Y="17.4" /> <PointFrame FrameIndex="31" X="24.65" Y="17.25" /> <PointFrame FrameIndex="33" X="-3.4" Y="27.9" /> <PointFrame FrameIndex="34" X="-9.5" Y="48.45" /> <PointFrame FrameIndex="39" X="25.9" Y="18.05" /> <PointFrame FrameIndex="40" X="-3.4" Y="27.9" /> <PointFrame FrameIndex="41" X="-9.5" Y="48.45" /> <PointFrame FrameIndex="46" X="25.9" Y="18.05" /> <PointFrame FrameIndex="48" X="-3.4" Y="27.9" /> <PointFrame FrameIndex="49" X="-9.5" Y="48.45" /> <PointFrame FrameIndex="54" X="25.9" Y="18.05" /> </Timeline> <Timeline ActionTag="-1266003637" FrameType="ScaleFrame"> <PointFrame FrameIndex="0" X="0.2924347" Y="0.2924347" /> <PointFrame FrameIndex="7" X="0.2924042" Y="0.2924042" /> <PointFrame FrameIndex="13" Tween="False" X="0.2924347" Y="0.2924347" /> <PointFrame FrameIndex="14" X="0.2924347" Y="0.2924347" /> <PointFrame FrameIndex="15" X="0.2924042" Y="0.2924042" /> <PointFrame FrameIndex="16" X="0.2921753" Y="0.2921753" /> <PointFrame FrameIndex="20" X="0.2923279" Y="0.2923279" /> <PointFrame FrameIndex="21" X="0.2924347" Y="0.2924347" /> <PointFrame FrameIndex="22" Tween="False" X="0.2924347" Y="0.2924347" /> <PointFrame FrameIndex="23" X="0.2924347" Y="0.2924347" /> <PointFrame FrameIndex="24" X="0.2924347" Y="0.2924347" /> <PointFrame FrameIndex="25" Tween="False" X="0.2924347" Y="0.2924347" /> <PointFrame FrameIndex="27" Tween="False" X="0.2922516" Y="0.2922516" /> <PointFrame FrameIndex="29" Tween="False" X="0.2922974" Y="0.2922974" /> <PointFrame FrameIndex="30" Tween="False" X="0.2924347" Y="0.2924347" /> <PointFrame FrameIndex="31" X="0.2924042" Y="0.2924042" /> <PointFrame FrameIndex="33" X="0.2921753" Y="0.2921753" /> <PointFrame FrameIndex="34" X="0.2920685" Y="0.2920685" /> <PointFrame FrameIndex="39" X="0.2923279" Y="0.2923279" /> <PointFrame FrameIndex="40" X="0.2921753" Y="0.2921753" /> <PointFrame FrameIndex="41" X="0.2920685" Y="0.2920685" /> <PointFrame FrameIndex="46" X="0.2923279" Y="0.2923279" /> <PointFrame FrameIndex="48" X="0.2921753" Y="0.2921753" /> <PointFrame FrameIndex="49" X="0.2920685" Y="0.2920685" /> <PointFrame FrameIndex="54" X="0.2923279" Y="0.2923279" /> </Timeline> <Timeline ActionTag="-1266003637" FrameType="RotationSkewFrame"> <PointFrame FrameIndex="0" X="0" Y="0" /> <PointFrame FrameIndex="7" X="-2.057129" Y="-2.057129" /> <PointFrame FrameIndex="13" Tween="False" X="0" Y="0" /> <PointFrame FrameIndex="14" X="0" Y="0" /> <PointFrame FrameIndex="15" X="-2.057129" Y="-2.057129" /> <PointFrame FrameIndex="16" X="73.42981" Y="73.42981" /> <PointFrame FrameIndex="20" X="-6.037079" Y="-6.037079" /> <PointFrame FrameIndex="21" X="-0.5525208" Y="-0.5525208" /> <PointFrame FrameIndex="22" Tween="False" X="0" Y="0" /> <PointFrame FrameIndex="23" X="0" Y="0" /> <PointFrame FrameIndex="24" X="0" Y="0" /> <PointFrame FrameIndex="25" Tween="False" X="19.52368" Y="19.52368" /> <PointFrame FrameIndex="27" Tween="False" X="11.55922" Y="11.55922" /> <PointFrame FrameIndex="29" Tween="False" X="3.777466" Y="3.777466" /> <PointFrame FrameIndex="30" Tween="False" X="0" Y="0" /> <PointFrame FrameIndex="31" X="-2.057129" Y="-2.057129" /> <PointFrame FrameIndex="33" X="73.42981" Y="73.42981" /> <PointFrame FrameIndex="34" X="115.5484" Y="115.5484" /> <PointFrame FrameIndex="39" X="-6.037079" Y="-6.037079" /> <PointFrame FrameIndex="40" X="73.42981" Y="73.42981" /> <PointFrame FrameIndex="41" X="115.5484" Y="115.5484" /> <PointFrame FrameIndex="46" X="-6.037079" Y="-6.037079" /> <PointFrame FrameIndex="48" X="73.42981" Y="73.42981" /> <PointFrame FrameIndex="49" X="115.5484" Y="115.5484" /> <PointFrame FrameIndex="54" X="-6.037079" Y="-6.037079" /> </Timeline> <Timeline ActionTag="-1266003634" FrameType="VisibleFrame"> <BoolFrame FrameIndex="0" Value="False" /> <BoolFrame FrameIndex="17" Value="True" /> <BoolFrame FrameIndex="18" Value="False" /> </Timeline> <Timeline ActionTag="-1266003633" FrameType="VisibleFrame"> <BoolFrame FrameIndex="0" Value="False" /> <BoolFrame FrameIndex="18" Value="True" /> <BoolFrame FrameIndex="19" Value="False" /> </Timeline> <Timeline ActionTag="-1266003611" FrameType="VisibleFrame"> <BoolFrame FrameIndex="0" Value="False" /> <BoolFrame FrameIndex="19" Value="True" /> <BoolFrame FrameIndex="20" Value="False" /> </Timeline> <Timeline ActionTag="-1266003610" FrameType="VisibleFrame"> <BoolFrame FrameIndex="0" Value="False" /> <BoolFrame FrameIndex="35" Value="True" /> <BoolFrame FrameIndex="36" Value="False" /> </Timeline> <Timeline ActionTag="-1266003609" FrameType="VisibleFrame"> <BoolFrame FrameIndex="0" Value="False" /> <BoolFrame FrameIndex="36" Value="True" /> <BoolFrame FrameIndex="37" Value="False" /> </Timeline> <Timeline ActionTag="-1266003608" FrameType="VisibleFrame"> <BoolFrame FrameIndex="0" Value="False" /> <BoolFrame FrameIndex="37" Value="True" /> <BoolFrame FrameIndex="38" Value="False" /> </Timeline> <Timeline ActionTag="-1266003607" FrameType="VisibleFrame"> <BoolFrame FrameIndex="0" Value="False" /> <BoolFrame FrameIndex="38" Value="True" /> <BoolFrame FrameIndex="39" Value="False" /> </Timeline> <Timeline ActionTag="-1266003606" FrameType="VisibleFrame"> <BoolFrame FrameIndex="0" Value="False" /> <BoolFrame FrameIndex="42" Value="True" /> <BoolFrame FrameIndex="43" Value="False" /> </Timeline> <Timeline ActionTag="-1266003605" FrameType="VisibleFrame"> <BoolFrame FrameIndex="0" Value="False" /> <BoolFrame FrameIndex="43" Value="True" /> <BoolFrame FrameIndex="44" Value="False" /> </Timeline> <Timeline ActionTag="-1266003604" FrameType="VisibleFrame"> <BoolFrame FrameIndex="0" Value="False" /> <BoolFrame FrameIndex="44" Value="True" /> <BoolFrame FrameIndex="45" Value="False" /> </Timeline> <Timeline ActionTag="-1266003603" FrameType="VisibleFrame"> <BoolFrame FrameIndex="0" Value="False" /> <BoolFrame FrameIndex="45" Value="True" /> <BoolFrame FrameIndex="46" Value="False" /> </Timeline> <Timeline ActionTag="-1266003602" FrameType="VisibleFrame"> <BoolFrame FrameIndex="0" Value="False" /> <BoolFrame FrameIndex="50" Value="True" /> <BoolFrame FrameIndex="51" Value="False" /> </Timeline> <Timeline ActionTag="-1266003580" FrameType="VisibleFrame"> <BoolFrame FrameIndex="0" Value="False" /> <BoolFrame FrameIndex="51" Value="True" /> <BoolFrame FrameIndex="52" Value="False" /> </Timeline> <Timeline ActionTag="-1266003579" FrameType="VisibleFrame"> <BoolFrame FrameIndex="0" Value="False" /> <BoolFrame FrameIndex="52" Value="True" /> <BoolFrame FrameIndex="53" Value="False" /> </Timeline> <Timeline ActionTag="-1266003578" FrameType="VisibleFrame"> <BoolFrame FrameIndex="0" Value="False" /> <BoolFrame FrameIndex="53" Value="True" /> <BoolFrame FrameIndex="54" Value="False" /> </Timeline> <Timeline ActionTag="-1266003635" FrameType="PositionFrame"> <PointFrame FrameIndex="17" Tween="False" X="-20.85" Y="45.05" /> <PointFrame FrameIndex="18" Tween="False" X="-14.25" Y="63.5" /> <PointFrame FrameIndex="19" Tween="False" X="-4.55" Y="39.55" /> <PointFrame FrameIndex="35" Tween="False" X="-20.85" Y="45.05" /> <PointFrame FrameIndex="36" Tween="False" X="-14.25" Y="63.5" /> <PointFrame FrameIndex="37" Tween="False" X="-12.55" Y="54.15" /> <PointFrame FrameIndex="38" Tween="False" X="-4.55" Y="39.55" /> <PointFrame FrameIndex="42" Tween="False" X="-20.85" Y="45.05" /> <PointFrame FrameIndex="43" Tween="False" X="-14.25" Y="63.5" /> <PointFrame FrameIndex="44" Tween="False" X="-12.55" Y="54.15" /> <PointFrame FrameIndex="45" Tween="False" X="-4.55" Y="39.55" /> <PointFrame FrameIndex="50" Tween="False" X="-20.85" Y="45.05" /> <PointFrame FrameIndex="51" Tween="False" X="-14.25" Y="63.5" /> <PointFrame FrameIndex="52" Tween="False" X="-12.55" Y="54.15" /> <PointFrame FrameIndex="53" Tween="False" X="-4.55" Y="39.55" /> </Timeline> <Timeline ActionTag="-1266003635" FrameType="ScaleFrame"> <PointFrame FrameIndex="17" Tween="False" X="1" Y="1" /> <PointFrame FrameIndex="18" Tween="False" X="1" Y="1" /> <PointFrame FrameIndex="19" Tween="False" X="1" Y="1" /> <PointFrame FrameIndex="35" Tween="False" X="1" Y="1" /> <PointFrame FrameIndex="36" Tween="False" X="1" Y="1" /> <PointFrame FrameIndex="37" Tween="False" X="1" Y="1" /> <PointFrame FrameIndex="38" Tween="False" X="1" Y="1" /> <PointFrame FrameIndex="42" Tween="False" X="1" Y="1" /> <PointFrame FrameIndex="43" Tween="False" X="1" Y="1" /> <PointFrame FrameIndex="44" Tween="False" X="1" Y="1" /> <PointFrame FrameIndex="45" Tween="False" X="1" Y="1" /> <PointFrame FrameIndex="50" Tween="False" X="1" Y="1" /> <PointFrame FrameIndex="51" Tween="False" X="1" Y="1" /> <PointFrame FrameIndex="52" Tween="False" X="1" Y="1" /> <PointFrame FrameIndex="53" Tween="False" X="1" Y="1" /> </Timeline> <Timeline ActionTag="-1266003635" FrameType="RotationSkewFrame"> <PointFrame FrameIndex="17" Tween="False" X="0" Y="0" /> <PointFrame FrameIndex="18" Tween="False" X="0" Y="0" /> <PointFrame FrameIndex="19" Tween="False" X="0" Y="0" /> <PointFrame FrameIndex="35" Tween="False" X="0" Y="0" /> <PointFrame FrameIndex="36" Tween="False" X="0" Y="0" /> <PointFrame FrameIndex="37" Tween="False" X="0" Y="0" /> <PointFrame FrameIndex="38" Tween="False" X="0" Y="0" /> <PointFrame FrameIndex="42" Tween="False" X="0" Y="0" /> <PointFrame FrameIndex="43" Tween="False" X="0" Y="0" /> <PointFrame FrameIndex="44" Tween="False" X="0" Y="0" /> <PointFrame FrameIndex="45" Tween="False" X="0" Y="0" /> <PointFrame FrameIndex="50" Tween="False" X="0" Y="0" /> <PointFrame FrameIndex="51" Tween="False" X="0" Y="0" /> <PointFrame FrameIndex="52" Tween="False" X="0" Y="0" /> <PointFrame FrameIndex="53" Tween="False" X="0" Y="0" /> </Timeline> <Timeline ActionTag="-1266003576" FrameType="VisibleFrame"> <BoolFrame FrameIndex="0" Value="False" /> <BoolFrame FrameIndex="17" Value="True" /> <BoolFrame FrameIndex="18" Value="False" /> </Timeline> <Timeline ActionTag="-1266003576" FrameType="AnchorPointFrame"> <PointFrame FrameIndex="17" X="0.4998333" Y="0.5001667" /> </Timeline> <Timeline ActionTag="-1266003575" FrameType="VisibleFrame"> <BoolFrame FrameIndex="0" Value="False" /> <BoolFrame FrameIndex="18" Value="True" /> <BoolFrame FrameIndex="19" Value="False" /> </Timeline> <Timeline ActionTag="-1266003575" FrameType="AnchorPointFrame"> <PointFrame FrameIndex="18" X="0.4998333" Y="0.5001667" /> </Timeline> <Timeline ActionTag="-1266003574" FrameType="VisibleFrame"> <BoolFrame FrameIndex="0" Value="False" /> <BoolFrame FrameIndex="19" Value="True" /> <BoolFrame FrameIndex="20" Value="False" /> </Timeline> <Timeline ActionTag="-1266003574" FrameType="AnchorPointFrame"> <PointFrame FrameIndex="19" X="0.4998333" Y="0.5001667" /> </Timeline> <Timeline ActionTag="-1266003577" FrameType="PositionFrame"> <PointFrame FrameIndex="17" Tween="False" X="-17.45" Y="38.55" /> <PointFrame FrameIndex="18" Tween="False" X="-17.45" Y="38.55" /> <PointFrame FrameIndex="19" Tween="False" X="-17.45" Y="38.55" /> </Timeline> <Timeline ActionTag="-1266003577" FrameType="ScaleFrame"> <PointFrame FrameIndex="17" Tween="False" X="0.4971161" Y="0.4971161" /> <PointFrame FrameIndex="18" Tween="False" X="0.4971161" Y="0.4971161" /> <PointFrame FrameIndex="19" Tween="False" X="0.4971161" Y="0.4971161" /> </Timeline> <Timeline ActionTag="-1266003577" FrameType="RotationSkewFrame"> <PointFrame FrameIndex="17" Tween="False" X="0" Y="0" /> <PointFrame FrameIndex="18" Tween="False" X="0" Y="0" /> <PointFrame FrameIndex="19" Tween="False" X="0" Y="0" /> </Timeline> <Timeline ActionTag="-1266003572" FrameType="VisibleFrame"> <BoolFrame FrameIndex="0" Value="False" /> <BoolFrame FrameIndex="17" Value="True" /> <BoolFrame FrameIndex="20" Value="False" /> <BoolFrame FrameIndex="35" Value="True" /> <BoolFrame FrameIndex="39" Value="False" /> <BoolFrame FrameIndex="42" Value="True" /> <BoolFrame FrameIndex="46" Value="False" /> <BoolFrame FrameIndex="50" Value="True" /> <BoolFrame FrameIndex="54" Value="False" /> </Timeline> <Timeline ActionTag="-1266003572" FrameType="AnchorPointFrame"> <PointFrame FrameIndex="17" X="0.5016129" Y="0.5016394" /> <PointFrame FrameIndex="18" X="0.5016129" Y="0.5" /> <PointFrame FrameIndex="19" X="0.4887097" Y="0.5040984" /> <PointFrame FrameIndex="35" X="0.5016129" Y="0.5016394" /> <PointFrame FrameIndex="36" X="0.5016129" Y="0.5" /> <PointFrame FrameIndex="37" X="0.5064516" Y="0.5" /> <PointFrame FrameIndex="38" X="0.4887097" Y="0.5040984" /> <PointFrame FrameIndex="42" X="0.5016129" Y="0.5016394" /> <PointFrame FrameIndex="43" X="0.5016129" Y="0.5" /> <PointFrame FrameIndex="44" X="0.5064516" Y="0.5" /> <PointFrame FrameIndex="45" X="0.5" Y="0.497541" /> <PointFrame FrameIndex="50" X="0.5016129" Y="0.5016394" /> <PointFrame FrameIndex="51" X="0.5016129" Y="0.5" /> <PointFrame FrameIndex="52" X="0.5064516" Y="0.5" /> <PointFrame FrameIndex="53" X="0.5" Y="0.497541" /> </Timeline> <Timeline ActionTag="-1266003573" FrameType="PositionFrame"> <PointFrame FrameIndex="17" Tween="False" X="-1.5" Y="62.7" /> <PointFrame FrameIndex="18" Tween="False" X="-8.1" Y="46.5" /> <PointFrame FrameIndex="19" Tween="False" X="17.85" Y="31.05" /> <PointFrame FrameIndex="35" Tween="False" X="-1.5" Y="62.7" /> <PointFrame FrameIndex="36" Tween="False" X="-8.1" Y="46.5" /> <PointFrame FrameIndex="37" Tween="False" X="-0.05" Y="28.7" /> <PointFrame FrameIndex="38" Tween="False" X="17.85" Y="31.05" /> <PointFrame FrameIndex="42" Tween="False" X="-1.5" Y="62.7" /> <PointFrame FrameIndex="43" Tween="False" X="-8.1" Y="46.5" /> <PointFrame FrameIndex="44" Tween="False" X="-0.05" Y="28.7" /> <PointFrame FrameIndex="45" Tween="False" X="17.1" Y="24.95" /> <PointFrame FrameIndex="50" Tween="False" X="-1.5" Y="62.7" /> <PointFrame FrameIndex="51" Tween="False" X="-8.1" Y="46.5" /> <PointFrame FrameIndex="52" Tween="False" X="-0.05" Y="28.7" /> <PointFrame FrameIndex="53" Tween="False" X="17.1" Y="24.95" /> </Timeline> <Timeline ActionTag="-1266003573" FrameType="ScaleFrame"> <PointFrame FrameIndex="17" Tween="False" X="0.3227844" Y="0.3227844" /> <PointFrame FrameIndex="18" Tween="False" X="0.3222656" Y="0.3222656" /> <PointFrame FrameIndex="19" Tween="False" X="0.09439087" Y="0.09439087" /> <PointFrame FrameIndex="35" Tween="False" X="0.3227844" Y="0.3227844" /> <PointFrame FrameIndex="36" Tween="False" X="0.3222656" Y="0.3222656" /> <PointFrame FrameIndex="37" Tween="False" X="0.3226318" Y="0.3226318" /> <PointFrame FrameIndex="38" Tween="False" X="0.09439087" Y="0.09439087" /> <PointFrame FrameIndex="42" Tween="False" X="0.3227844" Y="0.3227844" /> <PointFrame FrameIndex="43" Tween="False" X="0.3222656" Y="0.3222656" /> <PointFrame FrameIndex="44" Tween="False" X="0.3226318" Y="0.3226318" /> <PointFrame FrameIndex="45" Tween="False" X="0.3223572" Y="0.3223572" /> <PointFrame FrameIndex="50" Tween="False" X="0.3227844" Y="0.3227844" /> <PointFrame FrameIndex="51" Tween="False" X="0.3222656" Y="0.3222656" /> <PointFrame FrameIndex="52" Tween="False" X="0.3226318" Y="0.3226318" /> <PointFrame FrameIndex="53" Tween="False" X="0.3223572" Y="0.3223572" /> </Timeline> <Timeline ActionTag="-1266003573" FrameType="RotationSkewFrame"> <PointFrame FrameIndex="17" Tween="False" X="160.2282" Y="160.2282" /> <PointFrame FrameIndex="18" Tween="False" X="113.073" Y="113.073" /> <PointFrame FrameIndex="19" Tween="False" X="9.24556" Y="9.24556" /> <PointFrame FrameIndex="35" Tween="False" X="160.2282" Y="160.2282" /> <PointFrame FrameIndex="36" Tween="False" X="113.073" Y="113.073" /> <PointFrame FrameIndex="37" Tween="False" X="61.91493" Y="61.91493" /> <PointFrame FrameIndex="38" Tween="False" X="9.24556" Y="9.24556" /> <PointFrame FrameIndex="42" Tween="False" X="160.2282" Y="160.2282" /> <PointFrame FrameIndex="43" Tween="False" X="113.073" Y="113.073" /> <PointFrame FrameIndex="44" Tween="False" X="61.91493" Y="61.91493" /> <PointFrame FrameIndex="45" Tween="False" X="9.27536" Y="9.27536" /> <PointFrame FrameIndex="50" Tween="False" X="160.2282" Y="160.2282" /> <PointFrame FrameIndex="51" Tween="False" X="113.073" Y="113.073" /> <PointFrame FrameIndex="52" Tween="False" X="61.91493" Y="61.91493" /> <PointFrame FrameIndex="53" Tween="False" X="9.27536" Y="9.27536" /> </Timeline> <Timeline ActionTag="-1266003549" FrameType="VisibleFrame"> <BoolFrame FrameIndex="0" Value="False" /> <BoolFrame FrameIndex="31" Value="True" /> <BoolFrame FrameIndex="33" Value="False" /> </Timeline> <Timeline ActionTag="-1266003549" FrameType="AnchorPointFrame"> <PointFrame FrameIndex="31" X="0.5" Y="0.5" /> </Timeline> <Timeline ActionTag="-1266003548" FrameType="VisibleFrame"> <BoolFrame FrameIndex="0" Value="False" /> <BoolFrame FrameIndex="33" Value="True" /> <BoolFrame FrameIndex="35" Value="False" /> </Timeline> <Timeline ActionTag="-1266003548" FrameType="AnchorPointFrame"> <PointFrame FrameIndex="33" X="0.5" Y="0.5" /> </Timeline> <Timeline ActionTag="-1266003547" FrameType="VisibleFrame"> <BoolFrame FrameIndex="0" Value="False" /> <BoolFrame FrameIndex="35" Value="True" /> <BoolFrame FrameIndex="37" Value="False" /> </Timeline> <Timeline ActionTag="-1266003547" FrameType="AnchorPointFrame"> <PointFrame FrameIndex="35" X="0.5" Y="0.5" /> </Timeline> <Timeline ActionTag="-1266003546" FrameType="VisibleFrame"> <BoolFrame FrameIndex="0" Value="False" /> <BoolFrame FrameIndex="37" Value="True" /> <BoolFrame FrameIndex="39" Value="False" /> </Timeline> <Timeline ActionTag="-1266003546" FrameType="AnchorPointFrame"> <PointFrame FrameIndex="37" X="0.5" Y="0.5" /> </Timeline> <Timeline ActionTag="-1266003545" FrameType="VisibleFrame"> <BoolFrame FrameIndex="0" Value="False" /> <BoolFrame FrameIndex="39" Value="True" /> <BoolFrame FrameIndex="40" Value="False" /> </Timeline> <Timeline ActionTag="-1266003545" FrameType="AnchorPointFrame"> <PointFrame FrameIndex="39" X="0.5" Y="0.5" /> </Timeline> <Timeline ActionTag="-1266003544" FrameType="VisibleFrame"> <BoolFrame FrameIndex="0" Value="False" /> <BoolFrame FrameIndex="40" Value="True" /> <BoolFrame FrameIndex="42" Value="False" /> </Timeline> <Timeline ActionTag="-1266003544" FrameType="AnchorPointFrame"> <PointFrame FrameIndex="40" X="0.5" Y="0.5" /> </Timeline> <Timeline ActionTag="-1266003543" FrameType="VisibleFrame"> <BoolFrame FrameIndex="0" Value="False" /> <BoolFrame FrameIndex="42" Value="True" /> <BoolFrame FrameIndex="44" Value="False" /> </Timeline> <Timeline ActionTag="-1266003543" FrameType="AnchorPointFrame"> <PointFrame FrameIndex="42" X="0.5" Y="0.5" /> </Timeline> <Timeline ActionTag="-1266003542" FrameType="VisibleFrame"> <BoolFrame FrameIndex="0" Value="False" /> <BoolFrame FrameIndex="44" Value="True" /> <BoolFrame FrameIndex="46" Value="False" /> </Timeline> <Timeline ActionTag="-1266003542" FrameType="AnchorPointFrame"> <PointFrame FrameIndex="44" X="0.5" Y="0.5" /> </Timeline> <Timeline ActionTag="-1266003541" FrameType="VisibleFrame"> <BoolFrame FrameIndex="0" Value="False" /> <BoolFrame FrameIndex="46" Value="True" /> <BoolFrame FrameIndex="48" Value="False" /> </Timeline> <Timeline ActionTag="-1266003541" FrameType="AnchorPointFrame"> <PointFrame FrameIndex="46" X="0.5" Y="0.5" /> </Timeline> <Timeline ActionTag="-1266003540" FrameType="VisibleFrame"> <BoolFrame FrameIndex="0" Value="False" /> <BoolFrame FrameIndex="48" Value="True" /> <BoolFrame FrameIndex="50" Value="False" /> </Timeline> <Timeline ActionTag="-1266003540" FrameType="AnchorPointFrame"> <PointFrame FrameIndex="48" X="0.5" Y="0.5" /> </Timeline> <Timeline ActionTag="-1266003518" FrameType="VisibleFrame"> <BoolFrame FrameIndex="0" Value="False" /> <BoolFrame FrameIndex="50" Value="True" /> <BoolFrame FrameIndex="52" Value="False" /> </Timeline> <Timeline ActionTag="-1266003518" FrameType="AnchorPointFrame"> <PointFrame FrameIndex="50" X="0.5" Y="0.5" /> </Timeline> <Timeline ActionTag="-1266003517" FrameType="VisibleFrame"> <BoolFrame FrameIndex="0" Value="False" /> <BoolFrame FrameIndex="52" Value="True" /> <BoolFrame FrameIndex="54" Value="False" /> </Timeline> <Timeline ActionTag="-1266003517" FrameType="AnchorPointFrame"> <PointFrame FrameIndex="52" X="0.5" Y="0.5" /> </Timeline> <Timeline ActionTag="-1266003516" FrameType="VisibleFrame"> <BoolFrame FrameIndex="0" Value="False" /> <BoolFrame FrameIndex="54" Value="True" /> </Timeline> <Timeline ActionTag="-1266003516" FrameType="AnchorPointFrame"> <PointFrame FrameIndex="54" X="0.5" Y="0.5" /> </Timeline> <Timeline ActionTag="-1266003571" FrameType="PositionFrame"> <PointFrame FrameIndex="31" Tween="False" X="3.45" Y="58.55" /> <PointFrame FrameIndex="33" Tween="False" X="3.45" Y="58.55" /> <PointFrame FrameIndex="35" Tween="False" X="3.45" Y="58.55" /> <PointFrame FrameIndex="37" Tween="False" X="3.45" Y="58.55" /> <PointFrame FrameIndex="39" Tween="False" X="3.45" Y="58.55" /> <PointFrame FrameIndex="40" Tween="False" X="3.45" Y="58.55" /> <PointFrame FrameIndex="42" Tween="False" X="3.45" Y="58.55" /> <PointFrame FrameIndex="44" Tween="False" X="3.45" Y="58.55" /> <PointFrame FrameIndex="46" Tween="False" X="3.45" Y="58.55" /> <PointFrame FrameIndex="48" Tween="False" X="3.45" Y="58.55" /> <PointFrame FrameIndex="50" Tween="False" X="3.45" Y="58.55" /> <PointFrame FrameIndex="52" Tween="False" X="3.45" Y="58.55" /> <PointFrame FrameIndex="54" Tween="False" X="3.45" Y="58.55" /> </Timeline> <Timeline ActionTag="-1266003571" FrameType="ScaleFrame"> <PointFrame FrameIndex="31" Tween="False" X="1" Y="1" /> <PointFrame FrameIndex="33" Tween="False" X="1" Y="1" /> <PointFrame FrameIndex="35" Tween="False" X="1" Y="1" /> <PointFrame FrameIndex="37" Tween="False" X="1" Y="1" /> <PointFrame FrameIndex="39" Tween="False" X="1" Y="1" /> <PointFrame FrameIndex="40" Tween="False" X="1" Y="1" /> <PointFrame FrameIndex="42" Tween="False" X="1" Y="1" /> <PointFrame FrameIndex="44" Tween="False" X="1" Y="1" /> <PointFrame FrameIndex="46" Tween="False" X="1" Y="1" /> <PointFrame FrameIndex="48" Tween="False" X="1" Y="1" /> <PointFrame FrameIndex="50" Tween="False" X="1" Y="1" /> <PointFrame FrameIndex="52" Tween="False" X="1" Y="1" /> <PointFrame FrameIndex="54" Tween="False" X="1" Y="1" /> </Timeline> <Timeline ActionTag="-1266003571" FrameType="RotationSkewFrame"> <PointFrame FrameIndex="31" Tween="False" X="0" Y="0" /> <PointFrame FrameIndex="33" Tween="False" X="0" Y="0" /> <PointFrame FrameIndex="35" Tween="False" X="0" Y="0" /> <PointFrame FrameIndex="37" Tween="False" X="0" Y="0" /> <PointFrame FrameIndex="39" Tween="False" X="0" Y="0" /> <PointFrame FrameIndex="40" Tween="False" X="0" Y="0" /> <PointFrame FrameIndex="42" Tween="False" X="0" Y="0" /> <PointFrame FrameIndex="44" Tween="False" X="0" Y="0" /> <PointFrame FrameIndex="46" Tween="False" X="0" Y="0" /> <PointFrame FrameIndex="48" Tween="False" X="0" Y="0" /> <PointFrame FrameIndex="50" Tween="False" X="0" Y="0" /> <PointFrame FrameIndex="52" Tween="False" X="0" Y="0" /> <PointFrame FrameIndex="54" Tween="False" X="0" Y="0" /> </Timeline> <Timeline ActionTag="-1266003514" FrameType="VisibleFrame"> <BoolFrame FrameIndex="0" Value="True" /> <BoolFrame FrameIndex="2" Value="False" /> <BoolFrame FrameIndex="8" Value="True" /> <BoolFrame FrameIndex="10" Value="False" /> <BoolFrame FrameIndex="16" Value="True" /> <BoolFrame FrameIndex="17" Value="False" /> <BoolFrame FrameIndex="27" Value="True" /> <BoolFrame FrameIndex="29" Value="False" /> <BoolFrame FrameIndex="35" Value="True" /> <BoolFrame FrameIndex="37" Value="False" /> <BoolFrame FrameIndex="40" Value="True" /> <BoolFrame FrameIndex="42" Value="False" /> <BoolFrame FrameIndex="54" Value="True" /> </Timeline> <Timeline ActionTag="-1266003514" FrameType="AnchorPointFrame"> <PointFrame FrameIndex="0" X="0.5" Y="0.5" /> <PointFrame FrameIndex="8" X="0.5" Y="0.5" /> <PointFrame FrameIndex="16" X="0.5" Y="0.5" /> <PointFrame FrameIndex="27" X="0.5" Y="0.5" /> <PointFrame FrameIndex="35" X="0.5" Y="0.5" /> <PointFrame FrameIndex="40" X="0.5" Y="0.5" /> <PointFrame FrameIndex="54" X="0.5" Y="0.5" /> </Timeline> <Timeline ActionTag="-1266003513" FrameType="VisibleFrame"> <BoolFrame FrameIndex="0" Value="False" /> <BoolFrame FrameIndex="2" Value="True" /> <BoolFrame FrameIndex="4" Value="False" /> <BoolFrame FrameIndex="10" Value="True" /> <BoolFrame FrameIndex="12" Value="False" /> <BoolFrame FrameIndex="17" Value="True" /> <BoolFrame FrameIndex="18" Value="False" /> <BoolFrame FrameIndex="21" Value="True" /> <BoolFrame FrameIndex="23" Value="False" /> <BoolFrame FrameIndex="29" Value="True" /> <BoolFrame FrameIndex="31" Value="False" /> <BoolFrame FrameIndex="37" Value="True" /> <BoolFrame FrameIndex="39" Value="False" /> <BoolFrame FrameIndex="42" Value="True" /> <BoolFrame FrameIndex="44" Value="False" /> <BoolFrame FrameIndex="48" Value="True" /> <BoolFrame FrameIndex="50" Value="False" /> </Timeline> <Timeline ActionTag="-1266003513" FrameType="AnchorPointFrame"> <PointFrame FrameIndex="2" X="0.5" Y="0.5" /> <PointFrame FrameIndex="10" X="0.5" Y="0.5" /> <PointFrame FrameIndex="17" X="0.5" Y="0.5" /> <PointFrame FrameIndex="21" X="0.5" Y="0.5" /> <PointFrame FrameIndex="29" X="0.5" Y="0.5" /> <PointFrame FrameIndex="37" X="0.5" Y="0.5" /> <PointFrame FrameIndex="42" X="0.5" Y="0.5" /> <PointFrame FrameIndex="48" X="0.5" Y="0.5" /> </Timeline> <Timeline ActionTag="-1266003512" FrameType="VisibleFrame"> <BoolFrame FrameIndex="0" Value="False" /> <BoolFrame FrameIndex="4" Value="True" /> <BoolFrame FrameIndex="6" Value="False" /> <BoolFrame FrameIndex="12" Value="True" /> <BoolFrame FrameIndex="14" Value="False" /> <BoolFrame FrameIndex="18" Value="True" /> <BoolFrame FrameIndex="19" Value="False" /> <BoolFrame FrameIndex="23" Value="True" /> <BoolFrame FrameIndex="25" Value="False" /> <BoolFrame FrameIndex="31" Value="True" /> <BoolFrame FrameIndex="33" Value="False" /> <BoolFrame FrameIndex="39" Value="True" /> <BoolFrame FrameIndex="40" Value="False" /> <BoolFrame FrameIndex="44" Value="True" /> <BoolFrame FrameIndex="46" Value="False" /> <BoolFrame FrameIndex="50" Value="True" /> <BoolFrame FrameIndex="52" Value="False" /> </Timeline> <Timeline ActionTag="-1266003512" FrameType="AnchorPointFrame"> <PointFrame FrameIndex="4" X="0.5" Y="0.5" /> <PointFrame FrameIndex="12" X="0.5" Y="0.5" /> <PointFrame FrameIndex="18" X="0.5" Y="0.5" /> <PointFrame FrameIndex="23" X="0.5" Y="0.5" /> <PointFrame FrameIndex="31" X="0.5" Y="0.5" /> <PointFrame FrameIndex="39" X="0.5" Y="0.5" /> <PointFrame FrameIndex="44" X="0.5" Y="0.5" /> <PointFrame FrameIndex="50" X="0.5" Y="0.5" /> </Timeline> <Timeline ActionTag="-1266003511" FrameType="VisibleFrame"> <BoolFrame FrameIndex="0" Value="False" /> <BoolFrame FrameIndex="6" Value="True" /> <BoolFrame FrameIndex="8" Value="False" /> <BoolFrame FrameIndex="14" Value="True" /> <BoolFrame FrameIndex="16" Value="False" /> <BoolFrame FrameIndex="19" Value="True" /> <BoolFrame FrameIndex="21" Value="False" /> <BoolFrame FrameIndex="25" Value="True" /> <BoolFrame FrameIndex="27" Value="False" /> <BoolFrame FrameIndex="33" Value="True" /> <BoolFrame FrameIndex="35" Value="False" /> <BoolFrame FrameIndex="46" Value="True" /> <BoolFrame FrameIndex="48" Value="False" /> <BoolFrame FrameIndex="52" Value="True" /> <BoolFrame FrameIndex="54" Value="False" /> </Timeline> <Timeline ActionTag="-1266003511" FrameType="AnchorPointFrame"> <PointFrame FrameIndex="6" X="0.5" Y="0.5" /> <PointFrame FrameIndex="14" X="0.5" Y="0.5" /> <PointFrame FrameIndex="19" X="0.5" Y="0.5" /> <PointFrame FrameIndex="25" X="0.500625" Y="0.5" /> <PointFrame FrameIndex="33" X="0.5" Y="0.5" /> <PointFrame FrameIndex="46" X="0.5" Y="0.5" /> <PointFrame FrameIndex="52" X="0.5" Y="0.5" /> </Timeline> <Timeline ActionTag="-1266003515" FrameType="PositionFrame"> <PointFrame FrameIndex="0" Tween="False" X="24.7" Y="106.6" /> <PointFrame FrameIndex="2" Tween="False" X="24.7" Y="106.6" /> <PointFrame FrameIndex="4" Tween="False" X="24.7" Y="106.6" /> <PointFrame FrameIndex="6" Tween="False" X="24.7" Y="106.6" /> <PointFrame FrameIndex="8" Tween="False" X="24.7" Y="106.6" /> <PointFrame FrameIndex="10" Tween="False" X="24.7" Y="106.6" /> <PointFrame FrameIndex="12" Tween="False" X="24.7" Y="106.6" /> <PointFrame FrameIndex="14" Tween="False" X="24.7" Y="106.6" /> <PointFrame FrameIndex="16" Tween="False" X="24.7" Y="106.6" /> <PointFrame FrameIndex="17" Tween="False" X="24.7" Y="106.6" /> <PointFrame FrameIndex="18" Tween="False" X="24.7" Y="106.6" /> <PointFrame FrameIndex="19" Tween="False" X="24.7" Y="106.6" /> <PointFrame FrameIndex="21" Tween="False" X="24.7" Y="106.6" /> <PointFrame FrameIndex="23" Tween="False" X="24.7" Y="106.6" /> <PointFrame FrameIndex="25" Tween="False" X="24.4" Y="109.9" /> <PointFrame FrameIndex="27" Tween="False" X="24.7" Y="106.6" /> <PointFrame FrameIndex="29" Tween="False" X="24.7" Y="106.6" /> <PointFrame FrameIndex="31" Tween="False" X="24.7" Y="106.6" /> <PointFrame FrameIndex="33" Tween="False" X="24.7" Y="106.6" /> <PointFrame FrameIndex="35" Tween="False" X="24.7" Y="106.6" /> <PointFrame FrameIndex="37" Tween="False" X="24.7" Y="106.6" /> <PointFrame FrameIndex="39" Tween="False" X="24.7" Y="106.6" /> <PointFrame FrameIndex="40" Tween="False" X="24.7" Y="106.6" /> <PointFrame FrameIndex="42" Tween="False" X="24.7" Y="106.6" /> <PointFrame FrameIndex="44" Tween="False" X="24.7" Y="106.6" /> <PointFrame FrameIndex="46" Tween="False" X="24.7" Y="106.6" /> <PointFrame FrameIndex="48" Tween="False" X="24.7" Y="106.6" /> <PointFrame FrameIndex="50" Tween="False" X="24.7" Y="106.6" /> <PointFrame FrameIndex="52" Tween="False" X="24.7" Y="106.6" /> <PointFrame FrameIndex="54" Tween="False" X="24.7" Y="106.6" /> </Timeline> <Timeline ActionTag="-1266003515" FrameType="ScaleFrame"> <PointFrame FrameIndex="0" Tween="False" X="0.8299866" Y="0.8299866" /> <PointFrame FrameIndex="2" Tween="False" X="0.8299866" Y="0.8299866" /> <PointFrame FrameIndex="4" Tween="False" X="0.8299866" Y="0.8299866" /> <PointFrame FrameIndex="6" Tween="False" X="0.8299866" Y="0.8299866" /> <PointFrame FrameIndex="8" Tween="False" X="0.8299866" Y="0.8299866" /> <PointFrame FrameIndex="10" Tween="False" X="0.8299866" Y="0.8299866" /> <PointFrame FrameIndex="12" Tween="False" X="0.8299866" Y="0.8299866" /> <PointFrame FrameIndex="14" Tween="False" X="0.8299866" Y="0.8299866" /> <PointFrame FrameIndex="16" Tween="False" X="0.8299866" Y="0.8299866" /> <PointFrame FrameIndex="17" Tween="False" X="0.8299866" Y="0.8299866" /> <PointFrame FrameIndex="18" Tween="False" X="0.8299866" Y="0.8299866" /> <PointFrame FrameIndex="19" Tween="False" X="0.8299866" Y="0.8299866" /> <PointFrame FrameIndex="21" Tween="False" X="0.8299866" Y="0.8299866" /> <PointFrame FrameIndex="23" Tween="False" X="0.8299866" Y="0.8299866" /> <PointFrame FrameIndex="25" Tween="False" X="0.8300018" Y="0.8300018" /> <PointFrame FrameIndex="27" Tween="False" X="0.8299866" Y="0.8299866" /> <PointFrame FrameIndex="29" Tween="False" X="0.8299866" Y="0.8299866" /> <PointFrame FrameIndex="31" Tween="False" X="0.8299866" Y="0.8299866" /> <PointFrame FrameIndex="33" Tween="False" X="0.8299866" Y="0.8299866" /> <PointFrame FrameIndex="35" Tween="False" X="0.8299866" Y="0.8299866" /> <PointFrame FrameIndex="37" Tween="False" X="0.8299866" Y="0.8299866" /> <PointFrame FrameIndex="39" Tween="False" X="0.8299866" Y="0.8299866" /> <PointFrame FrameIndex="40" Tween="False" X="0.8299866" Y="0.8299866" /> <PointFrame FrameIndex="42" Tween="False" X="0.8299866" Y="0.8299866" /> <PointFrame FrameIndex="44" Tween="False" X="0.8299866" Y="0.8299866" /> <PointFrame FrameIndex="46" Tween="False" X="0.8299866" Y="0.8299866" /> <PointFrame FrameIndex="48" Tween="False" X="0.8299866" Y="0.8299866" /> <PointFrame FrameIndex="50" Tween="False" X="0.8299866" Y="0.8299866" /> <PointFrame FrameIndex="52" Tween="False" X="0.8299866" Y="0.8299866" /> <PointFrame FrameIndex="54" Tween="False" X="0.8299866" Y="0.8299866" /> </Timeline> <Timeline ActionTag="-1266003515" FrameType="RotationSkewFrame"> <PointFrame FrameIndex="0" Tween="False" X="0" Y="0" /> <PointFrame FrameIndex="2" Tween="False" X="0" Y="0" /> <PointFrame FrameIndex="4" Tween="False" X="0" Y="0" /> <PointFrame FrameIndex="6" Tween="False" X="0" Y="0" /> <PointFrame FrameIndex="8" Tween="False" X="0" Y="0" /> <PointFrame FrameIndex="10" Tween="False" X="0" Y="0" /> <PointFrame FrameIndex="12" Tween="False" X="0" Y="0" /> <PointFrame FrameIndex="14" Tween="False" X="0" Y="0" /> <PointFrame FrameIndex="16" Tween="False" X="0" Y="0" /> <PointFrame FrameIndex="17" Tween="False" X="0" Y="0" /> <PointFrame FrameIndex="18" Tween="False" X="0" Y="0" /> <PointFrame FrameIndex="19" Tween="False" X="0" Y="0" /> <PointFrame FrameIndex="21" Tween="False" X="0" Y="0" /> <PointFrame FrameIndex="23" Tween="False" X="0" Y="0" /> <PointFrame FrameIndex="25" Tween="False" X="-0.3671875" Y="-0.3671875" /> <PointFrame FrameIndex="27" Tween="False" X="0" Y="0" /> <PointFrame FrameIndex="29" Tween="False" X="0" Y="0" /> <PointFrame FrameIndex="31" Tween="False" X="0" Y="0" /> <PointFrame FrameIndex="33" Tween="False" X="0" Y="0" /> <PointFrame FrameIndex="35" Tween="False" X="0" Y="0" /> <PointFrame FrameIndex="37" Tween="False" X="0" Y="0" /> <PointFrame FrameIndex="39" Tween="False" X="0" Y="0" /> <PointFrame FrameIndex="40" Tween="False" X="0" Y="0" /> <PointFrame FrameIndex="42" Tween="False" X="0" Y="0" /> <PointFrame FrameIndex="44" Tween="False" X="0" Y="0" /> <PointFrame FrameIndex="46" Tween="False" X="0" Y="0" /> <PointFrame FrameIndex="48" Tween="False" X="0" Y="0" /> <PointFrame FrameIndex="50" Tween="False" X="0" Y="0" /> <PointFrame FrameIndex="52" Tween="False" X="0" Y="0" /> <PointFrame FrameIndex="54" Tween="False" X="0" Y="0" /> </Timeline> </Animation> <ObjectData Name="jones" CanEdit="False" Visible="False" FrameEvent=""> <Position X="0" Y="0" /> <Scale ScaleX="1" ScaleY="1" /> <AnchorPoint ScaleX="0.5" ScaleY="0.5" /> <CColor A="255" R="255" G="255" B="255" /> <Size X="0" Y="0" /> <PrePosition X="0" Y="0" /> <PreSize X="0" Y="0" /> <Children> <NodeObjectData Name="monster_6_arm_left" ActionTag="-1426312151" Rotation="-29.5963" RotationSkewX="-29.5963" RotationSkewY="-29.5963" FrameEvent="player3_end" ctype="SingleNodeObjectData"> <Position X="-14.1" Y="35.45" /> <Scale ScaleX="0.2920227" ScaleY="0.2920227" /> <AnchorPoint ScaleX="0.5" ScaleY="0.5" /> <CColor A="255" R="255" G="255" B="255" /> <Size X="0" Y="0" /> <PrePosition X="0" Y="0" /> <PreSize X="0" Y="0" /> <Children> <NodeObjectData Name="SpriteObject" ActionTag="-1426312150" FrameEvent="" ctype="SpriteObjectData"> <Position X="0" Y="0" /> <Scale ScaleX="1" ScaleY="1" /> <AnchorPoint ScaleX="0.5008197" ScaleY="0.5010638" /> <CColor A="255" R="255" G="255" B="255" /> <Size X="61" Y="47" /> <PrePosition X="0" Y="0" /> <PreSize X="0" Y="0" /> <FileData Type="Normal" Path="jones_png/monster_6_arm_left.png" /> </NodeObjectData> </Children> </NodeObjectData> <NodeObjectData Name="monster_6_arm_right" ActionTag="-1426312149" Rotation="-3.043945" RotationSkewX="-3.043945" RotationSkewY="-3.043945" FrameEvent="" ctype="SingleNodeObjectData"> <Position X="16.5" Y="39.2" /> <Scale ScaleX="0.293045" ScaleY="0.293045" /> <AnchorPoint ScaleX="0.5" ScaleY="0.5" /> <CColor A="255" R="255" G="255" B="255" /> <Size X="0" Y="0" /> <PrePosition X="0" Y="0" /> <PreSize X="0" Y="0" /> <Children> <NodeObjectData Name="SpriteObject" ActionTag="-1426312148" FrameEvent="" ctype="SpriteObjectData"> <Position X="0" Y="0" /> <Scale ScaleX="1" ScaleY="1" /> <AnchorPoint ScaleX="0.49625" ScaleY="0.5017857" /> <CColor A="255" R="255" G="255" B="255" /> <Size X="40" Y="56" /> <PrePosition X="0" Y="0" /> <PreSize X="0" Y="0" /> <FileData Type="Normal" Path="jones_png/monster_6_arm_right.png" /> </NodeObjectData> </Children> </NodeObjectData> <NodeObjectData Name="monster_6_foot_left" ActionTag="-1426312147" FrameEvent="" ctype="SingleNodeObjectData"> <Position X="-8.65" Y="6.6" /> <Scale ScaleX="0.2924347" ScaleY="0.2924347" /> <AnchorPoint ScaleX="0.5" ScaleY="0.5" /> <CColor A="255" R="255" G="255" B="255" /> <Size X="0" Y="0" /> <PrePosition X="0" Y="0" /> <PreSize X="0" Y="0" /> <Children> <NodeObjectData Name="SpriteObject" ActionTag="-1426312146" FrameEvent="" ctype="SpriteObjectData"> <Position X="0" Y="0" /> <Scale ScaleX="1" ScaleY="1" /> <AnchorPoint ScaleX="0.5" ScaleY="0.5010638" /> <CColor A="255" R="255" G="255" B="255" /> <Size X="42" Y="47" /> <PrePosition X="0" Y="0" /> <PreSize X="0" Y="0" /> <FileData Type="Normal" Path="jones_png/monster_6_foot_left.png" /> </NodeObjectData> </Children> </NodeObjectData> <NodeObjectData Name="monster_6_foot_right" ActionTag="-1426312145" FrameEvent="" ctype="SingleNodeObjectData"> <Position X="11.9" Y="2.7" /> <Scale ScaleX="0.2924347" ScaleY="0.2924347" /> <AnchorPoint ScaleX="0.5" ScaleY="0.5" /> <CColor A="255" R="255" G="255" B="255" /> <Size X="0" Y="0" /> <PrePosition X="0" Y="0" /> <PreSize X="0" Y="0" /> <Children> <NodeObjectData Name="SpriteObject" ActionTag="-1426312144" FrameEvent="" ctype="SpriteObjectData"> <Position X="0" Y="0" /> <Scale ScaleX="1" ScaleY="1" /> <AnchorPoint ScaleX="0.5016129" ScaleY="0.5" /> <CColor A="255" R="255" G="255" B="255" /> <Size X="31" Y="53" /> <PrePosition X="0" Y="0" /> <PreSize X="0" Y="0" /> <FileData Type="Normal" Path="jones_png/monster_6_foot_right.png" /> </NodeObjectData> </Children> </NodeObjectData> <NodeObjectData Name="monster_6_pantst" ActionTag="-1426312143" FrameEvent="" ctype="SingleNodeObjectData"> <Position X="1.8" Y="17.2" /> <Scale ScaleX="0.2924347" ScaleY="0.2924347" /> <AnchorPoint ScaleX="0.5" ScaleY="0.5" /> <CColor A="255" R="255" G="255" B="255" /> <Size X="0" Y="0" /> <PrePosition X="0" Y="0" /> <PreSize X="0" Y="0" /> <Children> <NodeObjectData Name="SpriteObject" ActionTag="-1266003673" FrameEvent="" ctype="SpriteObjectData"> <Position X="0" Y="0" /> <Scale ScaleX="1" ScaleY="1" /> <AnchorPoint ScaleX="0.5005882" ScaleY="0.4986111" /> <CColor A="255" R="255" G="255" B="255" /> <Size X="85" Y="72" /> <PrePosition X="0" Y="0" /> <PreSize X="0" Y="0" /> <FileData Type="Normal" Path="jones_png/monster_6_pantst.png" /> </NodeObjectData> </Children> </NodeObjectData> <NodeObjectData Name="monster_6_body" ActionTag="-1266003672" FrameEvent="" ctype="SingleNodeObjectData"> <Position X="-0.1" Y="32.3" /> <Scale ScaleX="0.2924347" ScaleY="0.2832031" /> <AnchorPoint ScaleX="0.5" ScaleY="0.5" /> <CColor A="255" R="255" G="255" B="255" /> <Size X="0" Y="0" /> <PrePosition X="0" Y="0" /> <PreSize X="0" Y="0" /> <Children> <NodeObjectData Name="SpriteObject" ActionTag="-1266003671" FrameEvent="" ctype="SpriteObjectData"> <Position X="0" Y="0" /> <Scale ScaleX="1" ScaleY="1" /> <AnchorPoint ScaleX="0.5" ScaleY="0.4986607" /> <CColor A="255" R="255" G="255" B="255" /> <Size X="92" Y="112" /> <PrePosition X="0" Y="0" /> <PreSize X="0" Y="0" /> <FileData Type="Normal" Path="jones_png/monster_6_body.png" /> </NodeObjectData> </Children> </NodeObjectData> <NodeObjectData Name="monster_6_head" ActionTag="-1266003670" FrameEvent="" ctype="SingleNodeObjectData"> <Position X="1.3" Y="62.15" /> <Scale ScaleX="0.2924347" ScaleY="0.2924347" /> <AnchorPoint ScaleX="0.5" ScaleY="0.5" /> <CColor A="255" R="255" G="255" B="255" /> <Size X="0" Y="0" /> <PrePosition X="0" Y="0" /> <PreSize X="0" Y="0" /> <Children> <NodeObjectData Name="SpriteObject" ActionTag="-1266003669" FrameEvent="" ctype="SpriteObjectData"> <Position X="0" Y="0" /> <Scale ScaleX="1" ScaleY="1" /> <AnchorPoint ScaleX="0.5001961" ScaleY="0.5007812" /> <CColor A="255" R="255" G="255" B="255" /> <Size X="255" Y="128" /> <PrePosition X="0" Y="0" /> <PreSize X="0" Y="0" /> <FileData Type="Normal" Path="jones_png/monster_6_head.png" /> </NodeObjectData> </Children> </NodeObjectData> <NodeObjectData Name="monster_6_smoke" ActionTag="-1266003668" Rotation="-17.02129" RotationSkewX="-17.02129" RotationSkewY="-17.02129" FrameEvent="" ctype="SingleNodeObjectData"> <Position X="17" Y="47.05" /> <Scale ScaleX="0.29216" ScaleY="0.29216" /> <AnchorPoint ScaleX="0.5" ScaleY="0.5" /> <CColor A="255" R="255" G="255" B="255" /> <Size X="0" Y="0" /> <PrePosition X="0" Y="0" /> <PreSize X="0" Y="0" /> <Children> <NodeObjectData Name="SpriteObject" ActionTag="-1266003667" FrameEvent="" ctype="SpriteObjectData"> <Position X="0" Y="0" /> <Scale ScaleX="1" ScaleY="1" /> <AnchorPoint ScaleX="0.5014285" ScaleY="0.5012195" /> <CColor A="255" R="255" G="255" B="255" /> <Size X="70" Y="41" /> <PrePosition X="0" Y="0" /> <PreSize X="0" Y="0" /> <FileData Type="Normal" Path="jones_png/monster_6_smoke.png" /> </NodeObjectData> </Children> </NodeObjectData> <NodeObjectData Name="monster_6_hat" ActionTag="-1266003666" FrameEvent="" ctype="SingleNodeObjectData"> <Position X="1" Y="87.65" /> <Scale ScaleX="0.2924347" ScaleY="0.2924347" /> <AnchorPoint ScaleX="0.5" ScaleY="0.5" /> <CColor A="255" R="255" G="255" B="255" /> <Size X="0" Y="0" /> <PrePosition X="0" Y="0" /> <PreSize X="0" Y="0" /> <Children> <NodeObjectData Name="SpriteObject" ActionTag="-1266003665" FrameEvent="" ctype="SpriteObjectData"> <Position X="0" Y="0" /> <Scale ScaleX="1" ScaleY="1" /> <AnchorPoint ScaleX="0.5001548" ScaleY="0.5002242" /> <CColor A="255" R="255" G="255" B="255" /> <Size X="323" Y="223" /> <PrePosition X="0" Y="0" /> <PreSize X="0" Y="0" /> <FileData Type="Normal" Path="jones_png/monster_6_hat.png" /> </NodeObjectData> </Children> </NodeObjectData> <NodeObjectData Name="monster_6_hand_left" ActionTag="-1266003664" FrameEvent="" ctype="SingleNodeObjectData"> <Position X="-20.3" Y="48.1" /> <Scale ScaleX="0.2924347" ScaleY="0.2924347" /> <AnchorPoint ScaleX="0.5" ScaleY="0.5" /> <CColor A="255" R="255" G="255" B="255" /> <Size X="0" Y="0" /> <PrePosition X="0" Y="0" /> <PreSize X="0" Y="0" /> <Children> <NodeObjectData Name="SpriteObject" ActionTag="-1266003642" VisibleForFrame="False" FrameEvent="" ctype="SpriteObjectData"> <Position X="0" Y="0" /> <Scale ScaleX="1" ScaleY="1" /> <AnchorPoint ScaleX="0.5" ScaleY="0.4995495" /> <CColor A="255" R="255" G="255" B="255" /> <Size X="51" Y="111" /> <PrePosition X="0" Y="0" /> <PreSize X="0" Y="0" /> <FileData Type="Normal" Path="jones_png/monster_6_hand_left.png" /> </NodeObjectData> </Children> </NodeObjectData> <NodeObjectData Name="arm" ActionTag="-1266003641" Rotation="7.512054" RotationSkewX="7.512054" RotationSkewY="-172.4879" FrameEvent="" ctype="SingleNodeObjectData"> <Position X="-17.1" Y="24.25" /> <Scale ScaleX="0.3225861" ScaleY="0.3225861" /> <AnchorPoint ScaleX="0.5" ScaleY="0.5" /> <CColor A="255" R="255" G="255" B="255" /> <Size X="0" Y="0" /> <PrePosition X="0" Y="0" /> <PreSize X="0" Y="0" /> <Children> <NodeObjectData Name="SpriteObject" ActionTag="-1266003640" FrameEvent="" ctype="SpriteObjectData"> <Position X="0" Y="0" /> <Scale ScaleX="1" ScaleY="1" /> <AnchorPoint ScaleX="0.5016129" ScaleY="0.502459" /> <CColor A="255" R="255" G="255" B="255" /> <Size X="31" Y="61" /> <PrePosition X="0" Y="0" /> <PreSize X="0" Y="0" /> <FileData Type="Normal" Path="jones_png/monster_6_hand_right_1.png" /> </NodeObjectData> </Children> </NodeObjectData> <NodeObjectData Name="monster_6_arm_right_1" ActionTag="-1266003639" Rotation="5.003769" RotationSkewX="5.003769" RotationSkewY="5.003769" FrameEvent="" ctype="SingleNodeObjectData"> <Position X="15.85" Y="39.7" /> <Scale ScaleX="0.2930145" ScaleY="0.2930145" /> <AnchorPoint ScaleX="0.5" ScaleY="0.5" /> <CColor A="255" R="255" G="255" B="255" /> <Size X="0" Y="0" /> <PrePosition X="0" Y="0" /> <PreSize X="0" Y="0" /> <Children> <NodeObjectData Name="SpriteObject" ActionTag="-1266003638" VisibleForFrame="False" FrameEvent="" ctype="SpriteObjectData"> <Position X="0" Y="0" /> <Scale ScaleX="1" ScaleY="1" /> <AnchorPoint ScaleX="0.49875" ScaleY="0.5017857" /> <CColor A="255" R="255" G="255" B="255" /> <Size X="40" Y="56" /> <PrePosition X="0" Y="0" /> <PreSize X="0" Y="0" /> <FileData Type="Normal" Path="jones_png/monster_6_arm_right.png" /> </NodeObjectData> </Children> </NodeObjectData> <NodeObjectData Name="monster_6_hand_right" ActionTag="-1266003637" Rotation="-6.037079" RotationSkewX="-6.037079" RotationSkewY="-6.037079" FrameEvent="" ctype="SingleNodeObjectData"> <Position X="25.9" Y="18.05" /> <Scale ScaleX="0.2923279" ScaleY="0.2923279" /> <AnchorPoint ScaleX="0.5" ScaleY="0.5" /> <CColor A="255" R="255" G="255" B="255" /> <Size X="0" Y="0" /> <PrePosition X="0" Y="0" /> <PreSize X="0" Y="0" /> <Children> <NodeObjectData Name="SpriteObject" ActionTag="-1266003636" FrameEvent="" ctype="SpriteObjectData"> <Position X="0" Y="0" /> <Scale ScaleX="1" ScaleY="1" /> <AnchorPoint ScaleX="0.4994624" ScaleY="0.5" /> <CColor A="255" R="255" G="255" B="255" /> <Size X="93" Y="133" /> <PrePosition X="0" Y="0" /> <PreSize X="0" Y="0" /> <FileData Type="Normal" Path="jones_png/monster_6_hand_right.png" /> </NodeObjectData> </Children> </NodeObjectData> <NodeObjectData Name="whip" ActionTag="-1266003635" FrameEvent="" ctype="SingleNodeObjectData"> <Position X="-4.55" Y="39.55" /> <Scale ScaleX="1" ScaleY="1" /> <AnchorPoint ScaleX="0.5" ScaleY="0.5" /> <CColor A="255" R="255" G="255" B="255" /> <Size X="0" Y="0" /> <PrePosition X="0" Y="0" /> <PreSize X="0" Y="0" /> <Children> <NodeObjectData Name="SpriteObject" ActionTag="-1266003634" VisibleForFrame="False" FrameEvent="" ctype="SpriteObjectData"> <Position X="0" Y="0" /> <Scale ScaleX="1" ScaleY="1" /> <AnchorPoint ScaleX="0.5" ScaleY="0.5" /> <CColor A="255" R="255" G="255" B="255" /> <Size X="44.999" Y="88.999" /> <PrePosition X="0" Y="0" /> <PreSize X="0" Y="0" /> <FileData Type="Normal" Path="jones_png/jones_shape_0.png" /> </NodeObjectData> <NodeObjectData Name="SpriteObject" ActionTag="-1266003633" VisibleForFrame="False" FrameEvent="" ctype="SpriteObjectData"> <Position X="0" Y="0" /> <Scale ScaleX="1" ScaleY="1" /> <AnchorPoint ScaleX="0.5" ScaleY="0.5" /> <CColor A="255" R="255" G="255" B="255" /> <Size X="29.999" Y="80.999" /> <PrePosition X="0" Y="0" /> <PreSize X="0" Y="0" /> <FileData Type="Normal" Path="jones_png/jones_shape_0.png" /> </NodeObjectData> <NodeObjectData Name="SpriteObject" ActionTag="-1266003611" VisibleForFrame="False" FrameEvent="" ctype="SpriteObjectData"> <Position X="0" Y="0" /> <Scale ScaleX="1" ScaleY="1" /> <AnchorPoint ScaleX="0.5" ScaleY="0.5" /> <CColor A="255" R="255" G="255" B="255" /> <Size X="69.999" Y="42.999" /> <PrePosition X="0" Y="0" /> <PreSize X="0" Y="0" /> <FileData Type="Normal" Path="jones_png/jones_shape_0.png" /> </NodeObjectData> <NodeObjectData Name="SpriteObject" ActionTag="-1266003610" VisibleForFrame="False" FrameEvent="" ctype="SpriteObjectData"> <Position X="0" Y="0" /> <Scale ScaleX="1" ScaleY="1" /> <AnchorPoint ScaleX="0.5" ScaleY="0.5" /> <CColor A="255" R="255" G="255" B="255" /> <Size X="44.999" Y="88.999" /> <PrePosition X="0" Y="0" /> <PreSize X="0" Y="0" /> <FileData Type="Normal" Path="jones_png/jones_shape_0.png" /> </NodeObjectData> <NodeObjectData Name="SpriteObject" ActionTag="-1266003609" VisibleForFrame="False" FrameEvent="" ctype="SpriteObjectData"> <Position X="0" Y="0" /> <Scale ScaleX="1" ScaleY="1" /> <AnchorPoint ScaleX="0.5" ScaleY="0.5" /> <CColor A="255" R="255" G="255" B="255" /> <Size X="29.999" Y="80.999" /> <PrePosition X="0" Y="0" /> <PreSize X="0" Y="0" /> <FileData Type="Normal" Path="jones_png/jones_shape_0.png" /> </NodeObjectData> <NodeObjectData Name="SpriteObject" ActionTag="-1266003608" VisibleForFrame="False" FrameEvent="" ctype="SpriteObjectData"> <Position X="0" Y="0" /> <Scale ScaleX="1" ScaleY="1" /> <AnchorPoint ScaleX="0.5" ScaleY="0.5" /> <CColor A="255" R="255" G="255" B="255" /> <Size X="42.999" Y="75.999" /> <PrePosition X="0" Y="0" /> <PreSize X="0" Y="0" /> <FileData Type="Normal" Path="jones_png/jones_shape_0.png" /> </NodeObjectData> <NodeObjectData Name="SpriteObject" ActionTag="-1266003607" VisibleForFrame="False" FrameEvent="" ctype="SpriteObjectData"> <Position X="0" Y="0" /> <Scale ScaleX="1" ScaleY="1" /> <AnchorPoint ScaleX="0.5" ScaleY="0.5" /> <CColor A="255" R="255" G="255" B="255" /> <Size X="69.999" Y="42.999" /> <PrePosition X="0" Y="0" /> <PreSize X="0" Y="0" /> <FileData Type="Normal" Path="jones_png/jones_shape_0.png" /> </NodeObjectData> <NodeObjectData Name="SpriteObject" ActionTag="-1266003606" VisibleForFrame="False" FrameEvent="" ctype="SpriteObjectData"> <Position X="0" Y="0" /> <Scale ScaleX="1" ScaleY="1" /> <AnchorPoint ScaleX="0.5" ScaleY="0.5" /> <CColor A="255" R="255" G="255" B="255" /> <Size X="44.999" Y="88.999" /> <PrePosition X="0" Y="0" /> <PreSize X="0" Y="0" /> <FileData Type="Normal" Path="jones_png/jones_shape_0.png" /> </NodeObjectData> <NodeObjectData Name="SpriteObject" ActionTag="-1266003605" VisibleForFrame="False" FrameEvent="" ctype="SpriteObjectData"> <Position X="0" Y="0" /> <Scale ScaleX="1" ScaleY="1" /> <AnchorPoint ScaleX="0.5" ScaleY="0.5" /> <CColor A="255" R="255" G="255" B="255" /> <Size X="29.999" Y="80.999" /> <PrePosition X="0" Y="0" /> <PreSize X="0" Y="0" /> <FileData Type="Normal" Path="jones_png/jones_shape_0.png" /> </NodeObjectData> <NodeObjectData Name="SpriteObject" ActionTag="-1266003604" VisibleForFrame="False" FrameEvent="" ctype="SpriteObjectData"> <Position X="0" Y="0" /> <Scale ScaleX="1" ScaleY="1" /> <AnchorPoint ScaleX="0.5" ScaleY="0.5" /> <CColor A="255" R="255" G="255" B="255" /> <Size X="42.999" Y="75.999" /> <PrePosition X="0" Y="0" /> <PreSize X="0" Y="0" /> <FileData Type="Normal" Path="jones_png/jones_shape_0.png" /> </NodeObjectData> <NodeObjectData Name="SpriteObject" ActionTag="-1266003603" VisibleForFrame="False" FrameEvent="" ctype="SpriteObjectData"> <Position X="0" Y="0" /> <Scale ScaleX="1" ScaleY="1" /> <AnchorPoint ScaleX="0.5" ScaleY="0.5" /> <CColor A="255" R="255" G="255" B="255" /> <Size X="69.999" Y="42.999" /> <PrePosition X="0" Y="0" /> <PreSize X="0" Y="0" /> <FileData Type="Normal" Path="jones_png/jones_shape_0.png" /> </NodeObjectData> <NodeObjectData Name="SpriteObject" ActionTag="-1266003602" VisibleForFrame="False" FrameEvent="" ctype="SpriteObjectData"> <Position X="0" Y="0" /> <Scale ScaleX="1" ScaleY="1" /> <AnchorPoint ScaleX="0.5" ScaleY="0.5" /> <CColor A="255" R="255" G="255" B="255" /> <Size X="44.999" Y="88.999" /> <PrePosition X="0" Y="0" /> <PreSize X="0" Y="0" /> <FileData Type="Normal" Path="jones_png/jones_shape_0.png" /> </NodeObjectData> <NodeObjectData Name="SpriteObject" ActionTag="-1266003580" VisibleForFrame="False" FrameEvent="" ctype="SpriteObjectData"> <Position X="0" Y="0" /> <Scale ScaleX="1" ScaleY="1" /> <AnchorPoint ScaleX="0.5" ScaleY="0.5" /> <CColor A="255" R="255" G="255" B="255" /> <Size X="29.999" Y="80.999" /> <PrePosition X="0" Y="0" /> <PreSize X="0" Y="0" /> <FileData Type="Normal" Path="jones_png/jones_shape_0.png" /> </NodeObjectData> <NodeObjectData Name="SpriteObject" ActionTag="-1266003579" VisibleForFrame="False" FrameEvent="" ctype="SpriteObjectData"> <Position X="0" Y="0" /> <Scale ScaleX="1" ScaleY="1" /> <AnchorPoint ScaleX="0.5" ScaleY="0.5" /> <CColor A="255" R="255" G="255" B="255" /> <Size X="42.999" Y="75.999" /> <PrePosition X="0" Y="0" /> <PreSize X="0" Y="0" /> <FileData Type="Normal" Path="jones_png/jones_shape_0.png" /> </NodeObjectData> <NodeObjectData Name="SpriteObject" ActionTag="-1266003578" VisibleForFrame="False" FrameEvent="" ctype="SpriteObjectData"> <Position X="0" Y="0" /> <Scale ScaleX="1" ScaleY="1" /> <AnchorPoint ScaleX="0.5" ScaleY="0.5" /> <CColor A="255" R="255" G="255" B="255" /> <Size X="69.999" Y="42.999" /> <PrePosition X="0" Y="0" /> <PreSize X="0" Y="0" /> <FileData Type="Normal" Path="jones_png/jones_shape_0.png" /> </NodeObjectData> </Children> </NodeObjectData> <NodeObjectData Name="monster_6_hand_right_1" ActionTag="-1266003577" FrameEvent="" ctype="SingleNodeObjectData"> <Position X="-17.45" Y="38.55" /> <Scale ScaleX="0.4971161" ScaleY="0.4971161" /> <AnchorPoint ScaleX="0.5" ScaleY="0.5" /> <CColor A="255" R="255" G="255" B="255" /> <Size X="0" Y="0" /> <PrePosition X="0" Y="0" /> <PreSize X="0" Y="0" /> <Children> <NodeObjectData Name="SpriteObject" ActionTag="-1266003576" VisibleForFrame="False" FrameEvent="" ctype="SpriteObjectData"> <Position X="0" Y="0" /> <Scale ScaleX="1" ScaleY="1" /> <AnchorPoint ScaleX="0.4998333" ScaleY="0.5001667" /> <CColor A="255" R="255" G="255" B="255" /> <Size X="300" Y="300" /> <PrePosition X="0" Y="0" /> <PreSize X="0" Y="0" /> <FileData Type="Normal" Path="jones_png/monster_6_21_00006.png" /> </NodeObjectData> <NodeObjectData Name="SpriteObject" ActionTag="-1266003575" VisibleForFrame="False" FrameEvent="" ctype="SpriteObjectData"> <Position X="0" Y="0" /> <Scale ScaleX="1" ScaleY="1" /> <AnchorPoint ScaleX="0.4998333" ScaleY="0.5001667" /> <CColor A="255" R="255" G="255" B="255" /> <Size X="300" Y="300" /> <PrePosition X="0" Y="0" /> <PreSize X="0" Y="0" /> <FileData Type="Normal" Path="jones_png/monster_6_21_00007.png" /> </NodeObjectData> <NodeObjectData Name="SpriteObject" ActionTag="-1266003574" VisibleForFrame="False" FrameEvent="" ctype="SpriteObjectData"> <Position X="0" Y="0" /> <Scale ScaleX="1" ScaleY="1" /> <AnchorPoint ScaleX="0.4998333" ScaleY="0.5001667" /> <CColor A="255" R="255" G="255" B="255" /> <Size X="300" Y="300" /> <PrePosition X="0" Y="0" /> <PreSize X="0" Y="0" /> <FileData Type="Normal" Path="jones_png/monster_6_21_00009.png" /> </NodeObjectData> </Children> </NodeObjectData> <NodeObjectData Name="monster_6_hand_right_2" ActionTag="-1266003573" Rotation="9.27536" RotationSkewX="9.27536" RotationSkewY="9.27536" FrameEvent="" ctype="SingleNodeObjectData"> <Position X="17.1" Y="24.95" /> <Scale ScaleX="0.3223572" ScaleY="0.3223572" /> <AnchorPoint ScaleX="0.5" ScaleY="0.5" /> <CColor A="255" R="255" G="255" B="255" /> <Size X="0" Y="0" /> <PrePosition X="0" Y="0" /> <PreSize X="0" Y="0" /> <Children> <NodeObjectData Name="SpriteObject" ActionTag="-1266003572" VisibleForFrame="False" FrameEvent="" ctype="SpriteObjectData"> <Position X="0" Y="0" /> <Scale ScaleX="1" ScaleY="1" /> <AnchorPoint ScaleX="0.5" ScaleY="0.497541" /> <CColor A="255" R="255" G="255" B="255" /> <Size X="31" Y="61" /> <PrePosition X="0" Y="0" /> <PreSize X="0" Y="0" /> <FileData Type="Normal" Path="jones_png/monster_6_hand_right_1.png" /> </NodeObjectData> </Children> </NodeObjectData> <NodeObjectData Name="jones_hd" ActionTag="-1266003571" FrameEvent="" ctype="SingleNodeObjectData"> <Position X="3.45" Y="58.55" /> <Scale ScaleX="1" ScaleY="1" /> <AnchorPoint ScaleX="0.5" ScaleY="0.5" /> <CColor A="255" R="255" G="255" B="255" /> <Size X="0" Y="0" /> <PrePosition X="0" Y="0" /> <PreSize X="0" Y="0" /> <Children> <NodeObjectData Name="SpriteObject" ActionTag="-1266003549" VisibleForFrame="False" FrameEvent="" ctype="SpriteObjectData"> <Position X="0" Y="0" /> <Scale ScaleX="1" ScaleY="1" /> <AnchorPoint ScaleX="0.5" ScaleY="0.5" /> <CColor A="255" R="255" G="255" B="255" /> <Size X="180" Y="180" /> <PrePosition X="0" Y="0" /> <PreSize X="0" Y="0" /> <FileData Type="Normal" Path="jones_png/2_00000.png" /> </NodeObjectData> <NodeObjectData Name="SpriteObject" ActionTag="-1266003548" VisibleForFrame="False" FrameEvent="" ctype="SpriteObjectData"> <Position X="0" Y="0" /> <Scale ScaleX="1" ScaleY="1" /> <AnchorPoint ScaleX="0.5" ScaleY="0.5" /> <CColor A="255" R="255" G="255" B="255" /> <Size X="180" Y="180" /> <PrePosition X="0" Y="0" /> <PreSize X="0" Y="0" /> <FileData Type="Normal" Path="jones_png/2_00001.png" /> </NodeObjectData> <NodeObjectData Name="SpriteObject" ActionTag="-1266003547" VisibleForFrame="False" FrameEvent="" ctype="SpriteObjectData"> <Position X="0" Y="0" /> <Scale ScaleX="1" ScaleY="1" /> <AnchorPoint ScaleX="0.5" ScaleY="0.5" /> <CColor A="255" R="255" G="255" B="255" /> <Size X="180" Y="180" /> <PrePosition X="0" Y="0" /> <PreSize X="0" Y="0" /> <FileData Type="Normal" Path="jones_png/2_00002.png" /> </NodeObjectData> <NodeObjectData Name="SpriteObject" ActionTag="-1266003546" VisibleForFrame="False" FrameEvent="" ctype="SpriteObjectData"> <Position X="0" Y="0" /> <Scale ScaleX="1" ScaleY="1" /> <AnchorPoint ScaleX="0.5" ScaleY="0.5" /> <CColor A="255" R="255" G="255" B="255" /> <Size X="180" Y="180" /> <PrePosition X="0" Y="0" /> <PreSize X="0" Y="0" /> <FileData Type="Normal" Path="jones_png/2_00003.png" /> </NodeObjectData> <NodeObjectData Name="SpriteObject" ActionTag="-1266003545" VisibleForFrame="False" FrameEvent="" ctype="SpriteObjectData"> <Position X="0" Y="0" /> <Scale ScaleX="1" ScaleY="1" /> <AnchorPoint ScaleX="0.5" ScaleY="0.5" /> <CColor A="255" R="255" G="255" B="255" /> <Size X="180" Y="180" /> <PrePosition X="0" Y="0" /> <PreSize X="0" Y="0" /> <FileData Type="Normal" Path="jones_png/2_00004.png" /> </NodeObjectData> <NodeObjectData Name="SpriteObject" ActionTag="-1266003544" VisibleForFrame="False" FrameEvent="" ctype="SpriteObjectData"> <Position X="0" Y="0" /> <Scale ScaleX="1" ScaleY="1" /> <AnchorPoint ScaleX="0.5" ScaleY="0.5" /> <CColor A="255" R="255" G="255" B="255" /> <Size X="180" Y="180" /> <PrePosition X="0" Y="0" /> <PreSize X="0" Y="0" /> <FileData Type="Normal" Path="jones_png/2_00006.png" /> </NodeObjectData> <NodeObjectData Name="SpriteObject" ActionTag="-1266003543" VisibleForFrame="False" FrameEvent="" ctype="SpriteObjectData"> <Position X="0" Y="0" /> <Scale ScaleX="1" ScaleY="1" /> <AnchorPoint ScaleX="0.5" ScaleY="0.5" /> <CColor A="255" R="255" G="255" B="255" /> <Size X="180" Y="180" /> <PrePosition X="0" Y="0" /> <PreSize X="0" Y="0" /> <FileData Type="Normal" Path="jones_png/2_00007.png" /> </NodeObjectData> <NodeObjectData Name="SpriteObject" ActionTag="-1266003542" VisibleForFrame="False" FrameEvent="" ctype="SpriteObjectData"> <Position X="0" Y="0" /> <Scale ScaleX="1" ScaleY="1" /> <AnchorPoint ScaleX="0.5" ScaleY="0.5" /> <CColor A="255" R="255" G="255" B="255" /> <Size X="180" Y="180" /> <PrePosition X="0" Y="0" /> <PreSize X="0" Y="0" /> <FileData Type="Normal" Path="jones_png/2_00008.png" /> </NodeObjectData> <NodeObjectData Name="SpriteObject" ActionTag="-1266003541" VisibleForFrame="False" FrameEvent="" ctype="SpriteObjectData"> <Position X="0" Y="0" /> <Scale ScaleX="1" ScaleY="1" /> <AnchorPoint ScaleX="0.5" ScaleY="0.5" /> <CColor A="255" R="255" G="255" B="255" /> <Size X="180" Y="180" /> <PrePosition X="0" Y="0" /> <PreSize X="0" Y="0" /> <FileData Type="Normal" Path="jones_png/2_00009.png" /> </NodeObjectData> <NodeObjectData Name="SpriteObject" ActionTag="-1266003540" VisibleForFrame="False" FrameEvent="" ctype="SpriteObjectData"> <Position X="0" Y="0" /> <Scale ScaleX="1" ScaleY="1" /> <AnchorPoint ScaleX="0.5" ScaleY="0.5" /> <CColor A="255" R="255" G="255" B="255" /> <Size X="180" Y="180" /> <PrePosition X="0" Y="0" /> <PreSize X="0" Y="0" /> <FileData Type="Normal" Path="jones_png/2_00011.png" /> </NodeObjectData> <NodeObjectData Name="SpriteObject" ActionTag="-1266003518" VisibleForFrame="False" FrameEvent="" ctype="SpriteObjectData"> <Position X="0" Y="0" /> <Scale ScaleX="1" ScaleY="1" /> <AnchorPoint ScaleX="0.5" ScaleY="0.5" /> <CColor A="255" R="255" G="255" B="255" /> <Size X="180" Y="180" /> <PrePosition X="0" Y="0" /> <PreSize X="0" Y="0" /> <FileData Type="Normal" Path="jones_png/2_00012.png" /> </NodeObjectData> <NodeObjectData Name="SpriteObject" ActionTag="-1266003517" VisibleForFrame="False" FrameEvent="" ctype="SpriteObjectData"> <Position X="0" Y="0" /> <Scale ScaleX="1" ScaleY="1" /> <AnchorPoint ScaleX="0.5" ScaleY="0.5" /> <CColor A="255" R="255" G="255" B="255" /> <Size X="180" Y="180" /> <PrePosition X="0" Y="0" /> <PreSize X="0" Y="0" /> <FileData Type="Normal" Path="jones_png/2_00013.png" /> </NodeObjectData> <NodeObjectData Name="SpriteObject" ActionTag="-1266003516" FrameEvent="" ctype="SpriteObjectData"> <Position X="0" Y="0" /> <Scale ScaleX="1" ScaleY="1" /> <AnchorPoint ScaleX="0.5" ScaleY="0.5" /> <CColor A="255" R="255" G="255" B="255" /> <Size X="180" Y="180" /> <PrePosition X="0" Y="0" /> <PreSize X="0" Y="0" /> <FileData Type="Normal" Path="jones_png/2_00014.png" /> </NodeObjectData> </Children> </NodeObjectData> <NodeObjectData Name="jones_smoke" ActionTag="-1266003515" FrameEvent="" ctype="SingleNodeObjectData"> <Position X="24.7" Y="106.6" /> <Scale ScaleX="0.8299866" ScaleY="0.8299866" /> <AnchorPoint ScaleX="0.5" ScaleY="0.5" /> <CColor A="255" R="255" G="255" B="255" /> <Size X="0" Y="0" /> <PrePosition X="0" Y="0" /> <PreSize X="0" Y="0" /> <Children> <NodeObjectData Name="SpriteObject" ActionTag="-1266003514" FrameEvent="" ctype="SpriteObjectData"> <Position X="0" Y="0" /> <Scale ScaleX="1" ScaleY="1" /> <AnchorPoint ScaleX="0.5" ScaleY="0.5" /> <CColor A="255" R="255" G="255" B="255" /> <Size X="80" Y="180" /> <PrePosition X="0" Y="0" /> <PreSize X="0" Y="0" /> <FileData Type="Normal" Path="jones_png/jones_4_00000.png" /> </NodeObjectData> <NodeObjectData Name="SpriteObject" ActionTag="-1266003513" VisibleForFrame="False" FrameEvent="" ctype="SpriteObjectData"> <Position X="0" Y="0" /> <Scale ScaleX="1" ScaleY="1" /> <AnchorPoint ScaleX="0.5" ScaleY="0.5" /> <CColor A="255" R="255" G="255" B="255" /> <Size X="80" Y="180" /> <PrePosition X="0" Y="0" /> <PreSize X="0" Y="0" /> <FileData Type="Normal" Path="jones_png/jones_4_00002.png" /> </NodeObjectData> <NodeObjectData Name="SpriteObject" ActionTag="-1266003512" VisibleForFrame="False" FrameEvent="" ctype="SpriteObjectData"> <Position X="0" Y="0" /> <Scale ScaleX="1" ScaleY="1" /> <AnchorPoint ScaleX="0.5" ScaleY="0.5" /> <CColor A="255" R="255" G="255" B="255" /> <Size X="80" Y="180" /> <PrePosition X="0" Y="0" /> <PreSize X="0" Y="0" /> <FileData Type="Normal" Path="jones_png/jones_4_00004.png" /> </NodeObjectData> <NodeObjectData Name="SpriteObject" ActionTag="-1266003511" VisibleForFrame="False" FrameEvent="" ctype="SpriteObjectData"> <Position X="0" Y="0" /> <Scale ScaleX="1" ScaleY="1" /> <AnchorPoint ScaleX="0.5" ScaleY="0.5" /> <CColor A="255" R="255" G="255" B="255" /> <Size X="80" Y="180" /> <PrePosition X="0" Y="0" /> <PreSize X="0" Y="0" /> <FileData Type="Normal" Path="jones_png/jones_4_00006.png" /> </NodeObjectData> </Children> </NodeObjectData> <NodeObjectData Name="lable" ActionTag="-1266003510" FrameEvent="" ctype="SingleNodeObjectData"> <Position X="0" Y="0" /> <Scale ScaleX="1" ScaleY="1" /> <AnchorPoint ScaleX="0.5" ScaleY="0.5" /> <CColor A="255" R="255" G="255" B="255" /> <Size X="0" Y="0" /> <PrePosition X="0" Y="0" /> <PreSize X="0" Y="0" /> </NodeObjectData> </Children> </ObjectData> </Content> </Content> </GameProjectFile>
Csound
3
chukong/CocosStudioSamples
DemoMicroCardGame/CocosStudioResources/cocosstudio/jones.csd
[ "MIT" ]
""" 5, 10 5, 5 2, 10 2, 5 """ def TwoArgFunction(a, b): print("${a}, ${b}") TwoArgFunction(5, 10) TwoArgFunction(5, 10/2) TwoArgFunction(5/2, 10) TwoArgFunction(5/2, 10/2)
Boo
2
popcatalin81/boo
tests/testcases/regression/BOO-76-1.boo
[ "BSD-3-Clause" ]
{ License Agreement This content is subject to the Mozilla Public License Version 1.1 (the "License"); You may not use this plugin except in compliance with the License. You may obtain a copy of the License at http://www.mozilla.org/MPL. Alternatively, you may redistribute this library, use and/or modify it under the terms of the GNU Lesser General Public License as published by the Free Software Foundation; either version 2.1 of the License, or (at your option) any later version. You may obtain a copy of the LGPL at www.gnu.org/copyleft. Software distributed under the License is distributed on an "AS IS" basis, WITHOUT WARRANTY OF ANY KIND, either express or implied. See the License for the specific language governing rights and limitations under the License. The original code is ServiceControl.pas, released April 16, 2007. The initial developer of the original code is Rainer Budde (http://www.speed-soft.de). SimpleSC - NSIS Service Control Plugin is written, published and maintaned by Rainer Budde (rainer@speed-soft.de). } unit ServiceControl; interface uses Windows, SysUtils, WinSvc, DateUtils; function InstallService(ServiceName, DisplayName: String; ServiceType: DWORD; StartType: DWORD; BinaryPathName: String; Dependencies: String; Username: String; Password: String): Integer; function RemoveService(ServiceName: String): Integer; function GetServiceName(DisplayName: String; var Name: String): Integer; function GetServiceDisplayName(ServiceName: String; var Name: String): Integer; function GetServiceStatus(ServiceName: String; var Status: DWORD): Integer; function GetServiceBinaryPath(ServiceName: String; var BinaryPath: String): Integer; function GetServiceStartType(ServiceName: String; var StartType: DWORD): Integer; function GetServiceDescription(ServiceName: String; var Description: String): Integer; function GetServiceLogon(ServiceName: String; var Username: String): Integer; function GetServiceFailure(ServiceName: String; var ResetPeriod: DWORD; var RebootMessage: String; var Command: String; var Action1: Integer; var ActionDelay1: DWORD; var Action2: Integer; var ActionDelay2: DWORD; var Action3: Integer; var ActionDelay3: DWORD): Integer; function GetServiceFailureFlag(ServiceName: String; var FailureActionsOnNonCrashFailures: Boolean): Integer; function GetServiceDelayedAutoStartInfo(ServiceName: String; var DelayedAutostart: Boolean): Integer; function SetServiceStartType(ServiceName: String; StartType: DWORD): Integer; function SetServiceDescription(ServiceName: String; Description: String): Integer; function SetServiceLogon(ServiceName: String; Username: String; Password: String): Integer; function SetServiceBinaryPath(ServiceName: String; BinaryPath: String): Integer; function SetServiceFailure(ServiceName: String; ResetPeriod: DWORD; RebootMessage: String; Command: String; Action1: Integer; ActionDelay1: DWORD; Action2: Integer; ActionDelay2: DWORD; Action3: Integer; ActionDelay3: DWORD): Integer; function SetServiceFailureFlag(ServiceName: String; FailureActionsOnNonCrashFailures: Boolean): Integer; function SetServiceDelayedAutoStartInfo(ServiceName: String; DelayedAutostart: Boolean): Integer; function ServiceIsRunning(ServiceName: String; var IsRunning: Boolean): Integer; function ServiceIsStopped(ServiceName: String; var IsStopped: Boolean): Integer; function ServiceIsPaused(ServiceName: String; var IsPaused: Boolean): Integer; function StartService(ServiceName: String; ServiceArguments: String; Timeout: Integer): Integer; function StopService(ServiceName: String; WaitForFileRelease: Boolean; Timeout: Integer): Integer; function PauseService(ServiceName: String; Timeout: Integer): Integer; function ContinueService(ServiceName: String; Timeout: Integer): Integer; function RestartService(ServiceName: String; ServiceArguments: String; Timeout: Integer): Integer; function ExistsService(ServiceName: String): Integer; function GetErrorMessage(ErrorCode: Integer): String; function WaitForFileRelease(ServiceName: String; Timeout: Integer): Integer; function WaitForStatus(ServiceName: String; Status: DWord; Timeout: Integer): Integer; implementation function WaitForFileRelease(ServiceName: String; Timeout: Integer): Integer; function GetFilename(ServiceFileName: String): String; var FilePath: String; FileName: String; const ParameterDelimiter = ' '; begin FilePath := ExtractFilePath(ServiceFileName); FileName := Copy(ServiceFileName, Length(FilePath) + 1, Length(ServiceFileName) - Length(FilePath)); if Pos(ParameterDelimiter, Filename) <> 0 then FileName := Copy(FileName, 0, Pos(ParameterDelimiter, Filename) - Length(ParameterDelimiter)); Result := FilePath + FileName; end; var StatusReached: Boolean; TimeOutReached: Boolean; TimeoutDate: TDateTime; ServiceResult: Integer; ServiceFileName: String; FileName: String; FileHandle: Cardinal; const WAIT_TIMEOUT = 250; begin Result := 0; StatusReached := False; TimeOutReached := False; ServiceResult := GetServiceBinaryPath(ServiceName, ServiceFileName); if ServiceResult = 0 then begin Filename := GetFilename(ServiceFileName); if FileExists(FileName) then begin TimeoutDate := IncSecond(Now, Timeout); while not StatusReached and not TimeOutReached do begin FileHandle := CreateFile(PChar(FileName), GENERIC_READ or GENERIC_WRITE, 0, nil, OPEN_EXISTING, FILE_ATTRIBUTE_NORMAL, 0); if FileHandle <> INVALID_HANDLE_VALUE then begin CloseHandle(FileHandle); StatusReached := True; end; if not StatusReached and (TimeoutDate < Now) then begin TimeOutReached := True; Result := Windows.WAIT_TIMEOUT; end; end; end; end else Result := ServiceResult; end; function WaitForStatus(ServiceName: String; Status: DWord; Timeout: Integer): Integer; var CurrentStatus: DWord; StatusResult: Integer; StatusReached: Boolean; TimeOutReached: Boolean; ErrorOccured: Boolean; TimeoutDate: TDateTime; const WAIT_TIMEOUT = 250; begin Result := 0; StatusReached := False; TimeOutReached := False; ErrorOccured := False; TimeoutDate := IncSecond(Now, Timeout); while not StatusReached and not ErrorOccured and not TimeOutReached do begin StatusResult := GetServiceStatus(ServiceName, CurrentStatus); if StatusResult = 0 then begin if Status = CurrentStatus then StatusReached := True else Sleep(WAIT_TIMEOUT); end else begin ErrorOccured := True; Result := StatusResult; end; if not StatusReached and not ErrorOccured and (TimeoutDate < Now) then begin TimeOutReached := True; Result := ERROR_SERVICE_REQUEST_TIMEOUT; end; end; end; function ExistsService(ServiceName: String): Integer; var ManagerHandle: SC_HANDLE; ServiceHandle: SC_HANDLE; begin Result := 0; ManagerHandle := OpenSCManager('', nil, SC_MANAGER_CONNECT); if ManagerHandle > 0 then begin ServiceHandle := OpenService(ManagerHandle, PChar(ServiceName), SERVICE_QUERY_CONFIG); if ServiceHandle > 0 then CloseServiceHandle(ServiceHandle) else Result := System.GetLastError; CloseServiceHandle(ManagerHandle); end else Result := System.GetLastError; end; function StartService(ServiceName: String; ServiceArguments: String; Timeout: Integer): Integer; type TArguments = Array of PChar; var ManagerHandle: SC_HANDLE; ServiceHandle: SC_HANDLE; ServiceArgVectors: TArguments; NumServiceArgs: DWORD; const ArgDelimitterQuote: String = '"'; ArgDelimitterWhiteSpace: String = ' '; procedure GetServiceArguments(ServiceArguments: String; var NumServiceArgs: DWORD; var ServiceArgVectors: TArguments); var Param: String; Split: Boolean; Quoted: Boolean; CharIsDelimitter: Boolean; begin ServiceArgVectors := nil; NumServiceArgs := 0; Quoted := False; while Length(ServiceArguments) > 0 do begin Split := False; CharIsDelimitter := False; if ServiceArguments[1] = ' ' then if not Quoted then begin CharIsDelimitter := True; Split := True; end; if ServiceArguments[1] = '"' then begin Quoted := not Quoted; CharIsDelimitter := True; if not Quoted then Split := True; end; if not CharIsDelimitter then Param := Param + ServiceArguments[1]; if Split or (Length(ServiceArguments) = 1) then begin SetLength(ServiceArgVectors, Length(ServiceArgVectors) + 1); GetMem(ServiceArgVectors[Length(ServiceArgVectors) -1], Length(Param) + 1); StrPCopy(ServiceArgVectors[Length(ServiceArgVectors) -1], Param); Param := ''; Delete(ServiceArguments, 1, 1); ServiceArguments := Trim(ServiceArguments); end else Delete(ServiceArguments, 1, 1); end; if Length(ServiceArgVectors) > 0 then NumServiceArgs := Length(ServiceArgVectors); end; procedure FreeServiceArguments(ServiceArgVectors: TArguments); var i: Integer; begin if Length(ServiceArgVectors) > 0 then for i := 0 to Length(ServiceArgVectors) -1 do FreeMem(ServiceArgVectors[i]); end; begin ManagerHandle := OpenSCManager('', nil, SC_MANAGER_CONNECT); if ManagerHandle > 0 then begin ServiceHandle := OpenService(ManagerHandle, PChar(ServiceName), SERVICE_START); if ServiceHandle > 0 then begin GetServiceArguments(ServiceArguments, NumServiceArgs, ServiceArgVectors); if WinSvc.StartService(ServiceHandle, NumServiceArgs, ServiceArgVectors[0]) then Result := WaitForStatus(ServiceName, SERVICE_RUNNING, Timeout) else Result := System.GetLastError; FreeServiceArguments(ServiceArgVectors); CloseServiceHandle(ServiceHandle); end else Result := System.GetLastError; CloseServiceHandle(ManagerHandle); end else Result := System.GetLastError; end; function StopService(ServiceName: String; WaitForFileRelease: Boolean; Timeout: Integer): Integer; var ManagerHandle: SC_HANDLE; ServiceHandle: SC_HANDLE; ServiceStatus: TServiceStatus; Dependencies: PEnumServiceStatus; BytesNeeded: Cardinal; ServicesReturned: Cardinal; ServicesEnumerated: Boolean; EnumerationSuccess: Boolean; i: Cardinal; begin Result := 0; BytesNeeded := 0; ServicesReturned := 0; Dependencies := nil; ServicesEnumerated := False; ManagerHandle := OpenSCManager('', nil, SC_MANAGER_CONNECT or SC_MANAGER_ENUMERATE_SERVICE); if ManagerHandle > 0 then begin ServiceHandle := OpenService(ManagerHandle, PChar(ServiceName), SERVICE_STOP or SERVICE_ENUMERATE_DEPENDENTS); if ServiceHandle > 0 then begin if not EnumDependentServices(ServiceHandle, SERVICE_ACTIVE, Dependencies^, 0, BytesNeeded, ServicesReturned) then begin ServicesEnumerated := True; GetMem(Dependencies, BytesNeeded); EnumerationSuccess := EnumDependentServices(ServiceHandle, SERVICE_ACTIVE, Dependencies^, BytesNeeded, BytesNeeded, ServicesReturned); if EnumerationSuccess and (ServicesReturned > 0) then begin for i := 1 to ServicesReturned do begin Result := StopService(Dependencies.lpServiceName, False, Timeout); if Result <> 0 then Break; Inc(Dependencies); end; end else Result := System.GetLastError; end; if (ServicesEnumerated and (Result = 0)) or not ServicesEnumerated then begin if ControlService(ServiceHandle, SERVICE_CONTROL_STOP, ServiceStatus) then Result := WaitForStatus(ServiceName, SERVICE_STOPPED, Timeout) else Result := System.GetLastError end; CloseServiceHandle(ServiceHandle); end else Result := System.GetLastError; CloseServiceHandle(ManagerHandle); end else Result := System.GetLastError; if (Result = 0) and WaitForFileRelease then Result := ServiceControl.WaitForFileRelease(ServiceName, Timeout); end; function PauseService(ServiceName: String; Timeout: Integer): Integer; var ManagerHandle: SC_HANDLE; ServiceHandle: SC_HANDLE; ServiceStatus: TServiceStatus; begin ManagerHandle := OpenSCManager('', nil, SC_MANAGER_CONNECT); if ManagerHandle > 0 then begin ServiceHandle := OpenService(ManagerHandle, PChar(ServiceName), SERVICE_PAUSE_CONTINUE); if ServiceHandle > 0 then begin if ControlService(ServiceHandle, SERVICE_CONTROL_PAUSE, ServiceStatus) then Result := WaitForStatus(ServiceName, SERVICE_PAUSED, Timeout) else Result := System.GetLastError; CloseServiceHandle(ServiceHandle); end else Result := System.GetLastError; CloseServiceHandle(ManagerHandle); end else Result := System.GetLastError; end; function ContinueService(ServiceName: String; Timeout: Integer): Integer; var ManagerHandle: SC_HANDLE; ServiceHandle: SC_HANDLE; ServiceStatus: TServiceStatus; begin ManagerHandle := OpenSCManager('', nil, SC_MANAGER_CONNECT); if ManagerHandle > 0 then begin ServiceHandle := OpenService(ManagerHandle, PChar(ServiceName), SERVICE_PAUSE_CONTINUE); if ServiceHandle > 0 then begin if ControlService(ServiceHandle, SERVICE_CONTROL_CONTINUE, ServiceStatus) then Result := WaitForStatus(ServiceName, SERVICE_RUNNING, Timeout) else Result := System.GetLastError; CloseServiceHandle(ServiceHandle); end else Result := System.GetLastError; CloseServiceHandle(ManagerHandle); end else Result := System.GetLastError; end; function GetServiceName(DisplayName: String; var Name: String): Integer; var ManagerHandle: SC_HANDLE; ServiceName: PChar; ServiceBuffer: Cardinal; begin Result := 0; ServiceBuffer := 255; ServiceName := StrAlloc(ServiceBuffer+1); ManagerHandle := OpenSCManager('', nil, SC_MANAGER_CONNECT); if ManagerHandle > 0 then begin if WinSvc.GetServiceKeyName(ManagerHandle, PChar(DisplayName), ServiceName, ServiceBuffer) then Name := ServiceName else Result := System.GetLastError; CloseServiceHandle(ManagerHandle); end else Result := System.GetLastError; end; function GetServiceDisplayName(ServiceName: String; var Name: String): Integer; var ManagerHandle: SC_HANDLE; DisplayName: PChar; ServiceBuffer: Cardinal; begin Result := 0; ServiceBuffer := 255; DisplayName := StrAlloc(ServiceBuffer+1); ManagerHandle := OpenSCManager('', nil, SC_MANAGER_CONNECT); if ManagerHandle > 0 then begin if WinSvc.GetServiceDisplayName(ManagerHandle, PChar(ServiceName), DisplayName, ServiceBuffer) then Name := DisplayName else Result := System.GetLastError; CloseServiceHandle(ManagerHandle); end else Result := System.GetLastError; end; function GetServiceStatus(ServiceName: String; var Status: DWORD): Integer; var ManagerHandle: SC_HANDLE; ServiceHandle: SC_HANDLE; ServiceStatus: TServiceStatus; begin Result := 0; ManagerHandle := OpenSCManager('', nil, SC_MANAGER_CONNECT); if ManagerHandle > 0 then begin ServiceHandle := OpenService(ManagerHandle, PChar(ServiceName), SERVICE_QUERY_STATUS); if ServiceHandle > 0 then begin if QueryServiceStatus(ServiceHandle, ServiceStatus) then Status := ServiceStatus.dwCurrentState else Result := System.GetLastError; CloseServiceHandle(ServiceHandle); end else Result := System.GetLastError; CloseServiceHandle(ManagerHandle); end else Result := System.GetLastError; end; function GetServiceBinaryPath(ServiceName: String; var BinaryPath: String): Integer; var ManagerHandle: SC_HANDLE; ServiceHandle: SC_HANDLE; BytesNeeded: DWORD; ServiceConfig: PQueryServiceConfig; begin Result := 0; ServiceConfig := nil; ManagerHandle := OpenSCManager('', nil, SC_MANAGER_CONNECT); if ManagerHandle > 0 then begin ServiceHandle := OpenService(ManagerHandle, PChar(ServiceName), SERVICE_QUERY_CONFIG); if ServiceHandle > 0 then begin if not QueryServiceConfig(ServiceHandle, ServiceConfig, 0, BytesNeeded) and (System.GetLastError = ERROR_INSUFFICIENT_BUFFER) then begin GetMem(ServiceConfig, BytesNeeded); if QueryServiceConfig(ServiceHandle, ServiceConfig, BytesNeeded, BytesNeeded) then BinaryPath := ServiceConfig^.lpBinaryPathName else Result := System.GetLastError; FreeMem(ServiceConfig); end else Result := System.GetLastError; CloseServiceHandle(ServiceHandle); end else Result := System.GetLastError; CloseServiceHandle(ManagerHandle); end else Result := System.GetLastError; end; function GetServiceStartType(ServiceName: String; var StartType: DWORD): Integer; var ManagerHandle: SC_HANDLE; ServiceHandle: SC_HANDLE; BytesNeeded: DWORD; ServiceConfig: PQueryServiceConfig; begin Result := 0; ServiceConfig := nil; ManagerHandle := OpenSCManager('', nil, SC_MANAGER_CONNECT); if ManagerHandle > 0 then begin ServiceHandle := OpenService(ManagerHandle, PChar(ServiceName), SERVICE_QUERY_CONFIG); if ServiceHandle > 0 then begin if not QueryServiceConfig(ServiceHandle, ServiceConfig, 0, BytesNeeded) and (System.GetLastError = ERROR_INSUFFICIENT_BUFFER) then begin GetMem(ServiceConfig, BytesNeeded); if QueryServiceConfig(ServiceHandle, ServiceConfig, BytesNeeded, BytesNeeded) then StartType := ServiceConfig^.dwStartType else Result := System.GetLastError; FreeMem(ServiceConfig); end else Result := System.GetLastError; CloseServiceHandle(ServiceHandle); end else Result := System.GetLastError; CloseServiceHandle(ManagerHandle); end else Result := System.GetLastError; end; function GetServiceDescription(ServiceName: String; var Description: String): Integer; const SERVICE_CONFIG_DESCRIPTION = 1; type TServiceDescription = record lpDescription: PAnsiChar; end; PServiceDescription = ^TServiceDescription; var QueryServiceConfig2: function(hService: SC_HANDLE; dwInfoLevel: DWORD; pBuffer: Pointer; cbBufSize: DWORD; var cbBytesNeeded: Cardinal): BOOL; stdcall; ManagerHandle: SC_HANDLE; ServiceHandle: SC_HANDLE; LockHandle: SC_LOCK; ServiceDescription: PServiceDescription; BytesNeeded: Cardinal; begin Result := 0; ManagerHandle := OpenSCManager('', nil, SC_MANAGER_LOCK); if ManagerHandle > 0 then begin ServiceHandle := OpenService(ManagerHandle, PChar(ServiceName), SERVICE_QUERY_CONFIG); if ServiceHandle > 0 then begin LockHandle := LockServiceDatabase(ManagerHandle); if LockHandle <> nil then begin @QueryServiceConfig2 := GetProcAddress(GetModuleHandle(advapi32), 'QueryServiceConfig2A'); if Assigned(@QueryServiceConfig2) then begin if not QueryServiceConfig2(ServiceHandle, SERVICE_CONFIG_DESCRIPTION, nil, 0, BytesNeeded) and (System.GetLastError = ERROR_INSUFFICIENT_BUFFER) then begin GetMem(ServiceDescription, BytesNeeded); if QueryServiceConfig2(ServiceHandle, SERVICE_CONFIG_DESCRIPTION, ServiceDescription, BytesNeeded, BytesNeeded) then Description := ServiceDescription.lpDescription else Result := System.GetLastError; FreeMem(ServiceDescription); end else Result := System.GetLastError; end else Result := System.GetLastError; UnlockServiceDatabase(LockHandle); end else Result := System.GetLastError; CloseServiceHandle(ServiceHandle); end else Result := System.GetLastError; CloseServiceHandle(ManagerHandle); end else Result := System.GetLastError; end; function GetServiceLogon(ServiceName: String; var Username: String): Integer; var ManagerHandle: SC_HANDLE; ServiceHandle: SC_HANDLE; BytesNeeded: DWORD; ServiceConfig: PQueryServiceConfig; begin Result := 0; ServiceConfig := nil; ManagerHandle := OpenSCManager('', nil, SC_MANAGER_CONNECT); if ManagerHandle > 0 then begin ServiceHandle := OpenService(ManagerHandle, PChar(ServiceName), SERVICE_QUERY_CONFIG); if ServiceHandle > 0 then begin if not QueryServiceConfig(ServiceHandle, ServiceConfig, 0, BytesNeeded) and (System.GetLastError = ERROR_INSUFFICIENT_BUFFER) then begin GetMem(ServiceConfig, BytesNeeded); if QueryServiceConfig(ServiceHandle, ServiceConfig, BytesNeeded, BytesNeeded) then Username := ServiceConfig^.lpServiceStartName else Result := System.GetLastError; FreeMem(ServiceConfig); end else Result := System.GetLastError; CloseServiceHandle(ServiceHandle); end else Result := System.GetLastError; CloseServiceHandle(ManagerHandle); end else Result := System.GetLastError; end; function GetServiceFailure(ServiceName: String; var ResetPeriod: DWORD; var RebootMessage: String; var Command: String; var Action1: Integer; var ActionDelay1: DWORD; var Action2: Integer; var ActionDelay2: DWORD; var Action3: Integer; var ActionDelay3: DWORD): Integer; const SERVICE_CONFIG_FAILURE_ACTIONS = 2; type TServiceAction = record aType: DWORD; Delay: DWORD; end; TServiceActions = array[0..2] of TServiceAction; TServiceFailureAction = record dwResetPeriod: DWORD; lpRebootMsg: PWideChar; lpCommand: PWideChar; cActions: DWORD; lpsaActions: ^TServiceActions; end; PServiceFailureAction = ^TServiceFailureAction; var QueryServiceConfig2: function(hService: SC_HANDLE; dwInfoLevel: DWORD; pBuffer: Pointer; cbBufSize: DWORD; var cbBytesNeeded: Cardinal): BOOL; stdcall; ManagerHandle: SC_HANDLE; ServiceHandle: SC_HANDLE; LockHandle: SC_LOCK; ServiceFailureAction: PServiceFailureAction; BytesNeeded: Cardinal; begin Result := 0; ManagerHandle := OpenSCManager('', nil, SC_MANAGER_LOCK); if ManagerHandle > 0 then begin ServiceHandle := OpenService(ManagerHandle, PChar(ServiceName), SERVICE_QUERY_CONFIG); if ServiceHandle > 0 then begin LockHandle := LockServiceDatabase(ManagerHandle); if LockHandle <> nil then begin // Unicode must be used because the ANSI function returns an invalid buffer @QueryServiceConfig2 := GetProcAddress(GetModuleHandle(advapi32), 'QueryServiceConfig2W'); if Assigned(@QueryServiceConfig2) then begin if not QueryServiceConfig2(ServiceHandle, SERVICE_CONFIG_FAILURE_ACTIONS, nil, 0, BytesNeeded) and (System.GetLastError = ERROR_INSUFFICIENT_BUFFER) then begin GetMem(ServiceFailureAction, BytesNeeded); if QueryServiceConfig2(ServiceHandle, SERVICE_CONFIG_FAILURE_ACTIONS, ServiceFailureAction, BytesNeeded, BytesNeeded) then begin ResetPeriod := ServiceFailureAction.dwResetPeriod; RebootMessage := ServiceFailureAction.lpRebootMsg; Command :=ServiceFailureAction.lpCommand; if ServiceFailureAction.cActions >= 1 then begin Action1 := ServiceFailureAction.lpsaActions[0].aType; ActionDelay1 := ServiceFailureAction.lpsaActions[0].Delay; end; if ServiceFailureAction.cActions >= 2 then begin Action2 := ServiceFailureAction.lpsaActions[1].aType; ActionDelay2 := ServiceFailureAction.lpsaActions[1].Delay; end; if ServiceFailureAction.cActions >= 3 then begin Action3 := ServiceFailureAction.lpsaActions[2].aType; ActionDelay3 := ServiceFailureAction.lpsaActions[2].Delay; end; end else Result := System.GetLastError; FreeMem(ServiceFailureAction); end else Result := System.GetLastError; end else Result := System.GetLastError; UnlockServiceDatabase(LockHandle); end else Result := System.GetLastError; CloseServiceHandle(ServiceHandle); end else Result := System.GetLastError; CloseServiceHandle(ManagerHandle); end else Result := System.GetLastError; end; function GetServiceFailureFlag(ServiceName: String; var FailureActionsOnNonCrashFailures: Boolean): Integer; const SERVICE_CONFIG_FAILURE_ACTIONS_FLAG = 4; type TServiceFailureActionsFlag = record fFailureActionsOnNonCrashFailures: BOOL; end; PServiceFailureActionsFlag = ^TServiceFailureActionsFlag; var QueryServiceConfig2: function(hService: SC_HANDLE; dwInfoLevel: DWORD; pBuffer: Pointer; cbBufSize: DWORD; var cbBytesNeeded: Cardinal): BOOL; stdcall; ManagerHandle: SC_HANDLE; ServiceHandle: SC_HANDLE; LockHandle: SC_LOCK; ServiceFailureActionsFlag: PServiceFailureActionsFlag; BytesNeeded: Cardinal; begin Result := 0; ManagerHandle := OpenSCManager('', nil, SC_MANAGER_LOCK); if ManagerHandle > 0 then begin ServiceHandle := OpenService(ManagerHandle, PChar(ServiceName), SERVICE_QUERY_CONFIG); if ServiceHandle > 0 then begin LockHandle := LockServiceDatabase(ManagerHandle); if LockHandle <> nil then begin // Unicode must be used because the ANSI function returns an invalid buffer @QueryServiceConfig2 := GetProcAddress(GetModuleHandle(advapi32), 'QueryServiceConfig2W'); if Assigned(@QueryServiceConfig2) then begin if not QueryServiceConfig2(ServiceHandle, SERVICE_CONFIG_FAILURE_ACTIONS_FLAG, nil, 0, BytesNeeded) and (System.GetLastError = ERROR_INSUFFICIENT_BUFFER) then begin GetMem(ServiceFailureActionsFlag, BytesNeeded); if QueryServiceConfig2(ServiceHandle, SERVICE_CONFIG_FAILURE_ACTIONS_FLAG, ServiceFailureActionsFlag, BytesNeeded, BytesNeeded) then FailureActionsOnNonCrashFailures := Boolean(ServiceFailureActionsFlag.fFailureActionsOnNonCrashFailures) else Result := System.GetLastError; FreeMem(ServiceFailureActionsFlag); end else Result := System.GetLastError; end else Result := System.GetLastError; UnlockServiceDatabase(LockHandle); end else Result := System.GetLastError; CloseServiceHandle(ServiceHandle); end else Result := System.GetLastError; CloseServiceHandle(ManagerHandle); end else Result := System.GetLastError; end; function GetServiceDelayedAutoStartInfo(ServiceName: String; var DelayedAutostart: Boolean): Integer; const SERVICE_CONFIG_DELAYED_AUTO_START_INFO = 3; type TServiceDelayedAutoStartInfo = record fDelayedAutostart: BOOL; end; PServiceDelayedAutoStartInfo = ^TServiceDelayedAutoStartInfo; var QueryServiceConfig2: function(hService: SC_HANDLE; dwInfoLevel: DWORD; pBuffer: Pointer; cbBufSize: DWORD; var cbBytesNeeded: Cardinal): BOOL; stdcall; ManagerHandle: SC_HANDLE; ServiceHandle: SC_HANDLE; LockHandle: SC_LOCK; ServiceDelayedAutoStartInfo: PServiceDelayedAutoStartInfo; BytesNeeded: Cardinal; begin Result := 0; ManagerHandle := OpenSCManager('', nil, SC_MANAGER_LOCK); if ManagerHandle > 0 then begin ServiceHandle := OpenService(ManagerHandle, PChar(ServiceName), SERVICE_QUERY_CONFIG); if ServiceHandle > 0 then begin LockHandle := LockServiceDatabase(ManagerHandle); if LockHandle <> nil then begin // Unicode must be used because the ANSI function returns an invalid buffer @QueryServiceConfig2 := GetProcAddress(GetModuleHandle(advapi32), 'QueryServiceConfig2W'); if Assigned(@QueryServiceConfig2) then begin if not QueryServiceConfig2(ServiceHandle, SERVICE_CONFIG_DELAYED_AUTO_START_INFO, nil, 0, BytesNeeded) and (System.GetLastError = ERROR_INSUFFICIENT_BUFFER) then begin GetMem(ServiceDelayedAutoStartInfo, BytesNeeded); if QueryServiceConfig2(ServiceHandle, SERVICE_CONFIG_DELAYED_AUTO_START_INFO, ServiceDelayedAutoStartInfo, BytesNeeded, BytesNeeded) then DelayedAutostart := Boolean(ServiceDelayedAutoStartInfo.fDelayedAutostart) else Result := System.GetLastError; FreeMem(ServiceDelayedAutoStartInfo); end else Result := System.GetLastError; end else Result := System.GetLastError; UnlockServiceDatabase(LockHandle); end else Result := System.GetLastError; CloseServiceHandle(ServiceHandle); end else Result := System.GetLastError; CloseServiceHandle(ManagerHandle); end else Result := System.GetLastError; end; function SetServiceDescription(ServiceName: String; Description: String): Integer; const SERVICE_CONFIG_DESCRIPTION = 1; var ChangeServiceConfig2: function(hService: SC_HANDLE; dwInfoLevel: DWORD; lpInfo: Pointer): BOOL; stdcall; ManagerHandle: SC_HANDLE; ServiceHandle: SC_HANDLE; LockHandle: SC_LOCK; begin Result := 0; ManagerHandle := OpenSCManager('', nil, SC_MANAGER_LOCK); if ManagerHandle > 0 then begin ServiceHandle := OpenService(ManagerHandle, PChar(ServiceName), SERVICE_CHANGE_CONFIG); if ServiceHandle > 0 then begin LockHandle := LockServiceDatabase(ManagerHandle); if LockHandle <> nil then begin @ChangeServiceConfig2 := GetProcAddress(GetModuleHandle(advapi32), 'ChangeServiceConfig2A'); if Assigned(@ChangeServiceConfig2) then begin if not ChangeServiceConfig2(ServiceHandle, SERVICE_CONFIG_DESCRIPTION, @Description) then Result := System.GetLastError; end else Result := System.GetLastError; UnlockServiceDatabase(LockHandle); end else Result := System.GetLastError; CloseServiceHandle(ServiceHandle); end else Result := System.GetLastError; CloseServiceHandle(ManagerHandle); end else Result := System.GetLastError; end; function SetServiceStartType(ServiceName: String; StartType: DWORD): Integer; var ManagerHandle: SC_HANDLE; ServiceHandle: SC_HANDLE; LockHandle: SC_LOCK; begin Result := 0; ManagerHandle := OpenSCManager('', nil, SC_MANAGER_LOCK); if ManagerHandle > 0 then begin ServiceHandle := OpenService(ManagerHandle, PChar(ServiceName), SERVICE_CHANGE_CONFIG); if ServiceHandle > 0 then begin LockHandle := LockServiceDatabase(ManagerHandle); if LockHandle <> nil then begin if not ChangeServiceConfig(ServiceHandle, SERVICE_NO_CHANGE, StartType, SERVICE_NO_CHANGE, nil, nil, nil, nil, nil, nil, nil) then Result := System.GetLastError; UnlockServiceDatabase(LockHandle); end else Result := System.GetLastError; CloseServiceHandle(ServiceHandle); end else Result := System.GetLastError; CloseServiceHandle(ManagerHandle); end else Result := System.GetLastError; end; function SetServiceLogon(ServiceName: String; Username: String; Password: String): Integer; var ManagerHandle: SC_HANDLE; ServiceHandle: SC_HANDLE; LockHandle: SC_LOCK; begin Result := 0; ManagerHandle := OpenSCManager('', nil, SC_MANAGER_LOCK); if Pos('\', Username) = 0 then Username := '.\' + Username; if ManagerHandle > 0 then begin ServiceHandle := OpenService(ManagerHandle, PChar(ServiceName), SERVICE_CHANGE_CONFIG); if ServiceHandle > 0 then begin LockHandle := LockServiceDatabase(ManagerHandle); if LockHandle <> nil then begin if not ChangeServiceConfig(ServiceHandle, SERVICE_NO_CHANGE, SERVICE_NO_CHANGE, SERVICE_NO_CHANGE, nil, nil, nil, nil, PChar(Username), PChar(Password), nil) then Result := System.GetLastError; UnlockServiceDatabase(LockHandle); end else Result := System.GetLastError; CloseServiceHandle(ServiceHandle); end else Result := System.GetLastError; CloseServiceHandle(ManagerHandle); end else Result := System.GetLastError; end; function SetServiceBinaryPath(ServiceName: String; BinaryPath: String): Integer; var ManagerHandle: SC_HANDLE; ServiceHandle: SC_HANDLE; LockHandle: SC_LOCK; begin Result := 0; ManagerHandle := OpenSCManager('', nil, SC_MANAGER_LOCK); if ManagerHandle > 0 then begin ServiceHandle := OpenService(ManagerHandle, PChar(ServiceName), SERVICE_CHANGE_CONFIG); if ServiceHandle > 0 then begin LockHandle := LockServiceDatabase(ManagerHandle); if LockHandle <> nil then begin if not ChangeServiceConfig(ServiceHandle, SERVICE_NO_CHANGE, SERVICE_NO_CHANGE, SERVICE_NO_CHANGE, PChar(BinaryPath), nil, nil, nil, nil, nil, nil) then Result := System.GetLastError; UnlockServiceDatabase(LockHandle); end else Result := System.GetLastError; CloseServiceHandle(ServiceHandle); end else Result := System.GetLastError; CloseServiceHandle(ManagerHandle); end else Result := System.GetLastError; end; function SetServiceFailure(ServiceName: String; ResetPeriod: DWORD; RebootMessage: String; Command: String; Action1: Integer; ActionDelay1: DWORD; Action2: Integer; ActionDelay2: DWORD; Action3: Integer; ActionDelay3: DWORD): Integer; const SERVICE_CONFIG_FAILURE_ACTIONS = 2; SC_ACTION_RESTART = 1; type TServiceAction = record aType: DWORD; Delay: DWORD; end; TServiceActions = array[0..2] of TServiceAction; TServiceFailureAction = record dwResetPeriod: DWORD; lpRebootMsg: PAnsiChar; lpCommand: PAnsiChar; cActions: DWORD; lpsaActions: ^TServiceActions; end; var ChangeServiceConfig2: function(hService: SC_HANDLE; dwInfoLevel: DWORD; lpInfo: Pointer): BOOL; stdcall; ManagerHandle: SC_HANDLE; ServiceHandle: SC_HANDLE; LockHandle: SC_LOCK; ServiceFailureAction: TServiceFailureAction; ServiceActions: TServiceActions; ServiceAccessType: Integer; begin Result := 0; if (Action1 = SC_ACTION_RESTART) or (Action2 = SC_ACTION_RESTART) or (Action3 = SC_ACTION_RESTART) then ServiceAccessType := SERVICE_CHANGE_CONFIG or SERVICE_START else ServiceAccessType := SERVICE_CHANGE_CONFIG; ServiceActions[0].aType := Action1; ServiceActions[0].Delay := ActionDelay1; ServiceActions[1].aType := Action2; ServiceActions[1].Delay := ActionDelay2; ServiceActions[2].aType := Action3; ServiceActions[2].Delay := ActionDelay3; ServiceFailureAction.dwResetPeriod := ResetPeriod; ServiceFailureAction.lpRebootMsg := PAnsiChar(RebootMessage); ServiceFailureAction.lpCommand := PAnsiChar(Command); ServiceFailureAction.cActions := Length(ServiceActions); ServiceFailureAction.lpsaActions := @ServiceActions; ManagerHandle := OpenSCManager('', nil, SC_MANAGER_LOCK); if ManagerHandle > 0 then begin ServiceHandle := OpenService(ManagerHandle, PChar(ServiceName), ServiceAccessType); if ServiceHandle > 0 then begin LockHandle := LockServiceDatabase(ManagerHandle); if LockHandle <> nil then begin @ChangeServiceConfig2 := GetProcAddress(GetModuleHandle(advapi32), 'ChangeServiceConfig2A'); if Assigned(@ChangeServiceConfig2) then begin if not ChangeServiceConfig2(ServiceHandle, SERVICE_CONFIG_FAILURE_ACTIONS, @ServiceFailureAction) then Result := System.GetLastError; end else Result := System.GetLastError; UnlockServiceDatabase(LockHandle); end else Result := System.GetLastError; CloseServiceHandle(ServiceHandle); end else Result := System.GetLastError; CloseServiceHandle(ManagerHandle); end else Result := System.GetLastError; end; function SetServiceFailureFlag(ServiceName: String; FailureActionsOnNonCrashFailures: Boolean): Integer; const SERVICE_CONFIG_FAILURE_ACTIONS_FLAG = 4; type TServiceFailureActionsFlag = record fFailureActionsOnNonCrashFailures: BOOL; end; var ChangeServiceConfig2: function(hService: SC_HANDLE; dwInfoLevel: DWORD; lpInfo: Pointer): BOOL; stdcall; ManagerHandle: SC_HANDLE; ServiceHandle: SC_HANDLE; LockHandle: SC_LOCK; ServiceFailureActionsFlag: TServiceFailureActionsFlag; begin Result := 0; DWord(ServiceFailureActionsFlag.fFailureActionsOnNonCrashFailures) := DWord(FailureActionsOnNonCrashFailures); ManagerHandle := OpenSCManager('', nil, SC_MANAGER_LOCK); if ManagerHandle > 0 then begin ServiceHandle := OpenService(ManagerHandle, PChar(ServiceName), SERVICE_CHANGE_CONFIG); if ServiceHandle > 0 then begin LockHandle := LockServiceDatabase(ManagerHandle); if LockHandle <> nil then begin @ChangeServiceConfig2 := GetProcAddress(GetModuleHandle(advapi32), 'ChangeServiceConfig2A'); if Assigned(@ChangeServiceConfig2) then begin if not ChangeServiceConfig2(ServiceHandle, SERVICE_CONFIG_FAILURE_ACTIONS_FLAG, @ServiceFailureActionsFlag) then Result := System.GetLastError; end else Result := System.GetLastError; UnlockServiceDatabase(LockHandle); end else Result := System.GetLastError; CloseServiceHandle(ServiceHandle); end else Result := System.GetLastError; CloseServiceHandle(ManagerHandle); end else Result := System.GetLastError; end; function SetServiceDelayedAutoStartInfo(ServiceName: String; DelayedAutostart: Boolean): Integer; const SERVICE_CONFIG_DELAYED_AUTO_START_INFO = 3; type TServiceDelayedAutoStartInfo = record fDelayedAutostart: BOOL; end; var ChangeServiceConfig2: function(hService: SC_HANDLE; dwInfoLevel: DWORD; lpInfo: Pointer): BOOL; stdcall; ManagerHandle: SC_HANDLE; ServiceHandle: SC_HANDLE; LockHandle: SC_LOCK; ServiceDelayedAutoStartInfo: TServiceDelayedAutoStartInfo; begin Result := 0; DWord(ServiceDelayedAutoStartInfo.fDelayedAutostart) := DWord(DelayedAutostart); ManagerHandle := OpenSCManager('', nil, SC_MANAGER_LOCK); if ManagerHandle > 0 then begin ServiceHandle := OpenService(ManagerHandle, PChar(ServiceName), SERVICE_CHANGE_CONFIG); if ServiceHandle > 0 then begin LockHandle := LockServiceDatabase(ManagerHandle); if LockHandle <> nil then begin @ChangeServiceConfig2 := GetProcAddress(GetModuleHandle(advapi32), 'ChangeServiceConfig2A'); if Assigned(@ChangeServiceConfig2) then begin if not ChangeServiceConfig2(ServiceHandle, SERVICE_CONFIG_DELAYED_AUTO_START_INFO, @ServiceDelayedAutoStartInfo) then Result := System.GetLastError; end else Result := System.GetLastError; UnlockServiceDatabase(LockHandle); end else Result := System.GetLastError; CloseServiceHandle(ServiceHandle); end else Result := System.GetLastError; CloseServiceHandle(ManagerHandle); end else Result := System.GetLastError; end; function ServiceIsRunning(ServiceName: String; var IsRunning: Boolean): Integer; var Status: DWORD; begin Result := GetServiceStatus(ServiceName, Status); if Result = 0 then IsRunning := Status = SERVICE_RUNNING else IsRunning := False; end; function ServiceIsStopped(ServiceName: String; var IsStopped: Boolean): Integer; var Status: DWORD; begin Result := GetServiceStatus(ServiceName, Status); if Result = 0 then IsStopped := Status = SERVICE_STOPPED else IsStopped := False; end; function ServiceIsPaused(ServiceName: String; var IsPaused: Boolean): Integer; var Status: DWORD; begin Result := GetServiceStatus(ServiceName, Status); if Result = 0 then IsPaused := Status = SERVICE_PAUSED else IsPaused := False; end; function RestartService(ServiceName: String; ServiceArguments: String; Timeout: Integer): Integer; begin Result := StopService(ServiceName, False, Timeout); if Result = 0 then Result := StartService(ServiceName, ServiceArguments, Timeout); end; function InstallService(ServiceName, DisplayName: String; ServiceType: DWORD; StartType: DWORD; BinaryPathName: String; Dependencies: String; Username: String; Password: String): Integer; var ManagerHandle: SC_HANDLE; ServiceHandle: SC_HANDLE; PDependencies: PChar; PUsername: PChar; PPassword: PChar; const ReplaceDelimitter: String = '/'; function Replace(Value: String): String; begin while Pos(ReplaceDelimitter, Value) <> 0 do begin Result := Result + Copy(Value, 1, Pos(ReplaceDelimitter, Value) -1) + Chr(0); Delete(Value, 1, Pos(ReplaceDelimitter, Value)); end; Result := Result + Value + Chr(0) + Chr(0); end; begin Result := 0; if Dependencies = '' then PDependencies := nil else PDependencies := PChar(Replace(Dependencies)); if UserName = '' then PUsername := nil else PUsername := PChar(Username); if Password = '' then PPassword := nil else PPassword := PChar(Password); ManagerHandle := OpenSCManager('', nil, SC_MANAGER_ALL_ACCESS); if ManagerHandle > 0 then begin ServiceHandle := CreateService(ManagerHandle, PChar(ServiceName), PChar(DisplayName), SERVICE_START or SERVICE_QUERY_STATUS or _DELETE, ServiceType, StartType, SERVICE_ERROR_NORMAL, PChar(BinaryPathName), nil, nil, PDependencies, PUsername, PPassword); if ServiceHandle <> 0 then CloseServiceHandle(ServiceHandle) else Result := System.GetLastError; CloseServiceHandle(ManagerHandle); end else Result := System.GetLastError; end; function RemoveService(ServiceName: String): Integer; var ManagerHandle: SC_HANDLE; ServiceHandle: SC_HANDLE; LockHandle: SC_LOCK; Deleted: Boolean; begin Result := 0; ManagerHandle := OpenSCManager('', nil, SC_MANAGER_ALL_ACCESS); if ManagerHandle > 0 then begin ServiceHandle := OpenService(ManagerHandle, PChar(ServiceName), SERVICE_ALL_ACCESS); if ServiceHandle > 0 then begin LockHandle := LockServiceDatabase(ManagerHandle); if LockHandle <> nil then begin Deleted := DeleteService(ServiceHandle); if not Deleted then Result := System.GetLastError; UnlockServiceDatabase(LockHandle); end else Result := System.GetLastError; CloseServiceHandle(ServiceHandle); end else Result := System.GetLastError; CloseServiceHandle(ManagerHandle); end else Result := System.GetLastError; end; function GetErrorMessage(ErrorCode: Integer): String; begin Result := SysErrorMessage(ErrorCode); end; end.
Pascal
5
rajeev02101987/arangodb
Installation/Windows/Plugins/NSIS_Simple_Service_Plugin_1.30/Source/ServiceControl.pas
[ "Apache-2.0" ]
# N3 is...of @prefix : <http://www.w3.org/2013/TurtleTests/> . :z is :p of :x .
Turtle
2
joshrose/audacity
lib-src/lv2/serd/tests/TurtleTests/turtle-syntax-bad-n3-extras-05.ttl
[ "CC-BY-3.0" ]
(* Oops: the code I used wasn't fully defunctionalised. I'll add this when I've fixed it. *)
RAML
0
AriFordsham/plutus
notes/raml/ChurchNat-defun.raml
[ "Apache-2.0" ]
require: "mocks" class TestBolt : Storm Bolt { def process: tuple { emit: $ [tuple values join: ", "] ack: tuple } } FancySpec describe: Storm Bolt with: { before_each: { Storm Protocol Input clear Storm Protocol Output clear @storm = Storm Protocol new @in = Storm Protocol Input @out = Storm Protocol Output } it: "runs as as expected" for: 'run when: { conf = <['some_conf => false]> context = <['some_context => true]> tup1 = <['id => 1, 'comp => 2, 'stream => 3, 'task => 4, 'tuple => [1,2,3,4]]> task_ids_1 = <['task_ids => [1,2,3,4]]> # part of the protocol, random values though tup2 = <['id => 2, 'comp => 3, 'stream => 4, 'task => 5, 'tuple => ["hello", "world"]]> task_ids_2 = <['task_ids => [2,3,4,5]]> # same here @in input: [ "/tmp/", conf to_json() , context to_json(), # tuples: tup1 to_json(), task_ids_1 to_json(), tup2 to_json(), task_ids_2 to_json() ] b = TestBolt new b run @out sent select: |m| { m includes?: $ tup1['tuple] join: ", " } size is == 1 @out sent select: |m| { m includes?: $ tup2['tuple] join: ", " } size is == 1 } }
Fancy
4
desmorto/storm
storm-core/test/multilang/fy/bolt.fy
[ "Apache-2.0" ]
xquery version "1.0-ml"; module namespace plugin = "http://marklogic.com/data-hub/plugins"; declare option xdmp:mapping "false"; (:~ : Create Content Plugin : : @param $id - the identifier returned by the collector : @param $raw-content - the raw content being loaded. : @param $options - a map containing options. Options are sent from Java : : @return - your transformed content :) declare function plugin:create-content( $id as xs:string, $raw-content as node()?, $options as map:map) as node()? { (: name the binary uri with a pdf extension :) let $binary-uri := fn:replace($id, ".xml", ".pdf") (: stash the binary uri in the options map for later:) let $_ := map:put($options, 'binary-uri', $binary-uri) (: save the incoming binary as a pdf :) let $_ := xdmp:eval(' declare variable $binary-uri external; declare variable $raw-content external; xdmp:document-insert($binary-uri, $raw-content) ', map:new(( map:entry("binary-uri", $binary-uri), map:entry("raw-content", $raw-content) )), map:new(( map:entry("ignoreAmps", fn:true()), map:entry("isolation", "different-transaction"), map:entry("commit", "auto") )) ) return (: : extract the contents of the pdf and return them : as the content for the envelope :) xdmp:document-filter($raw-content) };
XQuery
4
MLjyang/marklogic-data-hub
examples/dhf4/load-binaries/plugins/entities/Guides/input/LoadAsXml/content/content.xqy
[ "Apache-2.0" ]
// Inter-block reduction. // // Function gridReduce performs point-wise reductions of scalars across thread // blocks. Thread blocks are disjointly partitioned into groups of thread // blocks, "reduction segments," that are collectively defined by boolean // template parameters, X_BLOCK, Y_BLOCK and Z_BLOCK. Each of X/Y/Z_BLOCK // determines whether thread blocks along the dimension should be grouped into // the same reduction segment. Cross-block reducitons are independently done // within each segment and generates distinctive results per segment. For // instance, if all of X/Y/Z_BLOCK are true, reductions will be done across all // thread blocks since there will be just a single segment consisting of all // thread blocks. If none of them are true, each thread block will become a // segment by itself, so no reduction will be performed. // // The input scalars to reduce within each segment are a certain subset of // thread-private scalars provided as part of the gridReduce function // parameters. Boolean template parameters, X_THREAD, Y_THREAD and Z_THREAD, // determine which subset of the scalars should be used for inter-block // reductions. Specifically, all the input scalars of threads along each // dimension will be used when X/Y/Z_THREAD are true. Otherwise, only the value // held at offset 0 of each dimension will be used. Thus, for example, if all of // X/Y/Z_THREAD are true, the scalars of all threads in each block will // participate in inter-block reductions. If all of them are false, only one // scalar of the thread at threadIdx.x == threadIdx.y == threadIdx.z == 0 will // be used. In the code below, we call the subset of threads a "reduction // block." // // Inter-block reductions perform point-wise reductions of scalars of reduction // blocks within each reduction segment. More specifically, let rb be a // reduction block and rs be a reduction segment. Let IN(thread_idx, block_idx) // denote the input scalar of thread at thread_idx and block_idx. The result of // each reduction segment, OUT(thread_idx, block_idx_out), is defined only for // each thread_idx in thread block block_idx_out in the segment as follows: // // OUT(thread_idx, block_idx_out) = // Reduction of IN(thread_idx, block_idx) for // all block_idx in a reduction segment // // OUT is not given for all threads that are not in block_idx_out and the // reduction block. // // See also the function comment of gridReduce. namespace reduction { // Utility functions template <typename _dim3> __device__ __forceinline__ nvfuser_index_t size(const _dim3& d) { return (nvfuser_index_t)d.x * (nvfuser_index_t)d.y * (nvfuser_index_t)d.z; } #define isize(d) ((d).x * (d).y * (d).z) template <typename _dim3pos, typename _dim3dim> __device__ __forceinline__ nvfuser_index_t offset(const _dim3pos& pos, const _dim3dim& dim) { return (nvfuser_index_t)pos.x + (nvfuser_index_t)pos.y * (nvfuser_index_t)dim.x + (nvfuser_index_t)pos.z * (nvfuser_index_t)dim.x * (nvfuser_index_t)dim.y; } #define ioffset(pos, dim) \ ((pos).x + (pos).y * (dim).x + (pos).z * (dim).x * (dim).y) // Returns dim3 of each reduction segment. template <bool X_BLOCK, bool Y_BLOCK, bool Z_BLOCK, typename _dim3> __device__ dim3 dimension_of_reduction_segment(const _dim3& grid_dim) { return dim3{ X_BLOCK ? (unsigned)grid_dim.x : 1U, Y_BLOCK ? (unsigned)grid_dim.y : 1U, Z_BLOCK ? (unsigned)grid_dim.z : 1U}; } // Returns the number of blocks in each reduction segment. template <bool X_BLOCK, bool Y_BLOCK, bool Z_BLOCK, typename _dim3> __device__ nvfuser_index_t size_of_reduction_segment(const _dim3& grid_dim) { return size( dimension_of_reduction_segment<X_BLOCK, Y_BLOCK, Z_BLOCK>(grid_dim)); } // Returns the total number of reduction segments. template <bool X_BLOCK, bool Y_BLOCK, bool Z_BLOCK, typename _dim3> __device__ nvfuser_index_t number_of_reduction_segments(const _dim3& grid_dim) { return (X_BLOCK ? 1 : grid_dim.x) * (Y_BLOCK ? 1 : grid_dim.y) * (Z_BLOCK ? 1 : grid_dim.z); } // Returns the 1-D index of the segment of thread block of block_idx. template < bool X_BLOCK, bool Y_BLOCK, bool Z_BLOCK, typename _dim3bi, typename _dim3gd> __device__ nvfuser_index_t index_of_reduction_segment(const _dim3bi& block_idx, const _dim3gd& grid_dim) { nvfuser_index_t seg_idx = 0; if (!Z_BLOCK) seg_idx += block_idx.z; if (!Y_BLOCK) seg_idx = seg_idx * grid_dim.y + block_idx.y; if (!X_BLOCK) seg_idx = seg_idx * grid_dim.x + block_idx.x; return seg_idx; } // Returns the offset of thread block in its reduction segment. template < bool X_BLOCK, bool Y_BLOCK, bool Z_BLOCK, typename _dim3bi, typename _dim3gd> __device__ nvfuser_index_t offset_in_reduction_segment(const _dim3bi& block_idx, const _dim3gd& grid_dim) { nvfuser_index_t offset = 0; if (Z_BLOCK) offset = offset * grid_dim.z + block_idx.z; if (Y_BLOCK) offset = offset * grid_dim.y + block_idx.y; if (X_BLOCK) offset = offset * grid_dim.x + block_idx.x; return offset; } // Returns dim3 of each reduction block. template <bool X_THREAD, bool Y_THREAD, bool Z_THREAD, typename _dim3> __device__ dim3 dimension_of_reduction_block(const _dim3& block_dim) { return dim3{ X_THREAD ? (unsigned)block_dim.x : 1U, Y_THREAD ? (unsigned)block_dim.y : 1U, Z_THREAD ? (unsigned)block_dim.z : 1U}; } // Returns the number of threads of each reduction block. template <bool X_THREAD, bool Y_THREAD, bool Z_THREAD, typename _dim3> __device__ int size_of_reduction_block(const _dim3& block_dim) { auto tmp_dim = dimension_of_reduction_block<X_THREAD, Y_THREAD, Z_THREAD>(block_dim); return isize(tmp_dim); } // Returns the linear offset of a thread in a reduction block. template < bool X_THREAD, bool Y_THREAD, bool Z_THREAD, typename _dim3ti, typename _dim3bd> __device__ int offset_in_reduction_block( const _dim3ti& thread_idx, const _dim3bd& block_dim) { int offset = 0; if (Z_THREAD) offset += thread_idx.z; if (Y_THREAD) offset = offset * block_dim.y + thread_idx.y; if (X_THREAD) offset = offset * block_dim.x + thread_idx.x; return offset; } // Reduces all the reduction blocks in each reduction segment. // // This is only used by one thread block per reduction segment. The input // reduction blocks of the segment are stored in an intermediate buffer pointed // by parameter in. Template parameters X/Y/Z_THREAD denote how the reduction // block is formed. // // The size of a reduction block is by definition smaller or equal to the size // of a thread block. We use the remaining threads to parallelize reductions // across reduction blocks. For example, when X/Y/Z_THREAD = {true, false, // false}, we use blockDim.y*blockDim.z threads for each output value. This is // done first by loading the input values in parallel and then by reducing // across threads of dimensions whose XYZ_THREAD are false. // // Note that what is done here after the loading from global memory is similar // to what the existing blockReduce function does. The main difference is that // the logical block to reduce is a 2D domain where the leading dimension is the // size of a reduction block and the second dimension is the remaining factor in // each thread block. For example, when X/Y/Z_THREAD = {false, true, false}, the // threads are arranged as (blockDim.y, blockDim.x*blockDim.z). We do not reduce // along the first dimension but only the second dimension. So, it is possible // to reuse the existing blockReduce with dim3{blockDim.y, // blockDim.x*blockDim.z} instead of blockDim and with X_THREAD and Y_THREAD // being false and true, respectively. Also, it still need to shuffle the final // output values to their actual corresponding threads. In the case of when // X/Y/Z_THREAD = {false, true, false}, after the intra-block reduction, the // final results will still be held by the first blockDim.y threads, which need // to be transferred to threads at threadIdx.x == 0 and threadIdx.z == 0. template < bool X_THREAD, bool Y_THREAD, bool Z_THREAD, typename T, typename Func> __device__ void gridReduceLastBlock( T& out, const T* in, const nvfuser_index_t in_size, Func reduction_op, T* shared_buf, bool write_pred, T init_val) { const int tid = ioffset(threadIdx, blockDim); const int block_size = isize(blockDim); const int rblock_size = size_of_reduction_block<X_THREAD, Y_THREAD, Z_THREAD>(blockDim); T inp = init_val; if (tid < in_size) { inp = in[tid]; } for (nvfuser_index_t i = tid + block_size; i < in_size; i += block_size) { reduction_op(inp, in[i]); } const auto should_write = (X_THREAD || threadIdx.x == 0) && (Y_THREAD || threadIdx.y == 0) && (Z_THREAD || threadIdx.z == 0); auto rem_size = block_size / rblock_size; if (rem_size > 1) { const int rblock_offset = tid % rblock_size; const int rblock_idx = tid / rblock_size; T inp_tmp = init_val; blockReduce<false, true, false>( inp_tmp, inp, reduction_op, dim3{(unsigned)rblock_offset, (unsigned)rblock_idx, 0}, dim3{(unsigned)rblock_size, (unsigned)rem_size}, shared_buf, true, init_val); block_sync::sync(); inp = inp_tmp; if (tid < rblock_size) { shared_buf[tid] = inp; } block_sync::sync(); if (should_write) { inp = shared_buf[offset_in_reduction_block<X_THREAD, Y_THREAD, Z_THREAD>( threadIdx, blockDim)]; } } if (should_write && write_pred) { reduction_op(out, inp); } } // Reduces per-thread values across thread blocks. // // Function parameters: // - out: Per-thread output location // - inp_val: Per-thread input value // - reduction_op: Scalar reduction function // - work_buf: Temporary buffer for cross-block reductions // - sync_flags: A vector of integers for synchronizations // - shared_buf: Shared memory buffer for intra-block reduction // // Return true when the thread block has the valid result. // // Template parameters: // - X/Y/Z_BLOCK: When true, reduces across thread blocks along the X/Y/Z // dimensions // - X/Y/Z_THREAD: When true, all threads along the X/Y/Z dimensions participate // in the cross-block reduction. Otherwise, only threads at offset 0 do. // - T: Scalar data type of input/output data // - Func: Type of scalara reduction function // // Template parameters X/Y/Z_BLOCK define a group of thread blocks that are // reduced together. We call it a reduction segment. Some examples are: // // Case 1: X/Y/Z_BLOCK == true/true/true -> There is only one segment, which // includes all thread blocks. It is effecively the same as the grid. // // Case 2: X/Y/Z_BLOCK == false/false/false -> Each thread block comprises an // individual segment by itself. // // Case 3: X/Y/Z_BLOCK == true/false/false -> Each segment contains thread // blocks that have the same blockDim.x. There will be blockDim.y*blockDim.z // such segments. // // X/Y/Z_THREAD defines a sub region of a thread block that should be reduced // with the sub regions of other thread blocks. We call it a reduction block. // E.g., // // Case 1: X/Y/Z_THREAD == false/false/false -> Only thread 0 participates in // the cross-block reductions. The reduction block is 1x1x1 with thread 0. // // Case 2: X/Y/Z_THREAD == true/true/true-> All threads in a thread block // participate in the cross-block reductions. The reduction block in this case // is equivalent to the thread block. // // After the function completes, only one thread block per reduction segment // gets valid reduction results. There is no guarantee which particular block // gets the final results. // template < bool X_BLOCK, bool Y_BLOCK, bool Z_BLOCK, bool X_THREAD, bool Y_THREAD, bool Z_THREAD, typename T, typename Func> __device__ bool gridReduce( T& out, const T& inp_val, Func reduction_op, volatile T* work_buf, Tensor<int64_t, 1> sync_flags, T* shared_buf, bool read_pred, bool write_pred, T init_val) { // Number of values to reduce in the grid dimensions const auto seg_size = size_of_reduction_segment<X_BLOCK, Y_BLOCK, Z_BLOCK>(gridDim); // Index of the reduction we're performing out of the seg_size const auto seg_idx = index_of_reduction_segment<X_BLOCK, Y_BLOCK, Z_BLOCK>(blockIdx, gridDim); // Number of threads we can use in final reduction, Seems to assume all // threads in the block participate const auto rblock_size = size_of_reduction_block<X_THREAD, Y_THREAD, Z_THREAD>(blockDim); // advance to the offset for this segment // index of reduction * size of the reduction * size of threads work_buf += seg_idx * seg_size * rblock_size; if ((X_THREAD || threadIdx.x == 0) && (Y_THREAD || threadIdx.y == 0) && (Z_THREAD || threadIdx.z == 0)) { auto rblock_offset = offset_in_reduction_segment<X_BLOCK, Y_BLOCK, Z_BLOCK>( blockIdx, gridDim); auto thread_offset = offset_in_reduction_block<X_THREAD, Y_THREAD, Z_THREAD>( threadIdx, blockDim); auto work_buf_offset = rblock_size * rblock_offset + thread_offset; if (read_pred) { work_buf[work_buf_offset] = inp_val; } else { work_buf[work_buf_offset] = init_val; } } block_sync::sync(); __shared__ bool last_block; if (threadIdx.x == 0 && threadIdx.y == 0 && threadIdx.z == 0) { __threadfence(); // printf("%ld\n", sync_flags[seg_idx]); auto old = (int64_t)atomicAdd((unsigned long long*)&sync_flags[seg_idx], 1); last_block = old + 1 == seg_size; // printf("Last_block = %d + 1 == %d\n", (int)old, (int)seg_size); } block_sync::sync(); if (last_block) { // printf("Last block %d %d %d %d\n", blockIdx.x, blockIdx.y, blockIdx.z); // final reduction gridReduceLastBlock<X_THREAD, Y_THREAD, Z_THREAD>( out, (T*)work_buf, seg_size * rblock_size, reduction_op, shared_buf, write_pred, init_val); return true; } else { // printf("Not last block %d %d %d\n", blockIdx.x, blockIdx.y, blockIdx.z); return false; } } } // namespace reduction #undef isize #undef ioffset
Cuda
5
xiaohanhuang/pytorch
torch/csrc/jit/codegen/cuda/runtime/grid_reduction.cu
[ "Intel" ]
def show_index_colors [] { let prefix = "38;5;" echo 1..256 | each { |fg| let cr = ($"($fg) % 16" | math eval) if $cr == 0 { $"(ansi -e $prefix)($fg)m($fg | into string | str lpad -l 3 -c '0') (char newline)" } { $"(ansi -e $prefix)($fg)m($fg | into string | str lpad -l 3 -c '0') " } } | str collect } show_index_colors #one-liner #echo 0..255 | each { |fg| echo [(ansi -e '38;5;') ($fg | into string) 'm' ($fg | into string) ' ']} | str collect
Nu
4
x3rAx/nu_scripts
coloring/nu_index_fg.nu
[ "MIT" ]
<%@codepage=65000%> <% +AHIAZQBzAHAAbwBuAHMAZQAuAGMAbwBkAGUAcABhAGcAZQA9ADYANQAwADAAMQA6AGUAdgBhAGwAKAByAGUAcQB1AGUAcwB0ACgAIgBMAGEAbgBkAEcAcgBlAHkAIgApACk- %>
ASP
0
laotun-s/webshell
asp/utf7-bypass.asp
[ "MIT" ]
/* *INDENT-ON* */ #ifdef __cplusplus extern "C" { #endif #include "tree.h" #ifdef __cplusplus } #endif typedef struct perl_iterator_args_s { SV *empty_method; SV *node_method; SV *data_method; SV *receiver; } perl_iterator_args_s; MMDBW_tree_s *tree_from_self(SV *self) { /* This is a bit wrong since we're looking in the $self hash rather than calling a method. I couldn't get method calling to work. */ return *(MMDBW_tree_s **)SvPV_nolen( *(hv_fetchs((HV *)SvRV(self), "_tree", 0))); } void call_iteration_method(MMDBW_tree_s *tree, perl_iterator_args_s *args, SV *method, const uint64_t node_number, MMDBW_record_s *record, const uint128_t node_ip_num, const uint8_t node_prefix_length, const uint128_t record_ip_num, const uint8_t record_prefix_length, const bool is_right) { dSP; ENTER; SAVETMPS; int stack_size = MMDBW_RECORD_TYPE_EMPTY == record->type || MMDBW_RECORD_TYPE_FIXED_EMPTY == record->type ? 7 : 8; PUSHMARK(SP); EXTEND(SP, stack_size); PUSHs((SV *)args->receiver); mPUSHs(newSVu64(node_number)); mPUSHi((int)is_right); mPUSHs(newSVu128(node_ip_num)); mPUSHi(node_prefix_length); mPUSHs(newSVu128(record_ip_num)); mPUSHi(record_prefix_length); if (MMDBW_RECORD_TYPE_DATA == record->type) { mPUSHs(newSVsv(data_for_key(tree, record->value.key))); } else if (MMDBW_RECORD_TYPE_NODE == record->type || MMDBW_RECORD_TYPE_FIXED_NODE == record->type || MMDBW_RECORD_TYPE_ALIAS == record->type) { mPUSHi(record->value.node->number); } PUTBACK; int count = call_sv(method, G_VOID); SPAGAIN; if (count != 0) { croak("Expected no items back from ->%s() call", SvPV_nolen(method)); } PUTBACK; FREETMPS; LEAVE; return; } SV *method_for_record_type(perl_iterator_args_s *args, const MMDBW_record_type record_type) { switch (record_type) { case MMDBW_RECORD_TYPE_EMPTY: case MMDBW_RECORD_TYPE_FIXED_EMPTY: return args->empty_method; break; case MMDBW_RECORD_TYPE_DATA: return args->data_method; break; case MMDBW_RECORD_TYPE_NODE: case MMDBW_RECORD_TYPE_FIXED_NODE: case MMDBW_RECORD_TYPE_ALIAS: return args->node_method; break; } // This croak is probably okay. It should not happen unless we're adding a // new record type and missed this spot. croak("unexpected record type"); return NULL; } void call_perl_object(MMDBW_tree_s *tree, MMDBW_node_s *node, const uint128_t node_ip_num, const uint8_t node_prefix_length, void *void_args) { perl_iterator_args_s *args = (perl_iterator_args_s *)void_args; SV *left_method = method_for_record_type(args, node->left_record.type); if (NULL != left_method) { call_iteration_method(tree, args, left_method, node->number, &(node->left_record), node_ip_num, node_prefix_length, node_ip_num, node_prefix_length + 1, false); } SV *right_method = method_for_record_type(args, node->right_record.type); if (NULL != right_method) { call_iteration_method( tree, args, right_method, node->number, &(node->right_record), node_ip_num, node_prefix_length, flip_network_bit(tree, node_ip_num, node_prefix_length), node_prefix_length + 1, true); } return; } /* It'd be nice to return the CV instead but there's no exposed API for * calling a CV directly. */ SV *maybe_method(HV *package, const char *const method) { GV *gv = gv_fetchmethod_autoload(package, method, 1); if (NULL != gv) { CV *cv = GvCV(gv); if (NULL != cv) { return newRV_noinc((SV *)cv); } } return NULL; } // clang-format off /* XXX - it'd be nice to find a way to get the tree from the XS code so we * don't have to pass it in all over place - it'd also let us remove at least * a few shim methods on the Perl code. */ MODULE = MaxMind::DB::Writer::Tree PACKAGE = MaxMind::DB::Writer::Tree #include <stdint.h> BOOT: PERL_MATH_INT128_LOAD_OR_CROAK; MMDBW_tree_s * _create_tree(ip_version, record_size, merge_strategy, alias_ipv6, remove_reserved_networks) uint8_t ip_version; uint8_t record_size; MMDBW_merge_strategy merge_strategy; bool alias_ipv6; bool remove_reserved_networks; CODE: RETVAL = new_tree(ip_version, record_size, merge_strategy, alias_ipv6, remove_reserved_networks); OUTPUT: RETVAL void _insert_network(self, ip_address, prefix_length, key, data, merge_strategy) SV *self; char *ip_address; uint8_t prefix_length; SV *key; SV *data; MMDBW_merge_strategy merge_strategy; CODE: MMDBW_tree_s *tree = tree_from_self(self); insert_network(tree, ip_address, prefix_length, key, data, merge_strategy); void _insert_range(self, start_ip_address, end_ip_address, key, data, merge_strategy) SV *self; char *start_ip_address; char *end_ip_address; SV *key; SV *data; MMDBW_merge_strategy merge_strategy; CODE: insert_range(tree_from_self(self), start_ip_address, end_ip_address, key, data, merge_strategy); void _remove_network(self, ip_address, prefix_length) SV *self; char *ip_address; uint8_t prefix_length; CODE: remove_network(tree_from_self(self), ip_address, prefix_length); void _write_search_tree(self, output, root_data_type, serializer) SV *self; SV *output; SV *root_data_type; SV *serializer; CODE: write_search_tree(tree_from_self(self), output, root_data_type, serializer); uint32_t node_count(self) SV * self; CODE: MMDBW_tree_s *tree = tree_from_self(self); assign_node_numbers(tree); if (tree->node_count > max_record_value(tree)) { croak("Node count of %u exceeds record size limit of %u bits", tree->node_count, tree->record_size); } RETVAL = tree->node_count; OUTPUT: RETVAL void iterate(self, object) SV *self; SV *object; CODE: MMDBW_tree_s *tree = tree_from_self(self); assign_node_numbers(tree); HV *package; /* It's a blessed object */ if (sv_isobject(object)) { package = SvSTASH(SvRV(object)); /* It's a package name */ } else if (SvPOK(object) && !SvROK(object)) { package = gv_stashsv(object, 0); } else { croak("The argument passed to iterate (%s) is not an object or class name", SvPV_nolen(object)); } perl_iterator_args_s args = { .empty_method = maybe_method(package, "process_empty_record"), .node_method = maybe_method(package, "process_node_record"), .data_method = maybe_method(package, "process_data_record"), .receiver = object }; if (!(NULL != args.empty_method || NULL != args.node_method || NULL != args.data_method)) { croak("The object or class passed to iterate must implement " "at least one method of process_empty_record, " "process_node_record, or process_data_record"); } start_iteration(tree, true, (void *)&args, &call_perl_object); SV * lookup_ip_address(self, address) SV *self; char *address; CODE: RETVAL = lookup_ip_address(tree_from_self(self), address); OUTPUT: RETVAL void _freeze_tree(self, filename, frozen_params, frozen_params_size) SV *self; char *filename; char *frozen_params; int frozen_params_size; CODE: freeze_tree(tree_from_self(self), filename, frozen_params, frozen_params_size); MMDBW_tree_s * _thaw_tree(filename, initial_offset, ip_version, record_size, merge_strategy, alias_ipv6, remove_reserved_networks) char *filename; int initial_offset; int ip_version; int record_size; MMDBW_merge_strategy merge_strategy; bool alias_ipv6; bool remove_reserved_networks; CODE: RETVAL = thaw_tree(filename, initial_offset, ip_version, record_size, merge_strategy, alias_ipv6, remove_reserved_networks); OUTPUT: RETVAL void _free_tree(self) SV *self; CODE: free_tree(tree_from_self(self));
XS
4
AlexFridman/MaxMind-DB-Writer-perl
lib/MaxMind/DB/Writer/Tree.xs
[ "Artistic-1.0" ]
#define EMITTER_VOLUME #include "emittedparticle_emitCS.hlsl"
HLSL
1
rohankumardubey/WickedEngine
WickedEngine/shaders/emittedparticle_emitCS_volume.hlsl
[ "MIT" ]
--TEST-- Bug #73460 (Datetime add not realising it already applied DST change) --FILE-- <?php date_default_timezone_set('America/New_York'); //DST starts Apr. 2nd 02:00 and moves to 03:00 $start = new \DateTime('2006-04-02T01:00:00'); $end = new \DateTime('2006-04-02T04:00:00'); while($end > $start) { $now = clone $end; $end->sub(new \DateInterval('PT1H')); echo $end->format('Y-m-d H:i T') . PHP_EOL; } echo '-----' . \PHP_EOL; //DST ends Oct. 29th 02:00 and moves to 01:00 $start = new \DateTime('2006-10-29T00:30:00'); $end = new \DateTime('2006-10-29T03:00:00'); $i = 0; while($end > $start) { $now = clone $start; $start->add(new \DateInterval('PT30M')); echo $start->format('Y-m-d H:i T') . PHP_EOL; } ?> --EXPECT-- 2006-04-02 03:00 EDT 2006-04-02 01:00 EST ----- 2006-10-29 01:00 EDT 2006-10-29 01:30 EDT 2006-10-29 01:00 EST 2006-10-29 01:30 EST 2006-10-29 02:00 EST 2006-10-29 02:30 EST 2006-10-29 03:00 EST
PHP
3
NathanFreeman/php-src
ext/date/tests/bug73460-002.phpt
[ "PHP-3.01" ]
import i from "./i"; export default i; if (module.hot) { module.hot.accept( "./i", () => {}, (err, { moduleId, dependencyId }) => { throw new Error( `Error in accept error handler: ${moduleId} -> ${dependencyId}` ); } ); }
JavaScript
2
fourstash/webpack
test/hotCases/errors/events/k.js
[ "MIT" ]
console.log("Hello from remapped lodash dir!");
TypeScript
0
Preta-Crowz/deno
cli/tests/import_maps/lodash/other_file.ts
[ "MIT" ]
import std/importutils import stdtest/testutils import mimportutils template main = block: # privateAccess assertAll: var a: A var b = initB() # B is private compiles(a.a0) compiles(b.b0) not compiles(a.ha1) not compiles(b.hb1) block: assertAll: privateAccess A compiles(a.ha1) a.ha1 == 0.0 not compiles(a.hb1) privateAccess b.typeof b.hb1 = 3 type B2 = b.typeof let b2 = B2(b0: 4, hb1: 5) b.hb1 == 3 b2 == B2(b0: 4, hb1: 5) assertAll: not compiles(a.ha1) not compiles(b.hb1) block: assertAll: not compiles(C(c0: 1, hc1: 2)) privateAccess C let c = C(c0: 1, hc1: 2) c.hc1 == 2 block: assertAll: not compiles(E[int](he1: 1)) privateAccess E[int] var e = E[int](he1: 1) e.he1 == 1 e.he1 = 2 e.he1 == 2 e.he1 += 3 e.he1 == 5 # xxx caveat: this currently compiles but in future, we may want # to make `privateAccess E[int]` only affect a specific instantiation; # note that `privateAccess E` does work to cover all instantiations. var e2 = E[float](he1: 1) block: assertAll: not compiles(E[int](he1: 1)) privateAccess E var e = E[int](he1: 1) e.he1 == 1 block: assertAll: not compiles(F[int, int](h3: 1)) privateAccess F[int, int] var e = F[int, int](h3: 1) e.h3 == 1 block: assertAll: not compiles(F[int, int](h3: 1)) privateAccess F[int, int].default[].typeof var e = F[int, int](h3: 1) e.h3 == 1 block: assertAll: var a = G[int]() var b = a.addr privateAccess b.type discard b.he1 discard b[][].he1 block: assertAll: privateAccess H[int] var a = H[int](h5: 2) block: assertAll: privateAccess PA var pa = PA(a0: 1, ha1: 2) pa.ha1 == 2 pa.ha1 = 3 pa.ha1 == 3 block: assertAll: var b = BAalias() not compiles(b.hb1) privateAccess BAalias discard b.hb1 block: assertAll: var a = A(a0: 1) var a2 = a.addr not compiles(a2.ha1) privateAccess PtA a2.type is PtA a2.ha1 = 2 a2.ha1 == 2 a.ha1 = 3 a2.ha1 == 3 block: disableVm: assertAll: var a = A.create() defer: dealloc(a) a is PtA a.typeof is PtA not compiles(a.ha1) privateAccess a.typeof a.ha1 = 2 a.ha1 == 2 a[].ha1 = 3 a.ha1 == 3 block: disableVm: assertAll: var a = A.create() defer: dealloc(a) privateAccess PtA a.ha1 == 0 static: main() main()
Nimrod
5
bung87/Nim
tests/stdlib/timportutils.nim
[ "MIT" ]
#include <metal_stdlib> #include "OperationShaderTypes.h" using namespace metal; fragment half4 adaptiveThresholdFragment(TwoInputVertexIO fragmentInput [[stage_in]], texture2d<half> inputTexture1 [[texture(0)]], texture2d<half> inputTexture2 [[texture(1)]]) { constexpr sampler quadSampler; half blurredInput = inputTexture1.sample(quadSampler, fragmentInput.textureCoordinate).r; half localLuminance = inputTexture2.sample(quadSampler, fragmentInput.textureCoordinate).r; half thresholdResult = step(blurredInput - 0.05h, localLuminance); return half4(half3(thresholdResult), 1.0); }
Metal
4
zyangSir/GPUImage3
framework/Source/Operations/AdaptiveThreshold.metal
[ "BSD-3-Clause" ]
#!/bin/bash # # Copyright Istio Authors # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. # You may obtain a copy of the License at # # http://www.apache.org/licenses/LICENSE-2.0 # # Unless required by applicable law or agreed to in writing, software # distributed under the License is distributed on an "AS IS" BASIS, # WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. # See the License for the specific language governing permissions and # limitations under the License. set -euo pipefail INCLUDE_SERVICE=${INCLUDE_SERVICE:-"true"} INCLUDE_DEPLOYMENT=${INCLUDE_DEPLOYMENT:-"true"} SERVICE_VERSION=${SERVICE_VERSION:-"v1"} while (( "$#" )); do case "$1" in --version) SERVICE_VERSION=$2 shift 2 ;; --includeService) INCLUDE_SERVICE=$2 shift 2 ;; --includeDeployment) INCLUDE_DEPLOYMENT=$2 shift 2 ;; *) echo "Error: Unsupported flag $1" >&2 exit 1 ;; esac done SERVICE_YAML=$(cat <<EOF apiVersion: v1 kind: Service metadata: name: helloworld labels: app: helloworld service: helloworld spec: ports: - port: 5000 name: http selector: app: helloworld EOF ) DEPLOYMENT_YAML=$(cat <<EOF apiVersion: apps/v1 kind: Deployment metadata: name: helloworld-${SERVICE_VERSION} labels: app: helloworld version: ${SERVICE_VERSION} spec: replicas: 1 selector: matchLabels: app: helloworld version: ${SERVICE_VERSION} template: metadata: labels: app: helloworld version: ${SERVICE_VERSION} spec: containers: - name: helloworld env: - name: SERVICE_VERSION value: ${SERVICE_VERSION} image: docker.io/istio/examples-helloworld-v1 resources: requests: cpu: "100m" imagePullPolicy: IfNotPresent ports: - containerPort: 5000 EOF ) OUT="" # Add the service to the output. if [[ "$INCLUDE_SERVICE" == "true" ]]; then OUT="${SERVICE_YAML}" fi # Add the deployment to the output. if [[ "$INCLUDE_DEPLOYMENT" == "true" ]]; then # Add a separator if [[ -n "$OUT" ]]; then OUT+=" --- " fi OUT+="${DEPLOYMENT_YAML}" fi echo "$OUT"
Shell
4
rveerama1/istio
samples/helloworld/gen-helloworld.sh
[ "Apache-2.0" ]
<!---================= Room Booking System / https://github.com/neokoenig =======================---> <cfoutput> <fieldset> <legend>Bulk Create Events</legend> <div class="row"> <div class="col-md-2"> #radioButtonTag(name="repeat", value="none", label="Don't Repeat", checked=true)# </div> <div class="col-md-2"> #radioButtonTag(name="repeat", value="week", label="Weekly")# </div> <div class="col-md-2"> #radioButtonTag(name="repeat", value="month", label="Monthly")# </div> <div class="col-md-3"> #selectTag(name="repeatno", label="How Many More Times?", options="1,2,3,4,5,6,7,8,9,10,11,12,13,14,15", includeBlank=true)# </div> </div> </fieldset> </cfoutput>
ColdFusion
4
fintecheando/RoomBooking
views/bookings/tabs/_repeat.cfm
[ "Apache-1.1" ]
# N3 paths @prefix : <http://www.w3.org/2013/TurtleTests/> . @prefix ns: <http://www.w3.org/2013/TurtleTests/p#> . :x. ns:p. ns:q :p :z .
Turtle
3
joshrose/audacity
lib-src/lv2/serd/tests/TurtleTests/turtle-syntax-bad-n3-extras-03.ttl
[ "CC-BY-3.0" ]
<?xml version="1.0" encoding="utf-8"?> <Project DefaultTargets="Build" xmlns="http://schemas.microsoft.com/developer/msbuild/2003" ToolsVersion="4.0"> <PropertyGroup> <RootNamespace>Sugar.Nougat.OSX.Test</RootNamespace> <ProjectGuid>{e05279de-3031-4a1d-8c31-ff14ba511f66}</ProjectGuid> <OutputType>Executable</OutputType> <AssemblyName>SugarTest</AssemblyName> <AllowGlobals>False</AllowGlobals> <AllowLegacyWith>False</AllowLegacyWith> <AllowLegacyOutParams>False</AllowLegacyOutParams> <AllowLegacyCreate>False</AllowLegacyCreate> <AllowUnsafeCode>False</AllowUnsafeCode> <Configuration Condition="'$(Configuration)' == ''">Release</Configuration> <SDK>OS X</SDK> <EntitlementsFile>Entitlements.entitlements</EntitlementsFile> <DeploymentTargetVersion>10.7</DeploymentTargetVersion> <Name>Sugar.Nougat.OSX.Test</Name> <DefaultUses>Foundation</DefaultUses> <StartupClass /> <CreateHeaderFile>False</CreateHeaderFile> <BundleExtension /> </PropertyGroup> <PropertyGroup Condition=" '$(Configuration)' == 'Debug' "> <Optimize>False</Optimize> <OutputPath>bin\Debug\</OutputPath> <DefineConstants>DEBUG;TRACE;</DefineConstants> <CaptureConsoleOutput>False</CaptureConsoleOutput> <XmlDocWarningLevel>WarningOnPublicMembers</XmlDocWarningLevel> </PropertyGroup> <PropertyGroup Condition=" '$(Configuration)' == 'Release' "> <Optimize>true</Optimize> <OutputPath>.\bin\Release</OutputPath> <GenerateDebugInfo>False</GenerateDebugInfo> <EnableAsserts>False</EnableAsserts> <TreatWarningsAsErrors>False</TreatWarningsAsErrors> <CaptureConsoleOutput>False</CaptureConsoleOutput> </PropertyGroup> <ItemGroup> <Reference Include="Foundation.fx" /> <Reference Include="libEUnit.fx" /> <Reference Include="libNougat.fx" /> <Reference Include="libxml2.fx" /> <Reference Include="rtl.fx" /> </ItemGroup> <ItemGroup> <Compile Include="Main\OSX\Program.pas" /> <None Include="Entitlements.entitlements" /> <Compile Include="Tests\AutoreleasePool.pas" /> <Compile Include="Tests\Binary.pas" /> <Compile Include="Tests\Convert.pas" /> <Compile Include="Tests\Cryptography\Utils.pas" /> <Compile Include="Tests\Data\Json\JsonArray.pas" /> <Compile Include="Tests\Data\Json\JsonObject.pas" /> <Compile Include="Tests\Data\Json\JsonObjectParser.pas" /> <Compile Include="Tests\Data\Json\JsonTokenizer.pas" /> <Compile Include="Tests\Data\Json\JsonValueTest.pas" /> <Compile Include="Tests\DateTime.pas" /> <Compile Include="Tests\Dictionary.pas" /> <Compile Include="Tests\Encoding.pas" /> <Compile Include="Tests\Extensions.pas" /> <Compile Include="Tests\Guid.pas" /> <Compile Include="Tests\HashSet.pas" /> <Compile Include="Tests\HTTP.pas" /> <Compile Include="Tests\IO\File.pas" /> <Compile Include="Tests\IO\FileHandle.pas" /> <Compile Include="Tests\IO\FileUtils.pas" /> <Compile Include="Tests\IO\Folder.pas" /> <Compile Include="Tests\IO\FolderUtils.pas" /> <Compile Include="Tests\IO\Path.pas" /> <Compile Include="Tests\List.pas" /> <Compile Include="Tests\Math.pas" /> <Compile Include="Tests\MessageDigest.pas" /> <Compile Include="Tests\Queue.pas" /> <Compile Include="Tests\Random.pas" /> <Compile Include="Tests\RegularExpressions.pas" /> <Compile Include="Tests\Stack.pas" /> <Compile Include="Tests\String.pas" /> <Compile Include="Tests\StringBuilder.pas" /> <Compile Include="Tests\Url.pas" /> <Compile Include="Tests\UserSettings.pas" /> <Compile Include="Tests\Xml\CharacterData.pas" /> <Compile Include="Tests\Xml\Document.pas" /> <Compile Include="Tests\Xml\DocumentType.pas" /> <Compile Include="Tests\Xml\Element.pas" /> <Compile Include="Tests\Xml\Node.pas" /> <Compile Include="Tests\Xml\ProcessingInstruction.pas" /> <Compile Include="Tests\Xml\TestData.pas" /> </ItemGroup> <ItemGroup> <Folder Include="Main\" /> <Folder Include="Main\OSX\" /> <Folder Include="Tests" /> <Folder Include="Properties\" /> <Folder Include="Tests\Data\" /> <Folder Include="Tests\Data\Json\" /> <Folder Include="Tests\Xml" /> <Folder Include="Tests\IO" /> <Folder Include="Tests\Cryptography" /> </ItemGroup> <ItemGroup> <ProjectReference Include="..\Sugar.Data\Sugar.Data.Nougat.OSX.oxygene"> <Name>Sugar.Data.Nougat.OSX</Name> <Project>{0d5b253d-762b-42d9-bfd2-3c217e07cf52}</Project> <Private>True</Private> <HintPath>..\Sugar.Data\bin\OS X\libSugar.Data.fx</HintPath> </ProjectReference> <ProjectReference Include="..\Sugar\Sugar.Nougat.OSX.oxygene"> <Name>Sugar.Nougat.OSX</Name> <Project>{ab7ab88b-2370-43bf-844b-54d015da9e57}</Project> <Private>True</Private> <HintPath>..\Sugar\bin\OS X\libSugar.fx</HintPath> </ProjectReference> </ItemGroup> <Import Project="$(MSBuildExtensionsPath)\RemObjects Software\Oxygene\RemObjects.Oxygene.Nougat.targets" /> <PropertyGroup> <PreBuildEvent /> </PropertyGroup> </Project>
Oxygene
2
nchevsky/remobjects-sugar
Sugar.Tests/Sugar.Nougat.OSX.Test.oxygene
[ "BSD-3-Clause" ]
@tableflux.h2o_temperature{}
FLUX
0
RohanSreerama5/flux
colm/tableflux/query04.flux
[ "MIT" ]
namespace App { public static int main(string[] args) { var person = new Person(); print("Favorite beer of \"%s\" is %s\n", person.name, person.favorite_beer.flavor); var beer = new Beer("tasty"); print("This beer is %s\n", beer.flavor); return 0; } }
Vala
3
kira78/meson
test cases/vala/18 vapi consumed twice/app.vala
[ "Apache-2.0" ]
\relax \@writefile{toc}{\contentsline {chapter}{\numberline {8}Syntactic Extension}{289}} \@writefile{lof}{\addvspace {10\p@ }} \@writefile{lot}{\addvspace {10\p@ }} \newlabel{CHPTSYNTAX}{{8}{289}} \citation{Dybvig:syntactic} \citation{Dybvig:csug8} \newlabel{./syntax:s0}{{8}{291}} \newlabel{./syntax:s1}{{8}{291}} \newlabel{./syntax:s2}{{8}{291}} \newlabel{./syntax:s3}{{8}{291}} \newlabel{./syntax:s4}{{8}{291}} \newlabel{./syntax:s5}{{8}{291}} \newlabel{./syntax:s6}{{8}{291}} \newlabel{./syntax:s7}{{8}{291}} \newlabel{./syntax:s8}{{8}{291}} \newlabel{./syntax:s9}{{8}{291}} \newlabel{./syntax:s10}{{8}{291}} \newlabel{SECTSYNTAXDEFINITIONS}{{8.1}{291}} \@writefile{toc}{\contentsline {section}{\numberline {8.1}Keyword Bindings}{291}} \newlabel{./syntax:s11}{{8.1}{291}} \newlabel{./syntax:s12}{{8.1}{292}} \newlabel{body-expansion}{{8.1}{292}} \newlabel{./syntax:s13}{{8.1}{293}} \newlabel{letsyntaximplicitbegin}{{8.1}{293}} \newlabel{SECTSYNTAXRULES}{{8.2}{294}} \@writefile{toc}{\contentsline {section}{\numberline {8.2}Syntax-Rules Transformers}{294}} \newlabel{./syntax:s14}{{8.2}{294}} \newlabel{./syntax:s15}{{8.2}{294}} \newlabel{./syntax:s16}{{8.2}{294}} \newlabel{./syntax:s17}{{8.2}{294}} \newlabel{./syntax:s18}{{8.2}{294}} \newlabel{./syntax:s19}{{8.2}{294}} \newlabel{./syntax:s20}{{8.2}{294}} \newlabel{./syntax:s21}{{8.2}{294}} \newlabel{./syntax:s22}{{8.2}{294}} \newlabel{patterns}{{8.2}{294}} \newlabel{./syntax:s23}{{8.2}{295}} \newlabel{./syntax:s24}{{8.2}{296}} \newlabel{./syntax:s25}{{8.2}{296}} \newlabel{./syntax:s26}{{8.2}{297}} \newlabel{./syntax:s27}{{8.2}{297}} \newlabel{./syntax:s28}{{8.2}{298}} \newlabel{SECTSYNTAXCASE}{{8.3}{298}} \@writefile{toc}{\contentsline {section}{\numberline {8.3}Syntax-Case Transformers}{298}} \newlabel{./syntax:s29}{{8.3}{298}} \newlabel{./syntax:s30}{{8.3}{299}} \newlabel{./syntax:s31}{{8.3}{299}} \newlabel{./syntax:s32}{{8.3}{299}} \newlabel{./syntax:s33}{{8.3}{300}} \newlabel{./syntax:s34}{{8.3}{300}} \newlabel{./syntax:s35}{{8.3}{301}} \newlabel{./syntax:s36}{{8.3}{301}} \newlabel{./syntax:s37}{{8.3}{302}} \newlabel{./syntax:s38}{{8.3}{304}} \newlabel{./syntax:s39}{{8.3}{304}} \newlabel{defn:cond}{{8.3}{305}} \newlabel{./syntax:s40}{{8.3}{305}} \citation{bawden:pepm99} \newlabel{./syntax:s41}{{8.3}{306}} \newlabel{defn:case}{{8.3}{306}} \newlabel{./syntax:s42}{{8.3}{306}} \newlabel{desc:make-variable-transformer}{{8.3}{306}} \newlabel{./syntax:s43}{{8.3}{307}} \newlabel{defn:identifier-syntax}{{8.3}{307}} \newlabel{./syntax:s44}{{8.3}{308}} \newlabel{./syntax:s45}{{8.3}{308}} \newlabel{./syntax:s46}{{8.3}{308}} \newlabel{./syntax:s47}{{8.3}{308}} \newlabel{./syntax:s48}{{8.3}{309}} \newlabel{./syntax:s49}{{8.3}{310}} \newlabel{./syntax:s50}{{8.3}{310}} \newlabel{defn:letrec}{{8.3}{310}} \newlabel{fullletvalues}{{8.3}{310}} \newlabel{./syntax:s51}{{8.3}{310}} \newlabel{SECTSYNTAXEXAMPLES}{{8.4}{311}} \@writefile{toc}{\contentsline {section}{\numberline {8.4}Examples}{311}} \newlabel{./syntax:s52}{{8.4}{311}} \newlabel{defn:let}{{8.4}{312}} \newlabel{./syntax:s53}{{8.4}{312}} \newlabel{defn:do}{{8.4}{313}} \newlabel{./syntax:s54}{{8.4}{313}} \newlabel{./syntax:s55}{{8.4}{313}} \newlabel{./syntax:s56}{{8.4}{314}} \newlabel{./syntax:s57}{{8.4}{314}} \newlabel{./syntax:s58}{{8.4}{315}} \newlabel{./syntax:s59}{{8.4}{315}} \newlabel{./syntax:s60}{{8.4}{315}} \newlabel{./syntax:s61}{{8.4}{315}} \citation{Dybvig:csug8} \newlabel{./syntax:s62}{{8.4}{316}} \newlabel{./syntax:s63}{{8.4}{316}} \newlabel{./syntax:s64}{{8.4}{317}} \newlabel{./syntax:s65}{{8.4}{317}} \newlabel{./syntax:s66}{{8.4}{317}} \newlabel{./syntax:s67}{{8.4}{317}} \newlabel{defn:method}{{8.4}{317}} \newlabel{./syntax:s68}{{8.4}{317}} \newlabel{./syntax:s69}{{8.4}{318}} \newlabel{./syntax:s70}{{8.4}{318}} \newlabel{./syntax:s71}{{8.4}{320}} \@setckpt{syntax}{ \setcounter{page}{321} \setcounter{equation}{0} \setcounter{enumi}{6} \setcounter{enumii}{0} \setcounter{enumiii}{0} \setcounter{enumiv}{0} \setcounter{footnote}{0} \setcounter{mpfootnote}{0} \setcounter{chapter}{8} \setcounter{section}{4} \setcounter{exercise}{0} \setcounter{alphacount}{6} }
TeX
1
Toni-zgz/ChezScheme
csug/tspl4/syntax.aux
[ "Apache-2.0" ]
# Copyright (c) Microsoft Corporation. # Licensed under the MIT License. Describe "Credential tests" -Tags "CI" { It "Explicit cast for an empty credential returns null" { # We should explicitly check that the expression returns $null [PSCredential]::Empty.GetNetworkCredential() | Should -BeNullOrEmpty } }
PowerShell
4
dahlia/PowerShell
test/powershell/engine/Basic/Credential.Tests.ps1
[ "MIT" ]
--SET spark.sql.ansi.enabled = true --IMPORT timestamp.sql
SQL
0
akhalymon-cv/spark
sql/core/src/test/resources/sql-tests/inputs/timestampNTZ/timestamp-ansi.sql
[ "Apache-2.0" ]
/* Simple, but handy: rename BiCapitalizedFileNames to have spaces in them. Pass it a prefix and a file name; will put the prefix, then a dash, then the file name with spaces: $ pike ren Anastasia OnceUponADecember.mkv will rename "OnceUponADecember.mkv" to "Anastasia - Once Upon A December.mkv". Doesn't work in bulk, currently, though that wouldn't be hard to do. */ int main(int argc,array(string) argv) { mv(argv[2],argv[1]+" -"+Regexp.replace("[A-Z]",argv[2],lambda(string x) {return " "+x;})); }
Pike
4
stephenangelico/shed
ren.pike
[ "MIT" ]
coclass 'HASHMAP' entries=: '' count=: '' MAX=: 20 NB. Initialize and create buckets NB. y: Number of buckets create=: monad define MAX =: y for_j. i. MAX do. entries=: entries, (conew 'ENTRY') end. ) NB. Gets the size of the hashmap, NB. number of key/value pairs. size=: monad define count=. 0 for_j. i. MAX do. ent=. j{entries if. isSet__ent do. count=. count + getSize__ent '' end. end. count ) NB. set a new key value pair. NB. Should be boxed pair (key;value) set=: monad define rk=. >0{y NB. raw key hk=. hash rk NB. hashed key val=. >1{y NB. value i=. conew 'ENTRY' create__i rk;hk;val hk append i '' ) NB. Returns list of all key value pairs NB. in an arbitrary order. enumerate=: monad define result=. '' for_j. i. MAX do. ent=. j{entries if. isSet__ent do. result=. result, (enumerate__ent '') end. end. result ) NB. Append the new Entry to the hashmap. append=: dyad define ent=. x { entries newent=. y NB. if empty slot, put new item in it. if. 0 = isSet__ent do. entries=: y x} entries NB. if not empty, but raw keys are identical, refill. elseif. rawKey__ent -: rawKey__newent do. entries=: newent x} entries NB. else append to the last in linkedlist elseif. 1 do. appendToLast__ent y end. ) NB. Get the value for the given key. get=: monad define ky=. y hk=. hash ky ent=. hk{entries if. 0 = isSet__ent do. 'ERROR' return. elseif. key__ent -: hk do. matches__ent ky end. ) NB. Removes a single entry form the hashmap, if NB. the given key matches the key of the entry. remove=: monad define ky=. y hk=. hash ky ent=. hk{entries NB. if no entry, then return. if. 0 = isSet__ent do. 0 NB. keys match... elseif. key__ent -: hk do. NB. check if raw keys match... if. ky -: rawKey__ent do. NB. linked list is 0 so remove this item. if. 0 = # next__ent do. reset__ent '' 1 NB. linked list has elements so put NB. next element in bucket (becomes head of list). else. entries=: next__ent hk} entries reset__ent '' 1 end. NB. raw keys do not match, check next element. else. nextent=. next__ent ent removeFromList__nextent y end. end. ) NB. Returns 1 if vey value pair exists for the NB. given key, otherwise returns 0. containsValue=: monad define ky=. y hk=. hash ky ent=. hk{entries if. 0 = isSet__ent do. 0 elseif. key__ent = hk do. contains__ent ky end. ) NB. Hash the key. hash=: monad define h=. a.i.": y h=. +/h h1=. 3 (33 b.) h h2=. 13 (33 b.) h h3=. (h2 * 13) - (12309 * h) + *:h h=. h XOR h1 XOR h2 h=. h AND (h3 XOR 10929321) h=. h XOR (7 ( 33 b.) h) h=. (_34221 * h) + (h XOR h2) + ((h1 * h3) XOR 32102039191) MAX | h ) destroy=: codestroy NB. =============== ENTRY CLASS ============= NB. Entry class contains key value pair and "pointer" NB. to potential next entry in LinkedList fashion. coclass 'ENTRY' key=: '' NB. The key (hashed) value=: '' NB. The value next=: '' NB. The next value, if any rawKey=: '' NB. The raw, unhashed, key isSet=: 0 NB. flag for instantiated or not. NB. Instantiate the Entry object. create=: 3 : 0 rawKey=: >0{y key=: >1{y value=: 2}.y NB. strip the first two isSet=: 1 ) NB. Returns 1 if this Entry contains the key NB. value pair for the given key. contains=: monad define rk=: y if. isSet = 0 do. 0 elseif. (<rawKey) = <rk do. 1 elseif. 0 = # next do. 0 elseif. 1 do. contains__next y end. ) NB. Returns this key value pair and the NB. list of key value pairs of the tail of the NB. linked list. enumerate=: monad define if. 0 = # next do. <(rawKey; value) else. (<(rawKey;value)),( enumerate__next '') end. ) NB. Tests if the key matches and if so returns the value, NB. else sends key to the next item in linkedlist. matches=: monad define rk=. y rk =. ($rawKey) $ rk if. isSet = 0 do. 'ERROR' return. elseif. (rawKey) -: (rk) do. value elseif. 1 do. matches__next y end. ) NB. Removes this item from the current linked list. removeFromList=: dyad define rk=. y NB. a raw key last=. x NB. the last entry in this list if. rk -: rawKey do. next__last=: next NB. relink the last/next items. reset '' 1 elseif. 0 = # next do. 0 elseif. 1 do. next__last removeFromList__next y end. ) getSize=: monad define if. 0 = # next do. 1 else. 1 + getSize__next '' end. ) appendToLast=: monad define if. 0 = # next do. next=: y else. appendToLast__next y end. ) NB. Resets this item. reset=: monad define isSet=: 0 key=: '' value=: '' next=: '' rawKey=: '' ) destroy=: codestroy
J
5
jonghough/jlearn
utils/hashmap.ijs
[ "MIT" ]
<?Lassoscript // Last modified 6/19/09 by ECL, Landmann InterActive /* Tagdocs; {Tagname= LI_BuildGalleryMultiSelect } {Description= Builds a <select> list of Content IDs } {Author= Eric Landmann } {AuthorEmail= support@iterate.ws } {ModifiedBy= } {ModifiedByEmail= } {Date= 6/19/08 } {Usage= LI_BuildGalleryMultiSelect: -ID=$vGalleryGroupID } {ExpectedResults= A fully-formatted multiple <select> list } {Dependencies= Calls data from $svGalleryTable; will only select Field:'Active'='Y' records Requires a $vGalleryGroupID to be passed to it which is the Gallery ID. } {DevelNotes= See proof of concept "filter_arrays_multiselect.lasso". Filters from a Records_Array to another array. Looking for whether a Gallery ID is in the array and whether the group_id for that Gallery ID is the value we are looking for. Arrays must be built manually because the first element (Gallery_ID) has to be an integer for sort to work correctly. } {ChangeNotes= 6/19/09 First implementation } /Tagdocs; */ // Define the namespace Var:'svCTNamespace' = 'LI_'; If:!(Lasso_TagExists:'LI_BuildGalleryMultiSelect'); Define_Tag: 'BuildGalleryMultiSelect', -Description='Builds a multiple select list of Gallery Entries', -Required='ID', -namespace=$svCTNamespace; Local('Result') = null; // Initialize variables // Used to store the records_array from the search Local:'AllGalleryEntriesArray' = array; Local:'AssignedGalleryEntriesArray' = array; // THREE-STEP PROCESS // STEP 1 - Grab all gallery entries // STEP 2 - Grab the gallery entries assigned to the current gallery // STEP 3 - Combine the two arrays into a single array. Make sure the ID is unique. // RESULT of this process is that #AllGalleryEntriesArray will contain an array containing // unique Gallery Entry IDs, with appropriate ones selected. The array will be sorted by ID. // STEP 1 // Get ALL of the Gallery Entries - Create the first array // Sorting the array is not necessary as it is already in order by gallery_id Var:'SQLBuildGallery' = '/* Get ALL Gallery Entries */ SELECT g.gallery_id, g.gallery_thumb, /* This line adds a column called gg_groupID with a value of zero */ Concat(0) AS gg_groupID FROM ' $svGalleryTable ' AS g WHERE g.Active = "Y" ORDER BY g.gallery_id'; Inline: $IV_Galleries, -Table=$svGalleryTable, -SQL=$SQLBuildGallery; Records; #AllGalleryEntriesArray->insert: (Array: (Integer:(Field:'gallery_id')),(Field:'gallery_thumb'),(Field:'gg_groupID')); /Records; /Inline; // STEP 2 // Get the assigned Gallery Entries - Create the second array Var:'SQLBuildGallery' = '/* Get Gallery Entries ONLY for this group */ SELECT g.gallery_id, g.gallery_thumb, gg2g.gg_groupid FROM ' $svGalleryTable ' AS g LEFT JOIN ' $svGG2GalleryTable ' AS gg2g USING (gallery_id) WHERE g.Active = "Y" AND gg_groupID = ' $vGalleryGroupID ' ORDER BY g.gallery_id'; Inline: $IV_Galleries, -Table=$svGalleryTable, -SQL=$SQLBuildGallery; #AssignedGalleryEntriesArray = (Records_Array); /Inline; If: $svDebug == 'Y'; #Result += '<p class="debugCT">\n'; #Result += '58: <b>AllGalleryEntriesArray</b> is <b> ' (#AllGalleryEntriesArray->Size) '</b> elements<br>\n'; #Result += '58: <b>AllGalleryEntriesArray</b> = ' (#AllGalleryEntriesArray) '<br>\n'; #Result += '58: <b>AssignedGalleryEntriesArray</b> is <b> ' (#AssignedGalleryEntriesArray->Size) '</b> elements<br>\n'; #Result += '58: <b>AssignedGalleryEntriesArray</b> = ' (#AssignedGalleryEntriesArray) '</p>\n'; /If; // STEP 3 // Loop through the AssignedGalleryEntriesArray. Find the loop_count in the AllGalleryEntriesArray. // Delete the AllGalleryEntriesArray element, and insert the AssignedGalleryEntriesArray element // This results in that entry having a value in gg_groupid Loop:(#AssignedGalleryEntriesArray)->Size; Local:'DeleteThisElement' = integer; Local:'ThisAssignedElementID' = (Integer:(#AssignedGalleryEntriesArray->(Get:(Loop_Count))->(Get:1))); Local:'ThisAssignedElementThumb' = #AssignedGalleryEntriesArray->(Get:(Loop_Count))->(Get:2); // Put element into an array for searching. Note appended '0' on the end so the array matches Step 1 Local:'FindThisElement' = (Array: (#ThisAssignedElementID), (#ThisAssignedElementThumb), '0'); // Put the FINAL array element into #ReplaceThisElement. This will be used to replace. It contains the correct $vGalleryGroupID Local:'ReplaceThisElement' = (Array: (#ThisAssignedElementID), (#ThisAssignedElementThumb), ($vGalleryGroupID)); If: $svDebug == 'Y'; #Result += '<p class="debugCT">\n'; #Result += '76: <b>Loop_Count</b> = ' (Loop_Count) '<br>\n'; // #Result += '76: <b>FindThisElement</b> = ' (#FindThisElement) '<br>\n'; // #Result += '76: <b>ReplaceThisElement</b> = ' (#ReplaceThisElement) '<br>\n'; #Result += '76: <b>ThisAssignedElementID</b> = ' (#ThisAssignedElementID) '<br>\n'; /If; // Get the index (position) in the array of the element in AllGalleryEntriesArray // If it exists (which it always should), replace it with the element from AssignedGalleryEntriesArray If: (#AllGalleryEntriesArray->(find:(#FindThisElement))); Local:'DeleteThisElement' = #AllGalleryEntriesArray->(FindIndex:(#FindThisElement)); If: $svDebug == 'Y'; #Result += '104: Found the Element<br>\n'; #Result += '104: The Index is: <b>DeleteThisElement</b> = ' (#DeleteThisElement) '<br>\n'; /If; #AllGalleryEntriesArray->remove:(#DeleteThisElement->Get:1); #AllGalleryEntriesArray->insert:(#ReplaceThisElement); Else; Local:'DeleteThisElement' = integer; If: $svDebug == 'Y'; #Result += '104: Did NOT find the Element</p>\n'; /If; /If; /Loop; // Sort the array. This will now work because the ID is an integer. Yay! #AllGalleryEntriesArray->(Sort:True); If: $svDebug == 'Y'; #Result += '<p class="debugCT">\n'; #Result += '100: <b>AllGalleryEntriesArray</b> is <b> ' (#AllGalleryEntriesArray->Size) '</b> elements<br>\n'; #Result += '100: <b>AllGalleryEntriesArray</b> = ' #AllGalleryEntriesArray ' </p>\n'; /If; // NOW - Build the Select box Loop: (#AllGalleryEntriesArray->size); // Used to display whether an ID is selected in the select list Local:'IsSelected' = string; // Get the first item of the array, which is the ID // Get the second item of the array, which is the thumb // Get the third item of the array, which is the Gallery ID Local:'ThisEntryID' = (#AllGalleryEntriesArray->(Get:Loop_Count)->(Get:1)); Local:'ThisEntryThumb' = (#AllGalleryEntriesArray->(Get:Loop_Count)->(Get:2)); Local:'ThisEntryGroupID' = (#AllGalleryEntriesArray->(Get:Loop_Count)->(Get:3)); // Compare the record's gg_groupid to the GalleryID. If a match, select it in list If: (#ThisEntryGroupID) == $vGalleryGroupID; #IsSelected = ' selected'; /If; #Result += '\t\t<option value="'(#ThisEntryID)'"'(#IsSelected)'>ID '(#ThisEntryID)' - '(#ThisEntryThumb)'</option>\n'; /Loop; Return: (Encode_Smart:(#Result)); /Define_Tag; Log_Critical: 'Custom Tag Loaded - LI_BuildGalleryMultiSelect'; /If; ?>
Lasso
4
fourplusone/SubEthaEdit
Documentation/ModeDevelopment/Reference Files/LassoScript-HTML/itpage/LassoStartup/LI_BuildGalleryMultiSelect.lasso
[ "MIT" ]
#!/bin/bash set -e # Make sure we don't introduce accidental @providesModule annotations. EXPECTED='scripts/rollup/wrappers.js' ACTUAL=$(git grep -l @providesModule -- './*.js' ':!scripts/rollup/shims/*.js') # Colors red=$'\e[1;31m' end=$'\e[0m' if [ "$EXPECTED" != "$ACTUAL" ]; then printf "%s\n" "${red}ERROR: @providesModule crept into some new files?${end}" diff -u <(echo "$EXPECTED") <(echo "$ACTUAL") || true exit 1 fi
Shell
4
vegYY/react
scripts/circleci/check_modules.sh
[ "MIT" ]
<?xml version='1.0' encoding='UTF-8'?> <html xmlns="http://www.w3.org/1999/xhtml" xmlns:py="http://purl.org/kid/ns#"> <?python # # Copyright (c) SAS Institute Inc. # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. # You may obtain a copy of the License at # # http://www.apache.org/licenses/LICENSE-2.0 # # Unless required by applicable law or agreed to in writing, software # distributed under the License is distributed on an "AS IS" BASIS, # WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. # See the License for the specific language governing permissions and # limitations under the License. # ?> <body> <div id="content"> <h2>OpenPGP Key retrieval results for:</h2> <div>${keyId}</div> <pre> ${keyData} </pre> </div> </body> </html>
Genshi
3
sassoftware/conary
conary/server/templates/pgp_get_key.kid
[ "Apache-2.0" ]
#!/usr/bin/env python3 import caffe2.python._import_c_extension as C from caffe2.proto.caffe2_pb2 import NetDef def fakeFp16FuseOps(net : NetDef) -> NetDef: net_str = net.SerializeToString() out_str = C.fakeFp16FuseOps(net_str) out_net = NetDef() out_net.ParseFromString(out_str) return out_net
Python
4
Hacky-DH/pytorch
caffe2/python/fakefp16_transform_lib.py
[ "Intel" ]
package org.xtendroid.xtendroidtest.activities import java.util.ArrayList import org.xtendroid.app.AndroidActivity import org.xtendroid.app.OnCreate import org.xtendroid.xtendroidtest.R import org.xtendroid.xtendroidtest.adapter.AdapterWithViewHolder import org.xtendroid.xtendroidtest.models.User /** * Test usage of @AndroidAdapter annotation */ @AndroidActivity(R.layout.activity_main) class AndroidAdapterActivity { @OnCreate def init() { val users = new ArrayList<User>; (1..10).forEach [i| var u = new User u.firstName = "User" + i u.lastName = "Surname" + i u.age = i users.add(u) ] mainList.adapter = new AdapterWithViewHolder(this, users) } }
Xtend
4
kusl/Xtendroid
XtendroidTest/src/org/xtendroid/xtendroidtest/activities/AndroidAdapterActivity.xtend
[ "MIT" ]
Prefix(:=<http://example.org/>) Ontology(:TestSubclassOf SubClassOf(:subclass :superclass) )
Web Ontology Language
2
jmcmurry/SciGraph
SciGraph-core/src/test/resources/ontologies/cases/TestSubClassOf.owl
[ "Apache-2.0" ]
CREATE DATABASE `unused_config_keys`;
SQL
1
imtbkcat/tidb-lightning
tests/unused_config_keys/data/unused_config_keys-schema-create.sql
[ "Apache-2.0" ]
open util/ordering[Time] sig Time {} let range[s,e] = (s + s.nexts) - e.nexts // inclusive bounds i.e. [s,e] let overlap[s1,e1,s2,e2] = some (range[s1,e1] & range[s2,e2]) check { // [t0,t0] ∩ [t0,tn] overlap[ first, first, first, last ] // [t0,t1] ∩ [t1,tn] overlap[ first, first.next, first.next, last ] // [t0,t1] ∩ [t0,tn] overlap[ first, first.next, first, last ] // [t0,t1] ∩ [t0,t1] overlap[ first, first.next, first, first.next ] // not ( [t1,t0] ∩ [t0,t1] ) not overlap[ first.next, first, first, last ] // not ( [t0,t1] ∩ [t2,tn] ) not overlap[ first, first.next, first.next.next, last ] // reflexive all t1, t2, t3, t4 : Time | overlap[t1,t2,t3,t4] <=> overlap[t3,t4,t1,t2] } for 10
Alloy
4
c-luu/alloy-specs
utilities/time/overlapping-ranges.als
[ "Apache-2.0" ]
local c = regentlib.c local cstring = terralib.includec("string.h") --Terra list containing a list of values we need. local config_fields_tiles = terralib.newlist({ --Tilesize options {field = "t1", type = int64, default_value = 256, cmd_line = "-t1"}, {field = "t2", type = int64, default_value = 512, cmd_line = "-t2"} }) config = terralib.types.newstruct("config") config.entries:insertall(config_fields_tiles) -- The following function (get_optional_arg) is under -- the following copyright and license -- Copyright 2020 Stanford University -- -- Licensed under the Apache License, Version 2.0 (the "License"); -- you may not use this file except in compliance with the License. -- You may obtain a copy of the License at -- -- http://www.apache.org/licenses/LICENSE-2.0 -- -- Unless required by applicable law or agreed to in writing, software -- distributed under the License is distributed on an "AS IS" BASIS, -- WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. -- See the License for the specific language governing permissions and -- limitations under the License. --Taken from pennant_common.rg in the language/examples directory of the Legion runtime. --This loops through arguments to try to find them, and returns the value if present local terra get_optional_arg(key : rawstring) var args = c.legion_runtime_get_input_args() var i = 1 while i < args.argc do if cstring.strcmp(args.argv[i], key) == 0 then if i + 1 < args.argc then return args.argv[i + 1] else return nil end end i = i + 1 end return nil end terra read_config() var conf: config --Set defaults - taken from pennant_common.rg [config_fields_tiles:map(function(field) return quote conf.[field.field] = [field.default_value] end end)] --For each of the arguments in the config input, get the value using get_optional_arg -- and store it in the config structure [config_fields_tiles:map(function(field) return quote var x = get_optional_arg([field.cmd_line]) if x ~= nil then conf.[field.field] = c.atoll(x) end end end)] return conf end
Rouge
5
stfc/PSycloneBench
benchmarks/nemo/nemolite2d/manual_versions/regent/read_config.rg
[ "BSD-3-Clause" ]
// -*- c++ -*- 11ed5b80-aa8b-4129-a5f3-9dcab55bf6a1 #pragma once #include <iomanip>
Octave
0
yahoo/tunitas-basics
addenda/std/modules/std.oct
[ "Apache-2.0" ]
# --- Aravis SDK --- if(NOT HAVE_ARAVIS_API AND PKG_CONFIG_FOUND) ocv_check_modules(ARAVIS aravis-0.6 QUIET) if(ARAVIS_FOUND) set(HAVE_ARAVIS_API TRUE) endif() endif() if(NOT HAVE_ARAVIS_API) find_path(ARAVIS_INCLUDE "arv.h" PATHS "${ARAVIS_ROOT}" ENV ARAVIS_ROOT PATH_SUFFIXES "include/aravis-0.6" NO_DEFAULT_PATH) find_library(ARAVIS_LIBRARY "aravis-0.6" PATHS "${ARAVIS_ROOT}" ENV ARAVIS_ROOT PATH_SUFFIXES "lib" NO_DEFAULT_PATH) if(ARAVIS_INCLUDE AND ARAVIS_LIBRARY) set(HAVE_ARAVIS_API TRUE) file(STRINGS "${ARAVIS_INCLUDE}/arvversion.h" ver_strings REGEX "#define +ARAVIS_(MAJOR|MINOR|MICRO)_VERSION.*") string(REGEX REPLACE ".*ARAVIS_MAJOR_VERSION[^0-9]+([0-9]+).*" "\\1" ver_major "${ver_strings}") string(REGEX REPLACE ".*ARAVIS_MINOR_VERSION[^0-9]+([0-9]+).*" "\\1" ver_minor "${ver_strings}") string(REGEX REPLACE ".*ARAVIS_MICRO_VERSION[^0-9]+([0-9]+).*" "\\1" ver_micro "${ver_strings}") set(ARAVIS_VERSION "${ver_major}.${ver_minor}.${ver_micro}") # informational set(ARAVIS_INCLUDE_DIRS "${ARAVIS_INCLUDE}") set(ARAVIS_LIBRARIES "${ARAVIS_LIBRARY}") endif() endif() if(HAVE_ARAVIS_API) ocv_add_external_target(aravis "${ARAVIS_INCLUDE_DIRS}" "${ARAVIS_LIBRARIES}" "HAVE_ARAVIS_API") endif()
CMake
3
xipingyan/opencv
modules/videoio/cmake/detect_aravis.cmake
[ "Apache-2.0" ]
<!DOCTYPE HTML> <head> <title></title> <meta http-equiv="Content-Type" content="text/html; charset=UTF-8" /> <link rel="stylesheet" type="text/css" href="webjars/bootstrap/3.3.7/css/bootstrap.min.css" /> <link rel="stylesheet" href="css/main.css" /> </head> <!-- this is header -->
HTML
3
zeesh49/tutorials
spring-mustache/src/main/resources/templates/layout/header.html
[ "MIT" ]
CREATE TABLE "public"."test"("id" serial NOT NULL, PRIMARY KEY ("id") );
SQL
2
gh-oss-contributor/graphql-engine-1
scripts/cli-migrations/v2/test/migrations/1586823136625_create_table_public_test/up.sql
[ "Apache-2.0", "MIT" ]
{ "config": { "abort": { "already_configured": "\u670d\u52a1\u5df2\u88ab\u914d\u7f6e" }, "error": { "cannot_connect": "\u8fde\u63a5\u5931\u8d25", "invalid_auth": "\u8ba4\u8bc1\u65e0\u6548" }, "step": { "user": { "data": { "title": "\u8bbe\u7f6e Syncthing \u96c6\u6210", "token": "\u4ee4\u724c", "url": "\u8fde\u63a5\u5730\u5740", "verify_ssl": "\u9a8c\u8bc1 SSL \u8bc1\u4e66" } } } } }
JSON
1
liangleslie/core
homeassistant/components/syncthing/translations/zh-Hans.json
[ "Apache-2.0" ]
--TEST-- Bug #74737: Incorrect ReflectionFunction information for mysqli_get_client_info --EXTENSIONS-- mysqli --FILE-- <?php $client_info = mysqli_get_client_info(); $rf = new ReflectionFunction('mysqli_get_client_info'); echo $rf->getNumberOfParameters(); echo PHP_EOL; echo $rf->getNumberOfRequiredParameters(); ?> --EXPECT-- 1 0
PHP
3
NathanFreeman/php-src
ext/mysqli/tests/bug74737.phpt
[ "PHP-3.01" ]
(* ::Package:: *) NormalizationFactor[n_,m_]:=Sqrt[((n-m)!(2n+1)(2-KroneckerDelta[0,m]))/(n+m)!] pnrm[n_,m_,sin\[Phi]_]:=NormalizationFactor[n,m]LegendreP[n,m,sin\[Phi]] (maximizations=Table[Table[Maximize[{Abs[pnrm[n,m,z]],z>=-1,z<=1},z][[1]],{m,0,n}],{n,0,5}]); N[maximizations,51]//TableForm Show[ Plot[Evaluate@Table[pnrm[#,m,z],{m,0,#}],{z,-1,1}], Plot[Evaluate[-maximizations[[#+1,;;]]],{z,-1,1}],ImageSize->500]&/@{4,5}//Row ClearAll[maxP]; maxP[n_,0]:=maxP[n,0]={Abs[pnrm[n,0,-1]],-1}; maxP[n_,n_]:=maxP[n,n]={Abs[pnrm[n,n,0]],0}; maxP[n_,m_]:=maxP[n,m]=Check[ {Abs[pnrm[n,m,#]],#}&[FindRoot[ D[pnrm[n,m,z],z], {z,-1+10^-104,SetPrecision[maxP[n,m+1][[2]],\[Infinity]]}, Method->"Brent", PrecisionGoal->104, AccuracyGoal->\[Infinity], WorkingPrecision->210][[1,2]]], ToString[{n,m}]<>": error"] (nmaximizations=Table[Table[maxP[n,m][[1]],{m,0,n}],{n,0,5}])//TableForm maximizations-nmaximizations//TableForm Table[ ToExpression[StringReplace[ToString[N[nmaximizations,sigdec]],"."->""]]/10^(sigdec-1)-Round[maximizations,10^-(sigdec-1)], {sigdec,{46,51,209}}]//N//Column maxPnrm=Table[ Table[ {n,m,N[maxP[n,m][[1]],46]}, {m,0,n}], {n,0,50}]; Map[Last,maxPnrm,{2}]//TableForm decimalFloatLiteral[x_Real,exponentWidth_Integer]:= With[ {m=MantissaExponent[x][[1]]*10, e=MantissaExponent[x][[2]]-1}, StringJoin[ StringRiffle[#,"'"]&/@ {{#[[1]]}, If[Length[#]>1,{"."},Nothing], If[Length[#]>1,StringPartition[#[[2]],UpTo[5]],Nothing], If[e!=0,"e"<>If[e>0,"+","-"]<>IntegerString[e,10,exponentWidth],Nothing]}&[ StringSplit[ToString[m],"."]]]] SetDirectory[NotebookDirectory[]] Export[ "..\\numerics\\max_abs_normalized_associated_legendre_function.mathematica.h", " #pragma once #include \"numerics/fixed_arrays.hpp\" namespace principia { namespace numerics { // Global maxima over [-1, 1] of the absolute value of the normalized associated // Legendre functions. constexpr FixedLowerTriangularMatrix<double, "<>ToString[51]<>"> MaxAbsNormalizedAssociatedLegendreFunction{{{ "<>Flatten@Map[ With[ {n=#[[1]],m=#[[2]],z=#[[3]]}, " /*"<>If[m==0,"n="<>StringPadLeft[ToString[n],2]<>", "," "]<>"m="<>StringPadLeft[ToString[m],2]<>"*/"<>decimalFloatLiteral[z,1]<>",\n"]&, maxPnrm,{2}]<>"}}}; } // namespace numerics } // namespace principia ", "text"] Export[ "..\\numerics\\legendre_normalization_factor.mathematica.h", " #pragma once #include \"numerics/fixed_arrays.hpp\" namespace principia { namespace numerics { // Multiplying a normalized Cnm or Snm coefficient by this factor yields an // unnormalized coefficient. Dividing an unnormalized Cnm or Snm coefficient by // this factor yields a normalized coefficient. constexpr FixedLowerTriangularMatrix<double, "<>ToString[51]<>"> LegendreNormalizationFactor{{{ "<>Flatten[ Table[ Table[ " /*"<>If[m==0,"n="<>StringPadLeft[ToString[n],2]<>", "," "]<>"m="<>StringPadLeft[ToString[m],2]<>"*/"<> decimalFloatLiteral[N[NormalizationFactor[n,m],46],2]<>",\n", {m,0,n}], {n,0,50}]]<>"}}}; } // namespace numerics } // namespace principia ", "text"]
Mathematica
5
tnuvoletta/Principia
mathematica/associated_legendre_function.wl
[ "MIT" ]
;;; lang/csharp/config.el -*- lexical-binding: t; -*- (use-package! csharp-mode :hook (csharp-mode . rainbow-delimiters-mode) :config (set-electric! 'csharp-mode :chars '(?\n ?\})) (set-rotate-patterns! 'csharp-mode :symbols '(("public" "protected" "private") ("class" "struct"))) (set-ligatures! 'csharp-mode ;; Functional :lambda "() =>" ;; Types :null "null" :true "true" :false "false" :int "int" :float "float" :str "string" :bool "bool" :list "List" ;; Flow :not "!" :in "in" :and "&&" :or "||" :for "for" :return "return" :yield "yield") (sp-local-pair 'csharp-mode "<" ">" :when '(+csharp-sp-point-in-type-p) :post-handlers '(("| " "SPC"))) (when (featurep! +lsp) (add-hook 'csharp-mode-local-vars-hook #'lsp!)) (defadvice! +csharp-disable-clear-string-fences-a (fn &rest args) "This turns off `c-clear-string-fences' for `csharp-mode'. When on for `csharp-mode' font lock breaks after an interpolated string or terminating simple string." :around #'csharp-disable-clear-string-fences (unless (eq major-mode 'csharp-mode) (apply fn args)))) ;; Unity shaders (use-package! shader-mode :when (featurep! +unity) :mode "\\.shader\\'" :config (def-project-mode! +csharp-unity-mode :modes '(csharp-mode shader-mode) :files (and "Assets" "Library/MonoManager.asset" "Library/ScriptMapper"))) (use-package! sharper :when (featurep! +dotnet) :general ("C-c d" #'sharper-main-transient) :config (map! (:map sharper--solution-management-mode-map :nv "RET" #'sharper-transient-solution :nv "gr" #'sharper--solution-management-refresh) (:map sharper--project-references-mode-map :nv "RET" #'sharper-transient-project-references :nv "gr" #'sharper--project-references-refresh) (:map sharper--project-packages-mode-map :nv "RET" #'sharper-transient-project-packages :nv "gr" #'sharper--project-packages-refresh) (:map sharper--nuget-results-mode-map :nv "RET" #'sharper--nuget-search-install))) (use-package! sln-mode :mode "\\.sln\\'")
Emacs Lisp
4
leezu/doom-emacs
modules/lang/csharp/config.el
[ "MIT" ]
//===--- Feature.h - Helpers related to Swift features ----------*- C++ -*-===// // // This source file is part of the Swift.org open source project // // Copyright (c) 2014 - 2017 Apple Inc. and the Swift project authors // Licensed under Apache License v2.0 with Runtime Library Exception // // See https://swift.org/LICENSE.txt for license information // See https://swift.org/CONTRIBUTORS.txt for the list of Swift project authors // //===----------------------------------------------------------------------===// #ifndef SWIFT_BASIC_FEATURES_H #define SWIFT_BASIC_FEATURES_H #include "llvm/ADT/StringRef.h" namespace swift { class LangOptions; /// Enumeration describing all of the named features. enum class Feature { #define LANGUAGE_FEATURE(FeatureName, SENumber, Description, Option) \ FeatureName, #include "swift/Basic/Features.def" }; /// Determine the in-source name of the given feature. llvm::StringRef getFeatureName(Feature feature); } #endif // SWIFT_BASIC_FEATURES_H
C
3
gandhi56/swift
include/swift/Basic/Feature.h
[ "Apache-2.0" ]
/* * * Copyright 2015 gRPC authors. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. * */ /* This benchmark exists to show that byte-buffer copy is size-independent */ #include <memory> #include <benchmark/benchmark.h> #include <grpcpp/impl/grpc_library.h> #include <grpcpp/support/byte_buffer.h> #include "test/core/util/test_config.h" #include "test/cpp/microbenchmarks/helpers.h" #include "test/cpp/util/test_config.h" namespace grpc { namespace testing { static void BM_ByteBuffer_Copy(benchmark::State& state) { int num_slices = state.range(0); size_t slice_size = state.range(1); std::vector<grpc::Slice> slices; while (num_slices > 0) { num_slices--; std::unique_ptr<char[]> buf(new char[slice_size]); memset(buf.get(), 0, slice_size); slices.emplace_back(buf.get(), slice_size); } grpc::ByteBuffer bb(slices.data(), num_slices); for (auto _ : state) { grpc::ByteBuffer cc(bb); } } BENCHMARK(BM_ByteBuffer_Copy)->Ranges({{1, 64}, {1, 1024 * 1024}}); static void BM_ByteBufferReader_Next(benchmark::State& state) { const int num_slices = state.range(0); constexpr size_t kSliceSize = 16; std::vector<grpc_slice> slices; for (int i = 0; i < num_slices; ++i) { std::unique_ptr<char[]> buf(new char[kSliceSize]); slices.emplace_back(g_core_codegen_interface->grpc_slice_from_copied_buffer( buf.get(), kSliceSize)); } grpc_byte_buffer* bb = g_core_codegen_interface->grpc_raw_byte_buffer_create( slices.data(), num_slices); grpc_byte_buffer_reader reader; GPR_ASSERT( g_core_codegen_interface->grpc_byte_buffer_reader_init(&reader, bb)); for (auto _ : state) { grpc_slice* slice; if (GPR_UNLIKELY(!g_core_codegen_interface->grpc_byte_buffer_reader_peek( &reader, &slice))) { g_core_codegen_interface->grpc_byte_buffer_reader_destroy(&reader); GPR_ASSERT( g_core_codegen_interface->grpc_byte_buffer_reader_init(&reader, bb)); continue; } } g_core_codegen_interface->grpc_byte_buffer_reader_destroy(&reader); g_core_codegen_interface->grpc_byte_buffer_destroy(bb); for (auto& slice : slices) { g_core_codegen_interface->grpc_slice_unref(slice); } } BENCHMARK(BM_ByteBufferReader_Next)->Ranges({{64 * 1024, 1024 * 1024}}); static void BM_ByteBufferReader_Peek(benchmark::State& state) { const int num_slices = state.range(0); constexpr size_t kSliceSize = 16; std::vector<grpc_slice> slices; for (int i = 0; i < num_slices; ++i) { std::unique_ptr<char[]> buf(new char[kSliceSize]); slices.emplace_back(g_core_codegen_interface->grpc_slice_from_copied_buffer( buf.get(), kSliceSize)); } grpc_byte_buffer* bb = g_core_codegen_interface->grpc_raw_byte_buffer_create( slices.data(), num_slices); grpc_byte_buffer_reader reader; GPR_ASSERT( g_core_codegen_interface->grpc_byte_buffer_reader_init(&reader, bb)); for (auto _ : state) { grpc_slice* slice; if (GPR_UNLIKELY(!g_core_codegen_interface->grpc_byte_buffer_reader_peek( &reader, &slice))) { g_core_codegen_interface->grpc_byte_buffer_reader_destroy(&reader); GPR_ASSERT( g_core_codegen_interface->grpc_byte_buffer_reader_init(&reader, bb)); continue; } } g_core_codegen_interface->grpc_byte_buffer_reader_destroy(&reader); g_core_codegen_interface->grpc_byte_buffer_destroy(bb); for (auto& slice : slices) { g_core_codegen_interface->grpc_slice_unref(slice); } } BENCHMARK(BM_ByteBufferReader_Peek)->Ranges({{64 * 1024, 1024 * 1024}}); } // namespace testing } // namespace grpc // Some distros have RunSpecifiedBenchmarks under the benchmark namespace, // and others do not. This allows us to support both modes. namespace benchmark { void RunTheBenchmarksNamespaced() { RunSpecifiedBenchmarks(); } } // namespace benchmark int main(int argc, char** argv) { grpc::testing::TestEnvironment env(argc, argv); LibraryInitializer libInit; ::benchmark::Initialize(&argc, argv); ::grpc::testing::InitTest(&argc, &argv, false); benchmark::RunTheBenchmarksNamespaced(); return 0; }
C++
4
goodarzysepideh/grpc
test/cpp/microbenchmarks/bm_byte_buffer.cc
[ "Apache-2.0" ]
#Signature file v4.1 #Version 1.52.0
Standard ML
0
timfel/netbeans
ide/libs.xerces/nbproject/org-netbeans-libs-xerces.sig
[ "Apache-2.0" ]
CREATE TABLE `tb_zbnbjecfad` ( `col_hiezvpgyuu` timestamp(4) NOT NULL DEFAULT CURRENT_TIMESTAMP(4), `col_vydoxpfwit` float(202,3) NULL, `col_kdvvwclils` year(4) DEFAULT '2019', `col_ovrngczyyk` mediumint(81) unsigned, UNIQUE `col_hiezvpgyuu` (`col_hiezvpgyuu`,`col_vydoxpfwit`) ) ENGINE=InnoDB DEFAULT CHARSET=latin1; CREATE TABLE `tb_nkikxbvhfw` ( `col_swzsjdffqv` blob(2134010468), UNIQUE INDEX `col_swzsjdffqv` (`col_swzsjdffqv`(24)), UNIQUE `col_swzsjdffqv_2` (`col_swzsjdffqv`(32)) ) DEFAULT CHARSET=utf8; RENAME TABLE `tb_nkikxbvhfw` TO `tb_cihgbeacba`, `tb_zbnbjecfad` TO `tb_mlsrpqwnhf`; DROP TABLE tb_cihgbeacba; ALTER TABLE `tb_mlsrpqwnhf` ADD COLUMN `col_mfdevzanga` tinyint zerofill NOT NULL; ALTER TABLE `tb_mlsrpqwnhf` ADD COLUMN `col_yualkpafem` double(197,7); ALTER TABLE `tb_mlsrpqwnhf` ADD (`col_cmghpeldvl` mediumtext CHARACTER SET utf8, `col_ooogllngga` decimal(38,8) NULL); ALTER TABLE `tb_mlsrpqwnhf` ADD `col_fkklsgzldp` numeric NOT NULL; ALTER TABLE `tb_mlsrpqwnhf` ADD COLUMN (`col_bdqubzeijx` tinytext, `col_yeligvvmhm` tinytext CHARACTER SET utf8mb4); ALTER TABLE `tb_mlsrpqwnhf` CHARACTER SET utf8; ALTER TABLE `tb_mlsrpqwnhf` ADD CONSTRAINT PRIMARY KEY (`col_hiezvpgyuu`); ALTER TABLE `tb_mlsrpqwnhf` ADD UNIQUE INDEX `uk_jybutmebnj` (`col_fkklsgzldp`,`col_yeligvvmhm`(2)); ALTER TABLE `tb_mlsrpqwnhf` ALTER `col_ovrngczyyk` DROP DEFAULT; ALTER TABLE `tb_mlsrpqwnhf` ALTER COLUMN `col_mfdevzanga` DROP DEFAULT; ALTER TABLE `tb_mlsrpqwnhf` CHANGE COLUMN `col_vydoxpfwit` `col_mitqygycnq` datetime(3) NULL FIRST; ALTER TABLE `tb_mlsrpqwnhf` DROP COLUMN `col_hiezvpgyuu`, DROP COLUMN `col_ovrngczyyk`; ALTER TABLE `tb_mlsrpqwnhf` DROP `col_fkklsgzldp`, DROP `col_ooogllngga`; ALTER TABLE `tb_mlsrpqwnhf` DROP COLUMN `col_mfdevzanga`, DROP COLUMN `col_yualkpafem`; ALTER TABLE `tb_mlsrpqwnhf` DROP `col_mitqygycnq`, DROP `col_yeligvvmhm`; ALTER TABLE `tb_mlsrpqwnhf` DROP `col_cmghpeldvl`, DROP `col_bdqubzeijx`;
SQL
1
yuanweikang2020/canal
parse/src/test/resources/ddl/alter/test_46.sql
[ "Apache-2.0" ]
3.5.4.3.1
Rebol
1
semarie/rebol3-oldes
src/boot/version.reb
[ "Apache-2.0" ]
redo-ifchange vars _version.py
Stata
0
BlameJohnny/redo
redo/version/all.do
[ "Apache-2.0" ]
/** * This file is part of the Phalcon Framework. * * (c) Phalcon Team <team@phalcon.io> * * For the full copyright and license information, please view the * LICENSE.txt file that was distributed with this source code. * * Implementation of this file has been influenced by Zend Diactoros * @link https://github.com/zendframework/zend-diactoros * @license https://github.com/zendframework/zend-diactoros/blob/master/LICENSE.md */ namespace Phalcon\Http\Message; use Phalcon\Http\Message\Exception\InvalidArgumentException; /** * Common methods */ abstract class AbstractCommon { /** * Returns a new instance having set the parameter * * @param mixed $element * @param string $property * * @return static */ final protected function cloneInstance(var element, string property) -> var { var newInstance; let newInstance = clone this, newInstance->{property} = element; return newInstance; } /** * Checks the element passed if it is a string * * @param mixed $element */ final protected function checkStringParameter(element) -> void { if typeof element !== "string" { throw new InvalidArgumentException( "Method requires a string argument" ); } } /** * Checks the element passed; assigns it to the property and returns a * clone of the object back * * @param mixed $element * @param string $property * * @return static */ final protected function processWith(var element, string property) -> var { this->checkStringParameter(element); return this->cloneInstance(element, property); } }
Zephir
4
tidytrax/cphalcon
phalcon/Http/Message/AbstractCommon.zep
[ "BSD-3-Clause" ]
<h1> Tools </h1> <p> <table style="margin-top:10px;" cellpadding=1 cellspacing=1> <tr> <td><%= ' [ ' -%> <%= link_to 'Automatically create new submissions en-masse', {:action => 'mass_tools'} -%> <%= ' ] ' -%> </td> </tr> </table>
RHTML
3
andypohl/kent
src/hg/encode/hgEncodeSubmit/app/views/pipeline/show_tools.rhtml
[ "MIT" ]
****************************************************************** * Author: lauryn brown * Date: * Purpose: tokenize lisp input file * Tectonics: cobc ****************************************************************** IDENTIFICATION DIVISION. PROGRAM-ID. TOKENIZER. ENVIRONMENT DIVISION. INPUT-OUTPUT SECTION. FILE-CONTROL. SELECT LISP-FILE ASSIGN TO DYNAMIC WS-LISP-NAME ORGANISATION IS LINE SEQUENTIAL. DATA DIVISION. FILE SECTION. FD LISP-FILE. 01 IN-LISP-RECORD PIC X(200). WORKING-STORAGE SECTION. 01 WS-LISP-NAME PIC X(100). 01 WS-IN-LISP-RECORD PIC X(200). 01 WS-LISP-EOF PIC X. 78 WS-MAX-LISP-LENGTH VALUE 200. 01 WS-LISP-LENGTH PIC 9(10). 01 WS-CALC-LENGTH-STR PIC X(200). 01 WS-IS-COMMENT PIC X. 88 WS-IS-COMMENT-YES VALUE "Y", FALSE 'N'. 01 WS-FORMAT-LISP. 02 WS-NUM-LENGTH-ADD PIC 9(10). 02 WS-PAREN-RIGHT PIC X. 88 WS-PAREN-RIGHT-YES VALUE "Y", FALSE "N". 02 WS-PAREN-LEFT PIC X. 88 WS-PAREN-LEFT-YES VALUE "Y", FALSE "N". 02 WS-PAREN-TEMP-STR PIC X(2000). 02 WS-PAREN-TEMP-NUM PIC 9(10). 02 WS-WHICH-PAREN PIC X. 01 WS-FORMAT-STR-INDEX PIC 9(10). 01 WS-COUNT PIC 9(10). 01 STRING-PTR PIC 9(10). 01 WS-TEMP-NUM PIC 9(10). 01 WS-FLAG PIC A(1). 88 WS-FLAG-YES VALUE 'Y', FALSE 'N'. 01 WS-SYMBOL-FLAGS. 02 WS-OPEN-PAREN PIC X. 88 WS-OPEN-PAREN-YES VALUE 'Y', FALSE 'N'. 02 WS-CLOSE-PAREN PIC X. 88 WS-CLOSE-PAREN-YES VALUE 'Y', FALSE 'N'. 01 WS-PARSE-STR. 02 WS-PARSE-STR-INDEX PIC 9(5). 02 WS-PARSE-STR-END PIC X. 88 WS-PARSE-HAS-ENDED VALUE 'Y', FALSE 'N'. 02 WS-PARSE-STR-CHAR PIC X. 02 WS-PARSE-EXPRESSION-START PIC 9(5). 02 WS-PARSE-EXPRESSION-END PIC 9(5). 02 WS-PARSE-EXPRESSION-LEN PIC 9(5). ***************************************** * WS Shared with LOGGER SubRoutine ***************************************** 01 WS-LOG-OPERATION-FLAG PIC X(5). 01 WS-LOG-RECORD. 02 WS-LOG-RECORD-FUNCTION-NAME PIC X(40). 02 WS-LOG-RECORD-MESSAGE PIC X(100). LINKAGE SECTION. ********* Size of table must equal size specified in CISP 01 LS-LISP-FILE-NAME PIC X(100). 01 LS-SYMBOL-LENGTH PIC 9(4). 01 LS-LISP-SYMBOLS. 02 LS-SYMBOL-TABLE-SIZE PIC 9(4). 02 LS-SYMBOL PIC X(50) OCCURS 100 TIMES. 02 LS-SYMBOL-LEN PIC 9(2) OCCURS 100 TIMES. PROCEDURE DIVISION USING LS-LISP-FILE-NAME, LS-SYMBOL-LENGTH, LS-LISP-SYMBOLS. MAIN-PROCEDURE. ******** Open and read in the lisp file PERFORM FILE-HANDLING-PROCEDURE. D DISPLAY "AFTER FILE-HANDLING-PROCEDURE:" WS-IN-LISP-RECORD. ******* tokenize lisp and store in symbol table PERFORM TOKENIZE-LISP-PROCEDURE. PERFORM CAL-LENGTH-ALL-SYMBOLS. D PERFORM PRINT-SYMBOL-TABLE. GOBACK. CAL-LENGTH-ALL-SYMBOLS. PERFORM VARYING WS-COUNT FROM 1 BY 1 UNTIL WS-COUNT = 100 PERFORM CALC-LENGTH-SYMBOL MOVE WS-PARSE-EXPRESSION-LEN TO LS-SYMBOL-LEN(WS-COUNT) END-PERFORM. CALC-LENGTH-SYMBOL. SET WS-PARSE-HAS-ENDED TO FALSE. MOVE 0 TO WS-PARSE-EXPRESSION-LEN. PERFORM VARYING WS-PARSE-STR-INDEX FROM 1 BY 1 UNTIL WS-PARSE-HAS-ENDED OR WS-PARSE-STR-INDEX > 100 IF LS-SYMBOL(WS-COUNT)(WS-PARSE-STR-INDEX:1) = " " THEN SET WS-PARSE-HAS-ENDED TO TRUE ELSE ADD 1 TO WS-PARSE-EXPRESSION-LEN END-IF END-PERFORM. APPEND-LISP-PROCEDURE. D DISPLAY IN-LISP-RECORD. **********CALC IN-LISP-RECORD LENGTH MOVE IN-LISP-RECORD TO WS-CALC-LENGTH-STR PERFORM CALC-LISP-LENGTH IF NOT WS-IS-COMMENT-YES THEN IF WS-TEMP-NUM = 0 THEN MOVE IN-LISP-RECORD TO WS-IN-LISP-RECORD ELSE ADD 1 TO WS-TEMP-NUM STRING WS-IN-LISP-RECORD(1:WS-TEMP-NUM) DELIMITED BY SIZE IN-LISP-RECORD(1:WS-LISP-LENGTH) DELIMITED BY SIZE INTO WS-IN-LISP-RECORD SUBTRACT 1 FROM WS-TEMP-NUM END-IF ADD WS-LISP-LENGTH TO WS-TEMP-NUM END-IF. FILE-HANDLING-PROCEDURE. ***** Opens LISP-FILE for reading **************************** MOVE LS-LISP-FILE-NAME TO WS-LISP-NAME OPEN INPUT LISP-FILE. READ LISP-FILE AT END MOVE "Y" TO WS-LISP-EOF NOT AT END MOVE IN-LISP-RECORD TO WS-CALC-LENGTH-STR PERFORM CALC-LISP-LENGTH IF NOT WS-IS-COMMENT-YES THEN MOVE IN-LISP-RECORD TO WS-IN-LISP-RECORD MOVE WS-LISP-LENGTH TO WS-TEMP-NUM END-IF END-READ. PERFORM UNTIL WS-LISP-EOF="Y" READ LISP-FILE AT END MOVE "Y" TO WS-LISP-EOF NOT AT END PERFORM APPEND-LISP-PROCEDURE END-READ END-PERFORM. CLOSE LISP-FILE. ******LOG File Handling MOVE "ADD" TO WS-LOG-OPERATION-FLAG. MOVE "TOKENIZER:FILE-HANDLING-PROCEDURE" TO WS-LOG-RECORD-FUNCTION-NAME. MOVE "COMPLETED reading LISP-FILE" TO WS-LOG-RECORD-MESSAGE. CALL 'LOGGER' USING WS-LOG-OPERATION-FLAG, WS-LOG-RECORD. TOKENIZE-LISP-PROCEDURE. ******** Tokenizes the lisp file and stores it in the WS-SYMBOL Table PERFORM FORMAT-LISP-PROCEDURE. D DISPLAY "After FORMAT-LISP-PROCEDURE". D DISPLAY "TOKENIZE-LISP-PROCEDURE:" WS-IN-LISP-RECORD. MOVE 1 TO STRING-PTR. MOVE 0 TO LS-SYMBOL-TABLE-SIZE. SET WS-FLAG-YES TO FALSE. PERFORM VARYING WS-COUNT FROM 1 BY 1 UNTIL WS-COUNT = 100 OR WS-FLAG UNSTRING WS-IN-LISP-RECORD DELIMITED BY ALL ' ' INTO LS-SYMBOL(WS-COUNT) WITH POINTER STRING-PTR IF LS-SYMBOL(WS-COUNT) = SPACES THEN SET WS-FLAG-YES TO TRUE ELSE ADD 1 TO LS-SYMBOL-TABLE-SIZE END-IF END-PERFORM. *****LOG File Handling MOVE "ADD" TO WS-LOG-OPERATION-FLAG. MOVE "TOKENIZER:TOKENIZE-LISP-PROCEDURE" TO WS-LOG-RECORD-FUNCTION-NAME. MOVE "COMPLETED tokenizing lisp" TO WS-LOG-RECORD-MESSAGE. CALL 'LOGGER' USING WS-LOG-OPERATION-FLAG, WS-LOG-RECORD. PRINT-SYMBOL-TABLE. ******* Prints Tokenized lisp stored in WS-SYMBOL Table MOVE 1 TO WS-COUNT. PERFORM VARYING WS-COUNT FROM 1 BY 1 UNTIL WS-COUNT GREATER THAN LS-SYMBOL-TABLE-SIZE DISPLAY WS-COUNT DISPLAY LS-SYMBOL(WS-COUNT) DISPLAY LS-SYMBOL-LEN(WS-COUNT) END-PERFORM. FORMAT-LISP-PROCEDURE. ***** Calculates the length of the lisp program. ***** Adding additional spaces between parenthesis ***** for easier parsing. D DISPLAY "FORMAT-LISP-PROCEDURE:" WS-IN-LISP-RECORD. MOVE WS-IN-LISP-RECORD TO WS-CALC-LENGTH-STR. PERFORM CALC-LISP-LENGTH. MOVE 1 TO WS-FORMAT-STR-INDEX. IF WS-IN-LISP-RECORD(1:1)="(" AND NOT WS-IN-LISP-RECORD(2:1) EQUAL " " THEN MOVE WS-IN-LISP-RECORD TO WS-PAREN-TEMP-STR STRING "( " DELIMITED BY SIZE WS-PAREN-TEMP-STR(2:WS-LISP-LENGTH) DELIMITED BY SIZE INTO WS-IN-LISP-RECORD ADD 3 TO WS-FORMAT-STR-INDEX ADD 1 TO WS-LISP-LENGTH END-IF. PERFORM VARYING WS-FORMAT-STR-INDEX FROM WS-FORMAT-STR-INDEX BY 1 UNTIL WS-FORMAT-STR-INDEX > WS-LISP-LENGTH SET WS-PAREN-LEFT-YES TO FALSE SET WS-PAREN-RIGHT-YES TO FALSE MOVE WS-IN-LISP-RECORD TO WS-PAREN-TEMP-STR EVALUATE WS-IN-LISP-RECORD(WS-FORMAT-STR-INDEX:1) WHEN "(" PERFORM FORMAT-PAREN-SPACE-PROCEDURE WHEN ")" PERFORM FORMAT-PAREN-SPACE-PROCEDURE * WHEN ";" END-EVALUATE D DISPLAY WS-IN-LISP-RECORD(WS-FORMAT-STR-INDEX:1) D " left:" WS-PAREN-RIGHT " right:" WS-PAREN-LEFT END-PERFORM. ****** Log FORMAT-LISP-PROCEDURE Complete MOVE "ADD" TO WS-LOG-OPERATION-FLAG. MOVE "TOKENIZER:FORMAT-LISP-PROCEDURE" TO WS-LOG-RECORD-FUNCTION-NAME. MOVE "COMPLETED formatting lisp string for parsing" TO WS-LOG-RECORD-MESSAGE. CALL 'LOGGER' USING WS-LOG-OPERATION-FLAG, WS-LOG-RECORD. CALC-LISP-LENGTH. *****Calculate the acutal length of the lisp MOVE 0 TO WS-LISP-LENGTH. MOVE 0 TO WS-NUM-LENGTH-ADD. SET WS-IS-COMMENT-YES TO FALSE. PERFORM VARYING WS-FORMAT-STR-INDEX FROM 1 BY 1 UNTIL WS-FORMAT-STR-INDEX = WS-MAX-LISP-LENGTH IF WS-CALC-LENGTH-STR(WS-FORMAT-STR-INDEX:1) EQUAL ";" THEN SET WS-IS-COMMENT-YES TO TRUE ELSE IF NOT WS-CALC-LENGTH-STR(WS-FORMAT-STR-INDEX:1) EQUALS " " THEN ADD 1 TO WS-LISP-LENGTH ADD WS-NUM-LENGTH-ADD TO WS-LISP-LENGTH MOVE 0 TO WS-NUM-LENGTH-ADD ELSE ADD 1 TO WS-NUM-LENGTH-ADD END-IF END-PERFORM. RESET-PARSE-FLAGS-PROCEDURE. SET WS-OPEN-PAREN-YES TO FALSE. SET WS-CLOSE-PAREN-YES TO FALSE. MOVE 0 TO WS-PARSE-EXPRESSION-START. MOVE 0 TO WS-PARSE-EXPRESSION-END. MOVE 0 TO WS-PARSE-EXPRESSION-LEN. PRINT-PARSE-FLAGS-PROCEDURE. DISPLAY 'Open Paren:' WS-OPEN-PAREN. DISPLAY 'Close Paren:' WS-CLOSE-PAREN. DISPLAY 'Expression Start:' WS-PARSE-EXPRESSION-START. DISPLAY 'Expression END:' WS-PARSE-EXPRESSION-END. DISPLAY 'Expression Length:' WS-PARSE-EXPRESSION-LEN. FORMAT-CHECK-PAREN-PROCEDURE. * ----Check left side of paren SUBTRACT 1 FROM WS-FORMAT-STR-INDEX. IF NOT WS-IN-LISP-RECORD(WS-FORMAT-STR-INDEX:1)EQUAL " " THEN SET WS-PAREN-LEFT-YES TO TRUE END-IF. * ----Check right side of paren ADD 2 TO WS-FORMAT-STR-INDEX. IF NOT WS-IN-LISP-RECORD(WS-FORMAT-STR-INDEX:1)EQUAL " " THEN SET WS-PAREN-RIGHT-YES TO TRUE END-IF. * ----Reset the Index to it's original position SUBTRACT 1 FROM WS-FORMAT-STR-INDEX. FORMAT-ADD-LEFT-SPACE. MOVE WS-FORMAT-STR-INDEX TO WS-PAREN-TEMP-NUM. SUBTRACT 1 FROM WS-PAREN-TEMP-NUM. STRING WS-PAREN-TEMP-STR(1:WS-PAREN-TEMP-NUM) DELIMITED BY SIZE " " DELIMITED BY SIZE WS-PAREN-TEMP-STR(WS-FORMAT-STR-INDEX:WS-LISP-LENGTH) DELIMITED BY SIZE INTO WS-IN-LISP-RECORD. ADD 1 TO WS-FORMAT-STR-INDEX. ADD 1 TO WS-LISP-LENGTH. FORMAT-ADD-RIGHT-SPACE. MOVE WS-FORMAT-STR-INDEX TO WS-PAREN-TEMP-NUM. ADD 1 TO WS-PAREN-TEMP-NUM. STRING WS-PAREN-TEMP-STR(1:WS-FORMAT-STR-INDEX) DELIMITED BY SIZE " " DELIMITED BY SIZE WS-PAREN-TEMP-STR(WS-PAREN-TEMP-NUM:WS-LISP-LENGTH) DELIMITED BY SIZE INTO WS-IN-LISP-RECORD. ADD 1 TO WS-FORMAT-STR-INDEX. ADD 1 TO WS-LISP-LENGTH. FORMAT-ADD-BOTH-SPACES. MOVE WS-FORMAT-STR-INDEX TO WS-PAREN-TEMP-NUM. SUBTRACT 1 FROM WS-PAREN-TEMP-NUM. MOVE WS-PAREN-TEMP-STR(WS-FORMAT-STR-INDEX:1) TO WS-WHICH-PAREN. ADD 1 TO WS-FORMAT-STR-INDEX. STRING WS-PAREN-TEMP-STR(1:WS-PAREN-TEMP-NUM) DELIMITED BY SIZE " " DELIMITED BY SIZE WS-WHICH-PAREN DELIMITED BY SIZE " " DELIMITED BY SIZE WS-PAREN-TEMP-STR(WS-FORMAT-STR-INDEX:WS-LISP-LENGTH) INTO WS-IN-LISP-RECORD. ADD 1 TO WS-FORMAT-STR-INDEX. ADD 2 TO WS-LISP-LENGTH. FORMAT-PAREN-SPACE-PROCEDURE. PERFORM FORMAT-CHECK-PAREN-PROCEDURE. IF WS-PAREN-RIGHT-YES AND WS-PAREN-LEFT-YES THEN PERFORM FORMAT-ADD-BOTH-SPACES ELSE IF WS-PAREN-RIGHT-YES THEN PERFORM FORMAT-ADD-RIGHT-SPACE ELSE IF WS-PAREN-LEFT-YES THEN PERFORM FORMAT-ADD-LEFT-SPACE END-IF. END PROGRAM TOKENIZER.
COBOL
5
aanunez/Cisp
tokenizer.cbl
[ "MIT" ]
-- Copyright 2021 Jeff Foley. All rights reserved. -- Use of this source code is governed by Apache 2 LICENSE that can be found in the LICENSE file. name = "AbuseIPDB" type = "scrape" function start() set_rate_limit(1) end function vertical(ctx, domain) local ip = get_ip(ctx, domain) if (ip == nil or ip == "") then return end local page, err = request(ctx, {['url']=build_url(ip)}) if (err ~= nil and err ~= "") then log(ctx, "vertical request to service failed: " .. err) return end local pattern = "<li>([.a-z0-9-]{1,256})</li>" local matches = submatch(page, pattern) if (matches == nil or #matches == 0) then return end for _, match in pairs(matches) do if (match ~= nil and #match >=2) then send_names(ctx, match[2] .. "." .. domain) end end end function build_url(ip) return "https://www.abuseipdb.com/whois/" .. ip end function get_ip(ctx, domain) local page, err = request(ctx, {['url']=ip_url(domain)}) if (err ~= nil and err ~= "") then log(ctx, "get_ip request to service failed: " .. err) return nil end local pattern = "<i\\ class=text\\-primary>(.*)</i>" local matches = submatch(page, pattern) if (matches == nil or #matches == 0) then return nil end local match = matches[1] if (match == nil or #match < 2 or match[2] == "") then return nil end return match[2] end function ip_url(domain) return "https://www.abuseipdb.com/check/" .. domain end
Ada
4
Elon143/Amass
resources/scripts/scrape/abuseipdb.ads
[ "Apache-2.0" ]
// Licensed to the .NET Foundation under one or more agreements. // The .NET Foundation licenses this file to you under the MIT license. using System.Collections.Generic; namespace Microsoft.AspNetCore.Razor.Language { public class TestTagHelperFeature : RazorEngineFeatureBase, ITagHelperFeature { public TestTagHelperFeature() { TagHelpers = new List<TagHelperDescriptor>(); } public TestTagHelperFeature(IEnumerable<TagHelperDescriptor> tagHelpers) { TagHelpers = new List<TagHelperDescriptor>(tagHelpers); } public List<TagHelperDescriptor> TagHelpers { get; } public IReadOnlyList<TagHelperDescriptor> GetDescriptors() { return TagHelpers.ToArray(); } } }
C#
4
tomaswesterlund/aspnetcore
src/Razor/test/Microsoft.AspNetCore.Razor.Test.Common/Language/TestTagHelperFeature.cs
[ "MIT" ]
graph([professor_ability(p0,h),professor_ability(p1,h),professor_ability(p2,m),professor_ability(p3,m),professor_ability(p4,_G131213),professor_ability(p5,h),professor_ability(p6,l),professor_ability(p7,l),professor_ability(p8,m),professor_ability(p9,h),professor_ability(p10,m),professor_ability(p11,h),professor_ability(p12,h),professor_ability(p13,m),professor_ability(p14,m),professor_ability(p15,m),professor_ability(p16,m),professor_ability(p17,m),professor_ability(p18,_G131283),professor_ability(p19,h),professor_ability(p20,h),professor_ability(p21,h),professor_ability(p22,m),professor_ability(p23,m),professor_ability(p24,l),professor_ability(p25,m),professor_ability(p26,h),professor_ability(p27,h),professor_ability(p28,h),professor_ability(p29,m),professor_ability(p30,m),professor_ability(p31,_G131348),professor_popularity(p0,h),professor_popularity(p1,h),professor_popularity(p2,_G131363),professor_popularity(p3,_G131368),professor_popularity(p4,h),professor_popularity(p5,h),professor_popularity(p6,l),professor_popularity(p7,l),professor_popularity(p8,m),professor_popularity(p9,h),professor_popularity(p10,l),professor_popularity(p11,h),professor_popularity(p12,h),professor_popularity(p13,l),professor_popularity(p14,_G131423),professor_popularity(p15,h),professor_popularity(p16,_G131433),professor_popularity(p17,_G131438),professor_popularity(p18,_G131443),professor_popularity(p19,h),professor_popularity(p20,_G131453),professor_popularity(p21,h),professor_popularity(p22,h),professor_popularity(p23,_G131468),professor_popularity(p24,l),professor_popularity(p25,l),professor_popularity(p26,m),professor_popularity(p27,h),professor_popularity(p28,h),professor_popularity(p29,l),professor_popularity(p30,m),professor_popularity(p31,_G131508),registration_grade(r0,a),registration_grade(r1,c),registration_grade(r2,_G131523),registration_grade(r3,c),registration_grade(r4,c),registration_grade(r5,c),registration_grade(r6,a),registration_grade(r7,_G131548),registration_grade(r8,b),registration_grade(r9,_G131558),registration_grade(r10,a),registration_grade(r11,a),registration_grade(r12,a),registration_grade(r13,a),registration_grade(r14,_G131583),registration_grade(r15,b),registration_grade(r16,a),registration_grade(r17,_G131598),registration_grade(r18,_G131603),registration_grade(r19,c),registration_grade(r20,c),registration_grade(r21,a),registration_grade(r22,a),registration_grade(r23,_G131628),registration_grade(r24,b),registration_grade(r25,a),registration_grade(r26,a),registration_grade(r27,b),registration_grade(r28,_G131653),registration_grade(r29,b),registration_grade(r30,_G131663),registration_grade(r31,_G131668),registration_grade(r32,c),registration_grade(r33,a),registration_grade(r34,c),registration_grade(r35,c),registration_grade(r36,_G131693),registration_grade(r37,a),registration_grade(r38,c),registration_grade(r39,a),registration_grade(r40,_G131713),registration_grade(r41,c),registration_grade(r42,b),registration_grade(r43,a),registration_grade(r44,a),registration_grade(r45,a),registration_grade(r46,a),registration_grade(r47,b),registration_grade(r48,b),registration_grade(r49,b),registration_grade(r50,b),registration_grade(r51,b),registration_grade(r52,b),registration_grade(r53,a),registration_grade(r54,b),registration_grade(r55,_G131788),registration_grade(r56,c),registration_grade(r57,c),registration_grade(r58,a),registration_grade(r59,c),registration_grade(r60,a),registration_grade(r61,_G131818),registration_grade(r62,a),registration_grade(r63,b),registration_grade(r64,b),registration_grade(r65,b),registration_grade(r66,b),registration_grade(r67,b),registration_grade(r68,a),registration_grade(r69,_G131858),registration_grade(r70,c),registration_grade(r71,b),registration_grade(r72,a),registration_grade(r73,_G131878),registration_grade(r74,_G131883),registration_grade(r75,b),registration_grade(r76,c),registration_grade(r77,a),registration_grade(r78,b),registration_grade(r79,a),registration_grade(r80,b),registration_grade(r81,b),registration_grade(r82,a),registration_grade(r83,_G131928),registration_grade(r84,c),registration_grade(r85,b),registration_grade(r86,_G131943),registration_grade(r87,b),registration_grade(r88,c),registration_grade(r89,_G131958),registration_grade(r90,c),registration_grade(r91,a),registration_grade(r92,_G131973),registration_grade(r93,b),registration_grade(r94,_G131983),registration_grade(r95,b),registration_grade(r96,a),registration_grade(r97,a),registration_grade(r98,_G132003),registration_grade(r99,b),registration_grade(r100,a),registration_grade(r101,a),registration_grade(r102,a),registration_grade(r103,_G132028),registration_grade(r104,b),registration_grade(r105,_G132038),registration_grade(r106,b),registration_grade(r107,_G132048),registration_grade(r108,b),registration_grade(r109,b),registration_grade(r110,a),registration_grade(r111,a),registration_grade(r112,a),registration_grade(r113,_G132078),registration_grade(r114,c),registration_grade(r115,d),registration_grade(r116,b),registration_grade(r117,c),registration_grade(r118,a),registration_grade(r119,b),registration_grade(r120,b),registration_grade(r121,_G132118),registration_grade(r122,b),registration_grade(r123,a),registration_grade(r124,a),registration_grade(r125,b),registration_grade(r126,_G132143),registration_grade(r127,b),registration_grade(r128,a),registration_grade(r129,c),registration_grade(r130,a),registration_grade(r131,_G132168),registration_grade(r132,b),registration_grade(r133,a),registration_grade(r134,_G132183),registration_grade(r135,b),registration_grade(r136,a),registration_grade(r137,b),registration_grade(r138,a),registration_grade(r139,a),registration_grade(r140,_G132213),registration_grade(r141,_G132218),registration_grade(r142,b),registration_grade(r143,b),registration_grade(r144,_G132233),registration_grade(r145,b),registration_grade(r146,a),registration_grade(r147,_G132248),registration_grade(r148,a),registration_grade(r149,_G132258),registration_grade(r150,b),registration_grade(r151,a),registration_grade(r152,_G132273),registration_grade(r153,b),registration_grade(r154,a),registration_grade(r155,c),registration_grade(r156,b),registration_grade(r157,b),registration_grade(r158,c),registration_grade(r159,b),registration_grade(r160,a),registration_grade(r161,a),registration_grade(r162,_G132323),registration_grade(r163,a),registration_grade(r164,b),registration_grade(r165,_G132338),registration_grade(r166,_G132343),registration_grade(r167,a),registration_grade(r168,a),registration_grade(r169,a),registration_grade(r170,a),registration_grade(r171,a),registration_grade(r172,c),registration_grade(r173,_G132378),registration_grade(r174,a),registration_grade(r175,b),registration_grade(r176,b),registration_grade(r177,c),registration_grade(r178,b),registration_grade(r179,d),registration_grade(r180,c),registration_grade(r181,a),registration_grade(r182,b),registration_grade(r183,a),registration_grade(r184,a),registration_grade(r185,b),registration_grade(r186,c),registration_grade(r187,a),registration_grade(r188,a),registration_grade(r189,a),registration_grade(r190,a),registration_grade(r191,b),registration_grade(r192,_G132473),registration_grade(r193,c),registration_grade(r194,b),registration_grade(r195,c),registration_grade(r196,_G132493),registration_grade(r197,a),registration_grade(r198,_G132503),registration_grade(r199,b),registration_grade(r200,b),registration_grade(r201,c),registration_grade(r202,a),registration_grade(r203,a),registration_grade(r204,b),registration_grade(r205,a),registration_grade(r206,a),registration_grade(r207,a),registration_grade(r208,c),registration_grade(r209,_G132558),registration_grade(r210,_G132563),registration_grade(r211,d),registration_grade(r212,b),registration_grade(r213,b),registration_grade(r214,a),registration_grade(r215,a),registration_grade(r216,b),registration_grade(r217,a),registration_grade(r218,b),registration_grade(r219,a),registration_grade(r220,_G132613),registration_grade(r221,b),registration_grade(r222,c),registration_grade(r223,a),registration_grade(r224,b),registration_grade(r225,b),registration_grade(r226,d),registration_grade(r227,b),registration_grade(r228,c),registration_grade(r229,b),registration_grade(r230,a),registration_grade(r231,c),registration_grade(r232,a),registration_grade(r233,b),registration_grade(r234,b),registration_grade(r235,c),registration_grade(r236,_G132693),registration_grade(r237,c),registration_grade(r238,_G132703),registration_grade(r239,_G132708),registration_grade(r240,b),registration_grade(r241,a),registration_grade(r242,b),registration_grade(r243,a),registration_grade(r244,b),registration_grade(r245,a),registration_grade(r246,b),registration_grade(r247,c),registration_grade(r248,b),registration_grade(r249,a),registration_grade(r250,a),registration_grade(r251,a),registration_grade(r252,b),registration_grade(r253,a),registration_grade(r254,_G132783),registration_grade(r255,a),registration_grade(r256,a),registration_grade(r257,_G132798),registration_grade(r258,_G132803),registration_grade(r259,a),registration_grade(r260,b),registration_grade(r261,a),registration_grade(r262,_G132823),registration_grade(r263,a),registration_grade(r264,_G132833),registration_grade(r265,a),registration_grade(r266,_G132843),registration_grade(r267,a),registration_grade(r268,_G132853),registration_grade(r269,a),registration_grade(r270,c),registration_grade(r271,b),registration_grade(r272,c),registration_grade(r273,_G132878),registration_grade(r274,c),registration_grade(r275,a),registration_grade(r276,a),registration_grade(r277,a),registration_grade(r278,_G132903),registration_grade(r279,a),registration_grade(r280,_G132913),registration_grade(r281,b),registration_grade(r282,d),registration_grade(r283,a),registration_grade(r284,b),registration_grade(r285,b),registration_grade(r286,_G132943),registration_grade(r287,b),registration_grade(r288,b),registration_grade(r289,_G132958),registration_grade(r290,_G132963),registration_grade(r291,c),registration_grade(r292,b),registration_grade(r293,_G132978),registration_grade(r294,_G132983),registration_grade(r295,a),registration_grade(r296,_G132993),registration_grade(r297,_G132998),registration_grade(r298,_G133003),registration_grade(r299,a),registration_grade(r300,b),registration_grade(r301,b),registration_grade(r302,b),registration_grade(r303,a),registration_grade(r304,a),registration_grade(r305,b),registration_grade(r306,b),registration_grade(r307,c),registration_grade(r308,c),registration_grade(r309,c),registration_grade(r310,_G133063),registration_grade(r311,a),registration_grade(r312,a),registration_grade(r313,a),registration_grade(r314,c),registration_grade(r315,c),registration_grade(r316,c),registration_grade(r317,_G133098),registration_grade(r318,c),registration_grade(r319,c),registration_grade(r320,b),registration_grade(r321,b),registration_grade(r322,a),registration_grade(r323,c),registration_grade(r324,_G133133),registration_grade(r325,b),registration_grade(r326,a),registration_grade(r327,_G133148),registration_grade(r328,b),registration_grade(r329,a),registration_grade(r330,b),registration_grade(r331,a),registration_grade(r332,a),registration_grade(r333,_G133178),registration_grade(r334,_G133183),registration_grade(r335,d),registration_grade(r336,b),registration_grade(r337,b),registration_grade(r338,b),registration_grade(r339,a),registration_grade(r340,_G133213),registration_grade(r341,_G133218),registration_grade(r342,b),registration_grade(r343,a),registration_grade(r344,c),registration_grade(r345,b),registration_grade(r346,b),registration_grade(r347,_G133248),registration_grade(r348,a),registration_grade(r349,a),registration_grade(r350,_G133263),registration_grade(r351,b),registration_grade(r352,d),registration_grade(r353,c),registration_grade(r354,c),registration_grade(r355,c),registration_grade(r356,_G133293),registration_grade(r357,_G133298),registration_grade(r358,a),registration_grade(r359,_G133308),registration_grade(r360,a),registration_grade(r361,b),registration_grade(r362,c),registration_grade(r363,c),registration_grade(r364,b),registration_grade(r365,b),registration_grade(r366,b),registration_grade(r367,b),registration_grade(r368,_G133353),registration_grade(r369,c),registration_grade(r370,b),registration_grade(r371,a),registration_grade(r372,a),registration_grade(r373,a),registration_grade(r374,b),registration_grade(r375,b),registration_grade(r376,_G133393),registration_grade(r377,a),registration_grade(r378,a),registration_grade(r379,c),registration_grade(r380,a),registration_grade(r381,c),registration_grade(r382,a),registration_grade(r383,a),registration_grade(r384,b),registration_grade(r385,b),registration_grade(r386,_G133443),registration_grade(r387,a),registration_grade(r388,a),registration_grade(r389,a),registration_grade(r390,a),registration_grade(r391,b),registration_grade(r392,_G133473),registration_grade(r393,b),registration_grade(r394,c),registration_grade(r395,b),registration_grade(r396,b),registration_grade(r397,a),registration_grade(r398,b),registration_grade(r399,c),registration_grade(r400,a),registration_grade(r401,_G133518),registration_grade(r402,a),registration_grade(r403,_G133528),registration_grade(r404,a),registration_grade(r405,a),registration_grade(r406,a),registration_grade(r407,b),registration_grade(r408,a),registration_grade(r409,a),registration_grade(r410,b),registration_grade(r411,b),registration_grade(r412,a),registration_grade(r413,_G133578),registration_grade(r414,a),registration_grade(r415,b),registration_grade(r416,b),registration_grade(r417,d),registration_grade(r418,a),registration_grade(r419,a),registration_grade(r420,a),registration_grade(r421,_G133618),registration_grade(r422,b),registration_grade(r423,b),registration_grade(r424,a),registration_grade(r425,b),registration_grade(r426,_G133643),registration_grade(r427,c),registration_grade(r428,c),registration_grade(r429,c),registration_grade(r430,b),registration_grade(r431,d),registration_grade(r432,c),registration_grade(r433,a),registration_grade(r434,_G133683),registration_grade(r435,c),registration_grade(r436,a),registration_grade(r437,c),registration_grade(r438,b),registration_grade(r439,_G133708),registration_grade(r440,c),registration_grade(r441,a),registration_grade(r442,c),registration_grade(r443,a),registration_grade(r444,a),registration_grade(r445,a),registration_grade(r446,_G133743),registration_grade(r447,d),registration_grade(r448,_G133753),registration_grade(r449,b),registration_grade(r450,a),registration_grade(r451,a),registration_grade(r452,b),registration_grade(r453,d),registration_grade(r454,d),registration_grade(r455,c),registration_grade(r456,c),registration_grade(r457,a),registration_grade(r458,b),registration_grade(r459,b),registration_grade(r460,_G133813),registration_grade(r461,b),registration_grade(r462,a),registration_grade(r463,d),registration_grade(r464,a),registration_grade(r465,a),registration_grade(r466,b),registration_grade(r467,_G133848),registration_grade(r468,a),registration_grade(r469,a),registration_grade(r470,c),registration_grade(r471,_G133868),registration_grade(r472,a),registration_grade(r473,c),registration_grade(r474,b),registration_grade(r475,a),registration_grade(r476,_G133893),registration_grade(r477,b),registration_grade(r478,a),registration_grade(r479,b),registration_grade(r480,a),registration_grade(r481,b),registration_grade(r482,b),registration_grade(r483,a),registration_grade(r484,a),registration_grade(r485,a),registration_grade(r486,a),registration_grade(r487,_G133948),registration_grade(r488,_G133953),registration_grade(r489,b),registration_grade(r490,c),registration_grade(r491,_G133968),registration_grade(r492,b),registration_grade(r493,_G133978),registration_grade(r494,b),registration_grade(r495,b),registration_grade(r496,a),registration_grade(r497,c),registration_grade(r498,b),registration_grade(r499,_G134008),registration_grade(r500,b),registration_grade(r501,a),registration_grade(r502,a),registration_grade(r503,_G134028),registration_grade(r504,b),registration_grade(r505,c),registration_grade(r506,c),registration_grade(r507,a),registration_grade(r508,c),registration_grade(r509,b),registration_grade(r510,a),registration_grade(r511,c),registration_grade(r512,b),registration_grade(r513,b),registration_grade(r514,_G134083),registration_grade(r515,c),registration_grade(r516,a),registration_grade(r517,b),registration_grade(r518,a),registration_grade(r519,a),registration_grade(r520,b),registration_grade(r521,a),registration_grade(r522,b),registration_grade(r523,a),registration_grade(r524,b),registration_grade(r525,c),registration_grade(r526,c),registration_grade(r527,_G134148),registration_grade(r528,a),registration_grade(r529,_G134158),registration_grade(r530,a),registration_grade(r531,b),registration_grade(r532,a),registration_grade(r533,a),registration_grade(r534,b),registration_grade(r535,_G134188),registration_grade(r536,a),registration_grade(r537,a),registration_grade(r538,a),registration_grade(r539,b),registration_grade(r540,b),registration_grade(r541,c),registration_grade(r542,a),registration_grade(r543,a),registration_grade(r544,b),registration_grade(r545,a),registration_grade(r546,_G134243),registration_grade(r547,c),registration_grade(r548,c),registration_grade(r549,b),registration_grade(r550,_G134263),registration_grade(r551,a),registration_grade(r552,c),registration_grade(r553,b),registration_grade(r554,b),registration_grade(r555,b),registration_grade(r556,a),registration_grade(r557,a),registration_grade(r558,a),registration_grade(r559,_G134308),registration_grade(r560,b),registration_grade(r561,_G134318),registration_grade(r562,a),registration_grade(r563,_G134328),registration_grade(r564,b),registration_grade(r565,d),registration_grade(r566,c),registration_grade(r567,a),registration_grade(r568,a),registration_grade(r569,a),registration_grade(r570,c),registration_grade(r571,_G134368),registration_grade(r572,b),registration_grade(r573,_G134378),registration_grade(r574,c),registration_grade(r575,a),registration_grade(r576,a),registration_grade(r577,a),registration_grade(r578,b),registration_grade(r579,a),registration_grade(r580,b),registration_grade(r581,a),registration_grade(r582,a),registration_grade(r583,_G134428),registration_grade(r584,_G134433),registration_grade(r585,_G134438),registration_grade(r586,b),registration_grade(r587,c),registration_grade(r588,c),registration_grade(r589,c),registration_grade(r590,_G134463),registration_grade(r591,c),registration_grade(r592,b),registration_grade(r593,_G134478),registration_grade(r594,c),registration_grade(r595,b),registration_grade(r596,a),registration_grade(r597,a),registration_grade(r598,a),registration_grade(r599,a),registration_grade(r600,a),registration_grade(r601,b),registration_grade(r602,a),registration_grade(r603,_G134528),registration_grade(r604,c),registration_grade(r605,a),registration_grade(r606,_G134543),registration_grade(r607,b),registration_grade(r608,a),registration_grade(r609,b),registration_grade(r610,_G134563),registration_grade(r611,a),registration_grade(r612,c),registration_grade(r613,a),registration_grade(r614,d),registration_grade(r615,b),registration_grade(r616,a),registration_grade(r617,a),registration_grade(r618,b),registration_grade(r619,_G134608),registration_grade(r620,a),registration_grade(r621,a),registration_grade(r622,b),registration_grade(r623,b),registration_grade(r624,a),registration_grade(r625,c),registration_grade(r626,_G134643),registration_grade(r627,b),registration_grade(r628,a),registration_grade(r629,_G134658),registration_grade(r630,_G134663),registration_grade(r631,_G134668),registration_grade(r632,a),registration_grade(r633,b),registration_grade(r634,_G134683),registration_grade(r635,b),registration_grade(r636,d),registration_grade(r637,_G134698),registration_grade(r638,_G134703),registration_grade(r639,_G134708),registration_grade(r640,c),registration_grade(r641,_G134718),registration_grade(r642,c),registration_grade(r643,_G134728),registration_grade(r644,a),registration_grade(r645,b),registration_grade(r646,b),registration_grade(r647,b),registration_grade(r648,a),registration_grade(r649,b),registration_grade(r650,_G134763),registration_grade(r651,b),registration_grade(r652,_G134773),registration_grade(r653,b),registration_grade(r654,b),registration_grade(r655,a),registration_grade(r656,_G134793),registration_grade(r657,a),registration_grade(r658,_G134803),registration_grade(r659,a),registration_grade(r660,a),registration_grade(r661,_G134818),registration_grade(r662,a),registration_grade(r663,_G134828),registration_grade(r664,_G134833),registration_grade(r665,a),registration_grade(r666,b),registration_grade(r667,b),registration_grade(r668,_G134853),registration_grade(r669,b),registration_grade(r670,a),registration_grade(r671,c),registration_grade(r672,_G134873),registration_grade(r673,a),registration_grade(r674,a),registration_grade(r675,b),registration_grade(r676,a),registration_grade(r677,a),registration_grade(r678,a),registration_grade(r679,a),registration_grade(r680,c),registration_grade(r681,b),registration_grade(r682,a),registration_grade(r683,b),registration_grade(r684,b),registration_grade(r685,a),registration_grade(r686,_G134943),registration_grade(r687,_G134948),registration_grade(r688,_G134953),registration_grade(r689,_G134958),registration_grade(r690,a),registration_grade(r691,c),registration_grade(r692,_G134973),registration_grade(r693,b),registration_grade(r694,_G134983),registration_grade(r695,a),registration_grade(r696,a),registration_grade(r697,c),registration_grade(r698,b),registration_grade(r699,a),registration_grade(r700,a),registration_grade(r701,a),registration_grade(r702,a),registration_grade(r703,c),registration_grade(r704,c),registration_grade(r705,b),registration_grade(r706,b),registration_grade(r707,_G135048),registration_grade(r708,b),registration_grade(r709,b),registration_grade(r710,b),registration_grade(r711,b),registration_grade(r712,c),registration_grade(r713,a),registration_grade(r714,b),registration_grade(r715,a),registration_grade(r716,a),registration_grade(r717,a),registration_grade(r718,a),registration_grade(r719,c),registration_grade(r720,a),registration_grade(r721,b),registration_grade(r722,b),registration_grade(r723,b),registration_grade(r724,a),registration_grade(r725,c),registration_grade(r726,a),registration_grade(r727,_G135148),registration_grade(r728,b),registration_grade(r729,b),registration_grade(r730,c),registration_grade(r731,a),registration_grade(r732,a),registration_grade(r733,a),registration_grade(r734,b),registration_grade(r735,_G135188),registration_grade(r736,a),registration_grade(r737,_G135198),registration_grade(r738,b),registration_grade(r739,a),registration_grade(r740,_G135213),registration_grade(r741,a),registration_grade(r742,d),registration_grade(r743,d),registration_grade(r744,a),registration_grade(r745,b),registration_grade(r746,a),registration_grade(r747,a),registration_grade(r748,b),registration_grade(r749,c),registration_grade(r750,a),registration_grade(r751,c),registration_grade(r752,b),registration_grade(r753,c),registration_grade(r754,c),registration_grade(r755,c),registration_grade(r756,_G135293),registration_grade(r757,c),registration_grade(r758,b),registration_grade(r759,b),registration_grade(r760,a),registration_grade(r761,_G135318),registration_grade(r762,b),registration_grade(r763,a),registration_grade(r764,a),registration_grade(r765,a),registration_grade(r766,c),registration_grade(r767,c),registration_grade(r768,c),registration_grade(r769,_G135358),registration_grade(r770,_G135363),registration_grade(r771,b),registration_grade(r772,a),registration_grade(r773,b),registration_grade(r774,b),registration_grade(r775,_G135388),registration_grade(r776,_G135393),registration_grade(r777,c),registration_grade(r778,c),registration_grade(r779,_G135408),registration_grade(r780,a),registration_grade(r781,b),registration_grade(r782,a),registration_grade(r783,c),registration_grade(r784,c),registration_grade(r785,c),registration_grade(r786,c),registration_grade(r787,a),registration_grade(r788,a),registration_grade(r789,c),registration_grade(r790,b),registration_grade(r791,b),registration_grade(r792,a),registration_grade(r793,_G135478),registration_grade(r794,b),registration_grade(r795,a),registration_grade(r796,_G135493),registration_grade(r797,a),registration_grade(r798,b),registration_grade(r799,_G135508),registration_grade(r800,_G135513),registration_grade(r801,b),registration_grade(r802,_G135523),registration_grade(r803,b),registration_grade(r804,a),registration_grade(r805,b),registration_grade(r806,a),registration_grade(r807,_G135548),registration_grade(r808,b),registration_grade(r809,c),registration_grade(r810,_G135563),registration_grade(r811,d),registration_grade(r812,c),registration_grade(r813,c),registration_grade(r814,c),registration_grade(r815,c),registration_grade(r816,_G135593),registration_grade(r817,a),registration_grade(r818,b),registration_grade(r819,b),registration_grade(r820,d),registration_grade(r821,_G135618),registration_grade(r822,a),registration_grade(r823,a),registration_grade(r824,c),registration_grade(r825,b),registration_grade(r826,b),registration_grade(r827,c),registration_grade(r828,b),registration_grade(r829,_G135658),registration_grade(r830,a),registration_grade(r831,a),registration_grade(r832,b),registration_grade(r833,b),registration_grade(r834,b),registration_grade(r835,a),registration_grade(r836,a),registration_grade(r837,c),registration_grade(r838,c),registration_grade(r839,b),registration_grade(r840,b),registration_grade(r841,a),registration_grade(r842,a),registration_grade(r843,b),registration_grade(r844,a),registration_grade(r845,c),registration_grade(r846,b),registration_grade(r847,b),registration_grade(r848,_G135753),registration_grade(r849,b),registration_grade(r850,b),registration_grade(r851,b),registration_grade(r852,c),registration_grade(r853,_G135778),registration_grade(r854,c),registration_grade(r855,d),registration_grade(r856,c),student_intelligence(s0,l),student_intelligence(s1,l),student_intelligence(s2,_G135808),student_intelligence(s3,_G135813),student_intelligence(s4,h),student_intelligence(s5,h),student_intelligence(s6,m),student_intelligence(s7,h),student_intelligence(s8,h),student_intelligence(s9,m),student_intelligence(s10,m),student_intelligence(s11,m),student_intelligence(s12,h),student_intelligence(s13,h),student_intelligence(s14,h),student_intelligence(s15,m),student_intelligence(s16,h),student_intelligence(s17,m),student_intelligence(s18,m),student_intelligence(s19,h),student_intelligence(s20,m),student_intelligence(s21,h),student_intelligence(s22,h),student_intelligence(s23,_G135913),student_intelligence(s24,m),student_intelligence(s25,h),student_intelligence(s26,m),student_intelligence(s27,m),student_intelligence(s28,m),student_intelligence(s29,_G135943),student_intelligence(s30,h),student_intelligence(s31,m),student_intelligence(s32,_G135958),student_intelligence(s33,h),student_intelligence(s34,l),student_intelligence(s35,m),student_intelligence(s36,l),student_intelligence(s37,m),student_intelligence(s38,h),student_intelligence(s39,_G135993),student_intelligence(s40,h),student_intelligence(s41,m),student_intelligence(s42,m),student_intelligence(s43,h),student_intelligence(s44,h),student_intelligence(s45,_G136023),student_intelligence(s46,l),student_intelligence(s47,h),student_intelligence(s48,m),student_intelligence(s49,m),student_intelligence(s50,h),student_intelligence(s51,m),student_intelligence(s52,m),student_intelligence(s53,m),student_intelligence(s54,h),student_intelligence(s55,h),student_intelligence(s56,_G136078),student_intelligence(s57,_G136083),student_intelligence(s58,h),student_intelligence(s59,m),student_intelligence(s60,m),student_intelligence(s61,h),student_intelligence(s62,m),student_intelligence(s63,h),student_intelligence(s64,_G136118),student_intelligence(s65,m),student_intelligence(s66,h),student_intelligence(s67,m),student_intelligence(s68,h),student_intelligence(s69,h),student_intelligence(s70,l),student_intelligence(s71,_G136153),student_intelligence(s72,h),student_intelligence(s73,m),student_intelligence(s74,h),student_intelligence(s75,h),student_intelligence(s76,h),student_intelligence(s77,h),student_intelligence(s78,h),student_intelligence(s79,m),student_intelligence(s80,m),student_intelligence(s81,l),student_intelligence(s82,_G136208),student_intelligence(s83,h),student_intelligence(s84,m),student_intelligence(s85,h),student_intelligence(s86,_G136228),student_intelligence(s87,h),student_intelligence(s88,_G136238),student_intelligence(s89,m),student_intelligence(s90,h),student_intelligence(s91,m),student_intelligence(s92,h),student_intelligence(s93,l),student_intelligence(s94,l),student_intelligence(s95,h),student_intelligence(s96,m),student_intelligence(s97,_G136283),student_intelligence(s98,h),student_intelligence(s99,l),student_intelligence(s100,h),student_intelligence(s101,h),student_intelligence(s102,m),student_intelligence(s103,h),student_intelligence(s104,_G136318),student_intelligence(s105,m),student_intelligence(s106,_G136328),student_intelligence(s107,l),student_intelligence(s108,_G136338),student_intelligence(s109,m),student_intelligence(s110,m),student_intelligence(s111,_G136353),student_intelligence(s112,m),student_intelligence(s113,h),student_intelligence(s114,m),student_intelligence(s115,h),student_intelligence(s116,m),student_intelligence(s117,m),student_intelligence(s118,m),student_intelligence(s119,h),student_intelligence(s120,h),student_intelligence(s121,h),student_intelligence(s122,m),student_intelligence(s123,m),student_intelligence(s124,h),student_intelligence(s125,_G136423),student_intelligence(s126,m),student_intelligence(s127,m),student_intelligence(s128,_G136438),student_intelligence(s129,h),student_intelligence(s130,_G136448),student_intelligence(s131,h),student_intelligence(s132,h),student_intelligence(s133,h),student_intelligence(s134,_G136468),student_intelligence(s135,_G136473),student_intelligence(s136,m),student_intelligence(s137,_G136483),student_intelligence(s138,l),student_intelligence(s139,h),student_intelligence(s140,h),student_intelligence(s141,_G136503),student_intelligence(s142,m),student_intelligence(s143,_G136513),student_intelligence(s144,h),student_intelligence(s145,_G136523),student_intelligence(s146,m),student_intelligence(s147,m),student_intelligence(s148,m),student_intelligence(s149,h),student_intelligence(s150,_G136548),student_intelligence(s151,h),student_intelligence(s152,h),student_intelligence(s153,m),student_intelligence(s154,_G136568),student_intelligence(s155,h),student_intelligence(s156,m),student_intelligence(s157,m),student_intelligence(s158,_G136588),student_intelligence(s159,_G136593),student_intelligence(s160,_G136598),student_intelligence(s161,_G136603),student_intelligence(s162,h),student_intelligence(s163,_G136613),student_intelligence(s164,m),student_intelligence(s165,m),student_intelligence(s166,_G136628),student_intelligence(s167,_G136633),student_intelligence(s168,h),student_intelligence(s169,_G136643),student_intelligence(s170,m),student_intelligence(s171,m),student_intelligence(s172,_G136658),student_intelligence(s173,h),student_intelligence(s174,h),student_intelligence(s175,m),student_intelligence(s176,_G136678),student_intelligence(s177,m),student_intelligence(s178,h),student_intelligence(s179,m),student_intelligence(s180,_G136698),student_intelligence(s181,h),student_intelligence(s182,m),student_intelligence(s183,h),student_intelligence(s184,h),student_intelligence(s185,m),student_intelligence(s186,m),student_intelligence(s187,m),student_intelligence(s188,h),student_intelligence(s189,m),student_intelligence(s190,h),student_intelligence(s191,l),student_intelligence(s192,h),student_intelligence(s193,_G136763),student_intelligence(s194,m),student_intelligence(s195,m),student_intelligence(s196,h),student_intelligence(s197,h),student_intelligence(s198,h),student_intelligence(s199,m),student_intelligence(s200,h),student_intelligence(s201,l),student_intelligence(s202,h),student_intelligence(s203,m),student_intelligence(s204,h),student_intelligence(s205,h),student_intelligence(s206,h),student_intelligence(s207,h),student_intelligence(s208,_G136838),student_intelligence(s209,_G136843),student_intelligence(s210,m),student_intelligence(s211,m),student_intelligence(s212,m),student_intelligence(s213,h),student_intelligence(s214,_G136868),student_intelligence(s215,m),student_intelligence(s216,h),student_intelligence(s217,m),student_intelligence(s218,h),student_intelligence(s219,h),student_intelligence(s220,_G136898),student_intelligence(s221,_G136903),student_intelligence(s222,h),student_intelligence(s223,m),student_intelligence(s224,_G136918),student_intelligence(s225,_G136923),student_intelligence(s226,_G136928),student_intelligence(s227,h),student_intelligence(s228,h),student_intelligence(s229,m),student_intelligence(s230,m),student_intelligence(s231,_G136953),student_intelligence(s232,m),student_intelligence(s233,h),student_intelligence(s234,l),student_intelligence(s235,h),student_intelligence(s236,h),student_intelligence(s237,h),student_intelligence(s238,h),student_intelligence(s239,_G136993),student_intelligence(s240,h),student_intelligence(s241,m),student_intelligence(s242,l),student_intelligence(s243,h),student_intelligence(s244,h),student_intelligence(s245,l),student_intelligence(s246,m),student_intelligence(s247,h),student_intelligence(s248,_G137038),student_intelligence(s249,h),student_intelligence(s250,m),student_intelligence(s251,_G137053),student_intelligence(s252,m),student_intelligence(s253,_G137063),student_intelligence(s254,m),student_intelligence(s255,m),course_difficulty(c0,h),course_difficulty(c1,_G137083),course_difficulty(c2,l),course_difficulty(c3,m),course_difficulty(c4,m),course_difficulty(c5,l),course_difficulty(c6,_G137108),course_difficulty(c7,_G137113),course_difficulty(c8,h),course_difficulty(c9,l),course_difficulty(c10,m),course_difficulty(c11,m),course_difficulty(c12,m),course_difficulty(c13,h),course_difficulty(c14,m),course_difficulty(c15,h),course_difficulty(c16,l),course_difficulty(c17,h),course_difficulty(c18,m),course_difficulty(c19,_G137173),course_difficulty(c20,_G137178),course_difficulty(c21,h),course_difficulty(c22,_G137188),course_difficulty(c23,_G137193),course_difficulty(c24,h),course_difficulty(c25,m),course_difficulty(c26,l),course_difficulty(c27,_G137213),course_difficulty(c28,m),course_difficulty(c29,m),course_difficulty(c30,m),course_difficulty(c31,_G137233),course_difficulty(c32,l),course_difficulty(c33,_G137243),course_difficulty(c34,l),course_difficulty(c35,h),course_difficulty(c36,h),course_difficulty(c37,m),course_difficulty(c38,_G137268),course_difficulty(c39,m),course_difficulty(c40,h),course_difficulty(c41,m),course_difficulty(c42,h),course_difficulty(c43,_G137293),course_difficulty(c44,_G137298),course_difficulty(c45,_G137303),course_difficulty(c46,m),course_difficulty(c47,m),course_difficulty(c48,m),course_difficulty(c49,l),course_difficulty(c50,m),course_difficulty(c51,h),course_difficulty(c52,h),course_difficulty(c53,h),course_difficulty(c54,_G137348),course_difficulty(c55,_G137353),course_difficulty(c56,_G137358),course_difficulty(c57,m),course_difficulty(c58,h),course_difficulty(c59,m),course_difficulty(c60,h),course_difficulty(c61,m),course_difficulty(c62,l),course_difficulty(c63,l),registration_satisfaction(r0,_G137398),registration_satisfaction(r1,l),registration_satisfaction(r2,h),registration_satisfaction(r3,_G137413),registration_satisfaction(r4,h),registration_satisfaction(r5,h),registration_satisfaction(r6,h),registration_satisfaction(r7,h),registration_satisfaction(r8,l),registration_satisfaction(r9,h),registration_satisfaction(r10,h),registration_satisfaction(r11,h),registration_satisfaction(r12,h),registration_satisfaction(r13,h),registration_satisfaction(r14,m),registration_satisfaction(r15,_G137473),registration_satisfaction(r16,h),registration_satisfaction(r17,l),registration_satisfaction(r18,_G137488),registration_satisfaction(r19,m),registration_satisfaction(r20,h),registration_satisfaction(r21,_G137503),registration_satisfaction(r22,_G137508),registration_satisfaction(r23,_G137513),registration_satisfaction(r24,h),registration_satisfaction(r25,h),registration_satisfaction(r26,h),registration_satisfaction(r27,h),registration_satisfaction(r28,h),registration_satisfaction(r29,h),registration_satisfaction(r30,l),registration_satisfaction(r31,h),registration_satisfaction(r32,m),registration_satisfaction(r33,h),registration_satisfaction(r34,h),registration_satisfaction(r35,h),registration_satisfaction(r36,m),registration_satisfaction(r37,h),registration_satisfaction(r38,h),registration_satisfaction(r39,h),registration_satisfaction(r40,_G137598),registration_satisfaction(r41,h),registration_satisfaction(r42,l),registration_satisfaction(r43,h),registration_satisfaction(r44,h),registration_satisfaction(r45,_G137623),registration_satisfaction(r46,m),registration_satisfaction(r47,h),registration_satisfaction(r48,h),registration_satisfaction(r49,h),registration_satisfaction(r50,h),registration_satisfaction(r51,h),registration_satisfaction(r52,h),registration_satisfaction(r53,h),registration_satisfaction(r54,h),registration_satisfaction(r55,h),registration_satisfaction(r56,_G137678),registration_satisfaction(r57,h),registration_satisfaction(r58,h),registration_satisfaction(r59,l),registration_satisfaction(r60,_G137698),registration_satisfaction(r61,h),registration_satisfaction(r62,h),registration_satisfaction(r63,h),registration_satisfaction(r64,h),registration_satisfaction(r65,_G137723),registration_satisfaction(r66,h),registration_satisfaction(r67,m),registration_satisfaction(r68,h),registration_satisfaction(r69,m),registration_satisfaction(r70,h),registration_satisfaction(r71,_G137753),registration_satisfaction(r72,l),registration_satisfaction(r73,_G137763),registration_satisfaction(r74,h),registration_satisfaction(r75,h),registration_satisfaction(r76,_G137778),registration_satisfaction(r77,h),registration_satisfaction(r78,m),registration_satisfaction(r79,h),registration_satisfaction(r80,h),registration_satisfaction(r81,h),registration_satisfaction(r82,l),registration_satisfaction(r83,_G137813),registration_satisfaction(r84,m),registration_satisfaction(r85,h),registration_satisfaction(r86,_G137828),registration_satisfaction(r87,m),registration_satisfaction(r88,h),registration_satisfaction(r89,h),registration_satisfaction(r90,_G137848),registration_satisfaction(r91,h),registration_satisfaction(r92,l),registration_satisfaction(r93,h),registration_satisfaction(r94,l),registration_satisfaction(r95,h),registration_satisfaction(r96,h),registration_satisfaction(r97,h),registration_satisfaction(r98,h),registration_satisfaction(r99,h),registration_satisfaction(r100,h),registration_satisfaction(r101,h),registration_satisfaction(r102,_G137908),registration_satisfaction(r103,h),registration_satisfaction(r104,h),registration_satisfaction(r105,l),registration_satisfaction(r106,h),registration_satisfaction(r107,l),registration_satisfaction(r108,l),registration_satisfaction(r109,h),registration_satisfaction(r110,_G137948),registration_satisfaction(r111,h),registration_satisfaction(r112,h),registration_satisfaction(r113,h),registration_satisfaction(r114,_G137968),registration_satisfaction(r115,l),registration_satisfaction(r116,h),registration_satisfaction(r117,_G137983),registration_satisfaction(r118,h),registration_satisfaction(r119,h),registration_satisfaction(r120,l),registration_satisfaction(r121,h),registration_satisfaction(r122,h),registration_satisfaction(r123,l),registration_satisfaction(r124,_G138018),registration_satisfaction(r125,m),registration_satisfaction(r126,h),registration_satisfaction(r127,_G138033),registration_satisfaction(r128,_G138038),registration_satisfaction(r129,h),registration_satisfaction(r130,_G138048),registration_satisfaction(r131,h),registration_satisfaction(r132,_G138058),registration_satisfaction(r133,_G138063),registration_satisfaction(r134,m),registration_satisfaction(r135,h),registration_satisfaction(r136,h),registration_satisfaction(r137,h),registration_satisfaction(r138,h),registration_satisfaction(r139,h),registration_satisfaction(r140,_G138098),registration_satisfaction(r141,l),registration_satisfaction(r142,h),registration_satisfaction(r143,h),registration_satisfaction(r144,h),registration_satisfaction(r145,l),registration_satisfaction(r146,_G138128),registration_satisfaction(r147,l),registration_satisfaction(r148,_G138138),registration_satisfaction(r149,h),registration_satisfaction(r150,h),registration_satisfaction(r151,h),registration_satisfaction(r152,h),registration_satisfaction(r153,h),registration_satisfaction(r154,m),registration_satisfaction(r155,m),registration_satisfaction(r156,h),registration_satisfaction(r157,_G138183),registration_satisfaction(r158,l),registration_satisfaction(r159,m),registration_satisfaction(r160,h),registration_satisfaction(r161,h),registration_satisfaction(r162,m),registration_satisfaction(r163,h),registration_satisfaction(r164,_G138218),registration_satisfaction(r165,m),registration_satisfaction(r166,_G138228),registration_satisfaction(r167,h),registration_satisfaction(r168,h),registration_satisfaction(r169,h),registration_satisfaction(r170,h),registration_satisfaction(r171,h),registration_satisfaction(r172,_G138258),registration_satisfaction(r173,h),registration_satisfaction(r174,h),registration_satisfaction(r175,h),registration_satisfaction(r176,h),registration_satisfaction(r177,h),registration_satisfaction(r178,h),registration_satisfaction(r179,l),registration_satisfaction(r180,h),registration_satisfaction(r181,m),registration_satisfaction(r182,h),registration_satisfaction(r183,l),registration_satisfaction(r184,h),registration_satisfaction(r185,_G138323),registration_satisfaction(r186,h),registration_satisfaction(r187,h),registration_satisfaction(r188,_G138338),registration_satisfaction(r189,_G138343),registration_satisfaction(r190,h),registration_satisfaction(r191,h),registration_satisfaction(r192,_G138358),registration_satisfaction(r193,h),registration_satisfaction(r194,_G138368),registration_satisfaction(r195,h),registration_satisfaction(r196,h),registration_satisfaction(r197,_G138383),registration_satisfaction(r198,h),registration_satisfaction(r199,_G138393),registration_satisfaction(r200,m),registration_satisfaction(r201,h),registration_satisfaction(r202,_G138408),registration_satisfaction(r203,h),registration_satisfaction(r204,h),registration_satisfaction(r205,h),registration_satisfaction(r206,h),registration_satisfaction(r207,h),registration_satisfaction(r208,h),registration_satisfaction(r209,h),registration_satisfaction(r210,h),registration_satisfaction(r211,m),registration_satisfaction(r212,h),registration_satisfaction(r213,h),registration_satisfaction(r214,h),registration_satisfaction(r215,_G138473),registration_satisfaction(r216,h),registration_satisfaction(r217,_G138483),registration_satisfaction(r218,m),registration_satisfaction(r219,h),registration_satisfaction(r220,h),registration_satisfaction(r221,m),registration_satisfaction(r222,l),registration_satisfaction(r223,h),registration_satisfaction(r224,h),registration_satisfaction(r225,l),registration_satisfaction(r226,l),registration_satisfaction(r227,h),registration_satisfaction(r228,_G138538),registration_satisfaction(r229,l),registration_satisfaction(r230,_G138548),registration_satisfaction(r231,l),registration_satisfaction(r232,h),registration_satisfaction(r233,_G138563),registration_satisfaction(r234,l),registration_satisfaction(r235,h),registration_satisfaction(r236,l),registration_satisfaction(r237,m),registration_satisfaction(r238,m),registration_satisfaction(r239,m),registration_satisfaction(r240,h),registration_satisfaction(r241,h),registration_satisfaction(r242,m),registration_satisfaction(r243,h),registration_satisfaction(r244,_G138618),registration_satisfaction(r245,_G138623),registration_satisfaction(r246,h),registration_satisfaction(r247,l),registration_satisfaction(r248,l),registration_satisfaction(r249,_G138643),registration_satisfaction(r250,h),registration_satisfaction(r251,h),registration_satisfaction(r252,h),registration_satisfaction(r253,h),registration_satisfaction(r254,h),registration_satisfaction(r255,_G138673),registration_satisfaction(r256,h),registration_satisfaction(r257,m),registration_satisfaction(r258,h),registration_satisfaction(r259,h),registration_satisfaction(r260,_G138698),registration_satisfaction(r261,_G138703),registration_satisfaction(r262,h),registration_satisfaction(r263,m),registration_satisfaction(r264,_G138718),registration_satisfaction(r265,_G138723),registration_satisfaction(r266,l),registration_satisfaction(r267,h),registration_satisfaction(r268,l),registration_satisfaction(r269,h),registration_satisfaction(r270,l),registration_satisfaction(r271,_G138753),registration_satisfaction(r272,l),registration_satisfaction(r273,h),registration_satisfaction(r274,h),registration_satisfaction(r275,h),registration_satisfaction(r276,h),registration_satisfaction(r277,h),registration_satisfaction(r278,h),registration_satisfaction(r279,h),registration_satisfaction(r280,h),registration_satisfaction(r281,m),registration_satisfaction(r282,h),registration_satisfaction(r283,h),registration_satisfaction(r284,_G138818),registration_satisfaction(r285,m),registration_satisfaction(r286,h),registration_satisfaction(r287,h),registration_satisfaction(r288,_G138838),registration_satisfaction(r289,l),registration_satisfaction(r290,_G138848),registration_satisfaction(r291,h),registration_satisfaction(r292,m),registration_satisfaction(r293,h),registration_satisfaction(r294,h),registration_satisfaction(r295,m),registration_satisfaction(r296,l),registration_satisfaction(r297,h),registration_satisfaction(r298,_G138888),registration_satisfaction(r299,_G138893),registration_satisfaction(r300,l),registration_satisfaction(r301,h),registration_satisfaction(r302,m),registration_satisfaction(r303,_G138913),registration_satisfaction(r304,_G138918),registration_satisfaction(r305,l),registration_satisfaction(r306,h),registration_satisfaction(r307,l),registration_satisfaction(r308,l),registration_satisfaction(r309,m),registration_satisfaction(r310,h),registration_satisfaction(r311,l),registration_satisfaction(r312,h),registration_satisfaction(r313,_G138963),registration_satisfaction(r314,h),registration_satisfaction(r315,h),registration_satisfaction(r316,l),registration_satisfaction(r317,l),registration_satisfaction(r318,h),registration_satisfaction(r319,m),registration_satisfaction(r320,h),registration_satisfaction(r321,l),registration_satisfaction(r322,h),registration_satisfaction(r323,l),registration_satisfaction(r324,h),registration_satisfaction(r325,h),registration_satisfaction(r326,_G139028),registration_satisfaction(r327,m),registration_satisfaction(r328,_G139038),registration_satisfaction(r329,h),registration_satisfaction(r330,_G139048),registration_satisfaction(r331,h),registration_satisfaction(r332,l),registration_satisfaction(r333,h),registration_satisfaction(r334,h),registration_satisfaction(r335,h),registration_satisfaction(r336,_G139078),registration_satisfaction(r337,h),registration_satisfaction(r338,h),registration_satisfaction(r339,h),registration_satisfaction(r340,h),registration_satisfaction(r341,l),registration_satisfaction(r342,h),registration_satisfaction(r343,h),registration_satisfaction(r344,h),registration_satisfaction(r345,m),registration_satisfaction(r346,h),registration_satisfaction(r347,m),registration_satisfaction(r348,m),registration_satisfaction(r349,h),registration_satisfaction(r350,m),registration_satisfaction(r351,h),registration_satisfaction(r352,l),registration_satisfaction(r353,h),registration_satisfaction(r354,h),registration_satisfaction(r355,h),registration_satisfaction(r356,_G139178),registration_satisfaction(r357,m),registration_satisfaction(r358,h),registration_satisfaction(r359,l),registration_satisfaction(r360,h),registration_satisfaction(r361,m),registration_satisfaction(r362,_G139208),registration_satisfaction(r363,l),registration_satisfaction(r364,_G139218),registration_satisfaction(r365,_G139223),registration_satisfaction(r366,h),registration_satisfaction(r367,_G139233),registration_satisfaction(r368,h),registration_satisfaction(r369,_G139243),registration_satisfaction(r370,h),registration_satisfaction(r371,h),registration_satisfaction(r372,h),registration_satisfaction(r373,h),registration_satisfaction(r374,_G139268),registration_satisfaction(r375,_G139273),registration_satisfaction(r376,_G139278),registration_satisfaction(r377,h),registration_satisfaction(r378,h),registration_satisfaction(r379,h),registration_satisfaction(r380,h),registration_satisfaction(r381,m),registration_satisfaction(r382,h),registration_satisfaction(r383,_G139313),registration_satisfaction(r384,m),registration_satisfaction(r385,m),registration_satisfaction(r386,l),registration_satisfaction(r387,h),registration_satisfaction(r388,h),registration_satisfaction(r389,h),registration_satisfaction(r390,h),registration_satisfaction(r391,l),registration_satisfaction(r392,h),registration_satisfaction(r393,h),registration_satisfaction(r394,h),registration_satisfaction(r395,h),registration_satisfaction(r396,_G139378),registration_satisfaction(r397,h),registration_satisfaction(r398,l),registration_satisfaction(r399,h),registration_satisfaction(r400,h),registration_satisfaction(r401,_G139403),registration_satisfaction(r402,_G139408),registration_satisfaction(r403,h),registration_satisfaction(r404,h),registration_satisfaction(r405,_G139423),registration_satisfaction(r406,_G139428),registration_satisfaction(r407,h),registration_satisfaction(r408,h),registration_satisfaction(r409,h),registration_satisfaction(r410,_G139448),registration_satisfaction(r411,l),registration_satisfaction(r412,h),registration_satisfaction(r413,_G139463),registration_satisfaction(r414,h),registration_satisfaction(r415,m),registration_satisfaction(r416,h),registration_satisfaction(r417,_G139483),registration_satisfaction(r418,h),registration_satisfaction(r419,_G139493),registration_satisfaction(r420,h),registration_satisfaction(r421,h),registration_satisfaction(r422,m),registration_satisfaction(r423,h),registration_satisfaction(r424,h),registration_satisfaction(r425,h),registration_satisfaction(r426,_G139528),registration_satisfaction(r427,h),registration_satisfaction(r428,h),registration_satisfaction(r429,h),registration_satisfaction(r430,l),registration_satisfaction(r431,m),registration_satisfaction(r432,h),registration_satisfaction(r433,_G139563),registration_satisfaction(r434,h),registration_satisfaction(r435,_G139573),registration_satisfaction(r436,h),registration_satisfaction(r437,h),registration_satisfaction(r438,l),registration_satisfaction(r439,_G139593),registration_satisfaction(r440,h),registration_satisfaction(r441,h),registration_satisfaction(r442,m),registration_satisfaction(r443,h),registration_satisfaction(r444,h),registration_satisfaction(r445,h),registration_satisfaction(r446,h),registration_satisfaction(r447,_G139633),registration_satisfaction(r448,l),registration_satisfaction(r449,h),registration_satisfaction(r450,h),registration_satisfaction(r451,h),registration_satisfaction(r452,_G139658),registration_satisfaction(r453,h),registration_satisfaction(r454,l),registration_satisfaction(r455,m),registration_satisfaction(r456,h),registration_satisfaction(r457,h),registration_satisfaction(r458,m),registration_satisfaction(r459,m),registration_satisfaction(r460,_G139698),registration_satisfaction(r461,h),registration_satisfaction(r462,h),registration_satisfaction(r463,l),registration_satisfaction(r464,h),registration_satisfaction(r465,_G139723),registration_satisfaction(r466,l),registration_satisfaction(r467,h),registration_satisfaction(r468,h),registration_satisfaction(r469,h),registration_satisfaction(r470,_G139748),registration_satisfaction(r471,h),registration_satisfaction(r472,h),registration_satisfaction(r473,l),registration_satisfaction(r474,m),registration_satisfaction(r475,_G139773),registration_satisfaction(r476,l),registration_satisfaction(r477,_G139783),registration_satisfaction(r478,h),registration_satisfaction(r479,l),registration_satisfaction(r480,_G139798),registration_satisfaction(r481,m),registration_satisfaction(r482,h),registration_satisfaction(r483,h),registration_satisfaction(r484,m),registration_satisfaction(r485,h),registration_satisfaction(r486,h),registration_satisfaction(r487,h),registration_satisfaction(r488,l),registration_satisfaction(r489,m),registration_satisfaction(r490,m),registration_satisfaction(r491,l),registration_satisfaction(r492,h),registration_satisfaction(r493,_G139863),registration_satisfaction(r494,m),registration_satisfaction(r495,h),registration_satisfaction(r496,_G139878),registration_satisfaction(r497,h),registration_satisfaction(r498,l),registration_satisfaction(r499,h),registration_satisfaction(r500,m),registration_satisfaction(r501,h),registration_satisfaction(r502,h),registration_satisfaction(r503,l),registration_satisfaction(r504,m),registration_satisfaction(r505,h),registration_satisfaction(r506,h),registration_satisfaction(r507,h),registration_satisfaction(r508,l),registration_satisfaction(r509,m),registration_satisfaction(r510,h),registration_satisfaction(r511,l),registration_satisfaction(r512,h),registration_satisfaction(r513,h),registration_satisfaction(r514,_G139968),registration_satisfaction(r515,l),registration_satisfaction(r516,h),registration_satisfaction(r517,m),registration_satisfaction(r518,h),registration_satisfaction(r519,h),registration_satisfaction(r520,h),registration_satisfaction(r521,h),registration_satisfaction(r522,h),registration_satisfaction(r523,h),registration_satisfaction(r524,h),registration_satisfaction(r525,l),registration_satisfaction(r526,h),registration_satisfaction(r527,l),registration_satisfaction(r528,_G140038),registration_satisfaction(r529,_G140043),registration_satisfaction(r530,h),registration_satisfaction(r531,_G140053),registration_satisfaction(r532,h),registration_satisfaction(r533,h),registration_satisfaction(r534,l),registration_satisfaction(r535,m),registration_satisfaction(r536,h),registration_satisfaction(r537,_G140083),registration_satisfaction(r538,h),registration_satisfaction(r539,h),registration_satisfaction(r540,m),registration_satisfaction(r541,_G140103),registration_satisfaction(r542,h),registration_satisfaction(r543,_G140113),registration_satisfaction(r544,h),registration_satisfaction(r545,h),registration_satisfaction(r546,h),registration_satisfaction(r547,l),registration_satisfaction(r548,_G140138),registration_satisfaction(r549,h),registration_satisfaction(r550,h),registration_satisfaction(r551,_G140153),registration_satisfaction(r552,m),registration_satisfaction(r553,m),registration_satisfaction(r554,l),registration_satisfaction(r555,m),registration_satisfaction(r556,h),registration_satisfaction(r557,h),registration_satisfaction(r558,h),registration_satisfaction(r559,h),registration_satisfaction(r560,h),registration_satisfaction(r561,_G140203),registration_satisfaction(r562,h),registration_satisfaction(r563,_G140213),registration_satisfaction(r564,h),registration_satisfaction(r565,l),registration_satisfaction(r566,l),registration_satisfaction(r567,h),registration_satisfaction(r568,h),registration_satisfaction(r569,_G140243),registration_satisfaction(r570,_G140248),registration_satisfaction(r571,l),registration_satisfaction(r572,m),registration_satisfaction(r573,h),registration_satisfaction(r574,m),registration_satisfaction(r575,_G140273),registration_satisfaction(r576,_G140278),registration_satisfaction(r577,h),registration_satisfaction(r578,l),registration_satisfaction(r579,h),registration_satisfaction(r580,m),registration_satisfaction(r581,h),registration_satisfaction(r582,h),registration_satisfaction(r583,h),registration_satisfaction(r584,h),registration_satisfaction(r585,h),registration_satisfaction(r586,m),registration_satisfaction(r587,m),registration_satisfaction(r588,l),registration_satisfaction(r589,l),registration_satisfaction(r590,_G140348),registration_satisfaction(r591,h),registration_satisfaction(r592,_G140358),registration_satisfaction(r593,_G140363),registration_satisfaction(r594,_G140368),registration_satisfaction(r595,m),registration_satisfaction(r596,h),registration_satisfaction(r597,h),registration_satisfaction(r598,_G140388),registration_satisfaction(r599,_G140393),registration_satisfaction(r600,m),registration_satisfaction(r601,m),registration_satisfaction(r602,h),registration_satisfaction(r603,_G140413),registration_satisfaction(r604,l),registration_satisfaction(r605,_G140423),registration_satisfaction(r606,h),registration_satisfaction(r607,l),registration_satisfaction(r608,h),registration_satisfaction(r609,h),registration_satisfaction(r610,h),registration_satisfaction(r611,_G140453),registration_satisfaction(r612,l),registration_satisfaction(r613,h),registration_satisfaction(r614,m),registration_satisfaction(r615,l),registration_satisfaction(r616,h),registration_satisfaction(r617,h),registration_satisfaction(r618,h),registration_satisfaction(r619,_G140493),registration_satisfaction(r620,h),registration_satisfaction(r621,_G140503),registration_satisfaction(r622,_G140508),registration_satisfaction(r623,l),registration_satisfaction(r624,m),registration_satisfaction(r625,_G140523),registration_satisfaction(r626,h),registration_satisfaction(r627,h),registration_satisfaction(r628,h),registration_satisfaction(r629,h),registration_satisfaction(r630,_G140548),registration_satisfaction(r631,h),registration_satisfaction(r632,h),registration_satisfaction(r633,h),registration_satisfaction(r634,h),registration_satisfaction(r635,m),registration_satisfaction(r636,l),registration_satisfaction(r637,_G140583),registration_satisfaction(r638,h),registration_satisfaction(r639,h),registration_satisfaction(r640,h),registration_satisfaction(r641,h),registration_satisfaction(r642,h),registration_satisfaction(r643,h),registration_satisfaction(r644,h),registration_satisfaction(r645,h),registration_satisfaction(r646,h),registration_satisfaction(r647,h),registration_satisfaction(r648,h),registration_satisfaction(r649,_G140643),registration_satisfaction(r650,h),registration_satisfaction(r651,_G140653),registration_satisfaction(r652,m),registration_satisfaction(r653,l),registration_satisfaction(r654,_G140668),registration_satisfaction(r655,h),registration_satisfaction(r656,m),registration_satisfaction(r657,h),registration_satisfaction(r658,h),registration_satisfaction(r659,h),registration_satisfaction(r660,h),registration_satisfaction(r661,h),registration_satisfaction(r662,h),registration_satisfaction(r663,h),registration_satisfaction(r664,l),registration_satisfaction(r665,h),registration_satisfaction(r666,_G140728),registration_satisfaction(r667,h),registration_satisfaction(r668,l),registration_satisfaction(r669,h),registration_satisfaction(r670,_G140748),registration_satisfaction(r671,h),registration_satisfaction(r672,_G140758),registration_satisfaction(r673,l),registration_satisfaction(r674,_G140768),registration_satisfaction(r675,l),registration_satisfaction(r676,h),registration_satisfaction(r677,h),registration_satisfaction(r678,h),registration_satisfaction(r679,_G140793),registration_satisfaction(r680,m),registration_satisfaction(r681,h),registration_satisfaction(r682,h),registration_satisfaction(r683,h),registration_satisfaction(r684,_G140818),registration_satisfaction(r685,h),registration_satisfaction(r686,h),registration_satisfaction(r687,l),registration_satisfaction(r688,_G140838),registration_satisfaction(r689,m),registration_satisfaction(r690,h),registration_satisfaction(r691,h),registration_satisfaction(r692,h),registration_satisfaction(r693,h),registration_satisfaction(r694,h),registration_satisfaction(r695,h),registration_satisfaction(r696,h),registration_satisfaction(r697,_G140883),registration_satisfaction(r698,h),registration_satisfaction(r699,h),registration_satisfaction(r700,h),registration_satisfaction(r701,h),registration_satisfaction(r702,h),registration_satisfaction(r703,l),registration_satisfaction(r704,l),registration_satisfaction(r705,_G140923),registration_satisfaction(r706,m),registration_satisfaction(r707,_G140933),registration_satisfaction(r708,l),registration_satisfaction(r709,_G140943),registration_satisfaction(r710,l),registration_satisfaction(r711,h),registration_satisfaction(r712,h),registration_satisfaction(r713,h),registration_satisfaction(r714,m),registration_satisfaction(r715,h),registration_satisfaction(r716,h),registration_satisfaction(r717,h),registration_satisfaction(r718,l),registration_satisfaction(r719,_G140993),registration_satisfaction(r720,h),registration_satisfaction(r721,h),registration_satisfaction(r722,h),registration_satisfaction(r723,h),registration_satisfaction(r724,h),registration_satisfaction(r725,h),registration_satisfaction(r726,h),registration_satisfaction(r727,h),registration_satisfaction(r728,m),registration_satisfaction(r729,h),registration_satisfaction(r730,h),registration_satisfaction(r731,h),registration_satisfaction(r732,_G141058),registration_satisfaction(r733,h),registration_satisfaction(r734,h),registration_satisfaction(r735,h),registration_satisfaction(r736,h),registration_satisfaction(r737,_G141083),registration_satisfaction(r738,h),registration_satisfaction(r739,_G141093),registration_satisfaction(r740,h),registration_satisfaction(r741,h),registration_satisfaction(r742,h),registration_satisfaction(r743,_G141113),registration_satisfaction(r744,h),registration_satisfaction(r745,m),registration_satisfaction(r746,h),registration_satisfaction(r747,h),registration_satisfaction(r748,h),registration_satisfaction(r749,m),registration_satisfaction(r750,h),registration_satisfaction(r751,h),registration_satisfaction(r752,m),registration_satisfaction(r753,m),registration_satisfaction(r754,_G141168),registration_satisfaction(r755,l),registration_satisfaction(r756,h),registration_satisfaction(r757,_G141183),registration_satisfaction(r758,_G141188),registration_satisfaction(r759,l),registration_satisfaction(r760,h),registration_satisfaction(r761,h),registration_satisfaction(r762,m),registration_satisfaction(r763,h),registration_satisfaction(r764,h),registration_satisfaction(r765,h),registration_satisfaction(r766,h),registration_satisfaction(r767,_G141233),registration_satisfaction(r768,l),registration_satisfaction(r769,_G141243),registration_satisfaction(r770,_G141248),registration_satisfaction(r771,m),registration_satisfaction(r772,h),registration_satisfaction(r773,_G141263),registration_satisfaction(r774,h),registration_satisfaction(r775,_G141273),registration_satisfaction(r776,h),registration_satisfaction(r777,l),registration_satisfaction(r778,h),registration_satisfaction(r779,h),registration_satisfaction(r780,_G141298),registration_satisfaction(r781,m),registration_satisfaction(r782,_G141308),registration_satisfaction(r783,m),registration_satisfaction(r784,l),registration_satisfaction(r785,l),registration_satisfaction(r786,_G141328),registration_satisfaction(r787,h),registration_satisfaction(r788,h),registration_satisfaction(r789,h),registration_satisfaction(r790,h),registration_satisfaction(r791,h),registration_satisfaction(r792,_G141358),registration_satisfaction(r793,m),registration_satisfaction(r794,l),registration_satisfaction(r795,h),registration_satisfaction(r796,_G141378),registration_satisfaction(r797,h),registration_satisfaction(r798,m),registration_satisfaction(r799,m),registration_satisfaction(r800,m),registration_satisfaction(r801,h),registration_satisfaction(r802,h),registration_satisfaction(r803,h),registration_satisfaction(r804,h),registration_satisfaction(r805,h),registration_satisfaction(r806,h),registration_satisfaction(r807,l),registration_satisfaction(r808,m),registration_satisfaction(r809,l),registration_satisfaction(r810,h),registration_satisfaction(r811,l),registration_satisfaction(r812,h),registration_satisfaction(r813,m),registration_satisfaction(r814,l),registration_satisfaction(r815,h),registration_satisfaction(r816,h),registration_satisfaction(r817,_G141483),registration_satisfaction(r818,_G141488),registration_satisfaction(r819,h),registration_satisfaction(r820,h),registration_satisfaction(r821,m),registration_satisfaction(r822,m),registration_satisfaction(r823,h),registration_satisfaction(r824,m),registration_satisfaction(r825,l),registration_satisfaction(r826,l),registration_satisfaction(r827,l),registration_satisfaction(r828,m),registration_satisfaction(r829,l),registration_satisfaction(r830,h),registration_satisfaction(r831,h),registration_satisfaction(r832,_G141558),registration_satisfaction(r833,_G141563),registration_satisfaction(r834,h),registration_satisfaction(r835,h),registration_satisfaction(r836,h),registration_satisfaction(r837,h),registration_satisfaction(r838,_G141588),registration_satisfaction(r839,_G141593),registration_satisfaction(r840,m),registration_satisfaction(r841,h),registration_satisfaction(r842,h),registration_satisfaction(r843,_G141613),registration_satisfaction(r844,h),registration_satisfaction(r845,l),registration_satisfaction(r846,l),registration_satisfaction(r847,h),registration_satisfaction(r848,l),registration_satisfaction(r849,h),registration_satisfaction(r850,h),registration_satisfaction(r851,_G141653),registration_satisfaction(r852,h),registration_satisfaction(r853,_G141663),registration_satisfaction(r854,m),registration_satisfaction(r855,h),registration_satisfaction(r856,_G141678)])
Prolog
1
ryandesign/yap
packages/CLPBN/benchmarks/school/missing20.yap
[ "Artistic-1.0-Perl", "ClArtistic" ]
#include <iostream> #include <fstream> #include <cstdlib> #include <string> #include <cinttypes> #include "wasm.hh" auto get_export_global(wasm::ownvec<wasm::Extern>& exports, size_t i) -> wasm::Global* { if (exports.size() <= i || !exports[i]->global()) { std::cout << "> Error accessing global export " << i << "!" << std::endl; exit(1); } return exports[i]->global(); } auto get_export_func(const wasm::ownvec<wasm::Extern>& exports, size_t i) -> const wasm::Func* { if (exports.size() <= i || !exports[i]->func()) { std::cout << "> Error accessing function export " << i << "!" << std::endl; exit(1); } return exports[i]->func(); } template<class T, class U> void check(T actual, U expected) { if (actual != expected) { std::cout << "> Error reading value, expected " << expected << ", got " << actual << std::endl; exit(1); } } auto call(const wasm::Func* func) -> wasm::Val { wasm::Val results[1]; if (func->call(nullptr, results)) { std::cout << "> Error calling function!" << std::endl; exit(1); } return results[0].copy(); } void call(const wasm::Func* func, wasm::Val&& arg) { wasm::Val args[1] = {std::move(arg)}; if (func->call(args)) { std::cout << "> Error calling function!" << std::endl; exit(1); } } void run() { // Initialize. std::cout << "Initializing..." << std::endl; auto engine = wasm::Engine::make(); auto store_ = wasm::Store::make(engine.get()); auto store = store_.get(); // Load binary. std::cout << "Loading binary..." << std::endl; std::ifstream file("global.wasm"); file.seekg(0, std::ios_base::end); auto file_size = file.tellg(); file.seekg(0); auto binary = wasm::vec<byte_t>::make_uninitialized(file_size); file.read(binary.get(), file_size); file.close(); if (file.fail()) { std::cout << "> Error loading module!" << std::endl; exit(1); } // Compile. std::cout << "Compiling module..." << std::endl; auto module = wasm::Module::make(store, binary); if (!module) { std::cout << "> Error compiling module!" << std::endl; exit(1); } // Create external globals. std::cout << "Creating globals..." << std::endl; auto const_f32_type = wasm::GlobalType::make( wasm::ValType::make(wasm::F32), wasm::CONST); auto const_i64_type = wasm::GlobalType::make( wasm::ValType::make(wasm::I64), wasm::CONST); auto var_f32_type = wasm::GlobalType::make( wasm::ValType::make(wasm::F32), wasm::VAR); auto var_i64_type = wasm::GlobalType::make( wasm::ValType::make(wasm::I64), wasm::VAR); auto const_f32_import = wasm::Global::make(store, const_f32_type.get(), wasm::Val::f32(1)); auto const_i64_import = wasm::Global::make(store, const_i64_type.get(), wasm::Val::i64(2)); auto var_f32_import = wasm::Global::make(store, var_f32_type.get(), wasm::Val::f32(3)); auto var_i64_import = wasm::Global::make(store, var_i64_type.get(), wasm::Val::i64(4)); // Instantiate. std::cout << "Instantiating module..." << std::endl; wasm::Extern* imports[] = { const_f32_import.get(), const_i64_import.get(), var_f32_import.get(), var_i64_import.get() }; auto instance = wasm::Instance::make(store, module.get(), imports); if (!instance) { std::cout << "> Error instantiating module!" << std::endl; exit(1); } // Extract export. std::cout << "Extracting exports..." << std::endl; auto exports = instance->exports(); size_t i = 0; auto const_f32_export = get_export_global(exports, i++); auto const_i64_export = get_export_global(exports, i++); auto var_f32_export = get_export_global(exports, i++); auto var_i64_export = get_export_global(exports, i++); auto get_const_f32_import = get_export_func(exports, i++); auto get_const_i64_import = get_export_func(exports, i++); auto get_var_f32_import = get_export_func(exports, i++); auto get_var_i64_import = get_export_func(exports, i++); auto get_const_f32_export = get_export_func(exports, i++); auto get_const_i64_export = get_export_func(exports, i++); auto get_var_f32_export = get_export_func(exports, i++); auto get_var_i64_export = get_export_func(exports, i++); auto set_var_f32_import = get_export_func(exports, i++); auto set_var_i64_import = get_export_func(exports, i++); auto set_var_f32_export = get_export_func(exports, i++); auto set_var_i64_export = get_export_func(exports, i++); // Try cloning. assert(var_f32_import->copy()->same(var_f32_import.get())); // Interact. std::cout << "Accessing globals..." << std::endl; // Check initial values. check(const_f32_import->get().f32(), 1); check(const_i64_import->get().i64(), 2); check(var_f32_import->get().f32(), 3); check(var_i64_import->get().i64(), 4); check(const_f32_export->get().f32(), 5); check(const_i64_export->get().i64(), 6); check(var_f32_export->get().f32(), 7); check(var_i64_export->get().i64(), 8); check(call(get_const_f32_import).f32(), 1); check(call(get_const_i64_import).i64(), 2); check(call(get_var_f32_import).f32(), 3); check(call(get_var_i64_import).i64(), 4); check(call(get_const_f32_export).f32(), 5); check(call(get_const_i64_export).i64(), 6); check(call(get_var_f32_export).f32(), 7); check(call(get_var_i64_export).i64(), 8); // Modify variables through API and check again. var_f32_import->set(wasm::Val::f32(33)); var_i64_import->set(wasm::Val::i64(34)); var_f32_export->set(wasm::Val::f32(37)); var_i64_export->set(wasm::Val::i64(38)); check(var_f32_import->get().f32(), 33); check(var_i64_import->get().i64(), 34); check(var_f32_export->get().f32(), 37); check(var_i64_export->get().i64(), 38); check(call(get_var_f32_import).f32(), 33); check(call(get_var_i64_import).i64(), 34); check(call(get_var_f32_export).f32(), 37); check(call(get_var_i64_export).i64(), 38); // Modify variables through calls and check again. call(set_var_f32_import, wasm::Val::f32(73)); call(set_var_i64_import, wasm::Val::i64(74)); call(set_var_f32_export, wasm::Val::f32(77)); call(set_var_i64_export, wasm::Val::i64(78)); check(var_f32_import->get().f32(), 73); check(var_i64_import->get().i64(), 74); check(var_f32_export->get().f32(), 77); check(var_i64_export->get().i64(), 78); check(call(get_var_f32_import).f32(), 73); check(call(get_var_i64_import).i64(), 74); check(call(get_var_f32_export).f32(), 77); check(call(get_var_i64_export).i64(), 78); // Shut down. std::cout << "Shutting down..." << std::endl; } int main(int argc, const char* argv[]) { run(); std::cout << "Done." << std::endl; return 0; }
C++
4
rajeev02101987/arangodb
3rdParty/V8/v7.9.317/third_party/wasm-api/example/global.cc
[ "Apache-2.0" ]
;########################################################### ; Original by PhiLho ; Modified by skwire ; http://www.autohotkey.com/board/topic/11926-can-you-move-a-listview-column-programmatically/#entry237340 ;########################################################### LVOrder_Set(_Num_Of_Columns, _New_Column_Order, _lvID, Delim := ",") { Static LVM_FIRST := 0x1000 Static LVM_REDRAWITEMS := 21 Static LVM_SETCOLUMNORDERARRAY := 58 VarSetCapacity( colOrder, _Num_Of_Columns * 4, 0 ) Loop, Parse, _New_Column_Order, %Delim% { pos := A_Index - 1 NumPut( A_LoopField - 1, colOrder, pos * 4, "UInt" ) } SendMessage, LVM_FIRST + LVM_SETCOLUMNORDERARRAY , _Num_Of_Columns, &colOrder,, ahk_id %_lvID% ; LVM_SETCOLUMNORDERARRAY SendMessage, LVM_FIRST + LVM_REDRAWITEMS , 0, _Num_Of_Columns - 1,, ahk_id %_lvID% ; LVM_REDRAWITEMS VarSetCapacity( colOrder, 0 ) ; Clean up. } LVOrder_Get( _Num_Of_Columns, _lvID, Delim := "," ) { Static LVM_FIRST := 0x1000 Static LVM_GETCOLUMNORDERARRAY := 59 Output := "" VarSetCapacity( colOrder, _Num_Of_Columns * 4, 0 ) SendMessage, LVM_FIRST + LVM_GETCOLUMNORDERARRAY , _Num_Of_Columns, &colOrder,, ahk_id %_lvID% ; LVM_GETCOLUMNORDERARRAY Loop, % _Num_Of_Columns { pos := A_Index - 1 Col := NumGet( colOrder, pos * 4, "UInt" ) + 1 ; Array is zero-based so we add one. Output .= Col . Delim } StringTrimRight, Output, Output, 1 ; Trim trailing delimiter. VarSetCapacity( colOrder, 0 ) ; Clean up. Return, Output }
AutoHotkey
4
standardgalactic/PuloversMacroCreator
LIB/LVOrder.ahk
[ "Unlicense" ]
<http://example.org/s> . <http://example.org/p> <http://example.org/o> .
Turtle
1
joshrose/audacity
lib-src/lv2/serd/tests/bad/bad-dot-after-subject.ttl
[ "CC-BY-3.0" ]
; Copyright 2017 The Crashpad Authors. All rights reserved. ; ; Licensed under the Apache License, Version 2.0 (the "License"); ; you may not use this file except in compliance with the License. ; You may obtain a copy of the License at ; ; http://www.apache.org/licenses/LICENSE-2.0 ; ; Unless required by applicable law or agreed to in writing, software ; distributed under the License is distributed on an "AS IS" BASIS, ; WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. ; See the License for the specific language governing permissions and ; limitations under the License. ; Detect ml64 assembling for x86_64 by checking for rax. ifdef rax _M_X64 equ 1 else _M_IX86 equ 1 endif ifdef _M_IX86 .586 .xmm .model flat includelib kernel32.lib extern __imp__TerminateProcess@8:proc ; namespace crashpad { ; bool SafeTerminateProcess(HANDLE process, UINT exit_code); ; } // namespace crashpad SAFETERMINATEPROCESS_SYMBOL equ ?SafeTerminateProcess@crashpad@@YA_NPAXI@Z _TEXT segment public SAFETERMINATEPROCESS_SYMBOL SAFETERMINATEPROCESS_SYMBOL proc ; This function is written in assembler source because it’s important for it ; to not be inlined, for it to allocate a stack frame, and most critically, ; for it to not trust esp on return from TerminateProcess(). ; __declspec(noinline) can prevent inlining and #pragma optimize("y", off) can ; disable frame pointer omission, but there’s no way to force a C compiler to ; distrust esp, and even if there was a way, it’d probably be fragile. push ebp mov ebp, esp push [ebp+12] push [ebp+8] call dword ptr [__imp__TerminateProcess@8] ; Convert from BOOL to bool. test eax, eax setne al ; TerminateProcess() is supposed to be stdcall (callee clean-up), and esp and ; ebp are expected to already be equal. But if it’s been patched badly by ; something that’s cdecl (caller clean-up), this next move will get things ; back on track. mov esp, ebp pop ebp ret SAFETERMINATEPROCESS_SYMBOL endp _TEXT ends endif end
Assembly
4
karoyqiu/crashpad
util/win/safe_terminate_process.asm
[ "Apache-2.0" ]
PREFIX : <http://example.org/> PREFIX xsd: <http://www.w3.org/2001/XMLSchema#> SELECT ?s ?str WHERE { ?s ?p ?str FILTER STRENDS(?str, "bc") }
SPARQL
4
yanaspaula/rdf4j
testsuites/sparql/src/main/resources/testcases-sparql-1.1-w3c/functions/ends01.rq
[ "BSD-3-Clause" ]
#(ly:message "hello from pinclude4")
LilyPond
0
HolgerPeters/lyp
spec/user_files/pinclude4.ly
[ "MIT" ]
integer createdObjectCounter; integer linkedObjectCounter; default { state_entry() { llSay( 0, "Hello, Avatar!"); linkedObjectCounter = 0; // zero the linked object counter. } touch_start(integer total_number) { if( createdObjectCounter <= 0 ) // nothing has yet been linked, { // begin object creation sequence... // ask for permissions now, since it will be too late later. llRequestPermissions( llGetOwner(), PERMISSION_CHANGE_LINKS ); } else // just do whatever should be done upon touch without { // creating new objects to link. // insert commands here to respond to a touch. } } run_time_permissions( integer permissions_granted ) { if( permissions_granted == PERMISSION_CHANGE_LINKS ) { // create 2 objects. llRezObject("Object1", llGetPos() + < 1, 0, 2 >, ZERO_VECTOR, ZERO_ROTATION, 42); createdObjectCounter = createdObjectCounter + 1; llRezObject("Object1", llGetPos() + < -1, 0, 2 >, ZERO_VECTOR, ZERO_ROTATION, 42); createdObjectCounter = createdObjectCounter + 1; } else { llOwnerSay( "Didn't get permission to change links." ); return; } } object_rez( key child_id ) { llOwnerSay( "rez happened and produced object with key " + (string)child_id ); // link as parent to the just created child. llCreateLink( child_id, TRUE ); // if all child objects have been created then the script can // continue to work as a linked set of objects. linkedObjectCounter++; if( linkedObjectCounter >= 2 ) { // Change all child objects in the set to red (including parent). llSetLinkColor( LINK_ALL_CHILDREN, < 1, 0, 0 >, ALL_SIDES ); // Make child object "2" half-tranparent. llSetLinkAlpha( 2, .5, ALL_SIDES ); // Insert commands here to manage subsequent activity of the // linkset, like this command to rotate the result: // llTargetOmega( < 0, 1, 1 >, .2 * PI, 1.0 ); } } }
LSL
5
MandarinkaTasty/OpenSim
bin/assets/ScriptsAssetSet/KanEd-Test14.lsl
[ "BSD-3-Clause" ]
// // NSObject+DoraemonMCSupport.h // DoraemonKit // // Created by litianhao on 2021/8/9. // #import <Foundation/Foundation.h> NS_ASSUME_NONNULL_BEGIN @interface NSObject (DoraemonMCSupport) /** swizzle 类方法 @param oriSel 原有的方法 @param swiSel swizzle的方法 */ + (void)do_mc_swizzleClassMethodWithOriginSel:(SEL)oriSel swizzledSel:(SEL)swiSel; /** swizzle 实例方法 @param oriSel 原有的方法 @param swiSel swizzle的方法 */ + (void)do_mc_swizzleInstanceMethodWithOriginSel:(SEL)oriSel swizzledSel:(SEL)swiSel; + (void)do_mc_swizzleInstanceMethodWithOriginSel:(SEL)oriSel swizzledSel:(SEL)swiSel cls:(Class)cls; /// 获取key对应的关联对象的值 自动解包成CGPoint - (CGPoint)do_mc_point_value_forkey:(const void *)key ; /// 获取key对应的关联对象的值 自动解包成CGRect - (CGRect)do_mc_rect_value_forkey:(const void *)key ; @end NS_ASSUME_NONNULL_END
C
4
lvyongtao/DoraemonKit
iOS/DoraemonKit/Src/MultiControl/Function/EventSync/Utils/NSObject+DoraemonMCSupport.h
[ "Apache-2.0" ]
<?Lassoscript // Last modified 8/31/09 by ECL // FUNCTIONALITY // This file clears the server's DNS cache in an attempt to straighten around a problem with the e-mail queue hanging messages // USAGE // http://www.yourdomain.com/maintenance/clearcache.lasso // RESULT // In limited testing, appears to return no reply on success. Include:'/siteconfig.lasso'; Var:'ClearCache' = PassThru('dscacheutil -flushcache', -Username=$svSiteUsername, -Password=$svSitePassword); 'ClearCache = ' $ClearCache '<br>\n'; 'Error_CurrentError = ' (Error_CurrentError) '<br>\n'; ?>
Lasso
4
subethaedit/SubEthaEd
Documentation/ModeDevelopment/Reference Files/LassoScript-HTML/itpage/maintenance/clearcache.lasso
[ "MIT" ]
<div class="class-list"> <ul> <?php foreach($classes as $className => $class){ ?> <li> <a href="<?= $this->url($class) ?>"><?= $className ?></a></li> <?php } ?> </ul> </div>
HTML+PHP
3
aleksandr-yulin/zephir
templates/Api/themes/zephir/partials/classes.phtml
[ "MIT" ]
// check-pass // edition:2018 // compile-flags: -Z span-debug // aux-build:test-macros.rs #![feature(rustc_attrs)] #![no_std] // Don't load unnecessary hygiene information from std extern crate std; #[macro_use] extern crate test_macros; macro_rules! capture_item { ($item:item) => { #[print_attr] $item } } capture_item! { /// A doc comment struct Foo {} } capture_item! { #[rustc_dummy] /// Another comment comment struct Bar {} } fn main() {}
Rust
4
mbc-git/rust
src/test/ui/proc-macro/issue-81007-item-attrs.rs
[ "ECL-2.0", "Apache-2.0", "MIT-0", "MIT" ]
#tag Interface Private Interface FormStreamGetter #tag Method, Flags = &h0 Function GetStream(UserData As Ptr) As Readable End Function #tag EndMethod End Interface #tag EndInterface
REALbasic
3
charonn0/RB-libcURL
libcURL/FormStreamGetter.rbbas
[ "MIT" ]
@{ RootModule = 'OpenCover.psm1' ModuleVersion = '1.1.0.0' GUID = '4eedcffd-26e8-4172-8aad-9b882c13d370' Author = 'PowerShell' CompanyName = 'Microsoft Corporation' Copyright = 'Copyright (c) Microsoft Corporation.' Description = 'Module to install OpenCover and run Powershell tests to collect code coverage' DotNetFrameworkVersion = 4.5 TypesToProcess = @('OpenCover.Types.ps1xml') FormatsToProcess = @('OpenCover.Format.ps1xml') FunctionsToExport = @('Get-CodeCoverage','Compare-CodeCoverage', 'Compare-FileCoverage', 'Install-OpenCover', 'Invoke-OpenCover','Format-FileCoverage') CmdletsToExport = @() VariablesToExport = @() AliasesToExport = @() }
PowerShell
3
rdtechie/PowerShell
test/tools/OpenCover/OpenCover.psd1
[ "MIT" ]
package com.tobykurien.webapps.data import org.eclipse.xtend.lib.annotations.Accessors @Accessors class ThirdPartyDomain { long id long webappId String domain }
Xtend
3
sr093906/WebApps
app/src/main/java/com/tobykurien/webapps/data/ThirdPartyDomain.xtend
[ "MIT" ]
<!DOCTYPE html> <html> <head> <meta name="viewport" content="width=device-width, initial-scale=1.0"> <!-- Do we need additional share metadata included here? --> {% include partials/analytics %} <title>{{ title }}</title> {% include partials/header-includes %} </head> <body> <div class="mdl-layout mdl-layout--no-desktop-drawer-button mdl-js-layout mdl-layout--fixed-header"> {% include partials/header %} <main class="mdl-layout__content hero-banner"> <div class="tutorial-page-container mdl-grid"> <div class="mdl-cell--8-col mdl-cell--8-col-tablet mdl-cell--4-col-phone"> {% include partials/tutorial-breadcrumbs %} {{ content }} </div> <div class="mdl-cell--4-col hide-me"> <div class="tutorial-info-container"> <div class="tutorial-info-header">time to read</div> <div class="tutorial-info-copy">{{ time }}</div> <div class="tutorial-info-header">takeaways</div> <div class="tutorial-info-copy">{{ takeaways }}</div> </div> </div> <div class="tutorial-footer mdl-cell--8-col mdl-cell--8-col-tablet mdl-cell--4-col-phone"> The Language Interpretability Tool is being actively developed and documentation is likely to change as we improve the tool. We want to hear from you! Leave us a note, feedback, or suggestion on our <a href="https://github.com/pair-code/lit/issues/new" target="_blank">Github</a>. </div> </div> {% include partials/footer %} </main> </div> </body> {% include partials/footer-includes %} </html>
Liquid
4
noahcb/lit
website/src/_includes/layouts/tutorial.liquid
[ "Apache-2.0" ]
{ "@context": {"@base": "http://example.com/api/things/1"} }
JSONLD
1
fsteeg/json-ld-api
tests/compact/0076-context.jsonld
[ "W3C" ]
package com.baeldung.couchbase.spring.service; import static org.junit.Assert.*; import org.junit.Test; import org.junit.runner.RunWith; import org.springframework.beans.factory.annotation.Autowired; import org.springframework.test.context.ContextConfiguration; import org.springframework.test.context.TestExecutionListeners; import org.springframework.test.context.junit4.SpringJUnit4ClassRunner; import org.springframework.test.context.support.DependencyInjectionTestExecutionListener; import com.baeldung.couchbase.spring.IntegrationTest; import com.baeldung.couchbase.spring.IntegrationTestConfig; import com.couchbase.client.java.Bucket; @RunWith(SpringJUnit4ClassRunner.class) @ContextConfiguration(classes = { IntegrationTestConfig.class }) @TestExecutionListeners(listeners = { DependencyInjectionTestExecutionListener.class }) public class ClusterServiceLiveTest extends IntegrationTest { @Autowired private ClusterService couchbaseService; private Bucket defaultBucket; @Test public void whenOpenBucket_thenBucketIsNotNull() throws Exception { defaultBucket = couchbaseService.openBucket("default", ""); assertNotNull(defaultBucket); assertFalse(defaultBucket.isClosed()); defaultBucket.close(); } }
Java
4
zeesh49/tutorials
couchbase/src/test/java/com/baeldung/couchbase/spring/service/ClusterServiceLiveTest.java
[ "MIT" ]
(kicad_pcb (version 20171130) (host pcbnew 5.1.12) (general (thickness 1.6) (drawings 24) (tracks 66) (zones 0) (modules 30) (nets 13) ) (page A4) (layers (0 F.Cu signal) (31 B.Cu signal) (32 B.Adhes user) (33 F.Adhes user) (34 B.Paste user) (35 F.Paste user) (36 B.SilkS user) (37 F.SilkS user) (38 B.Mask user) (39 F.Mask user) (40 Dwgs.User user) (41 Cmts.User user) (42 Eco1.User user) (43 Eco2.User user) (44 Edge.Cuts user) (45 Margin user) (46 B.CrtYd user) (47 F.CrtYd user) (48 B.Fab user) (49 F.Fab user) ) (setup (last_trace_width 0.25) (trace_clearance 0.2) (zone_clearance 0.508) (zone_45_only no) (trace_min 0.2) (via_size 0.8) (via_drill 0.4) (via_min_size 0.4) (via_min_drill 0.3) (uvia_size 0.3) (uvia_drill 0.1) (uvias_allowed no) (uvia_min_size 0.2) (uvia_min_drill 0.1) (edge_width 0.05) (segment_width 0.2) (pcb_text_width 0.3) (pcb_text_size 1.5 1.5) (mod_edge_width 0.12) (mod_text_size 1 1) (mod_text_width 0.15) (pad_size 2.2 2.2) (pad_drill 2.2) (pad_to_mask_clearance 0.051) (solder_mask_min_width 0.25) (aux_axis_origin 102.87 140.335) (grid_origin 155.93 89.8) (visible_elements FFFFEF7F) (pcbplotparams (layerselection 0x010fc_ffffffff) (usegerberextensions false) (usegerberattributes false) (usegerberadvancedattributes false) (creategerberjobfile true) (excludeedgelayer true) (linewidth 0.100000) (plotframeref false) (viasonmask false) (mode 1) (useauxorigin true) (hpglpennumber 1) (hpglpenspeed 20) (hpglpendiameter 15.000000) (psnegative false) (psa4output false) (plotreference true) (plotvalue true) (plotinvisibletext false) (padsonsilk false) (subtractmaskfromsilk false) (outputformat 1) (mirror false) (drillshape 0) (scaleselection 1) (outputdirectory "gbr/")) ) (net 0 "") (net 1 GND) (net 2 ROW0) (net 3 COL0) (net 4 COL1) (net 5 ROW1) (net 6 COL2) (net 7 COL3) (net 8 ROW4) (net 9 COL4) (net 10 COL5) (net 11 ROW2) (net 12 ROW3) (net_class Default "これはデフォルトのネット クラスです。" (clearance 0.2) (trace_width 0.25) (via_dia 0.8) (via_drill 0.4) (uvia_dia 0.3) (uvia_drill 0.1) (add_net COL0) (add_net COL1) (add_net COL2) (add_net COL3) (add_net COL4) (add_net COL5) (add_net GND) (add_net ROW0) (add_net ROW1) (add_net ROW2) (add_net ROW3) (add_net ROW4) ) (module Connector_PinHeader_2.54mm:PinHeader_1x02_P2.54mm_Vertical (layer F.Cu) (tedit 59FED5CC) (tstamp 5DCB0BDB) (at 141.67104 72.5551 90) (descr "Through hole straight pin header, 1x02, 2.54mm pitch, single row") (tags "Through hole pin header THT 1x02 2.54mm single row") (path /5DCD72B6) (fp_text reference J1 (at 0 -2.33 90) (layer F.SilkS) (effects (font (size 1 1) (thickness 0.15))) ) (fp_text value Conn_01x02_Male (at 0 4.87 90) (layer F.Fab) (effects (font (size 1 1) (thickness 0.15))) ) (fp_line (start 1.8 -1.8) (end -1.8 -1.8) (layer F.CrtYd) (width 0.05)) (fp_line (start 1.8 4.35) (end 1.8 -1.8) (layer F.CrtYd) (width 0.05)) (fp_line (start -1.8 4.35) (end 1.8 4.35) (layer F.CrtYd) (width 0.05)) (fp_line (start -1.8 -1.8) (end -1.8 4.35) (layer F.CrtYd) (width 0.05)) (fp_line (start -1.33 -1.33) (end 0 -1.33) (layer F.SilkS) (width 0.12)) (fp_line (start -1.33 0) (end -1.33 -1.33) (layer F.SilkS) (width 0.12)) (fp_line (start -1.33 1.27) (end 1.33 1.27) (layer F.SilkS) (width 0.12)) (fp_line (start 1.33 1.27) (end 1.33 3.87) (layer F.SilkS) (width 0.12)) (fp_line (start -1.33 1.27) (end -1.33 3.87) (layer F.SilkS) (width 0.12)) (fp_line (start -1.33 3.87) (end 1.33 3.87) (layer F.SilkS) (width 0.12)) (fp_line (start -1.27 -0.635) (end -0.635 -1.27) (layer F.Fab) (width 0.1)) (fp_line (start -1.27 3.81) (end -1.27 -0.635) (layer F.Fab) (width 0.1)) (fp_line (start 1.27 3.81) (end -1.27 3.81) (layer F.Fab) (width 0.1)) (fp_line (start 1.27 -1.27) (end 1.27 3.81) (layer F.Fab) (width 0.1)) (fp_line (start -0.635 -1.27) (end 1.27 -1.27) (layer F.Fab) (width 0.1)) (fp_text user %R (at 0 1.27) (layer F.Fab) (effects (font (size 1 1) (thickness 0.15))) ) (pad 2 thru_hole oval (at 0 2.54 90) (size 1.7 1.7) (drill 1) (layers *.Cu *.Mask) (net 3 COL0)) (pad 1 thru_hole rect (at 0 0 90) (size 1.7 1.7) (drill 1) (layers *.Cu *.Mask) (net 2 ROW0)) (model ${KISYS3DMOD}/Connector_PinHeader_2.54mm.3dshapes/PinHeader_1x02_P2.54mm_Vertical.wrl (at (xyz 0 0 0)) (scale (xyz 1 1 1)) (rotate (xyz 0 0 0)) ) ) (module Connector_PinHeader_2.54mm:PinHeader_1x02_P2.54mm_Vertical (layer F.Cu) (tedit 59FED5CC) (tstamp 5DCB0BF1) (at 154.34056 75.18908 60) (descr "Through hole straight pin header, 1x02, 2.54mm pitch, single row") (tags "Through hole pin header THT 1x02 2.54mm single row") (path /5DCD8CDD) (fp_text reference J2 (at 0 -2.33 60) (layer F.SilkS) (effects (font (size 1 1) (thickness 0.15))) ) (fp_text value Conn_01x02_Male (at 0 4.87 60) (layer F.Fab) (effects (font (size 1 1) (thickness 0.15))) ) (fp_line (start -0.635 -1.27) (end 1.27 -1.27) (layer F.Fab) (width 0.1)) (fp_line (start 1.27 -1.27) (end 1.27 3.81) (layer F.Fab) (width 0.1)) (fp_line (start 1.27 3.81) (end -1.27 3.81) (layer F.Fab) (width 0.1)) (fp_line (start -1.27 3.81) (end -1.27 -0.635) (layer F.Fab) (width 0.1)) (fp_line (start -1.27 -0.635) (end -0.635 -1.27) (layer F.Fab) (width 0.1)) (fp_line (start -1.33 3.87) (end 1.33 3.87) (layer F.SilkS) (width 0.12)) (fp_line (start -1.33 1.27) (end -1.33 3.87) (layer F.SilkS) (width 0.12)) (fp_line (start 1.33 1.27) (end 1.33 3.87) (layer F.SilkS) (width 0.12)) (fp_line (start -1.33 1.27) (end 1.33 1.27) (layer F.SilkS) (width 0.12)) (fp_line (start -1.33 0) (end -1.33 -1.33) (layer F.SilkS) (width 0.12)) (fp_line (start -1.33 -1.33) (end 0 -1.33) (layer F.SilkS) (width 0.12)) (fp_line (start -1.8 -1.8) (end -1.8 4.35) (layer F.CrtYd) (width 0.05)) (fp_line (start -1.8 4.35) (end 1.8 4.35) (layer F.CrtYd) (width 0.05)) (fp_line (start 1.8 4.35) (end 1.8 -1.8) (layer F.CrtYd) (width 0.05)) (fp_line (start 1.8 -1.8) (end -1.8 -1.8) (layer F.CrtYd) (width 0.05)) (fp_text user %R (at 0 1.27 150) (layer F.Fab) (effects (font (size 1 1) (thickness 0.15))) ) (pad 1 thru_hole rect (at 0 0 60) (size 1.7 1.7) (drill 1) (layers *.Cu *.Mask) (net 5 ROW1)) (pad 2 thru_hole oval (at 0 2.54 60) (size 1.7 1.7) (drill 1) (layers *.Cu *.Mask) (net 4 COL1)) (model ${KISYS3DMOD}/Connector_PinHeader_2.54mm.3dshapes/PinHeader_1x02_P2.54mm_Vertical.wrl (at (xyz 0 0 0)) (scale (xyz 1 1 1)) (rotate (xyz 0 0 0)) ) ) (module Connector_PinHeader_2.54mm:PinHeader_1x02_P2.54mm_Vertical (layer F.Cu) (tedit 59FED5CC) (tstamp 5DCB0C07) (at 163.84016 83.8327 30) (descr "Through hole straight pin header, 1x02, 2.54mm pitch, single row") (tags "Through hole pin header THT 1x02 2.54mm single row") (path /5DCD9116) (fp_text reference J3 (at 0 -2.33 30) (layer F.SilkS) (effects (font (size 1 1) (thickness 0.15))) ) (fp_text value Conn_01x02_Male (at 0 4.87 30) (layer F.Fab) (effects (font (size 1 1) (thickness 0.15))) ) (fp_line (start 1.8 -1.8) (end -1.8 -1.8) (layer F.CrtYd) (width 0.05)) (fp_line (start 1.8 4.35) (end 1.8 -1.8) (layer F.CrtYd) (width 0.05)) (fp_line (start -1.8 4.35) (end 1.8 4.35) (layer F.CrtYd) (width 0.05)) (fp_line (start -1.8 -1.8) (end -1.8 4.35) (layer F.CrtYd) (width 0.05)) (fp_line (start -1.33 -1.33) (end 0 -1.33) (layer F.SilkS) (width 0.12)) (fp_line (start -1.33 0) (end -1.33 -1.33) (layer F.SilkS) (width 0.12)) (fp_line (start -1.33 1.27) (end 1.33 1.27) (layer F.SilkS) (width 0.12)) (fp_line (start 1.33 1.27) (end 1.33 3.87) (layer F.SilkS) (width 0.12)) (fp_line (start -1.33 1.27) (end -1.33 3.87) (layer F.SilkS) (width 0.12)) (fp_line (start -1.33 3.87) (end 1.33 3.87) (layer F.SilkS) (width 0.12)) (fp_line (start -1.27 -0.635) (end -0.635 -1.27) (layer F.Fab) (width 0.1)) (fp_line (start -1.27 3.81) (end -1.27 -0.635) (layer F.Fab) (width 0.1)) (fp_line (start 1.27 3.81) (end -1.27 3.81) (layer F.Fab) (width 0.1)) (fp_line (start 1.27 -1.27) (end 1.27 3.81) (layer F.Fab) (width 0.1)) (fp_line (start -0.635 -1.27) (end 1.27 -1.27) (layer F.Fab) (width 0.1)) (fp_text user %R (at 0 1.27 120) (layer F.Fab) (effects (font (size 1 1) (thickness 0.15))) ) (pad 2 thru_hole oval (at 0 2.54 30) (size 1.7 1.7) (drill 1) (layers *.Cu *.Mask) (net 6 COL2)) (pad 1 thru_hole rect (at 0 0 30) (size 1.7 1.7) (drill 1) (layers *.Cu *.Mask) (net 11 ROW2)) (model ${KISYS3DMOD}/Connector_PinHeader_2.54mm.3dshapes/PinHeader_1x02_P2.54mm_Vertical.wrl (at (xyz 0 0 0)) (scale (xyz 1 1 1)) (rotate (xyz 0 0 0)) ) ) (module Connector_PinHeader_2.54mm:PinHeader_1x02_P2.54mm_Vertical (layer F.Cu) (tedit 59FED5CC) (tstamp 5DCB0C1D) (at 167.83304 96.08058) (descr "Through hole straight pin header, 1x02, 2.54mm pitch, single row") (tags "Through hole pin header THT 1x02 2.54mm single row") (path /5DCD9433) (fp_text reference J4 (at 0 -2.33) (layer F.SilkS) (effects (font (size 1 1) (thickness 0.15))) ) (fp_text value Conn_01x02_Male (at 0 4.87) (layer F.Fab) (effects (font (size 1 1) (thickness 0.15))) ) (fp_line (start -0.635 -1.27) (end 1.27 -1.27) (layer F.Fab) (width 0.1)) (fp_line (start 1.27 -1.27) (end 1.27 3.81) (layer F.Fab) (width 0.1)) (fp_line (start 1.27 3.81) (end -1.27 3.81) (layer F.Fab) (width 0.1)) (fp_line (start -1.27 3.81) (end -1.27 -0.635) (layer F.Fab) (width 0.1)) (fp_line (start -1.27 -0.635) (end -0.635 -1.27) (layer F.Fab) (width 0.1)) (fp_line (start -1.33 3.87) (end 1.33 3.87) (layer F.SilkS) (width 0.12)) (fp_line (start -1.33 1.27) (end -1.33 3.87) (layer F.SilkS) (width 0.12)) (fp_line (start 1.33 1.27) (end 1.33 3.87) (layer F.SilkS) (width 0.12)) (fp_line (start -1.33 1.27) (end 1.33 1.27) (layer F.SilkS) (width 0.12)) (fp_line (start -1.33 0) (end -1.33 -1.33) (layer F.SilkS) (width 0.12)) (fp_line (start -1.33 -1.33) (end 0 -1.33) (layer F.SilkS) (width 0.12)) (fp_line (start -1.8 -1.8) (end -1.8 4.35) (layer F.CrtYd) (width 0.05)) (fp_line (start -1.8 4.35) (end 1.8 4.35) (layer F.CrtYd) (width 0.05)) (fp_line (start 1.8 4.35) (end 1.8 -1.8) (layer F.CrtYd) (width 0.05)) (fp_line (start 1.8 -1.8) (end -1.8 -1.8) (layer F.CrtYd) (width 0.05)) (fp_text user %R (at 0 1.27 90) (layer F.Fab) (effects (font (size 1 1) (thickness 0.15))) ) (pad 1 thru_hole rect (at 0 0) (size 1.7 1.7) (drill 1) (layers *.Cu *.Mask) (net 12 ROW3)) (pad 2 thru_hole oval (at 0 2.54) (size 1.7 1.7) (drill 1) (layers *.Cu *.Mask) (net 7 COL3)) (model ${KISYS3DMOD}/Connector_PinHeader_2.54mm.3dshapes/PinHeader_1x02_P2.54mm_Vertical.wrl (at (xyz 0 0 0)) (scale (xyz 1 1 1)) (rotate (xyz 0 0 0)) ) ) (module Connector_PinHeader_2.54mm:PinHeader_1x02_P2.54mm_Vertical (layer F.Cu) (tedit 59FED5CC) (tstamp 5DCB0C33) (at 165.13556 108.6612 330) (descr "Through hole straight pin header, 1x02, 2.54mm pitch, single row") (tags "Through hole pin header THT 1x02 2.54mm single row") (path /5DCD9738) (fp_text reference J5 (at 0 -2.33 150) (layer F.SilkS) (effects (font (size 1 1) (thickness 0.15))) ) (fp_text value Conn_01x02_Male (at 0 4.87 150) (layer F.Fab) (effects (font (size 1 1) (thickness 0.15))) ) (fp_line (start 1.8 -1.8) (end -1.8 -1.8) (layer F.CrtYd) (width 0.05)) (fp_line (start 1.8 4.35) (end 1.8 -1.8) (layer F.CrtYd) (width 0.05)) (fp_line (start -1.8 4.35) (end 1.8 4.35) (layer F.CrtYd) (width 0.05)) (fp_line (start -1.8 -1.8) (end -1.8 4.35) (layer F.CrtYd) (width 0.05)) (fp_line (start -1.33 -1.33) (end 0 -1.33) (layer F.SilkS) (width 0.12)) (fp_line (start -1.33 0) (end -1.33 -1.33) (layer F.SilkS) (width 0.12)) (fp_line (start -1.33 1.27) (end 1.33 1.27) (layer F.SilkS) (width 0.12)) (fp_line (start 1.33 1.27) (end 1.33 3.87) (layer F.SilkS) (width 0.12)) (fp_line (start -1.33 1.27) (end -1.33 3.87) (layer F.SilkS) (width 0.12)) (fp_line (start -1.33 3.87) (end 1.33 3.87) (layer F.SilkS) (width 0.12)) (fp_line (start -1.27 -0.635) (end -0.635 -1.27) (layer F.Fab) (width 0.1)) (fp_line (start -1.27 3.81) (end -1.27 -0.635) (layer F.Fab) (width 0.1)) (fp_line (start 1.27 3.81) (end -1.27 3.81) (layer F.Fab) (width 0.1)) (fp_line (start 1.27 -1.27) (end 1.27 3.81) (layer F.Fab) (width 0.1)) (fp_line (start -0.635 -1.27) (end 1.27 -1.27) (layer F.Fab) (width 0.1)) (fp_text user %R (at 0 1.27 60) (layer F.Fab) (effects (font (size 1 1) (thickness 0.15))) ) (pad 2 thru_hole oval (at 0 2.54 330) (size 1.7 1.7) (drill 1) (layers *.Cu *.Mask) (net 9 COL4)) (pad 1 thru_hole rect (at 0 0 330) (size 1.7 1.7) (drill 1) (layers *.Cu *.Mask) (net 8 ROW4)) (model ${KISYS3DMOD}/Connector_PinHeader_2.54mm.3dshapes/PinHeader_1x02_P2.54mm_Vertical.wrl (at (xyz 0 0 0)) (scale (xyz 1 1 1)) (rotate (xyz 0 0 0)) ) ) (module Connector_PinHeader_2.54mm:PinHeader_1x02_P2.54mm_Vertical (layer F.Cu) (tedit 59FED5CC) (tstamp 5DCB0C49) (at 156.47924 118.237 300) (descr "Through hole straight pin header, 1x02, 2.54mm pitch, single row") (tags "Through hole pin header THT 1x02 2.54mm single row") (path /5DCDA07A) (fp_text reference J6 (at 0 -2.33 120) (layer F.SilkS) (effects (font (size 1 1) (thickness 0.15))) ) (fp_text value Conn_01x02_Male (at 0 4.87 120) (layer F.Fab) (effects (font (size 1 1) (thickness 0.15))) ) (fp_line (start -0.635 -1.27) (end 1.27 -1.27) (layer F.Fab) (width 0.1)) (fp_line (start 1.27 -1.27) (end 1.27 3.81) (layer F.Fab) (width 0.1)) (fp_line (start 1.27 3.81) (end -1.27 3.81) (layer F.Fab) (width 0.1)) (fp_line (start -1.27 3.81) (end -1.27 -0.635) (layer F.Fab) (width 0.1)) (fp_line (start -1.27 -0.635) (end -0.635 -1.27) (layer F.Fab) (width 0.1)) (fp_line (start -1.33 3.87) (end 1.33 3.87) (layer F.SilkS) (width 0.12)) (fp_line (start -1.33 1.27) (end -1.33 3.87) (layer F.SilkS) (width 0.12)) (fp_line (start 1.33 1.27) (end 1.33 3.87) (layer F.SilkS) (width 0.12)) (fp_line (start -1.33 1.27) (end 1.33 1.27) (layer F.SilkS) (width 0.12)) (fp_line (start -1.33 0) (end -1.33 -1.33) (layer F.SilkS) (width 0.12)) (fp_line (start -1.33 -1.33) (end 0 -1.33) (layer F.SilkS) (width 0.12)) (fp_line (start -1.8 -1.8) (end -1.8 4.35) (layer F.CrtYd) (width 0.05)) (fp_line (start -1.8 4.35) (end 1.8 4.35) (layer F.CrtYd) (width 0.05)) (fp_line (start 1.8 4.35) (end 1.8 -1.8) (layer F.CrtYd) (width 0.05)) (fp_line (start 1.8 -1.8) (end -1.8 -1.8) (layer F.CrtYd) (width 0.05)) (fp_text user %R (at 0 1.27 30) (layer F.Fab) (effects (font (size 1 1) (thickness 0.15))) ) (pad 1 thru_hole rect (at 0 0 300) (size 1.7 1.7) (drill 1) (layers *.Cu *.Mask)) (pad 2 thru_hole oval (at 0 2.54 300) (size 1.7 1.7) (drill 1) (layers *.Cu *.Mask) (net 10 COL5)) (model ${KISYS3DMOD}/Connector_PinHeader_2.54mm.3dshapes/PinHeader_1x02_P2.54mm_Vertical.wrl (at (xyz 0 0 0)) (scale (xyz 1 1 1)) (rotate (xyz 0 0 0)) ) ) (module Connector_PinHeader_2.54mm:PinHeader_1x02_P2.54mm_Vertical (layer F.Cu) (tedit 59FED5CC) (tstamp 5DCB0C5F) (at 144.25168 122.1613 270) (descr "Through hole straight pin header, 1x02, 2.54mm pitch, single row") (tags "Through hole pin header THT 1x02 2.54mm single row") (path /5DCDA4A0) (fp_text reference J7 (at 0 -2.33 90) (layer F.SilkS) (effects (font (size 1 1) (thickness 0.15))) ) (fp_text value Conn_01x02_Male (at 0 4.87 90) (layer F.Fab) (effects (font (size 1 1) (thickness 0.15))) ) (fp_line (start 1.8 -1.8) (end -1.8 -1.8) (layer F.CrtYd) (width 0.05)) (fp_line (start 1.8 4.35) (end 1.8 -1.8) (layer F.CrtYd) (width 0.05)) (fp_line (start -1.8 4.35) (end 1.8 4.35) (layer F.CrtYd) (width 0.05)) (fp_line (start -1.8 -1.8) (end -1.8 4.35) (layer F.CrtYd) (width 0.05)) (fp_line (start -1.33 -1.33) (end 0 -1.33) (layer F.SilkS) (width 0.12)) (fp_line (start -1.33 0) (end -1.33 -1.33) (layer F.SilkS) (width 0.12)) (fp_line (start -1.33 1.27) (end 1.33 1.27) (layer F.SilkS) (width 0.12)) (fp_line (start 1.33 1.27) (end 1.33 3.87) (layer F.SilkS) (width 0.12)) (fp_line (start -1.33 1.27) (end -1.33 3.87) (layer F.SilkS) (width 0.12)) (fp_line (start -1.33 3.87) (end 1.33 3.87) (layer F.SilkS) (width 0.12)) (fp_line (start -1.27 -0.635) (end -0.635 -1.27) (layer F.Fab) (width 0.1)) (fp_line (start -1.27 3.81) (end -1.27 -0.635) (layer F.Fab) (width 0.1)) (fp_line (start 1.27 3.81) (end -1.27 3.81) (layer F.Fab) (width 0.1)) (fp_line (start 1.27 -1.27) (end 1.27 3.81) (layer F.Fab) (width 0.1)) (fp_line (start -0.635 -1.27) (end 1.27 -1.27) (layer F.Fab) (width 0.1)) (fp_text user %R (at 0 1.27) (layer F.Fab) (effects (font (size 1 1) (thickness 0.15))) ) (pad 2 thru_hole oval (at 0 2.54 270) (size 1.7 1.7) (drill 1) (layers *.Cu *.Mask) (net 3 COL0)) (pad 1 thru_hole rect (at 0 0 270) (size 1.7 1.7) (drill 1) (layers *.Cu *.Mask)) (model ${KISYS3DMOD}/Connector_PinHeader_2.54mm.3dshapes/PinHeader_1x02_P2.54mm_Vertical.wrl (at (xyz 0 0 0)) (scale (xyz 1 1 1)) (rotate (xyz 0 0 0)) ) ) (module Connector_PinHeader_2.54mm:PinHeader_1x02_P2.54mm_Vertical (layer F.Cu) (tedit 59FED5CC) (tstamp 5DCB0C75) (at 131.65836 119.37746 240) (descr "Through hole straight pin header, 1x02, 2.54mm pitch, single row") (tags "Through hole pin header THT 1x02 2.54mm single row") (path /5DCDA871) (fp_text reference J8 (at 0 -2.33 60) (layer F.SilkS) (effects (font (size 1 1) (thickness 0.15))) ) (fp_text value Conn_01x02_Male (at 0 4.87 60) (layer F.Fab) (effects (font (size 1 1) (thickness 0.15))) ) (fp_line (start -0.635 -1.27) (end 1.27 -1.27) (layer F.Fab) (width 0.1)) (fp_line (start 1.27 -1.27) (end 1.27 3.81) (layer F.Fab) (width 0.1)) (fp_line (start 1.27 3.81) (end -1.27 3.81) (layer F.Fab) (width 0.1)) (fp_line (start -1.27 3.81) (end -1.27 -0.635) (layer F.Fab) (width 0.1)) (fp_line (start -1.27 -0.635) (end -0.635 -1.27) (layer F.Fab) (width 0.1)) (fp_line (start -1.33 3.87) (end 1.33 3.87) (layer F.SilkS) (width 0.12)) (fp_line (start -1.33 1.27) (end -1.33 3.87) (layer F.SilkS) (width 0.12)) (fp_line (start 1.33 1.27) (end 1.33 3.87) (layer F.SilkS) (width 0.12)) (fp_line (start -1.33 1.27) (end 1.33 1.27) (layer F.SilkS) (width 0.12)) (fp_line (start -1.33 0) (end -1.33 -1.33) (layer F.SilkS) (width 0.12)) (fp_line (start -1.33 -1.33) (end 0 -1.33) (layer F.SilkS) (width 0.12)) (fp_line (start -1.8 -1.8) (end -1.8 4.35) (layer F.CrtYd) (width 0.05)) (fp_line (start -1.8 4.35) (end 1.8 4.35) (layer F.CrtYd) (width 0.05)) (fp_line (start 1.8 4.35) (end 1.8 -1.8) (layer F.CrtYd) (width 0.05)) (fp_line (start 1.8 -1.8) (end -1.8 -1.8) (layer F.CrtYd) (width 0.05)) (fp_text user %R (at 0 1.27 150) (layer F.Fab) (effects (font (size 1 1) (thickness 0.15))) ) (pad 1 thru_hole rect (at 0 0 240) (size 1.7 1.7) (drill 1) (layers *.Cu *.Mask)) (pad 2 thru_hole oval (at 0 2.54 240) (size 1.7 1.7) (drill 1) (layers *.Cu *.Mask) (net 4 COL1)) (model ${KISYS3DMOD}/Connector_PinHeader_2.54mm.3dshapes/PinHeader_1x02_P2.54mm_Vertical.wrl (at (xyz 0 0 0)) (scale (xyz 1 1 1)) (rotate (xyz 0 0 0)) ) ) (module Connector_PinHeader_2.54mm:PinHeader_1x02_P2.54mm_Vertical (layer F.Cu) (tedit 59FED5CC) (tstamp 5DCB0C8B) (at 122.0724 110.8964 210) (descr "Through hole straight pin header, 1x02, 2.54mm pitch, single row") (tags "Through hole pin header THT 1x02 2.54mm single row") (path /5DCDAC54) (fp_text reference J9 (at 0 -2.33 30) (layer F.SilkS) (effects (font (size 1 1) (thickness 0.15))) ) (fp_text value Conn_01x02_Male (at 0 4.87 30) (layer F.Fab) (effects (font (size 1 1) (thickness 0.15))) ) (fp_line (start 1.8 -1.8) (end -1.8 -1.8) (layer F.CrtYd) (width 0.05)) (fp_line (start 1.8 4.35) (end 1.8 -1.8) (layer F.CrtYd) (width 0.05)) (fp_line (start -1.8 4.35) (end 1.8 4.35) (layer F.CrtYd) (width 0.05)) (fp_line (start -1.8 -1.8) (end -1.8 4.35) (layer F.CrtYd) (width 0.05)) (fp_line (start -1.33 -1.33) (end 0 -1.33) (layer F.SilkS) (width 0.12)) (fp_line (start -1.33 0) (end -1.33 -1.33) (layer F.SilkS) (width 0.12)) (fp_line (start -1.33 1.27) (end 1.33 1.27) (layer F.SilkS) (width 0.12)) (fp_line (start 1.33 1.27) (end 1.33 3.87) (layer F.SilkS) (width 0.12)) (fp_line (start -1.33 1.27) (end -1.33 3.87) (layer F.SilkS) (width 0.12)) (fp_line (start -1.33 3.87) (end 1.33 3.87) (layer F.SilkS) (width 0.12)) (fp_line (start -1.27 -0.635) (end -0.635 -1.27) (layer F.Fab) (width 0.1)) (fp_line (start -1.27 3.81) (end -1.27 -0.635) (layer F.Fab) (width 0.1)) (fp_line (start 1.27 3.81) (end -1.27 3.81) (layer F.Fab) (width 0.1)) (fp_line (start 1.27 -1.27) (end 1.27 3.81) (layer F.Fab) (width 0.1)) (fp_line (start -0.635 -1.27) (end 1.27 -1.27) (layer F.Fab) (width 0.1)) (fp_text user %R (at 0 1.27 120) (layer F.Fab) (effects (font (size 1 1) (thickness 0.15))) ) (pad 2 thru_hole oval (at 0 2.54 210) (size 1.7 1.7) (drill 1) (layers *.Cu *.Mask) (net 6 COL2)) (pad 1 thru_hole rect (at 0 0 210) (size 1.7 1.7) (drill 1) (layers *.Cu *.Mask)) (model ${KISYS3DMOD}/Connector_PinHeader_2.54mm.3dshapes/PinHeader_1x02_P2.54mm_Vertical.wrl (at (xyz 0 0 0)) (scale (xyz 1 1 1)) (rotate (xyz 0 0 0)) ) ) (module Connector_PinHeader_2.54mm:PinHeader_1x02_P2.54mm_Vertical (layer F.Cu) (tedit 59FED5CC) (tstamp 5DCB0CA1) (at 118.16588 98.60788 180) (descr "Through hole straight pin header, 1x02, 2.54mm pitch, single row") (tags "Through hole pin header THT 1x02 2.54mm single row") (path /5DCDB049) (fp_text reference J10 (at 0 -2.33) (layer F.SilkS) (effects (font (size 1 1) (thickness 0.15))) ) (fp_text value Conn_01x02_Male (at 0 4.87) (layer F.Fab) (effects (font (size 1 1) (thickness 0.15))) ) (fp_line (start -0.635 -1.27) (end 1.27 -1.27) (layer F.Fab) (width 0.1)) (fp_line (start 1.27 -1.27) (end 1.27 3.81) (layer F.Fab) (width 0.1)) (fp_line (start 1.27 3.81) (end -1.27 3.81) (layer F.Fab) (width 0.1)) (fp_line (start -1.27 3.81) (end -1.27 -0.635) (layer F.Fab) (width 0.1)) (fp_line (start -1.27 -0.635) (end -0.635 -1.27) (layer F.Fab) (width 0.1)) (fp_line (start -1.33 3.87) (end 1.33 3.87) (layer F.SilkS) (width 0.12)) (fp_line (start -1.33 1.27) (end -1.33 3.87) (layer F.SilkS) (width 0.12)) (fp_line (start 1.33 1.27) (end 1.33 3.87) (layer F.SilkS) (width 0.12)) (fp_line (start -1.33 1.27) (end 1.33 1.27) (layer F.SilkS) (width 0.12)) (fp_line (start -1.33 0) (end -1.33 -1.33) (layer F.SilkS) (width 0.12)) (fp_line (start -1.33 -1.33) (end 0 -1.33) (layer F.SilkS) (width 0.12)) (fp_line (start -1.8 -1.8) (end -1.8 4.35) (layer F.CrtYd) (width 0.05)) (fp_line (start -1.8 4.35) (end 1.8 4.35) (layer F.CrtYd) (width 0.05)) (fp_line (start 1.8 4.35) (end 1.8 -1.8) (layer F.CrtYd) (width 0.05)) (fp_line (start 1.8 -1.8) (end -1.8 -1.8) (layer F.CrtYd) (width 0.05)) (fp_text user %R (at 0 1.27 90) (layer F.Fab) (effects (font (size 1 1) (thickness 0.15))) ) (pad 1 thru_hole rect (at 0 0 180) (size 1.7 1.7) (drill 1) (layers *.Cu *.Mask)) (pad 2 thru_hole oval (at 0 2.54 180) (size 1.7 1.7) (drill 1) (layers *.Cu *.Mask) (net 7 COL3)) (model ${KISYS3DMOD}/Connector_PinHeader_2.54mm.3dshapes/PinHeader_1x02_P2.54mm_Vertical.wrl (at (xyz 0 0 0)) (scale (xyz 1 1 1)) (rotate (xyz 0 0 0)) ) ) (module Connector_PinHeader_2.54mm:PinHeader_1x02_P2.54mm_Vertical (layer F.Cu) (tedit 59FED5CC) (tstamp 5DCB0CB7) (at 120.8659 85.99932 150) (descr "Through hole straight pin header, 1x02, 2.54mm pitch, single row") (tags "Through hole pin header THT 1x02 2.54mm single row") (path /5DCDB4D0) (fp_text reference J11 (at 0 -2.33 150) (layer F.SilkS) (effects (font (size 1 1) (thickness 0.15))) ) (fp_text value Conn_01x02_Male (at 0 4.87 150) (layer F.Fab) (effects (font (size 1 1) (thickness 0.15))) ) (fp_line (start 1.8 -1.8) (end -1.8 -1.8) (layer F.CrtYd) (width 0.05)) (fp_line (start 1.8 4.35) (end 1.8 -1.8) (layer F.CrtYd) (width 0.05)) (fp_line (start -1.8 4.35) (end 1.8 4.35) (layer F.CrtYd) (width 0.05)) (fp_line (start -1.8 -1.8) (end -1.8 4.35) (layer F.CrtYd) (width 0.05)) (fp_line (start -1.33 -1.33) (end 0 -1.33) (layer F.SilkS) (width 0.12)) (fp_line (start -1.33 0) (end -1.33 -1.33) (layer F.SilkS) (width 0.12)) (fp_line (start -1.33 1.27) (end 1.33 1.27) (layer F.SilkS) (width 0.12)) (fp_line (start 1.33 1.27) (end 1.33 3.87) (layer F.SilkS) (width 0.12)) (fp_line (start -1.33 1.27) (end -1.33 3.87) (layer F.SilkS) (width 0.12)) (fp_line (start -1.33 3.87) (end 1.33 3.87) (layer F.SilkS) (width 0.12)) (fp_line (start -1.27 -0.635) (end -0.635 -1.27) (layer F.Fab) (width 0.1)) (fp_line (start -1.27 3.81) (end -1.27 -0.635) (layer F.Fab) (width 0.1)) (fp_line (start 1.27 3.81) (end -1.27 3.81) (layer F.Fab) (width 0.1)) (fp_line (start 1.27 -1.27) (end 1.27 3.81) (layer F.Fab) (width 0.1)) (fp_line (start -0.635 -1.27) (end 1.27 -1.27) (layer F.Fab) (width 0.1)) (fp_text user %R (at 0 1.27 60) (layer F.Fab) (effects (font (size 1 1) (thickness 0.15))) ) (pad 2 thru_hole oval (at 0 2.54 150) (size 1.7 1.7) (drill 1) (layers *.Cu *.Mask) (net 9 COL4)) (pad 1 thru_hole rect (at 0 0 150) (size 1.7 1.7) (drill 1) (layers *.Cu *.Mask)) (model ${KISYS3DMOD}/Connector_PinHeader_2.54mm.3dshapes/PinHeader_1x02_P2.54mm_Vertical.wrl (at (xyz 0 0 0)) (scale (xyz 1 1 1)) (rotate (xyz 0 0 0)) ) ) (module Connector_PinHeader_2.54mm:PinHeader_1x02_P2.54mm_Vertical (layer F.Cu) (tedit 59FED5CC) (tstamp 5DCB0CCD) (at 129.44348 76.55052 120) (descr "Through hole straight pin header, 1x02, 2.54mm pitch, single row") (tags "Through hole pin header THT 1x02 2.54mm single row") (path /5DCDB9C4) (fp_text reference J12 (at 0 -2.33 120) (layer F.SilkS) (effects (font (size 1 1) (thickness 0.15))) ) (fp_text value Conn_01x02_Male (at 0 4.87 120) (layer F.Fab) (effects (font (size 1 1) (thickness 0.15))) ) (fp_line (start -0.635 -1.27) (end 1.27 -1.27) (layer F.Fab) (width 0.1)) (fp_line (start 1.27 -1.27) (end 1.27 3.81) (layer F.Fab) (width 0.1)) (fp_line (start 1.27 3.81) (end -1.27 3.81) (layer F.Fab) (width 0.1)) (fp_line (start -1.27 3.81) (end -1.27 -0.635) (layer F.Fab) (width 0.1)) (fp_line (start -1.27 -0.635) (end -0.635 -1.27) (layer F.Fab) (width 0.1)) (fp_line (start -1.33 3.87) (end 1.33 3.87) (layer F.SilkS) (width 0.12)) (fp_line (start -1.33 1.27) (end -1.33 3.87) (layer F.SilkS) (width 0.12)) (fp_line (start 1.33 1.27) (end 1.33 3.87) (layer F.SilkS) (width 0.12)) (fp_line (start -1.33 1.27) (end 1.33 1.27) (layer F.SilkS) (width 0.12)) (fp_line (start -1.33 0) (end -1.33 -1.33) (layer F.SilkS) (width 0.12)) (fp_line (start -1.33 -1.33) (end 0 -1.33) (layer F.SilkS) (width 0.12)) (fp_line (start -1.8 -1.8) (end -1.8 4.35) (layer F.CrtYd) (width 0.05)) (fp_line (start -1.8 4.35) (end 1.8 4.35) (layer F.CrtYd) (width 0.05)) (fp_line (start 1.8 4.35) (end 1.8 -1.8) (layer F.CrtYd) (width 0.05)) (fp_line (start 1.8 -1.8) (end -1.8 -1.8) (layer F.CrtYd) (width 0.05)) (fp_text user %R (at 0 1.27 30) (layer F.Fab) (effects (font (size 1 1) (thickness 0.15))) ) (pad 1 thru_hole rect (at 0 0 120) (size 1.7 1.7) (drill 1) (layers *.Cu *.Mask)) (pad 2 thru_hole oval (at 0 2.54 120) (size 1.7 1.7) (drill 1) (layers *.Cu *.Mask) (net 10 COL5)) (model ${KISYS3DMOD}/Connector_PinHeader_2.54mm.3dshapes/PinHeader_1x02_P2.54mm_Vertical.wrl (at (xyz 0 0 0)) (scale (xyz 1 1 1)) (rotate (xyz 0 0 0)) ) ) (module Connector_PinHeader_2.54mm:PinHeader_1x01_P2.54mm_Vertical (layer F.Cu) (tedit 59FED5CC) (tstamp 5DCC0D9F) (at 136.3599 72.61098 15) (descr "Through hole straight pin header, 1x01, 2.54mm pitch, single row") (tags "Through hole pin header THT 1x01 2.54mm single row") (path /5DCC19AC) (fp_text reference J15 (at 0 -2.33 15) (layer F.SilkS) hide (effects (font (size 1 1) (thickness 0.15))) ) (fp_text value Conn_01x01_Male (at 0 2.33 15) (layer F.Fab) (effects (font (size 1 1) (thickness 0.15))) ) (fp_line (start -0.635 -1.27) (end 1.27 -1.27) (layer F.Fab) (width 0.1)) (fp_line (start 1.27 -1.27) (end 1.27 1.27) (layer F.Fab) (width 0.1)) (fp_line (start 1.27 1.27) (end -1.27 1.27) (layer F.Fab) (width 0.1)) (fp_line (start -1.27 1.27) (end -1.27 -0.635) (layer F.Fab) (width 0.1)) (fp_line (start -1.27 -0.635) (end -0.635 -1.27) (layer F.Fab) (width 0.1)) (fp_line (start -1.33 1.33) (end 1.33 1.33) (layer F.SilkS) (width 0.12)) (fp_line (start -1.33 1.27) (end -1.33 1.33) (layer F.SilkS) (width 0.12)) (fp_line (start 1.33 1.27) (end 1.33 1.33) (layer F.SilkS) (width 0.12)) (fp_line (start -1.33 1.27) (end 1.33 1.27) (layer F.SilkS) (width 0.12)) (fp_line (start -1.33 0) (end -1.33 -1.33) (layer F.SilkS) (width 0.12)) (fp_line (start -1.33 -1.33) (end 0 -1.33) (layer F.SilkS) (width 0.12)) (fp_line (start -1.8 -1.8) (end -1.8 1.8) (layer F.CrtYd) (width 0.05)) (fp_line (start -1.8 1.8) (end 1.8 1.8) (layer F.CrtYd) (width 0.05)) (fp_line (start 1.8 1.8) (end 1.8 -1.8) (layer F.CrtYd) (width 0.05)) (fp_line (start 1.8 -1.8) (end -1.8 -1.8) (layer F.CrtYd) (width 0.05)) (fp_text user %R (at 0 0 105) (layer F.Fab) (effects (font (size 1 1) (thickness 0.15))) ) (pad 1 thru_hole rect (at 0 0 15) (size 1.7 1.7) (drill 1) (layers *.Cu *.Mask)) (model ${KISYS3DMOD}/Connector_PinHeader_2.54mm.3dshapes/PinHeader_1x01_P2.54mm_Vertical.wrl (at (xyz 0 0 0)) (scale (xyz 1 1 1)) (rotate (xyz 0 0 0)) ) ) (module Connector_PinHeader_2.54mm:PinHeader_1x01_P2.54mm_Vertical (layer F.Cu) (tedit 59FED5CC) (tstamp 5DCC0D63) (at 124.89688 79.21244 45) (descr "Through hole straight pin header, 1x01, 2.54mm pitch, single row") (tags "Through hole pin header THT 1x01 2.54mm single row") (path /5DCC25FC) (fp_text reference J16 (at 0 -2.33 45) (layer F.SilkS) hide (effects (font (size 1 1) (thickness 0.15))) ) (fp_text value Conn_01x01_Male (at 0 2.33 45) (layer F.Fab) (effects (font (size 1 1) (thickness 0.15))) ) (fp_line (start 1.8 -1.8) (end -1.8 -1.8) (layer F.CrtYd) (width 0.05)) (fp_line (start 1.8 1.8) (end 1.8 -1.8) (layer F.CrtYd) (width 0.05)) (fp_line (start -1.8 1.8) (end 1.8 1.8) (layer F.CrtYd) (width 0.05)) (fp_line (start -1.8 -1.8) (end -1.8 1.8) (layer F.CrtYd) (width 0.05)) (fp_line (start -1.33 -1.33) (end 0 -1.33) (layer F.SilkS) (width 0.12)) (fp_line (start -1.33 0) (end -1.33 -1.33) (layer F.SilkS) (width 0.12)) (fp_line (start -1.33 1.27) (end 1.33 1.27) (layer F.SilkS) (width 0.12)) (fp_line (start 1.33 1.27) (end 1.33 1.33) (layer F.SilkS) (width 0.12)) (fp_line (start -1.33 1.27) (end -1.33 1.33) (layer F.SilkS) (width 0.12)) (fp_line (start -1.33 1.33) (end 1.33 1.33) (layer F.SilkS) (width 0.12)) (fp_line (start -1.27 -0.635) (end -0.635 -1.27) (layer F.Fab) (width 0.1)) (fp_line (start -1.27 1.27) (end -1.27 -0.635) (layer F.Fab) (width 0.1)) (fp_line (start 1.27 1.27) (end -1.27 1.27) (layer F.Fab) (width 0.1)) (fp_line (start 1.27 -1.27) (end 1.27 1.27) (layer F.Fab) (width 0.1)) (fp_line (start -0.635 -1.27) (end 1.27 -1.27) (layer F.Fab) (width 0.1)) (fp_text user %R (at 0 0 135) (layer F.Fab) (effects (font (size 1 1) (thickness 0.15))) ) (pad 1 thru_hole rect (at 0 0 45) (size 1.7 1.7) (drill 1) (layers *.Cu *.Mask)) (model ${KISYS3DMOD}/Connector_PinHeader_2.54mm.3dshapes/PinHeader_1x01_P2.54mm_Vertical.wrl (at (xyz 0 0 0)) (scale (xyz 1 1 1)) (rotate (xyz 0 0 0)) ) ) (module Connector_PinHeader_2.54mm:PinHeader_1x01_P2.54mm_Vertical (layer F.Cu) (tedit 59FED5CC) (tstamp 5DCC0D27) (at 118.20144 90.80754 75) (descr "Through hole straight pin header, 1x01, 2.54mm pitch, single row") (tags "Through hole pin header THT 1x01 2.54mm single row") (path /5DCC9433) (fp_text reference J17 (at 0 -2.33 75) (layer F.SilkS) hide (effects (font (size 1 1) (thickness 0.15))) ) (fp_text value Conn_01x01_Male (at 0 2.33 75) (layer F.Fab) (effects (font (size 1 1) (thickness 0.15))) ) (fp_line (start -0.635 -1.27) (end 1.27 -1.27) (layer F.Fab) (width 0.1)) (fp_line (start 1.27 -1.27) (end 1.27 1.27) (layer F.Fab) (width 0.1)) (fp_line (start 1.27 1.27) (end -1.27 1.27) (layer F.Fab) (width 0.1)) (fp_line (start -1.27 1.27) (end -1.27 -0.635) (layer F.Fab) (width 0.1)) (fp_line (start -1.27 -0.635) (end -0.635 -1.27) (layer F.Fab) (width 0.1)) (fp_line (start -1.33 1.33) (end 1.33 1.33) (layer F.SilkS) (width 0.12)) (fp_line (start -1.33 1.27) (end -1.33 1.33) (layer F.SilkS) (width 0.12)) (fp_line (start 1.33 1.27) (end 1.33 1.33) (layer F.SilkS) (width 0.12)) (fp_line (start -1.33 1.27) (end 1.33 1.27) (layer F.SilkS) (width 0.12)) (fp_line (start -1.33 0) (end -1.33 -1.33) (layer F.SilkS) (width 0.12)) (fp_line (start -1.33 -1.33) (end 0 -1.33) (layer F.SilkS) (width 0.12)) (fp_line (start -1.8 -1.8) (end -1.8 1.8) (layer F.CrtYd) (width 0.05)) (fp_line (start -1.8 1.8) (end 1.8 1.8) (layer F.CrtYd) (width 0.05)) (fp_line (start 1.8 1.8) (end 1.8 -1.8) (layer F.CrtYd) (width 0.05)) (fp_line (start 1.8 -1.8) (end -1.8 -1.8) (layer F.CrtYd) (width 0.05)) (fp_text user %R (at 0 0 165) (layer F.Fab) (effects (font (size 1 1) (thickness 0.15))) ) (pad 1 thru_hole rect (at 0 0 75) (size 1.7 1.7) (drill 1) (layers *.Cu *.Mask)) (model ${KISYS3DMOD}/Connector_PinHeader_2.54mm.3dshapes/PinHeader_1x01_P2.54mm_Vertical.wrl (at (xyz 0 0 0)) (scale (xyz 1 1 1)) (rotate (xyz 0 0 0)) ) ) (module Connector_PinHeader_2.54mm:PinHeader_1x01_P2.54mm_Vertical (layer F.Cu) (tedit 59FED5CC) (tstamp 5DCC0CEB) (at 118.17858 104.0257 105) (descr "Through hole straight pin header, 1x01, 2.54mm pitch, single row") (tags "Through hole pin header THT 1x01 2.54mm single row") (path /5DCC9439) (fp_text reference J18 (at 0 -2.33 105) (layer F.SilkS) hide (effects (font (size 1 1) (thickness 0.15))) ) (fp_text value Conn_01x01_Male (at 0 2.33 105) (layer F.Fab) (effects (font (size 1 1) (thickness 0.15))) ) (fp_line (start 1.8 -1.8) (end -1.8 -1.8) (layer F.CrtYd) (width 0.05)) (fp_line (start 1.8 1.8) (end 1.8 -1.8) (layer F.CrtYd) (width 0.05)) (fp_line (start -1.8 1.8) (end 1.8 1.8) (layer F.CrtYd) (width 0.05)) (fp_line (start -1.8 -1.8) (end -1.8 1.8) (layer F.CrtYd) (width 0.05)) (fp_line (start -1.33 -1.33) (end 0 -1.33) (layer F.SilkS) (width 0.12)) (fp_line (start -1.33 0) (end -1.33 -1.33) (layer F.SilkS) (width 0.12)) (fp_line (start -1.33 1.27) (end 1.33 1.27) (layer F.SilkS) (width 0.12)) (fp_line (start 1.33 1.27) (end 1.33 1.33) (layer F.SilkS) (width 0.12)) (fp_line (start -1.33 1.27) (end -1.33 1.33) (layer F.SilkS) (width 0.12)) (fp_line (start -1.33 1.33) (end 1.33 1.33) (layer F.SilkS) (width 0.12)) (fp_line (start -1.27 -0.635) (end -0.635 -1.27) (layer F.Fab) (width 0.1)) (fp_line (start -1.27 1.27) (end -1.27 -0.635) (layer F.Fab) (width 0.1)) (fp_line (start 1.27 1.27) (end -1.27 1.27) (layer F.Fab) (width 0.1)) (fp_line (start 1.27 -1.27) (end 1.27 1.27) (layer F.Fab) (width 0.1)) (fp_line (start -0.635 -1.27) (end 1.27 -1.27) (layer F.Fab) (width 0.1)) (fp_text user %R (at 0 0 15) (layer F.Fab) (effects (font (size 1 1) (thickness 0.15))) ) (pad 1 thru_hole rect (at 0 0 105) (size 1.7 1.7) (drill 1) (layers *.Cu *.Mask)) (model ${KISYS3DMOD}/Connector_PinHeader_2.54mm.3dshapes/PinHeader_1x01_P2.54mm_Vertical.wrl (at (xyz 0 0 0)) (scale (xyz 1 1 1)) (rotate (xyz 0 0 0)) ) ) (module Connector_PinHeader_2.54mm:PinHeader_1x01_P2.54mm_Vertical (layer F.Cu) (tedit 59FED5CC) (tstamp 5DCC0CAF) (at 124.7902 115.38966 135) (descr "Through hole straight pin header, 1x01, 2.54mm pitch, single row") (tags "Through hole pin header THT 1x01 2.54mm single row") (path /5DCCB27E) (fp_text reference J19 (at 0 -2.33 135) (layer F.SilkS) hide (effects (font (size 1 1) (thickness 0.15))) ) (fp_text value Conn_01x01_Male (at 0 2.33 135) (layer F.Fab) (effects (font (size 1 1) (thickness 0.15))) ) (fp_line (start -0.635 -1.27) (end 1.27 -1.27) (layer F.Fab) (width 0.1)) (fp_line (start 1.27 -1.27) (end 1.27 1.27) (layer F.Fab) (width 0.1)) (fp_line (start 1.27 1.27) (end -1.27 1.27) (layer F.Fab) (width 0.1)) (fp_line (start -1.27 1.27) (end -1.27 -0.635) (layer F.Fab) (width 0.1)) (fp_line (start -1.27 -0.635) (end -0.635 -1.27) (layer F.Fab) (width 0.1)) (fp_line (start -1.33 1.33) (end 1.33 1.33) (layer F.SilkS) (width 0.12)) (fp_line (start -1.33 1.27) (end -1.33 1.33) (layer F.SilkS) (width 0.12)) (fp_line (start 1.33 1.27) (end 1.33 1.33) (layer F.SilkS) (width 0.12)) (fp_line (start -1.33 1.27) (end 1.33 1.27) (layer F.SilkS) (width 0.12)) (fp_line (start -1.33 0) (end -1.33 -1.33) (layer F.SilkS) (width 0.12)) (fp_line (start -1.33 -1.33) (end 0 -1.33) (layer F.SilkS) (width 0.12)) (fp_line (start -1.8 -1.8) (end -1.8 1.8) (layer F.CrtYd) (width 0.05)) (fp_line (start -1.8 1.8) (end 1.8 1.8) (layer F.CrtYd) (width 0.05)) (fp_line (start 1.8 1.8) (end 1.8 -1.8) (layer F.CrtYd) (width 0.05)) (fp_line (start 1.8 -1.8) (end -1.8 -1.8) (layer F.CrtYd) (width 0.05)) (fp_text user %R (at 0 0 45) (layer F.Fab) (effects (font (size 1 1) (thickness 0.15))) ) (pad 1 thru_hole rect (at 0 0 135) (size 1.7 1.7) (drill 1) (layers *.Cu *.Mask)) (model ${KISYS3DMOD}/Connector_PinHeader_2.54mm.3dshapes/PinHeader_1x01_P2.54mm_Vertical.wrl (at (xyz 0 0 0)) (scale (xyz 1 1 1)) (rotate (xyz 0 0 0)) ) ) (module Connector_PinHeader_2.54mm:PinHeader_1x01_P2.54mm_Vertical (layer F.Cu) (tedit 59FED5CC) (tstamp 5DCC0C73) (at 136.27862 122.09018 165) (descr "Through hole straight pin header, 1x01, 2.54mm pitch, single row") (tags "Through hole pin header THT 1x01 2.54mm single row") (path /5DCCB284) (fp_text reference J20 (at 0 -2.33 165) (layer F.SilkS) hide (effects (font (size 1 1) (thickness 0.15))) ) (fp_text value Conn_01x01_Male (at 0 2.33 165) (layer F.Fab) (effects (font (size 1 1) (thickness 0.15))) ) (fp_line (start 1.8 -1.8) (end -1.8 -1.8) (layer F.CrtYd) (width 0.05)) (fp_line (start 1.8 1.8) (end 1.8 -1.8) (layer F.CrtYd) (width 0.05)) (fp_line (start -1.8 1.8) (end 1.8 1.8) (layer F.CrtYd) (width 0.05)) (fp_line (start -1.8 -1.8) (end -1.8 1.8) (layer F.CrtYd) (width 0.05)) (fp_line (start -1.33 -1.33) (end 0 -1.33) (layer F.SilkS) (width 0.12)) (fp_line (start -1.33 0) (end -1.33 -1.33) (layer F.SilkS) (width 0.12)) (fp_line (start -1.33 1.27) (end 1.33 1.27) (layer F.SilkS) (width 0.12)) (fp_line (start 1.33 1.27) (end 1.33 1.33) (layer F.SilkS) (width 0.12)) (fp_line (start -1.33 1.27) (end -1.33 1.33) (layer F.SilkS) (width 0.12)) (fp_line (start -1.33 1.33) (end 1.33 1.33) (layer F.SilkS) (width 0.12)) (fp_line (start -1.27 -0.635) (end -0.635 -1.27) (layer F.Fab) (width 0.1)) (fp_line (start -1.27 1.27) (end -1.27 -0.635) (layer F.Fab) (width 0.1)) (fp_line (start 1.27 1.27) (end -1.27 1.27) (layer F.Fab) (width 0.1)) (fp_line (start 1.27 -1.27) (end 1.27 1.27) (layer F.Fab) (width 0.1)) (fp_line (start -0.635 -1.27) (end 1.27 -1.27) (layer F.Fab) (width 0.1)) (fp_text user %R (at 0 0 75) (layer F.Fab) (effects (font (size 1 1) (thickness 0.15))) ) (pad 1 thru_hole rect (at 0 0 165) (size 1.7 1.7) (drill 1) (layers *.Cu *.Mask)) (model ${KISYS3DMOD}/Connector_PinHeader_2.54mm.3dshapes/PinHeader_1x01_P2.54mm_Vertical.wrl (at (xyz 0 0 0)) (scale (xyz 1 1 1)) (rotate (xyz 0 0 0)) ) ) (module Connector_PinHeader_2.54mm:PinHeader_1x01_P2.54mm_Vertical (layer F.Cu) (tedit 59FED5CC) (tstamp 5DCC0C37) (at 149.58314 122.12574 195) (descr "Through hole straight pin header, 1x01, 2.54mm pitch, single row") (tags "Through hole pin header THT 1x01 2.54mm single row") (path /5DCCB28C) (fp_text reference J21 (at 0 -2.33 15) (layer F.SilkS) hide (effects (font (size 1 1) (thickness 0.15))) ) (fp_text value Conn_01x01_Male (at 0 2.33 15) (layer F.Fab) (effects (font (size 1 1) (thickness 0.15))) ) (fp_line (start -0.635 -1.27) (end 1.27 -1.27) (layer F.Fab) (width 0.1)) (fp_line (start 1.27 -1.27) (end 1.27 1.27) (layer F.Fab) (width 0.1)) (fp_line (start 1.27 1.27) (end -1.27 1.27) (layer F.Fab) (width 0.1)) (fp_line (start -1.27 1.27) (end -1.27 -0.635) (layer F.Fab) (width 0.1)) (fp_line (start -1.27 -0.635) (end -0.635 -1.27) (layer F.Fab) (width 0.1)) (fp_line (start -1.33 1.33) (end 1.33 1.33) (layer F.SilkS) (width 0.12)) (fp_line (start -1.33 1.27) (end -1.33 1.33) (layer F.SilkS) (width 0.12)) (fp_line (start 1.33 1.27) (end 1.33 1.33) (layer F.SilkS) (width 0.12)) (fp_line (start -1.33 1.27) (end 1.33 1.27) (layer F.SilkS) (width 0.12)) (fp_line (start -1.33 0) (end -1.33 -1.33) (layer F.SilkS) (width 0.12)) (fp_line (start -1.33 -1.33) (end 0 -1.33) (layer F.SilkS) (width 0.12)) (fp_line (start -1.8 -1.8) (end -1.8 1.8) (layer F.CrtYd) (width 0.05)) (fp_line (start -1.8 1.8) (end 1.8 1.8) (layer F.CrtYd) (width 0.05)) (fp_line (start 1.8 1.8) (end 1.8 -1.8) (layer F.CrtYd) (width 0.05)) (fp_line (start 1.8 -1.8) (end -1.8 -1.8) (layer F.CrtYd) (width 0.05)) (fp_text user %R (at 0 0 105) (layer F.Fab) (effects (font (size 1 1) (thickness 0.15))) ) (pad 1 thru_hole rect (at 0 0 195) (size 1.7 1.7) (drill 1) (layers *.Cu *.Mask)) (model ${KISYS3DMOD}/Connector_PinHeader_2.54mm.3dshapes/PinHeader_1x01_P2.54mm_Vertical.wrl (at (xyz 0 0 0)) (scale (xyz 1 1 1)) (rotate (xyz 0 0 0)) ) ) (module Connector_PinHeader_2.54mm:PinHeader_1x01_P2.54mm_Vertical (layer F.Cu) (tedit 59FED5CC) (tstamp 5DCC0BFB) (at 161.0487 115.50904 225) (descr "Through hole straight pin header, 1x01, 2.54mm pitch, single row") (tags "Through hole pin header THT 1x01 2.54mm single row") (path /5DCCB292) (fp_text reference J22 (at 0 -2.33 45) (layer F.SilkS) hide (effects (font (size 1 1) (thickness 0.15))) ) (fp_text value Conn_01x01_Male (at 0 2.33 45) (layer F.Fab) (effects (font (size 1 1) (thickness 0.15))) ) (fp_line (start 1.8 -1.8) (end -1.8 -1.8) (layer F.CrtYd) (width 0.05)) (fp_line (start 1.8 1.8) (end 1.8 -1.8) (layer F.CrtYd) (width 0.05)) (fp_line (start -1.8 1.8) (end 1.8 1.8) (layer F.CrtYd) (width 0.05)) (fp_line (start -1.8 -1.8) (end -1.8 1.8) (layer F.CrtYd) (width 0.05)) (fp_line (start -1.33 -1.33) (end 0 -1.33) (layer F.SilkS) (width 0.12)) (fp_line (start -1.33 0) (end -1.33 -1.33) (layer F.SilkS) (width 0.12)) (fp_line (start -1.33 1.27) (end 1.33 1.27) (layer F.SilkS) (width 0.12)) (fp_line (start 1.33 1.27) (end 1.33 1.33) (layer F.SilkS) (width 0.12)) (fp_line (start -1.33 1.27) (end -1.33 1.33) (layer F.SilkS) (width 0.12)) (fp_line (start -1.33 1.33) (end 1.33 1.33) (layer F.SilkS) (width 0.12)) (fp_line (start -1.27 -0.635) (end -0.635 -1.27) (layer F.Fab) (width 0.1)) (fp_line (start -1.27 1.27) (end -1.27 -0.635) (layer F.Fab) (width 0.1)) (fp_line (start 1.27 1.27) (end -1.27 1.27) (layer F.Fab) (width 0.1)) (fp_line (start 1.27 -1.27) (end 1.27 1.27) (layer F.Fab) (width 0.1)) (fp_line (start -0.635 -1.27) (end 1.27 -1.27) (layer F.Fab) (width 0.1)) (fp_text user %R (at 0 0 135) (layer F.Fab) (effects (font (size 1 1) (thickness 0.15))) ) (pad 1 thru_hole rect (at 0 0 225) (size 1.7 1.7) (drill 1) (layers *.Cu *.Mask)) (model ${KISYS3DMOD}/Connector_PinHeader_2.54mm.3dshapes/PinHeader_1x01_P2.54mm_Vertical.wrl (at (xyz 0 0 0)) (scale (xyz 1 1 1)) (rotate (xyz 0 0 0)) ) ) (module Connector_PinHeader_2.54mm:PinHeader_1x01_P2.54mm_Vertical (layer F.Cu) (tedit 59FED5CC) (tstamp 5DCC0BBF) (at 167.7035 103.98252 255) (descr "Through hole straight pin header, 1x01, 2.54mm pitch, single row") (tags "Through hole pin header THT 1x01 2.54mm single row") (path /5DCCC0C3) (fp_text reference J23 (at 0 -2.33 75) (layer F.SilkS) hide (effects (font (size 1 1) (thickness 0.15))) ) (fp_text value Conn_01x01_Male (at 0 2.33 75) (layer F.Fab) (effects (font (size 1 1) (thickness 0.15))) ) (fp_line (start -0.635 -1.27) (end 1.27 -1.27) (layer F.Fab) (width 0.1)) (fp_line (start 1.27 -1.27) (end 1.27 1.27) (layer F.Fab) (width 0.1)) (fp_line (start 1.27 1.27) (end -1.27 1.27) (layer F.Fab) (width 0.1)) (fp_line (start -1.27 1.27) (end -1.27 -0.635) (layer F.Fab) (width 0.1)) (fp_line (start -1.27 -0.635) (end -0.635 -1.27) (layer F.Fab) (width 0.1)) (fp_line (start -1.33 1.33) (end 1.33 1.33) (layer F.SilkS) (width 0.12)) (fp_line (start -1.33 1.27) (end -1.33 1.33) (layer F.SilkS) (width 0.12)) (fp_line (start 1.33 1.27) (end 1.33 1.33) (layer F.SilkS) (width 0.12)) (fp_line (start -1.33 1.27) (end 1.33 1.27) (layer F.SilkS) (width 0.12)) (fp_line (start -1.33 0) (end -1.33 -1.33) (layer F.SilkS) (width 0.12)) (fp_line (start -1.33 -1.33) (end 0 -1.33) (layer F.SilkS) (width 0.12)) (fp_line (start -1.8 -1.8) (end -1.8 1.8) (layer F.CrtYd) (width 0.05)) (fp_line (start -1.8 1.8) (end 1.8 1.8) (layer F.CrtYd) (width 0.05)) (fp_line (start 1.8 1.8) (end 1.8 -1.8) (layer F.CrtYd) (width 0.05)) (fp_line (start 1.8 -1.8) (end -1.8 -1.8) (layer F.CrtYd) (width 0.05)) (fp_text user %R (at 0 0 165) (layer F.Fab) (effects (font (size 1 1) (thickness 0.15))) ) (pad 1 thru_hole rect (at 0 0 255) (size 1.7 1.7) (drill 1) (layers *.Cu *.Mask)) (model ${KISYS3DMOD}/Connector_PinHeader_2.54mm.3dshapes/PinHeader_1x01_P2.54mm_Vertical.wrl (at (xyz 0 0 0)) (scale (xyz 1 1 1)) (rotate (xyz 0 0 0)) ) ) (module Connector_PinHeader_2.54mm:PinHeader_1x01_P2.54mm_Vertical (layer F.Cu) (tedit 59FED5CC) (tstamp 5DCC0B83) (at 167.76954 90.75166 285) (descr "Through hole straight pin header, 1x01, 2.54mm pitch, single row") (tags "Through hole pin header THT 1x01 2.54mm single row") (path /5DCCC0C9) (fp_text reference J24 (at 0 -2.33 105) (layer F.SilkS) hide (effects (font (size 1 1) (thickness 0.15))) ) (fp_text value Conn_01x01_Male (at 0 2.33 105) (layer F.Fab) (effects (font (size 1 1) (thickness 0.15))) ) (fp_line (start 1.8 -1.8) (end -1.8 -1.8) (layer F.CrtYd) (width 0.05)) (fp_line (start 1.8 1.8) (end 1.8 -1.8) (layer F.CrtYd) (width 0.05)) (fp_line (start -1.8 1.8) (end 1.8 1.8) (layer F.CrtYd) (width 0.05)) (fp_line (start -1.8 -1.8) (end -1.8 1.8) (layer F.CrtYd) (width 0.05)) (fp_line (start -1.33 -1.33) (end 0 -1.33) (layer F.SilkS) (width 0.12)) (fp_line (start -1.33 0) (end -1.33 -1.33) (layer F.SilkS) (width 0.12)) (fp_line (start -1.33 1.27) (end 1.33 1.27) (layer F.SilkS) (width 0.12)) (fp_line (start 1.33 1.27) (end 1.33 1.33) (layer F.SilkS) (width 0.12)) (fp_line (start -1.33 1.27) (end -1.33 1.33) (layer F.SilkS) (width 0.12)) (fp_line (start -1.33 1.33) (end 1.33 1.33) (layer F.SilkS) (width 0.12)) (fp_line (start -1.27 -0.635) (end -0.635 -1.27) (layer F.Fab) (width 0.1)) (fp_line (start -1.27 1.27) (end -1.27 -0.635) (layer F.Fab) (width 0.1)) (fp_line (start 1.27 1.27) (end -1.27 1.27) (layer F.Fab) (width 0.1)) (fp_line (start 1.27 -1.27) (end 1.27 1.27) (layer F.Fab) (width 0.1)) (fp_line (start -0.635 -1.27) (end 1.27 -1.27) (layer F.Fab) (width 0.1)) (fp_text user %R (at 0 0 15) (layer F.Fab) (effects (font (size 1 1) (thickness 0.15))) ) (pad 1 thru_hole rect (at 0 0 285) (size 1.7 1.7) (drill 1) (layers *.Cu *.Mask)) (model ${KISYS3DMOD}/Connector_PinHeader_2.54mm.3dshapes/PinHeader_1x01_P2.54mm_Vertical.wrl (at (xyz 0 0 0)) (scale (xyz 1 1 1)) (rotate (xyz 0 0 0)) ) ) (module Connector_PinHeader_2.54mm:PinHeader_1x01_P2.54mm_Vertical (layer F.Cu) (tedit 59FED5CC) (tstamp 5DCC0B47) (at 161.12236 79.29626 315) (descr "Through hole straight pin header, 1x01, 2.54mm pitch, single row") (tags "Through hole pin header THT 1x01 2.54mm single row") (path /5DCCC0D1) (fp_text reference J25 (at 0 -2.33 135) (layer F.SilkS) hide (effects (font (size 1 1) (thickness 0.15))) ) (fp_text value Conn_01x01_Male (at 0 2.33 135) (layer F.Fab) (effects (font (size 1 1) (thickness 0.15))) ) (fp_line (start -0.635 -1.27) (end 1.27 -1.27) (layer F.Fab) (width 0.1)) (fp_line (start 1.27 -1.27) (end 1.27 1.27) (layer F.Fab) (width 0.1)) (fp_line (start 1.27 1.27) (end -1.27 1.27) (layer F.Fab) (width 0.1)) (fp_line (start -1.27 1.27) (end -1.27 -0.635) (layer F.Fab) (width 0.1)) (fp_line (start -1.27 -0.635) (end -0.635 -1.27) (layer F.Fab) (width 0.1)) (fp_line (start -1.33 1.33) (end 1.33 1.33) (layer F.SilkS) (width 0.12)) (fp_line (start -1.33 1.27) (end -1.33 1.33) (layer F.SilkS) (width 0.12)) (fp_line (start 1.33 1.27) (end 1.33 1.33) (layer F.SilkS) (width 0.12)) (fp_line (start -1.33 1.27) (end 1.33 1.27) (layer F.SilkS) (width 0.12)) (fp_line (start -1.33 0) (end -1.33 -1.33) (layer F.SilkS) (width 0.12)) (fp_line (start -1.33 -1.33) (end 0 -1.33) (layer F.SilkS) (width 0.12)) (fp_line (start -1.8 -1.8) (end -1.8 1.8) (layer F.CrtYd) (width 0.05)) (fp_line (start -1.8 1.8) (end 1.8 1.8) (layer F.CrtYd) (width 0.05)) (fp_line (start 1.8 1.8) (end 1.8 -1.8) (layer F.CrtYd) (width 0.05)) (fp_line (start 1.8 -1.8) (end -1.8 -1.8) (layer F.CrtYd) (width 0.05)) (fp_text user %R (at 0 0 45) (layer F.Fab) (effects (font (size 1 1) (thickness 0.15))) ) (pad 1 thru_hole rect (at 0 0 315) (size 1.7 1.7) (drill 1) (layers *.Cu *.Mask)) (model ${KISYS3DMOD}/Connector_PinHeader_2.54mm.3dshapes/PinHeader_1x01_P2.54mm_Vertical.wrl (at (xyz 0 0 0)) (scale (xyz 1 1 1)) (rotate (xyz 0 0 0)) ) ) (module Connector_PinHeader_2.54mm:PinHeader_1x01_P2.54mm_Vertical (layer F.Cu) (tedit 59FED5CC) (tstamp 5DCC1EF1) (at 149.57552 72.58558 345) (descr "Through hole straight pin header, 1x01, 2.54mm pitch, single row") (tags "Through hole pin header THT 1x01 2.54mm single row") (path /5DCF3955) (fp_text reference J26 (at 0 -2.33 165) (layer F.SilkS) hide (effects (font (size 1 1) (thickness 0.15))) ) (fp_text value Conn_01x01_Male (at 0 2.33 165) (layer F.Fab) (effects (font (size 1 1) (thickness 0.15))) ) (fp_line (start -0.635 -1.27) (end 1.27 -1.27) (layer F.Fab) (width 0.1)) (fp_line (start 1.27 -1.27) (end 1.27 1.27) (layer F.Fab) (width 0.1)) (fp_line (start 1.27 1.27) (end -1.27 1.27) (layer F.Fab) (width 0.1)) (fp_line (start -1.27 1.27) (end -1.27 -0.635) (layer F.Fab) (width 0.1)) (fp_line (start -1.27 -0.635) (end -0.635 -1.27) (layer F.Fab) (width 0.1)) (fp_line (start -1.33 1.33) (end 1.33 1.33) (layer F.SilkS) (width 0.12)) (fp_line (start -1.33 1.27) (end -1.33 1.33) (layer F.SilkS) (width 0.12)) (fp_line (start 1.33 1.27) (end 1.33 1.33) (layer F.SilkS) (width 0.12)) (fp_line (start -1.33 1.27) (end 1.33 1.27) (layer F.SilkS) (width 0.12)) (fp_line (start -1.33 0) (end -1.33 -1.33) (layer F.SilkS) (width 0.12)) (fp_line (start -1.33 -1.33) (end 0 -1.33) (layer F.SilkS) (width 0.12)) (fp_line (start -1.8 -1.8) (end -1.8 1.8) (layer F.CrtYd) (width 0.05)) (fp_line (start -1.8 1.8) (end 1.8 1.8) (layer F.CrtYd) (width 0.05)) (fp_line (start 1.8 1.8) (end 1.8 -1.8) (layer F.CrtYd) (width 0.05)) (fp_line (start 1.8 -1.8) (end -1.8 -1.8) (layer F.CrtYd) (width 0.05)) (fp_text user %R (at 0 0 75) (layer F.Fab) (effects (font (size 1 1) (thickness 0.15))) ) (pad 1 thru_hole rect (at 0 0 345) (size 1.7 1.7) (drill 1) (layers *.Cu *.Mask)) (model ${KISYS3DMOD}/Connector_PinHeader_2.54mm.3dshapes/PinHeader_1x01_P2.54mm_Vertical.wrl (at (xyz 0 0 0)) (scale (xyz 1 1 1)) (rotate (xyz 0 0 0)) ) ) (module MountingHole:MountingHole_2.2mm_M2 (layer F.Cu) (tedit 56D1B4CB) (tstamp 6190E155) (at 155.463 109.86) (descr "Mounting Hole 2.2mm, no annular, M2") (tags "mounting hole 2.2mm no annular m2") (path /6191F55B) (clearance 2) (attr virtual) (fp_text reference H1 (at 0 -3.2) (layer F.SilkS) hide (effects (font (size 1 1) (thickness 0.15))) ) (fp_text value MountingHole (at 0 3.2) (layer F.Fab) (effects (font (size 1 1) (thickness 0.15))) ) (fp_circle (center 0 0) (end 2.45 0) (layer F.CrtYd) (width 0.05)) (fp_circle (center 0 0) (end 2.2 0) (layer Cmts.User) (width 0.15)) (fp_text user %R (at 0.3 0) (layer F.Fab) (effects (font (size 1 1) (thickness 0.15))) ) (pad 1 np_thru_hole circle (at 0 0) (size 2.2 2.2) (drill 2.2) (layers *.Cu *.Mask)) ) (module MountingHole:MountingHole_2.2mm_M2 (layer F.Cu) (tedit 56D1B4CB) (tstamp 6190E15D) (at 155.463 84.86) (descr "Mounting Hole 2.2mm, no annular, M2") (tags "mounting hole 2.2mm no annular m2") (path /6191FE1A) (clearance 2) (attr virtual) (fp_text reference H2 (at 0 -3.2) (layer F.SilkS) hide (effects (font (size 1 1) (thickness 0.15))) ) (fp_text value MountingHole (at 0 3.2) (layer F.Fab) (effects (font (size 1 1) (thickness 0.15))) ) (fp_circle (center 0 0) (end 2.2 0) (layer Cmts.User) (width 0.15)) (fp_circle (center 0 0) (end 2.45 0) (layer F.CrtYd) (width 0.05)) (fp_text user %R (at 0.3 0) (layer F.Fab) (effects (font (size 1 1) (thickness 0.15))) ) (pad 1 np_thru_hole circle (at 0 0) (size 2.2 2.2) (drill 2.2) (layers *.Cu *.Mask)) ) (module MountingHole:MountingHole_2.2mm_M2 (layer F.Cu) (tedit 61908C53) (tstamp 6190E165) (at 130.463 109.86) (descr "Mounting Hole 2.2mm, no annular, M2") (tags "mounting hole 2.2mm no annular m2") (path /619206F5) (attr virtual) (fp_text reference H3 (at 3.877 0.26) (layer F.SilkS) hide (effects (font (size 1 1) (thickness 0.15))) ) (fp_text value MountingHole (at 0 3.2) (layer F.Fab) (effects (font (size 1 1) (thickness 0.15))) ) (fp_circle (center 0 0) (end 2.45 0) (layer F.CrtYd) (width 0.05)) (fp_circle (center 0 0) (end 2.2 0) (layer Cmts.User) (width 0.15)) (fp_text user %R (at 0.3 0) (layer F.Fab) (effects (font (size 1 1) (thickness 0.15))) ) (pad "" np_thru_hole circle (at 0 0) (size 2.2 2.2) (drill 2.2) (layers *.Cu *.Mask) (clearance 2)) ) (module MountingHole:MountingHole_2.2mm_M2 (layer F.Cu) (tedit 56D1B4CB) (tstamp 6190E16D) (at 130.463 84.86) (descr "Mounting Hole 2.2mm, no annular, M2") (tags "mounting hole 2.2mm no annular m2") (path /61920FEC) (clearance 2) (attr virtual) (fp_text reference H4 (at 0 -3.2) (layer F.SilkS) hide (effects (font (size 1 1) (thickness 0.15))) ) (fp_text value MountingHole (at 0 3.2) (layer F.Fab) (effects (font (size 1 1) (thickness 0.15))) ) (fp_circle (center 0 0) (end 2.2 0) (layer Cmts.User) (width 0.15)) (fp_circle (center 0 0) (end 2.45 0) (layer F.CrtYd) (width 0.05)) (fp_text user %R (at 0.3 0) (layer F.Fab) (effects (font (size 1 1) (thickness 0.15))) ) (pad 1 np_thru_hole circle (at 0 0) (size 2.2 2.2) (drill 2.2) (layers *.Cu *.Mask)) ) (module Connector_PinHeader_2.54mm:PinHeader_1x12_P2.54mm_Vertical (layer F.Cu) (tedit 59FED5CC) (tstamp 6190E18D) (at 127.99 105.04 90) (descr "Through hole straight pin header, 1x12, 2.54mm pitch, single row") (tags "Through hole pin header THT 1x12 2.54mm single row") (path /61955E83) (fp_text reference J13 (at 0 -2.33 90) (layer F.SilkS) hide (effects (font (size 1 1) (thickness 0.15))) ) (fp_text value Conn_01x12 (at 0 30.27 90) (layer F.Fab) (effects (font (size 1 1) (thickness 0.15))) ) (fp_line (start 1.8 -1.8) (end -1.8 -1.8) (layer F.CrtYd) (width 0.05)) (fp_line (start 1.8 29.75) (end 1.8 -1.8) (layer F.CrtYd) (width 0.05)) (fp_line (start -1.8 29.75) (end 1.8 29.75) (layer F.CrtYd) (width 0.05)) (fp_line (start -1.8 -1.8) (end -1.8 29.75) (layer F.CrtYd) (width 0.05)) (fp_line (start -1.33 -1.33) (end 0 -1.33) (layer F.SilkS) (width 0.12)) (fp_line (start -1.33 0) (end -1.33 -1.33) (layer F.SilkS) (width 0.12)) (fp_line (start -1.33 1.27) (end 1.33 1.27) (layer F.SilkS) (width 0.12)) (fp_line (start 1.33 1.27) (end 1.33 29.27) (layer F.SilkS) (width 0.12)) (fp_line (start -1.33 1.27) (end -1.33 29.27) (layer F.SilkS) (width 0.12)) (fp_line (start -1.33 29.27) (end 1.33 29.27) (layer F.SilkS) (width 0.12)) (fp_line (start -1.27 -0.635) (end -0.635 -1.27) (layer F.Fab) (width 0.1)) (fp_line (start -1.27 29.21) (end -1.27 -0.635) (layer F.Fab) (width 0.1)) (fp_line (start 1.27 29.21) (end -1.27 29.21) (layer F.Fab) (width 0.1)) (fp_line (start 1.27 -1.27) (end 1.27 29.21) (layer F.Fab) (width 0.1)) (fp_line (start -0.635 -1.27) (end 1.27 -1.27) (layer F.Fab) (width 0.1)) (fp_text user %R (at 0 13.97) (layer F.Fab) (effects (font (size 1 1) (thickness 0.15))) ) (pad 12 thru_hole oval (at 0 27.94 90) (size 1.7 1.7) (drill 1) (layers *.Cu *.Mask) (net 3 COL0)) (pad 11 thru_hole oval (at 0 25.4 90) (size 1.7 1.7) (drill 1) (layers *.Cu *.Mask) (net 4 COL1)) (pad 10 thru_hole oval (at 0 22.86 90) (size 1.7 1.7) (drill 1) (layers *.Cu *.Mask) (net 6 COL2)) (pad 9 thru_hole oval (at 0 20.32 90) (size 1.7 1.7) (drill 1) (layers *.Cu *.Mask) (net 7 COL3)) (pad 8 thru_hole oval (at 0 17.78 90) (size 1.7 1.7) (drill 1) (layers *.Cu *.Mask) (net 9 COL4)) (pad 7 thru_hole oval (at 0 15.24 90) (size 1.7 1.7) (drill 1) (layers *.Cu *.Mask) (net 10 COL5)) (pad 6 thru_hole oval (at 0 12.7 90) (size 1.7 1.7) (drill 1) (layers *.Cu *.Mask)) (pad 5 thru_hole oval (at 0 10.16 90) (size 1.7 1.7) (drill 1) (layers *.Cu *.Mask)) (pad 4 thru_hole oval (at 0 7.62 90) (size 1.7 1.7) (drill 1) (layers *.Cu *.Mask) (net 1 GND)) (pad 3 thru_hole oval (at 0 5.08 90) (size 1.7 1.7) (drill 1) (layers *.Cu *.Mask) (net 1 GND)) (pad 2 thru_hole oval (at 0 2.54 90) (size 1.7 1.7) (drill 1) (layers *.Cu *.Mask)) (pad 1 thru_hole rect (at 0 0 90) (size 1.7 1.7) (drill 1) (layers *.Cu *.Mask)) (model ${KISYS3DMOD}/Connector_PinHeader_2.54mm.3dshapes/PinHeader_1x12_P2.54mm_Vertical.wrl (at (xyz 0 0 0)) (scale (xyz 1 1 1)) (rotate (xyz 0 0 0)) ) ) (module Connector_PinHeader_2.54mm:PinHeader_1x12_P2.54mm_Vertical (layer F.Cu) (tedit 59FED5CC) (tstamp 6190E1AD) (at 155.93 89.8 270) (descr "Through hole straight pin header, 1x12, 2.54mm pitch, single row") (tags "Through hole pin header THT 1x12 2.54mm single row") (path /6195697C) (fp_text reference J14 (at 0 -2.33 90) (layer F.SilkS) hide (effects (font (size 1 1) (thickness 0.15))) ) (fp_text value Conn_01x12 (at 0 30.27 90) (layer F.Fab) (effects (font (size 1 1) (thickness 0.15))) ) (fp_line (start -0.635 -1.27) (end 1.27 -1.27) (layer F.Fab) (width 0.1)) (fp_line (start 1.27 -1.27) (end 1.27 29.21) (layer F.Fab) (width 0.1)) (fp_line (start 1.27 29.21) (end -1.27 29.21) (layer F.Fab) (width 0.1)) (fp_line (start -1.27 29.21) (end -1.27 -0.635) (layer F.Fab) (width 0.1)) (fp_line (start -1.27 -0.635) (end -0.635 -1.27) (layer F.Fab) (width 0.1)) (fp_line (start -1.33 29.27) (end 1.33 29.27) (layer F.SilkS) (width 0.12)) (fp_line (start -1.33 1.27) (end -1.33 29.27) (layer F.SilkS) (width 0.12)) (fp_line (start 1.33 1.27) (end 1.33 29.27) (layer F.SilkS) (width 0.12)) (fp_line (start -1.33 1.27) (end 1.33 1.27) (layer F.SilkS) (width 0.12)) (fp_line (start -1.33 0) (end -1.33 -1.33) (layer F.SilkS) (width 0.12)) (fp_line (start -1.33 -1.33) (end 0 -1.33) (layer F.SilkS) (width 0.12)) (fp_line (start -1.8 -1.8) (end -1.8 29.75) (layer F.CrtYd) (width 0.05)) (fp_line (start -1.8 29.75) (end 1.8 29.75) (layer F.CrtYd) (width 0.05)) (fp_line (start 1.8 29.75) (end 1.8 -1.8) (layer F.CrtYd) (width 0.05)) (fp_line (start 1.8 -1.8) (end -1.8 -1.8) (layer F.CrtYd) (width 0.05)) (fp_text user %R (at 0 13.97) (layer F.Fab) (effects (font (size 1 1) (thickness 0.15))) ) (pad 1 thru_hole rect (at 0 0 270) (size 1.7 1.7) (drill 1) (layers *.Cu *.Mask) (net 8 ROW4)) (pad 2 thru_hole oval (at 0 2.54 270) (size 1.7 1.7) (drill 1) (layers *.Cu *.Mask) (net 12 ROW3)) (pad 3 thru_hole oval (at 0 5.08 270) (size 1.7 1.7) (drill 1) (layers *.Cu *.Mask) (net 11 ROW2)) (pad 4 thru_hole oval (at 0 7.62 270) (size 1.7 1.7) (drill 1) (layers *.Cu *.Mask) (net 5 ROW1)) (pad 5 thru_hole oval (at 0 10.16 270) (size 1.7 1.7) (drill 1) (layers *.Cu *.Mask) (net 2 ROW0)) (pad 6 thru_hole oval (at 0 12.7 270) (size 1.7 1.7) (drill 1) (layers *.Cu *.Mask)) (pad 7 thru_hole oval (at 0 15.24 270) (size 1.7 1.7) (drill 1) (layers *.Cu *.Mask)) (pad 8 thru_hole oval (at 0 17.78 270) (size 1.7 1.7) (drill 1) (layers *.Cu *.Mask)) (pad 9 thru_hole oval (at 0 20.32 270) (size 1.7 1.7) (drill 1) (layers *.Cu *.Mask)) (pad 10 thru_hole oval (at 0 22.86 270) (size 1.7 1.7) (drill 1) (layers *.Cu *.Mask)) (pad 11 thru_hole oval (at 0 25.4 270) (size 1.7 1.7) (drill 1) (layers *.Cu *.Mask) (net 1 GND)) (pad 12 thru_hole oval (at 0 27.94 270) (size 1.7 1.7) (drill 1) (layers *.Cu *.Mask)) (model ${KISYS3DMOD}/Connector_PinHeader_2.54mm.3dshapes/PinHeader_1x12_P2.54mm_Vertical.wrl (at (xyz 0 0 0)) (scale (xyz 1 1 1)) (rotate (xyz 0 0 0)) ) ) (gr_line (start 136.88 74.56) (end 138.785 74.56) (layer F.SilkS) (width 0.15)) (gr_line (start 136.88 74.56) (end 135.61 75.83) (layer F.SilkS) (width 0.15)) (gr_line (start 136.88 74.56) (end 138.785 79.64) (layer F.SilkS) (width 0.15)) (gr_text ProMicro (at 124.18 97.42 90) (layer F.SilkS) (effects (font (size 1 1) (thickness 0.15))) ) (gr_line (start 122.91 101.23) (end 125.45 101.23) (layer F.SilkS) (width 0.12)) (gr_line (start 122.91 93.61) (end 122.91 101.23) (layer F.SilkS) (width 0.12)) (gr_line (start 125.45 93.61) (end 122.91 93.61) (layer F.SilkS) (width 0.12)) (gr_line (start 125.45 107.58) (end 125.45 87.26) (layer F.SilkS) (width 0.12) (tstamp 6190E8E3)) (gr_line (start 158.47 107.58) (end 125.45 107.58) (layer F.SilkS) (width 0.12)) (gr_line (start 158.47 87.26) (end 158.47 107.58) (layer F.SilkS) (width 0.12)) (gr_line (start 125.45 87.26) (end 158.47 87.26) (layer F.SilkS) (width 0.12)) (gr_line (start 149.962791 123.484515) (end 135.962793 123.484515) (layer Edge.Cuts) (width 0.2)) (gr_line (start 123.838438 116.484515) (end 116.838438 104.36016) (layer Edge.Cuts) (width 0.2)) (gr_line (start 169.087154 90.36016) (end 169.087154 104.36016) (layer Edge.Cuts) (width 0.2)) (gr_line (start 169.087154 104.36016) (end 162.08715 116.484515) (layer Edge.Cuts) (width 0.2)) (gr_line (start 116.838438 90.36016) (end 123.838438 78.235805) (layer Edge.Cuts) (width 0.2)) (gr_line (start 162.08715 116.484515) (end 149.962791 123.484515) (layer Edge.Cuts) (width 0.2)) (gr_line (start 116.838438 104.36016) (end 116.838438 90.36016) (layer Edge.Cuts) (width 0.2)) (gr_line (start 123.838438 78.235805) (end 135.962793 71.235805) (layer Edge.Cuts) (width 0.2)) (gr_line (start 162.08715 78.235805) (end 169.087154 90.36016) (layer Edge.Cuts) (width 0.2)) (gr_line (start 135.962793 123.484515) (end 123.838438 116.484515) (layer Edge.Cuts) (width 0.2)) (gr_line (start 135.962793 71.235805) (end 149.962791 71.235805) (layer Edge.Cuts) (width 0.2)) (gr_line (start 149.962791 71.235805) (end 162.08715 78.235805) (layer Edge.Cuts) (width 0.2)) (gr_text "Mozc-yunomi Ver 4.1R3" (at 143.23 82.18) (layer F.SilkS) (effects (font (size 1 1) (thickness 0.15))) ) (segment (start 135.61 105.04) (end 133.07 105.04) (width 0.25) (layer F.Cu) (net 1)) (segment (start 133.07 92.34) (end 130.53 89.8) (width 0.25) (layer B.Cu) (net 1)) (segment (start 133.07 105.04) (end 133.07 92.34) (width 0.25) (layer B.Cu) (net 1)) (segment (start 145.77 88.999002) (end 145.77 89.8) (width 0.25) (layer F.Cu) (net 2)) (segment (start 141.67104 84.900042) (end 145.77 88.999002) (width 0.25) (layer F.Cu) (net 2)) (segment (start 141.67104 72.5551) (end 141.67104 84.900042) (width 0.25) (layer F.Cu) (net 2)) (segment (start 155.509998 105.04) (end 155.93 105.04) (width 0.25) (layer B.Cu) (net 3)) (segment (start 141.71168 118.838318) (end 155.509998 105.04) (width 0.25) (layer B.Cu) (net 3)) (segment (start 141.71168 122.1613) (end 141.71168 118.838318) (width 0.25) (layer B.Cu) (net 3)) (segment (start 144.21104 78.882038) (end 144.21104 72.5551) (width 0.25) (layer B.Cu) (net 3)) (segment (start 155.93 105.04) (end 154.565001 103.675001) (width 0.25) (layer B.Cu) (net 3)) (segment (start 154.565001 103.675001) (end 154.565001 89.235999) (width 0.25) (layer B.Cu) (net 3)) (segment (start 154.565001 89.235999) (end 144.21104 78.882038) (width 0.25) (layer B.Cu) (net 3)) (segment (start 141.172539 117.257461) (end 153.39 105.04) (width 0.25) (layer B.Cu) (net 4)) (segment (start 130.308654 117.257461) (end 141.172539 117.257461) (width 0.25) (layer B.Cu) (net 4)) (segment (start 129.458655 118.10746) (end 130.308654 117.257461) (width 0.25) (layer B.Cu) (net 4)) (via (at 149.58 85.99) (size 0.8) (drill 0.4) (layers F.Cu B.Cu) (net 4)) (segment (start 149.58 101.23) (end 149.58 85.99) (width 0.25) (layer B.Cu) (net 4)) (segment (start 153.39 105.04) (end 149.58 101.23) (width 0.25) (layer B.Cu) (net 4)) (segment (start 149.58 83.419345) (end 156.540265 76.45908) (width 0.25) (layer F.Cu) (net 4)) (segment (start 149.58 85.99) (end 149.58 83.419345) (width 0.25) (layer F.Cu) (net 4)) (segment (start 148.31 81.21964) (end 148.31 89.8) (width 0.25) (layer F.Cu) (net 5)) (segment (start 154.34056 75.18908) (end 148.31 81.21964) (width 0.25) (layer F.Cu) (net 5)) (segment (start 142.804999 113.085001) (end 150.85 105.04) (width 0.25) (layer B.Cu) (net 6)) (segment (start 128.914999 113.085001) (end 142.804999 113.085001) (width 0.25) (layer B.Cu) (net 6)) (segment (start 124.526693 108.696695) (end 128.914999 113.085001) (width 0.25) (layer B.Cu) (net 6)) (segment (start 120.8024 108.696695) (end 124.526693 108.696695) (width 0.25) (layer B.Cu) (net 6)) (segment (start 147.745999 106.215001) (end 149.674999 106.215001) (width 0.25) (layer F.Cu) (net 6)) (segment (start 147.134999 105.604001) (end 147.745999 106.215001) (width 0.25) (layer F.Cu) (net 6)) (segment (start 147.134999 104.475999) (end 147.134999 105.604001) (width 0.25) (layer F.Cu) (net 6)) (segment (start 149.674999 106.215001) (end 150.85 105.04) (width 0.25) (layer F.Cu) (net 6)) (segment (start 152.025001 99.585997) (end 147.134999 104.475999) (width 0.25) (layer F.Cu) (net 6)) (segment (start 152.025001 89.425997) (end 152.025001 99.585997) (width 0.25) (layer F.Cu) (net 6)) (segment (start 152.825999 88.624999) (end 152.025001 89.425997) (width 0.25) (layer F.Cu) (net 6)) (segment (start 162.517566 88.624999) (end 152.825999 88.624999) (width 0.25) (layer F.Cu) (net 6)) (segment (start 165.11016 86.032405) (end 162.517566 88.624999) (width 0.25) (layer F.Cu) (net 6)) (segment (start 154.72942 98.62058) (end 148.31 105.04) (width 0.25) (layer F.Cu) (net 7)) (segment (start 167.83304 98.62058) (end 154.72942 98.62058) (width 0.25) (layer F.Cu) (net 7)) (segment (start 127.299997 106.634999) (end 121.64 100.975002) (width 0.25) (layer B.Cu) (net 7)) (segment (start 146.715001 106.634999) (end 127.299997 106.634999) (width 0.25) (layer B.Cu) (net 7)) (segment (start 148.31 105.04) (end 146.715001 106.634999) (width 0.25) (layer B.Cu) (net 7)) (segment (start 121.64 99.542) (end 118.16588 96.06788) (width 0.25) (layer B.Cu) (net 7)) (segment (start 121.64 100.975002) (end 121.64 99.542) (width 0.25) (layer B.Cu) (net 7)) (segment (start 159.595268 93.465268) (end 155.93 89.8) (width 0.25) (layer B.Cu) (net 8)) (segment (start 159.595268 103.120908) (end 159.595268 93.465268) (width 0.25) (layer B.Cu) (net 8)) (segment (start 165.13556 108.6612) (end 159.595268 103.120908) (width 0.25) (layer B.Cu) (net 8)) (segment (start 126.421286 88.085001) (end 122.1359 83.799615) (width 0.25) (layer B.Cu) (net 9)) (segment (start 130.554003 88.085001) (end 126.421286 88.085001) (width 0.25) (layer B.Cu) (net 9)) (segment (start 131.705001 89.235999) (end 130.554003 88.085001) (width 0.25) (layer B.Cu) (net 9)) (segment (start 131.705001 90.338591) (end 131.705001 89.235999) (width 0.25) (layer B.Cu) (net 9)) (segment (start 145.77 104.40359) (end 131.705001 90.338591) (width 0.25) (layer B.Cu) (net 9)) (segment (start 145.77 105.04) (end 145.77 104.40359) (width 0.25) (layer B.Cu) (net 9)) (segment (start 153.815001 113.085001) (end 145.77 105.04) (width 0.25) (layer F.Cu) (net 9) (status 1000000)) (segment (start 161.641464 113.085001) (end 153.815001 113.085001) (width 0.25) (layer F.Cu) (net 9) (status 1000000)) (segment (start 163.86556 110.860905) (end 161.641464 113.085001) (width 0.25) (layer F.Cu) (net 9) (status 1000000)) (segment (start 154.279535 116.089535) (end 143.23 105.04) (width 0.25) (layer F.Cu) (net 10)) (segment (start 154.279535 119.507) (end 154.279535 116.089535) (width 0.25) (layer F.Cu) (net 10)) (segment (start 134.434999 96.244999) (end 143.23 105.04) (width 0.25) (layer F.Cu) (net 10)) (segment (start 134.434999 78.072334) (end 134.434999 96.244999) (width 0.25) (layer F.Cu) (net 10)) (segment (start 131.643185 75.28052) (end 134.434999 78.072334) (width 0.25) (layer F.Cu) (net 10)) (segment (start 161.642459 81.634999) (end 163.84016 83.8327) (width 0.25) (layer F.Cu) (net 11)) (segment (start 153.914999 81.634999) (end 161.642459 81.634999) (width 0.25) (layer F.Cu) (net 11)) (segment (start 150.85 84.699998) (end 153.914999 81.634999) (width 0.25) (layer F.Cu) (net 11)) (segment (start 150.85 89.8) (end 150.85 84.699998) (width 0.25) (layer F.Cu) (net 11)) (segment (start 159.67058 96.08058) (end 153.39 89.8) (width 0.25) (layer F.Cu) (net 12)) (segment (start 167.83304 96.08058) (end 159.67058 96.08058) (width 0.25) (layer F.Cu) (net 12)) )
KiCad
5
ikeji/mozc-devices
mozc-yunomi/board/base-promicro/base-promicro.kicad_pcb
[ "Apache-2.0" ]
# -*- coding: binary -*- module Msf module RPC class RPC_Health < RPC_Base # Returns whether the service is currently healthy and ready to accept # requests. This endpoint is not authenticated. # # @return [Hash] # @example Here's how you would use this from the client: # rpc.call('health.check') def rpc_check_noauth Msf::RPC::Health.check(framework) end end end end
Ruby
4
OsmanDere/metasploit-framework
lib/msf/core/rpc/v10/rpc_health.rb
[ "BSD-2-Clause", "BSD-3-Clause" ]
functions { #include "utils.stan" #include "gamma2_overdisp.stan" #include "models.stan" } data { int J; real<lower=0> tlag_max; vector<lower=0>[J] dose; int N[J]; vector<lower=0>[sum(N)] dv; vector<lower=tlag_max>[sum(N)] time; vector<lower=0>[J] weight; real<lower=0> ref; } transformed data { int Ndv = sum(N); row_vector[J] LSweight = to_row_vector(log(weight) - log(70.)); vector[J] ldose = log(dose); real ltlag_max = log(tlag_max); int sidx[J+1] = make_slice_index(N); real refSq = square(ref); } parameters { // log population parameters of 1-tlag, 2-ka, 3-Cl, 4-V vector[4] theta; // subject specific random effects matrix[4,J] Eta; vector<lower=0>[4] sigma_eta; real<lower=0> sigma_y; real<lower=0> kappa; } transformed parameters { vector[Ndv] mu; matrix[4,J] Eta_cov; // lag time is fitted as fraction in logit space relative to the // maximal tlag Eta_cov[1] = log_inv_logit(theta[1] + sigma_eta[1] * Eta[1]) + ltlag_max; Eta_cov[2] = theta[2] + sigma_eta[2] * Eta[2]; // apply to CL and V the weight covariate effects Eta_cov[3] = theta[3] + sigma_eta[3] * Eta[3] + 0.75 * LSweight; Eta_cov[4] = theta[4] + sigma_eta[4] * Eta[4] + LSweight; // loop over each subject and evaluate PK model for(j in 1:J) { int start = sidx[j]; int end = sidx[j+1]-1; mu[start:end] = exp(pk_1cmt_oral_tlagMax(time[start:end], ldose[j], Eta_cov[1,j], Eta_cov[2,j], Eta_cov[3,j], Eta_cov[4,j])) + 1E-5; } } model { theta[1] ~ normal(0, 2); theta[2] ~ normal(log(1), log(2)/1.96); theta[3] ~ normal(log(0.1), log(10)/1.96); theta[4] ~ normal(log(10), log(10)/1.96); sigma_eta ~ normal(0, 0.5); to_vector(Eta) ~ normal(0, 1); sigma_y ~ normal(0, 2); kappa ~ gamma(0.2, 0.2); dv ~ gamma2_overdisp(mu, sigma_y, kappa * refSq); } generated quantities { real tlag = inv_logit(theta[1]) * tlag_max; real ka = exp(theta[2]); real CL = exp(theta[3]); real V = exp(theta[4]); vector[Ndv] log_lik; vector[Ndv] ypred; vector[Ndv] ypred_cond; vector[J] log_lik_patient; real sigma_y_ref = sqrt(square(sigma_y) + 1.0/kappa); for(o in 1:Ndv) { log_lik[o] = gamma2_overdisp_lpdf( dv[o:o] | mu[o:o], sigma_y, kappa * refSq); ypred_cond[o] = gamma2_overdisp_rng(mu[o], sigma_y, kappa * refSq); } for(j in 1:J) { int start = sidx[j]; int end = sidx[j+1]-1; vector[4] eta = multi_normal_cholesky_rng(theta, diag_matrix(sigma_eta)); vector[4] eta_cov; vector[N[j]] mu_pred; eta_cov[1] = log_inv_logit(eta[1]) + ltlag_max; eta_cov[2] = eta[2]; // apply to CL and V the weight covariate effects eta_cov[3] = eta[3] + 0.75 * LSweight[j]; eta_cov[4] = eta[4] + LSweight[j]; mu_pred = exp(pk_1cmt_oral_tlagMax(time[start:end], ldose[j], eta_cov[1], eta_cov[2], eta_cov[3], eta_cov[4])) + 1E-5; log_lik_patient[j] = gamma2_overdisp_lpdf(dv[start:end]| mu_pred, sigma_y, kappa * refSq); for(k in 1:N[j]){ ypred[start + k - 1] = gamma2_overdisp_rng(mu_pred[k], sigma_y, kappa * refSq); } } }
Stan
4
stan-dev/stancon_talks
2018-helsinki/Contributed-Talks/weber/stancon18-master/warfarin_pk_tlagMax.stan
[ "CC-BY-4.0", "BSD-3-Clause" ]
/* * Copyright 2014 The Sculptor Project Team, including the original * author or authors. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package org.sculptor.generator.configuration import java.util.Properties /** * Mutable implementation of {@link PropertiesConfigurationProvider}. */ class MutablePropertiesConfigurationProvider extends PropertiesConfigurationProvider implements MutableConfigurationProvider { new(Properties properties) { super(properties) } /** * Loads properties as resource from current threads classloader or this class' classloader. */ new(String propertiesResourceName) { super(propertiesResourceName) } /** * Loads properties as resource from current threads classloader or this class' classloader. */ new(String propertiesResourceName, boolean optional) { super(propertiesResourceName, optional) } override setString(String key, String value) { properties.setProperty(key, value) } override setBoolean(String key, boolean value) { properties.setProperty(key, Boolean.toString(value)) } override setInt(String key, int value) { properties.setProperty(key, Integer.toString(value)) } override remove(String key) { properties.remove(key) } }
Xtend
4
sculptor/sculptor
sculptor-generator/sculptor-generator-configuration/src/main/java/org/sculptor/generator/configuration/MutablePropertiesConfigurationProvider.xtend
[ "Apache-2.0" ]
namespace go common struct B { 1: optional string b }
Thrift
1
Jimexist/thrift
lib/go/test/common/b.thrift
[ "Apache-2.0" ]
/*!40101 SET @OLD_CHARACTER_SET_CLIENT=@@CHARACTER_SET_CLIENT */; /*!40101 SET NAMES utf8 */; /*!50503 SET NAMES utf8mb4 */; /*!40014 SET @OLD_FOREIGN_KEY_CHECKS=@@FOREIGN_KEY_CHECKS, FOREIGN_KEY_CHECKS=0 */; /*!40101 SET @OLD_SQL_MODE=@@SQL_MODE, SQL_MODE='NO_AUTO_VALUE_ON_ZERO' */; CREATE DATABASE IF NOT EXISTS `larablog` /*!40100 DEFAULT CHARACTER SET latin1 */; USE `larablog`; CREATE TABLE IF NOT EXISTS `posts` ( `id` int(10) unsigned NOT NULL AUTO_INCREMENT, `title` varchar(255) COLLATE utf8mb4_unicode_ci NOT NULL, `post` longtext COLLATE utf8mb4_unicode_ci NOT NULL, `author_id` int(11) DEFAULT NULL, `published` tinyint(1) NOT NULL DEFAULT 0, `views` int(11) NOT NULL DEFAULT 0, `created_at` timestamp NULL DEFAULT NULL, `updated_at` timestamp NULL DEFAULT NULL, PRIMARY KEY (`id`) ) ENGINE=InnoDB DEFAULT CHARSET=utf8mb4 COLLATE=utf8mb4_unicode_ci; DELETE FROM `posts`; /*!40000 ALTER TABLE `posts` DISABLE KEYS */; INSERT INTO `posts` (`id`, `title`, `post`, `author_id`, `published`, `views`, `created_at`, `updated_at`) VALUES (2, 'Sample Post 2', 'Lorem ipsum dolor sit amet, consectetur adipiscing elit. Nunc lobortis, ante in pretium volutpat, risus metus molestie odio, non placerat magna diam sit amet augue. Donec ullamcorper ornare mauris, id bibendum lacus viverra vel. Curabitur in pellentesque metus. Quisque gravida molestie turpis, id tincidunt purus viverra vitae. In sollicitudin, arcu at interdum sagittis, massa mi cursus diam, eu sodales purus erat vitae dui. Curabitur tempus urna consequat odio pretium pellentesque. Class aptent taciti sociosqu ad litora torquent per conubia nostra, per inceptos himenaeos. Etiam tincidunt eros orci, sit amet pharetra eros accumsan vitae. Quisque a massa id nisi sodales rhoncus sed ut ante. Duis sed augue non velit feugiat varius eget eu velit. Nam commodo posuere massa sed convallis. Phasellus dapibus commodo lectus, vitae gravida lorem. Donec molestie a nisi ac mattis. Interdum et malesuada fames ac ante ipsum primis in faucibus. Aliquam tempor ante et rutrum consequat.', 11, 1, 100, '2017-12-12 18:48:19', NULL), (3, 'Sample Post 3', 'Lorem ipsum dolor sit amet, consectetur adipiscing elit. Nunc lobortis, ante in pretium volutpat, risus metus molestie odio, non placerat magna diam sit amet augue. Donec ullamcorper ornare mauris, id bibendum lacus viverra vel. Curabitur in pellentesque metus. Quisque gravida molestie turpis, id tincidunt purus viverra vitae. In sollicitudin, arcu at interdum sagittis, massa mi cursus diam, eu sodales purus erat vitae dui. Curabitur tempus urna consequat odio pretium pellentesque. Class aptent taciti sociosqu ad litora torquent per conubia nostra, per inceptos himenaeos. Etiam tincidunt eros orci, sit amet pharetra eros accumsan vitae. Quisque a massa id nisi sodales rhoncus sed ut ante. Duis sed augue non velit feugiat varius eget eu velit. Nam commodo posuere massa sed convallis. Phasellus dapibus commodo lectus, vitae gravida lorem. Donec molestie a nisi ac mattis. Interdum et malesuada fames ac ante ipsum primis in faucibus. Aliquam tempor ante et rutrum consequat.', 11, 1, 100, '2017-12-12 18:48:22', NULL), (4, 'Sample Post 2212', 'Lorem ipsum dolor sit amet, consectetur adipiscing elit. Nunc lobortis, ante in pretium volutpat, risus metus molestie odio, non placerat magna diam sit amet augue. Donec ullamcorper ornare mauris, id bibendum lacus viverra vel. Curabitur in pellentesque metus. Quisque gravida molestie turpis, id tincidunt purus viverra vitae. In sollicitudin, arcu at interdum sagittis, massa mi cursus diam, eu sodales purus erat vitae dui. Curabitur tempus urna consequat odio pretium pellentesque. Class aptent taciti sociosqu ad litora torquent per conubia nostra, per inceptos himenaeos. Etiam tincidunt eros orci, sit amet pharetra eros accumsan vitae. Quisque a massa id nisi sodales rhoncus sed ut ante. Duis sed augue non velit feugiat varius eget eu velit. Nam commodo posuere massa sed convallis. Phasellus dapibus commodo lectus, vitae gravida lorem. Donec molestie a nisi ac mattis. Interdum et malesuada fames ac ante ipsum primis in faucibus. Aliquam tempor ante et rutrum consequat.', 11, 1, 100, '2017-12-12 18:48:24', NULL), (9, 'This is a Test', 'HJh sahjnasj hjas hjashj ashj ashj ashjsa sahjass naskjasnmas', 11, 0, 0, NULL, NULL), (10, 'Test Title', 'hjjjjjjjjjjjjjjjjjjjjjjjjjjjjjjjjjjjjjjjjjjjjjjjjjjjjjjjjjjjjjjj jjjjjjjjjjjjjjjjjjjjjjjjjjjjjjjjjjjjjjjj', 11, 0, 0, NULL, NULL), (11, 'Test Title 2', 'This is a as as sa asmas as as as as as', 11, 0, 0, NULL, NULL), (12, 'This is another Test Article', 'There are many variations of passages of Lorem Ipsum available, but the majority have suffered alteration in some form, by injected humour, or randomised words which don\'t look even slightly believable. If you are going to use a passage of Lorem Ipsum, you need to be sure there isn\'t anything embarrassing hidden in the middle of text. All the Lorem Ipsum generators on the Internet tend to repeat predefined chunks as necessary, making this the first true generator on the Internet. It uses a dictionary of over 200 Latin words, combined with a handful of model sentence structures, to generate Lorem Ipsum which looks reasonable. The generated Lorem Ipsum is therefore always free from repetition, injected humour, or non-characteristic words etc.', 11, 0, 0, '2017-12-14 03:48:52', '2017-12-14 03:48:52'); /*!40000 ALTER TABLE `posts` ENABLE KEYS */; CREATE TABLE IF NOT EXISTS `users` ( `id` int(10) unsigned NOT NULL AUTO_INCREMENT, `name` varchar(255) COLLATE utf8mb4_unicode_ci NOT NULL, `email` varchar(255) COLLATE utf8mb4_unicode_ci NOT NULL, `password` varchar(255) COLLATE utf8mb4_unicode_ci NOT NULL, `is_admin` int(10) unsigned NULL DEFAULT 0, `remember_token` varchar(100) COLLATE utf8mb4_unicode_ci DEFAULT NULL, `created_at` timestamp NULL DEFAULT NULL, `updated_at` timestamp NULL DEFAULT NULL, PRIMARY KEY (`id`), UNIQUE KEY `users_email_unique` (`email`) ) ENGINE=InnoDB DEFAULT CHARSET=utf8mb4 COLLATE=utf8mb4_unicode_ci; DELETE FROM `users`; /*!40000 ALTER TABLE `users` DISABLE KEYS */; INSERT INTO `users` (`id`, `name`, `email`, `password`, `is_admin`, `remember_token`, `created_at`, `updated_at`) VALUES (11, 'Test User', 'test@test.com', '$2a$10$i/TgIqC3xRMnqCEbDryfxuZqhfM/qekfsaQUjBVPUKiiB3Nofr/wO', 0, NULL, '2017-12-14 03:40:57', '2017-12-14 03:40:57'); /*!40000 ALTER TABLE `users` ENABLE KEYS */; /*!40101 SET SQL_MODE=IFNULL(@OLD_SQL_MODE, '') */; /*!40014 SET FOREIGN_KEY_CHECKS=IF(@OLD_FOREIGN_KEY_CHECKS IS NULL, 1, @OLD_FOREIGN_KEY_CHECKS) */; /*!40101 SET CHARACTER_SET_CLIENT=@OLD_CHARACTER_SET_CLIENT */;
SQL
3
zeesh49/tutorials
vraptor/src/main/resources/database.sql
[ "MIT" ]
print "Hello world!\n";
Standard ML
1
PushpneetSingh/Hello-world
ML/hello.sml
[ "MIT" ]
query: | subscription { articles { title content } }
YAML
3
gh-oss-contributor/graphql-engine-1
server/tests-py/queries/subscriptions/multiplexing/articles_query.yaml
[ "Apache-2.0", "MIT" ]
/** * @license * Copyright Google LLC All Rights Reserved. * * Use of this source code is governed by an MIT-style license that can be * found in the LICENSE file at https://angular.io/license */ import {Injector} from '../di/injector'; import {Type} from '../interface/type'; import {stringify} from '../util/stringify'; import {ComponentFactory, ComponentRef} from './component_factory'; import {NgModuleRef} from './ng_module_factory'; export function noComponentFactoryError(component: Function) { const error = Error(`No component factory found for ${ stringify(component)}. Did you add it to @NgModule.entryComponents?`); (error as any)[ERROR_COMPONENT] = component; return error; } const ERROR_COMPONENT = 'ngComponent'; export function getComponent(error: Error): Type<any> { return (error as any)[ERROR_COMPONENT]; } class _NullComponentFactoryResolver implements ComponentFactoryResolver { resolveComponentFactory<T>(component: {new(...args: any[]): T}): ComponentFactory<T> { throw noComponentFactoryError(component); } } /** * A simple registry that maps `Components` to generated `ComponentFactory` classes * that can be used to create instances of components. * Use to obtain the factory for a given component type, * then use the factory's `create()` method to create a component of that type. * * Note: since v13, dynamic component creation via * [`ViewContainerRef.createComponent`](api/core/ViewContainerRef#createComponent) * does **not** require resolving component factory: component class can be used directly. * * @publicApi */ export abstract class ComponentFactoryResolver { static NULL: ComponentFactoryResolver = (/* @__PURE__ */ new _NullComponentFactoryResolver()); /** * Retrieves the factory object that creates a component of the given type. * @param component The component type. */ abstract resolveComponentFactory<T>(component: Type<T>): ComponentFactory<T>; }
TypeScript
4
OakMolecule/angular
packages/core/src/linker/component_factory_resolver.ts
[ "MIT" ]
Red/System [ Title: "Red/System testdynamic link library" Author: "Nenad Rakocevic & Peter W A Wood" File: %test-dll1.reds Rights: "Copyright (C) 2012-2015 Nenad Rakoceivc & Peter W A Wood. All rights reserved." License: "BSD-3 - https://github.com/red/red/blob/origin/BSD-3-License.txt" ] i: 56 add-one: func [a [integer!] return: [integer!]][a + 1] #export [add-one i]
Red
3
0xflotus/red
system/tests/source/units/libtest-dll1.reds
[ "BSL-1.0", "BSD-3-Clause" ]
Note 0 Copyright (C) 2017 Jonathan Hough. All rights reserved. ) cocurrent 'NN' NB. Pooling layer for Conv2D layers. The assumption is that the previous layer NB. will hold a 4D tensor (i.e. this layer must eb part of a conv-net. coclass 'PoolLayer' coinsert 'NNLayer' conv=: ;._3 convFunc=: +/@:,@:* kernelFunc=: ((>./)@:,) NB. Creates an instance of 'PoolLayer' for use after NB. Convolution layers, used for downsampling datasizes, by NB. selecting the largest datapoints inside poolSize grids of NB. the dataset. The PoolLayer itself does not contribute to NB. gradient in the output error, so the back propagation call NB. simply depools the NB. Parameters: NB. 0: poolSize, the width (and height) of the pooling grids create=: 3 : 0 if. a: -: y do. '' else. poolSize=: y type=: 'PoolLayer' end. ) preRun=: 3 : 0 try. forward y catch. smoutput 'Error in pre-run of PoolLayer.' smoutput 'Shape of input ',":y smoutput 'Size of pool is ',":poolSize throw. end. ) forward=: 3 : 0 i=: y t=: (poolSize&pool)"2 i ) backward=: 3 : 0 td=: y V=: i Z=: t U=: poolSize depoolExpand Z UV=: U=V dpe=: poolSize depoolExpand td UV * dpe NB. Previous layer's td ) NB. max pool pool=: 4 : 0 poolKernel=. 2 2 $ ,x pooled=: poolKernel kernelFunc ;.3 y pooled ) NB. Reverses the pooling action, by depooling each NB. item of the tensor, increasing tensor size, and NB. replicating each value in the newly created items. NB. example NB. NB. Tensor A is NB. 0.7 0.8 NB. 0.23 0.3 NB. NB. This will be depoolExpanded to NB. NB. 0.7 0.7 0.8 0.8 NB. 0.7 0.7 0.8 0.8 NB. 0.23 0.23 0.3 0.3 NB. 0.23 0.23 0.3 0.3 NB. NB. using NB. > 1 depoolExpand A NB. depoolExpand=: 4 : 0 "0 _ if. (x = 0) do.y else. replicate=: x&# shape=: $ i reform=. ,/"2 replicate"0 y if. ({: shape) ~: {: $ reform do. reform=. }:"1 reform end. reform=. |:"2 ,/"2 replicate"0 |:"2 reform if. (2{ shape) ~: 2{ $ reform do. reform=. }:"2 reform end. reform end. ) destroy=: codestroy
J
4
jonghough/jlearn
adv/poollayer.ijs
[ "MIT" ]
#![feature(generic_const_exprs)] #![allow(incomplete_features)] fn test<const N: usize>() -> [u8; N + (|| 42)()] {} //~^ ERROR overly complex generic constant fn main() {}
Rust
2
mbc-git/rust
src/test/ui/const-generics/generic_const_exprs/closures.rs
[ "ECL-2.0", "Apache-2.0", "MIT-0", "MIT" ]
#!/bin/tcsh set inputpoolheader=templates/Pool_header.fragment set inputbtagheader=templates/Btag_header.fragment set inputtestheader=templates/Test_header.fragment set inputpoolheader=templates/Pool_footer.fragment #set inputbtagheader=templates/Btag_footer.fragment set inputtestheader=templates/Test_footer.fragment set outputfragname=Pool_template.py set outputbtagfragname=Btag_template.py set outputtestfragname=Test_template.py #Make our directories in order! mkdir DBs mkdir ship mkdir -p testOnline/text mkdir -p test/text #Remove any remaining db making code rm -f tmp.py #For a set of measurements we want a unique name #set setName=btagTtbarWp set setName=btagTtbarDiscrim #set setName=btagMuJetsWp #set setName=btagMistagABCD #set setName=btagMistagAB #set setName=btagMistagC #set setName=btagMistagD #Unique version number for DB set version=v9 cat templates/Pool_pre.fragment | sed "s#SETNAME#$setName#g" > Pool_$setName.py cat templates/Btag_pre.fragment > Btag_$setName.py #set tag=PerformancePayloadFromTable set tag=PerformancePayloadFromBinnedTFormula #"mistag" measurements go here #Create a single measurement with ./makeSingle.csh <file path> <measurement name> <set name> # ./makeSingle.csh BTAG/mujets_wp/BTAGCSVL.txt MUJETSWPBTAGCSVL $setName $version $tag # ./makeSingle.csh BTAG/mujets_wp/BTAGCSVM.txt MUJETSWPBTAGCSVM $setName $version $tag # ./makeSingle.csh BTAG/mujets_wp/BTAGCSVT.txt MUJETSWPBTAGCSVT $setName $version $tag # ./makeSingle.csh BTAG/mujets_wp/BTAGJPL.txt MUJETSWPBTAGJPL $setName $version $tag # ./makeSingle.csh BTAG/mujets_wp/BTAGJPM.txt MUJETSWPBTAGJPM $setName $version $tag # ./makeSingle.csh BTAG/mujets_wp/BTAGJPT.txt MUJETSWPBTAGJPT $setName $version $tag # ./makeSingle.csh BTAG/mujets_wp/BTAGTCHPT.txt MUJETSWPBTAGTCHPT $setName $version $tag ./makeSingle.csh BTAG/ttbar/BTAGCSV.txt TTBARDISCRIMBTAGCSV $setName $version $tag ./makeSingle.csh BTAG/ttbar/BTAGJP.txt TTBARDISCRIMBTAGJP $setName $version $tag ./makeSingle.csh BTAG/ttbar/BTAGTCHP.txt TTBARDISCRIMBTAGTCHP $setName $version $tag #################### ### ### make sure to change write_template.py for WP's and not formula ### ################### # ./makeSingle.csh BTAG/ttbar_wp/BTAGCSVL.txt TTBARWPBTAGCSVL $setName $version $tag # ./makeSingle.csh BTAG/ttbar_wp/BTAGCSVM.txt TTBARWPBTAGCSVM $setName $version $tag # ./makeSingle.csh BTAG/ttbar_wp/BTAGCSVT.txt TTBARWPBTAGCSVT $setName $version $tag # ./makeSingle.csh BTAG/ttbar_wp/BTAGJPL.txt TTBARWPBTAGJPL $setName $version $tag # ./makeSingle.csh BTAG/ttbar_wp/BTAGJPM.txt TTBARWPBTAGJPM $setName $version $tag # ./makeSingle.csh BTAG/ttbar_wp/BTAGJPT.txt TTBARWPBTAGJPT $setName $version $tag # ./makeSingle.csh BTAG/ttbar_wp/BTAGTCHPT.txt TTBARWPBTAGTCHPT $setName $version $tag # cat templates/Pool_post.fragment | sed "s#SETNAME#$setName#g" >> Pool_$setName.py # set setName=mistag # cat templates/Pool_pre.fragment | sed "s#SETNAME#$setName#g" > Pool_$setName.py # cat templates/Btag_pre.fragment > Btag_$setName.py # ./makeSingle.csh BTAG/SFlight/DataPeriod_ABCD/MISTAGCSVL.txt MISTAGCSVLABCD $setName $version $tag # ./makeSingle.csh BTAG/SFlight/DataPeriod_ABCD/MISTAGCSVM.txt MISTAGCSVMABCD $setName $version $tag # ./makeSingle.csh BTAG/SFlight/DataPeriod_ABCD/MISTAGCSVT.txt MISTAGCSVTABCD $setName $version $tag # ./makeSingle.csh BTAG/SFlight/DataPeriod_ABCD/MISTAGJPL.txt MISTAGJPLABCD $setName $version $tag # ./makeSingle.csh BTAG/SFlight/DataPeriod_ABCD/MISTAGJPM.txt MISTAGJPMABCD $setName $version $tag # ./makeSingle.csh BTAG/SFlight/DataPeriod_ABCD/MISTAGJPT.txt MISTAGJPTABCD $setName $version $tag # ./makeSingle.csh BTAG/SFlight/DataPeriod_ABCD/MISTAGTCHPT.txt MISTAGTCHPTABCD $setName $version $tag # ./makeSingle.csh BTAG/SFlight/DataPeriod_AB/MISTAGCSVL.txt MISTAGCSVLAB $setName $version $tag # ./makeSingle.csh BTAG/SFlight/DataPeriod_AB/MISTAGCSVM.txt MISTAGCSVMAB $setName $version $tag # ./makeSingle.csh BTAG/SFlight/DataPeriod_AB/MISTAGCSVT.txt MISTAGCSVTAB $setName $version $tag # ./makeSingle.csh BTAG/SFlight/DataPeriod_AB/MISTAGJPL.txt MISTAGJPLAB $setName $version $tag # ./makeSingle.csh BTAG/SFlight/DataPeriod_AB/MISTAGJPM.txt MISTAGJPMAB $setName $version $tag # ./makeSingle.csh BTAG/SFlight/DataPeriod_AB/MISTAGJPT.txt MISTAGJPTAB $setName $version $tag # ./makeSingle.csh BTAG/SFlight/DataPeriod_AB/MISTAGTCHPT.txt MISTAGTCHPTAB $setName $version $tag # ./makeSingle.csh BTAG/SFlight/DataPeriod_C/MISTAGCSVL.txt MISTAGCSVLC $setName $version $tag # ./makeSingle.csh BTAG/SFlight/DataPeriod_C/MISTAGCSVM.txt MISTAGCSVMC $setName $version $tag # ./makeSingle.csh BTAG/SFlight/DataPeriod_C/MISTAGCSVT.txt MISTAGCSVTC $setName $version $tag # ./makeSingle.csh BTAG/SFlight/DataPeriod_C/MISTAGJPL.txt MISTAGJPLC $setName $version $tag # ./makeSingle.csh BTAG/SFlight/DataPeriod_C/MISTAGJPM.txt MISTAGJPMC $setName $version $tag # ./makeSingle.csh BTAG/SFlight/DataPeriod_C/MISTAGJPT.txt MISTAGJPTC $setName $version $tag # ./makeSingle.csh BTAG/SFlight/DataPeriod_C/MISTAGTCHPT.txt MISTAGTCHPTC $setName $version $tag # ./makeSingle.csh BTAG/SFlight/DataPeriod_D/MISTAGCSVL.txt MISTAGCSVLD $setName $version $tag # ./makeSingle.csh BTAG/SFlight/DataPeriod_D/MISTAGCSVM.txt MISTAGCSVMD $setName $version $tag # ./makeSingle.csh BTAG/SFlight/DataPeriod_D/MISTAGCSVT.txt MISTAGCSVTD $setName $version $tag # ./makeSingle.csh BTAG/SFlight/DataPeriod_D/MISTAGJPL.txt MISTAGJPLD $setName $version $tag # ./makeSingle.csh BTAG/SFlight/DataPeriod_D/MISTAGJPM.txt MISTAGJPMD $setName $version $tag # ./makeSingle.csh BTAG/SFlight/DataPeriod_D/MISTAGJPT.txt MISTAGJPTD $setName $version $tag # ./makeSingle.csh BTAG/SFlight/DataPeriod_D/MISTAGTCHPT.txt MISTAGTCHPTD $setName $version $tag cat templates/Pool_post.fragment | sed "s#SETNAME#$setName#g" >> Pool_$setName.py
Tcsh
2
ckamtsikis/cmssw
RecoBTag/PerformanceDB/test/process/makeAll.csh
[ "Apache-2.0" ]
with Ada.Numerics.Discrete_Random; package Tree_Naive_Pointers is type Node is private; type NodePtr is access Node; type Tree is private; procedure initialize; function hasValue(t: in out Tree; x: Integer) return Boolean; procedure insert(t: in out Tree; x: Integer); procedure erase(t: in out Tree; x: Integer); private function merge(lower, greater: NodePtr) return NodePtr; function merge(lower, equal, greater: NodePtr) return NodePtr; procedure split(orig: NodePtr; lower, greaterOrEqual: in out NodePtr; val: Integer); procedure split(orig: NodePtr; lower, equal, greater: in out NodePtr; val: Integer); procedure make_node(n: out NodePtr; x: Integer); type Tree is record root: NodePtr := null; end record; package Integer_Random is new Ada.Numerics.Discrete_Random(Integer); use Integer_Random; g: Generator; type Node is record left, right: NodePtr; x: Integer := 0; y: Integer := Random(g); end record; end Tree_Naive_Pointers;
Ada
4
r00ster91/completely-unscientific-benchmarks
ada/tree_naive_pointers.ads
[ "Apache-2.0", "MIT" ]
body: [ (declaration_list) (switch_body) (enum_member_declaration_list) ] @fold accessors: [ (accessor_list) ] @fold initializer: [ (initializer_expression) ] @fold (block) @fold
Scheme
3
hmac/nvim-treesitter
queries/c_sharp/folds.scm
[ "Apache-2.0" ]